如何通过C#最小化远程桌面连接(RDC)窗口?

时间:2019-07-18 12:44:56

标签: c# .net process rdp mstsc

下面的代码使我可以通过mstsc.exe与计算机建立远程桌面连接。

 string ipAddress = "XXX.XX.XXX.XXX" // IP Address of other machine
 System.Diagnostics.Process proc = new System.Diagnostics.Process();
 proc.StartInfo.UseShellExecute = true;
 proc.StartInfo.FileName = "mstsc.exe";
 proc.StartInfo.Arguments = "/v:" + ipAddress ;    
 proc.Start();

一旦启动成功,我想最小化RDC窗口(镜像窗口)。这里有什么办法可以通过C#做到吗?

这是我尝试过的方法,但没有区别:

proc.StartInfo.CreateNoWindow = true;
proc.StartInfo.WindowStyle = System.Diagnostics.ProcessWindowStyle.Hidden;

任何帮助将不胜感激。

2 个答案:

答案 0 :(得分:1)

您可以使用ShowWindow中的user32.dll函数。将以下导入添加到您的程序。您将需要引用using System.Runtime.InteropServices;

[DllImport("user32.dll")]
[return: MarshalAs(UnmanagedType.Bool)]
static extern bool ShowWindow(IntPtr hWnd, int nCmdShow);

您已经必须启动RDP的东西将按您的方式工作,但是随后您将需要获得在远程桌面打开后创建的新mstsc进程。您开始的原始过程在proc.Start()之后退出。使用下面的代码将为您提供第一个mstsc流程。注意:如果您打开了多个RDP窗口,则选择比仅选择第一个更好的选择。

Process process = Process.GetProcessesByName("mstsc").First();

然后使用ShowWindow调用SW_MINIMIZE = 6方法,如下所示

ShowWindow(process.MainWindowHandle, SW_MINIMIZE);

完整的解决方案变为:

private const int SW_MAXIMIZE = 3;
private const int SW_MINIMIZE = 6;

[DllImport("user32.dll")]
[return: MarshalAs(UnmanagedType.Bool)]
static extern bool ShowWindow(IntPtr hWnd, int nCmdShow);

static void Main(string[] args) {
    string ipAddress = "xxx.xxx.xxx.xxx";
    Process proc = new Process();
    proc.StartInfo.UseShellExecute = true;
    proc.StartInfo.FileName = "mstsc.exe";
    proc.StartInfo.Arguments = "/v:" + ipAddress ;    
    proc.Start();

    // NOTE: add some kind of delay to wait for the new process to be created.

    Process process = Process.GetProcessesByName("mstsc").First();

    ShowWindow(process.MainWindowHandle, SW_MINIMIZE);
}

注意:@Sergio的答案将起作用,但是它将最小化所创建的初始过程。如果您需要输入凭据,我认为这不是正确的方法。

Reference for ShowWindow function

答案 1 :(得分:-1)

使用Windows样式,可以正常工作。

    string ipAddress = "xxx.xx.xxx.xxx"; // IP Address of other machine
    ProcessStartInfo p = new ProcessStartInfo("mstsc.exe");
    p.UseShellExecute = true;
    p.Arguments = "/v:" + ipAddress;
    p.WindowStyle = ProcessWindowStyle.Minimized;
    Process.Start(p);