C# 客戶端程序調用外部程序的3種(zhǒng)實現方法
2022-01-30
前言
文章主要給大家介紹關于 C# 客戶端程序調用外部程序的 3 種(zhǒng)實現方法,文中通過(guò)示例代碼介紹的非常詳細,對(duì)大家的學(xué)習或者工作具有一定的參考學(xué)習價值。
簡介
大家都(dōu)知道(dào),當我們用 C# 來開(kāi)發(fā)客戶端程序的時(shí)候,總會(huì)不可避免的需要調用外部程序或者訪問網站,本文介紹了三種(zhǒng)調用外部應用的方法,供參考,下面(miàn)話不多說(shuō)了,來一起(qǐ)看看詳細的介紹吧。
實現
第一種(zhǒng)利用 shell32.dll
實現 ShellExecute 方法,該方法可同時(shí)打開(kāi)本地程序、文件夾或者訪問網站,隻要直接輸入路徑字符串即可, 如 C:\Users\Desktop\xx.exe 或者 https://cn.bing.com/,可以根據返回值判斷是否調用成(chéng)功 (成(chéng)功0x00000002a , 失敗0x00000002)
Window wnd = Window.GetWindow(this); //獲取當前窗口
var wih = new WindowInteropHelper(wnd); //該類支持獲取hWnd
IntPtr hWnd = wih.Handle; //獲取窗口句柄
var result = ShellExecute(hWnd, "open", "需要打開(kāi)的路徑如C:\Users\Desktop\xx.exe", null, null, (int)ShowWindowCommands.SW_SHOW);
[DllImport("shell32.dll")]
public static extern IntPtr ShellExecute(IntPtr hwnd, //窗口句柄
string lpOperation, //指定要進(jìn)行的操作
string lpFile, //要執行的程序、要浏覽的文件夾或者網址
string lpParameters, //若lpFile參數是一個可執行程序,則此參數指定命令行參數
string lpDirectory, //指定默認目錄
int nShowCmd //若lpFile參數是一個可執行程序,則此參數指定程序窗口的初始顯示方式(參考如下枚舉)
);
public enum ShowWindowCommands : int
{
SW_HIDE = 0,
SW_SHOWNORMAL = 1,
SW_NORMAL = 1,
SW_SHOWMINIMIZED = 2,
SW_SHOWMAXIMIZED = 3,
SW_MAXIMIZE = 3,
SW_SHOWNOACTIVATE = 4,
SW_SHOW = 5, //顯示一個窗口,同時(shí)令其進(jìn)入活動狀态
SW_MINIMIZE = 6,
SW_SHOWMINNOACTIVE = 7,
SW_SHOWNA = 8,
SW_RESTORE = 9,
SW_SHOWDEFAULT = 10,
SW_MAX = 10
}
第二種(zhǒng)是利用 kernel32.dll
實現 WinExec 方法,該方法僅能(néng)打開(kāi)本地程序,可以根據返回值判斷是否調用成(chéng)功(<32表示出現錯誤)
var result = WinExec(pathStr, (int)ShowWindowCommands.SW_SHOW);
[DllImport("kernel32.dll")]
public static extern int WinExec(string programPath, int operType);
第三種(zhǒng)方法是利用 Process 類
Process 類具體應用可以看類的定義,這(zhè)裡(lǐ)隻實現它打開(kāi)文件和訪問網站的用法,調用失敗會(huì)抛出異常
/// <devdoc>
/// <para>
/// Provides access to local and remote
/// processes. Enables you to start and stop system processes.
/// </para>
/// </devdoc>
具體實現爲
//調用程序
Process process = new Process();
try
{
process.StartInfo.UseShellExecute = false;
process.StartInfo.FileName = pathStr;
process.StartInfo.CreateNoWindow = true;
process.Start();
}
catch (Exception ex)
{
MessageBox.Show(ex.Message);
}
//訪問網站
try
{
Process.Start("iexplore.exe", pathStr);
}
catch (Exception ex)
{
MessageBox.Show(ex.Message);
}
- EOF -
來源:DotNet