FindWindowEx
是 Windows API 中的一个函数,用于在 Windows 操作系统中查找特定的窗口句柄。它通常用于自动化任务、测试或与其他应用程序进行交互。在 C# 中,你可以使用 P/Invoke(平台调用)来调用 FindWindowEx
函数。
以下是一个简单的示例,展示了如何在 C# 中使用 FindWindowEx
函数查找一个窗口:
using System;
using System.Runtime.InteropServices;
class Program
{
[DllImport("user32.dll", SetLastError = true)]
static extern IntPtr FindWindowEx(IntPtr hwndParent, IntPtr hwndChildAfter, string lpszClass, string lpszWindow);
static void Main()
{
// 查找一个窗口,其类名为 "Button",窗口名为 "OK"
IntPtr hwnd = FindWindowEx(IntPtr.Zero, IntPtr.Zero, "Button", "OK");
if (hwnd != IntPtr.Zero)
{
Console.WriteLine("找到了窗口,句柄为: " + hwnd);
}
else
{
Console.WriteLine("未找到窗口");
}
}
}
在这个示例中,我们首先使用 DllImport
属性导入 user32.dll
库,并定义了 FindWindowEx
函数的签名。然后,我们在 Main
方法中调用 FindWindowEx
函数,传入父窗口句柄(IntPtr.Zero
表示顶层窗口)、子窗口句柄(IntPtr.Zero
表示第一个子窗口)、类名("Button"
)和窗口名("OK"
)。如果找到了匹配的窗口,函数将返回一个非空的句柄;否则,返回 IntPtr.Zero
。