40

我有给定窗口的句柄。如何枚举其子窗口?

4

5 回答 5

38

在这里,您有一个可行的解决方案:

public class WindowHandleInfo
{
    private delegate bool EnumWindowProc(IntPtr hwnd, IntPtr lParam);

    [DllImport("user32")]
    [return: MarshalAs(UnmanagedType.Bool)]
    private static extern bool EnumChildWindows(IntPtr window, EnumWindowProc callback, IntPtr lParam);

    private IntPtr _MainHandle;

    public WindowHandleInfo(IntPtr handle)
    {
        this._MainHandle = handle;
    }

    public List<IntPtr> GetAllChildHandles()
    {
        List<IntPtr> childHandles = new List<IntPtr>();

        GCHandle gcChildhandlesList = GCHandle.Alloc(childHandles);
        IntPtr pointerChildHandlesList = GCHandle.ToIntPtr(gcChildhandlesList);

        try
        {
            EnumWindowProc childProc = new EnumWindowProc(EnumWindow);
            EnumChildWindows(this._MainHandle, childProc, pointerChildHandlesList);
        }
        finally
        {
            gcChildhandlesList.Free();
        }

        return childHandles;
    }

    private bool EnumWindow(IntPtr hWnd, IntPtr lParam)
    {
        GCHandle gcChildhandlesList = GCHandle.FromIntPtr(lParam);

        if (gcChildhandlesList == null || gcChildhandlesList.Target == null)
        {
            return false;
        }

        List<IntPtr> childHandles = gcChildhandlesList.Target as List<IntPtr>;
        childHandles.Add(hWnd);

        return true;
    }
}

食用方法:

class Program
{
    [DllImport("user32.dll", EntryPoint = "FindWindowEx")]
    public static extern IntPtr FindWindowEx(IntPtr hwndParent, IntPtr hwndChildAfter, string lpszClass, string lpszWindow);

    static void Main(string[] args)
    {
        Process[] anotherApps = Process.GetProcessesByName("AnotherApp");
        if (anotherApps.Length == 0) return;
        if (anotherApps[0] != null)
        {
            var allChildWindows = new WindowHandleInfo(anotherApps[0].MainWindowHandle).GetAllChildHandles();
        }
    }
}
于 2015-01-20T21:28:01.360 回答
12

使用:

internal delegate int WindowEnumProc(IntPtr hwnd, IntPtr lparam);

[DllImport("user32.dll")]
internal static extern bool EnumChildWindows(IntPtr hwnd, WindowEnumProc func, IntPtr lParam);

你会得到你传入的函数的回调。

于 2009-09-01T15:43:19.387 回答
8

我发现最好的解决方案是Managed WindowsAPI。它有一个 CrossHair 控件,可以用来选择一个窗口(不是问题的一部分),还有一个 AllChildWindows 方法来获取所有可能包含 EnumChildWindows 函数的子窗口。最好不要重新发明轮子。

于 2009-09-01T18:39:49.123 回答
7

将 EnumChildWindows 与 p/invoke 一起使用。这是一个关于它的一些行为的有趣链接: https ://blogs.msdn.microsoft.com/oldnewthing/20070116-04/?p=28393

如果您不知道窗口的句柄,而只知道它的标题,则需要使用 EnumWindows。http://pinvoke.net/default.aspx/user32/EnumWindows.html

于 2009-09-01T15:44:37.387 回答
3

这是 EnumWindows 的托管替代方案,但您仍需要使用EnumChildWindows来查找子窗口的句柄。

foreach (Process process in Process.GetProcesses())
{
   if (process.MainWindowTitle == "Title to find")
   {
      IntPtr handle = process.MainWindowHandle;

      // Use EnumChildWindows on handle ...
   }
}
于 2009-09-01T17:17:51.537 回答