如果已知窗口的所有者hwnd,类名和大小,则获取窗口hwnd

时间:2013-06-29 09:59:09

标签: c# window interop handle hwnd

我需要一些具体的帮助。我知道类名,所有者hwnd和窗口的大小。我怎么得到它的hwnd?或者,至少获得满足这些条件的所有窗口的列表。

提前致谢!

瓦利

1 个答案:

答案 0 :(得分:2)

您可以尝试使用此代码。它将为您提供具有特定类名的每个顶级窗口的IntPtr(窗口句柄):

/// <summary>
/// Returns a sequence of window handles (IntPtrs) for all top-level windows
/// matching the specfied window class name.
/// </summary>
/// <param name="className">The windows class name to match (not to be confused with a C# class name!)</param>
/// <returns>A non-null sequence of window handles. This will be an empty sequence if no windows match the class name.</returns>

public static IEnumerable<IntPtr> WindowsMatchingClassName(string className)
{
    if (string.IsNullOrWhiteSpace(className))
    {
        throw new ArgumentOutOfRangeException("className", className, "className can't be null or blank.");
    }

    return WindowsByClassFinder.WindowsMatching(className);
}

/// <summary>Finds windows matching a particular window class name.</summary>

private class WindowsByClassFinder
{
    /// <summary>Find the windows matching the specified class name.</summary>

    public static IEnumerable<IntPtr> WindowsMatching(string className)
    {
        return new WindowsByClassFinder(className)._result;
    }

    private WindowsByClassFinder(string className)
    {
        _className = className;
        EnumWindows(callback, IntPtr.Zero);
    }

    private bool callback(IntPtr hWnd, IntPtr lparam)
    {
        if (GetClassName(hWnd, _apiResult, _apiResult.Capacity) != 0)
        {
            if (string.CompareOrdinal(_apiResult.ToString(), _className) == 0)
            {
                _result.Add(hWnd);
            }
        }

        return true; // Keep enumerating.
    }

    [SuppressMessage("Microsoft.Security", "CA2118:ReviewSuppressUnmanagedCodeSecurityUsage"), SuppressUnmanagedCodeSecurity]
    [DllImport("user32.dll")]
    [return: MarshalAs(UnmanagedType.Bool)]
    private extern static bool EnumWindows(EnumWindowsDelegate lpEnumFunc, IntPtr lparam);

    [DllImport("user32.dll", SetLastError = true, CharSet = CharSet.Auto)]
    private static extern int GetClassName(IntPtr hWnd, StringBuilder lpClassName, int nMaxCount);

    private delegate bool EnumWindowsDelegate(IntPtr hWnd, IntPtr lparam);

    private readonly string _className;
    private readonly List<IntPtr> _result = new List<IntPtr>();
    private readonly StringBuilder _apiResult = new StringBuilder(1024);
}
相关问题