特定のウィンドウのハンドルがあります。どうすればその子ウィンドウを列挙できますか?
最善の解決策は Managed WindowsAPI です。ウィンドウ(質問の一部ではない)を選択するために使用できるCrossHairコントロールと、EnumChildWindows関数をラップしている可能性のあるすべての子ウィンドウを取得するためのメソッドAllChildWindowsがありました。車輪を再発明しないほうがよい。
ここ 有効な解決策があります:
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();
}
}
}
使用:
internal delegate int WindowEnumProc(IntPtr hwnd, IntPtr lparam);
[DllImport("user32.dll")]
internal static extern bool EnumChildWindows(IntPtr hwnd, WindowEnumProc func, IntPtr lParam);
渡した関数のコールバックを取得します。
P/invokeでEnumChildWindowsを使用します。その動作のいくつかについての興味深いリンクを次に示します。 https://blogs.msdn.Microsoft.com/oldnewthing/20070116-04/?p=2839
ウィンドウのハンドルがわからないがタイトルだけの場合は、EnumWindowsを使用する必要があります。 http://pinvoke.net/default.aspx/user32/EnumWindows.html
以下は、EnumWindowsのマネージド代替手段ですが、子ウィンドウのハンドルを見つけるには、引き続き EnumChildWindows を使用する必要があります。
foreach (Process process in Process.GetProcesses())
{
if (process.MainWindowTitle == "Title to find")
{
IntPtr handle = process.MainWindowHandle;
// Use EnumChildWindows on handle ...
}
}