c#-将WM_CLOSE消息发送到没有窗口的进程

开始一个过程-ProcessStartInfo psi = new ProcessStartInfo(G:\\SampleWinApp.exe); psi.UseShellExecute = false;psi.CreateNoWindow = true; Process prcs = Process.Start(psi);使用Pos...

开始一个过程-

 ProcessStartInfo psi = new ProcessStartInfo("G:\\SampleWinApp.exe");            
 psi.UseShellExecute = false;
 psi.CreateNoWindow = true;            
 Process prcs = Process.Start(psi);

使用PostMessage发送WM_CLOSE

const int WM_CLOSE = 0x0010;

public void SendCloseSignal(Process proc)
{
    uint uiPid = (uint) proc.Id;
    bool bResult = EnumWindows(new WNDENUMPROC(EnumWindowsProc), uiPid);
    if (!bResult && Marshal.GetLastWin32Error() == 0) {
        object objWnd = processWnd[uiPid];
        if (objWnd != null) {
            IntPtr ptrWnd = (IntPtr) objWnd;
            PostMessage(ptrWnd, WM_CLOSE, 0, 0);
            return;
        }
    }

    foreach (ProcessThread thread in proc.Threads) {
        PostThreadMessage((uint) thread.Id, WM_CLOSE, UIntPtr.Zero, IntPtr.Zero);
    }

}

private static bool EnumWindowsProc(IntPtr hwnd, uint lParam)
{
    uint uiPid = 0;
    if (GetParent(hwnd) == IntPtr.Zero)
    {
        GetWindowThreadProcessId(hwnd, ref uiPid);
        if (uiPid == lParam)
        {
            processWnd[uiPid] = hwnd;
            return false;
        }
    }
    return true;
} 

使用CreateNoWindow = false启动exe,发送WM_CLOSE消息,并正常关闭应用程序.
如果CreateNoWindow = true,则WM_CLOSE消息永远不会到达进程.甚至PostThreadMessage似乎也不起作用.有什么方法可以发送WM_CLOSE消息?我有一天要寻找解决办法,..不走运.

编辑:为每个应用程序都安装了Windows服务.启动/停止服务将启动/停止应用程序.目前,我们在服务停止时终止了该应用程序.由于其残酷的杀伤力,应用程序无法正常终止.一些应用程序监听CTRL signals.现在,我只需要一些方法即可将WM_CLOSE消息发送到这些应用程序.

Edit2:如果存在窗口,则WM_CLOSE会触发CTRL_CLOSE_EVENT.但是,当任何进程以CreateNoWindow = true启动时,都不会触发.

解决方法:

Is there any way to send WM_CLOSE message?

WM_CLOSE发送到窗口.如果在此过程中没有窗口,则没有任何可处理的消息.如果您希望关闭没有窗口的进程,那么发送WM_CLOSE不是解决方案.

看来您只是想终止进程.当控制台进程具有关联的窗口时,您将使用WM_CLOSE消息来触发CTRL_CLOSE_EVENT信号.

由于CTRL_CLOSE_EVENT已经是杀死进程的一种相当残酷的方式,因此,我认为完全可以证明杀死它是合理的.您已经有一个Process对象.只需使用Process.Kill()将其杀死.

另一方面,也许您真正想问的问题是:

How do I signal CTRL_CLOSE_EVENT in another process?

在这里可以找到一个相关的问题:Can I send a ctrl-C (SIGINT) to an application on Windows?我认为那里最好的答案是Nemo1024,而不是公认的答案.该答案链接到他的博客文章:http://stanislavs.org/stopping-command-line-applications-programatically-with-ctrl-c-events-from-net/

据我了解,该文章应为您提供解决问题所需的信息.它列出了四个方案.前两个涉及WM_CLOSE作为触发关闭信号的一种方式.第三是杀死进程.第四个可能是您要寻找的.当然,这第四种选择是最复杂的.引用这篇文章:

After finding a hint at the bottom of this thread, I finally bit the bullet and started the process without a window. When the time comes to stop a process, the parent attaches its console to the child, stops itself listening to Ctrl-C event and issues the event to the console, so that the attached child terminates. It then reinstates the Ctrl-C handler for itself and frees the console.

本文标题为:c#-将WM_CLOSE消息发送到没有窗口的进程

基础教程推荐