同步重绘窗口控件(使用阻塞方法)

时间:2012-12-27 15:27:06

标签: c# winapi gdi invalidation redraw

我要做的是导致一个控件(在同一个过程中,但我无法控制)重绘自己,以及我的代码阻塞直到它完成重绘

我尝试使用UpdateWindow,但似乎并不等待重绘完成。

我需要等待它完成重绘的原因是我想在之后抓住屏幕。

控件不是dotNet控件,它是常规的Windows控件。

我已经确认:

  • 手柄是正确的。
  • UpdateWindow返回true。
  • 尝试在致电InvalidateRect(hWnd, IntPtr.Zero, true)之前发送UpdateWindow,以确保该窗口无效。
  • 尝试在控件的父窗口上执行相同的操作。

使用的代码:

[DllImport("user32.dll")]
[return: MarshalAs(UnmanagedType.Bool)]
private static extern bool InvalidateRect(IntPtr hWnd, IntPtr rect, bool bErase);

[DllImport("user32.dll")]
[return: MarshalAs(UnmanagedType.Bool)]
private static extern bool UpdateWindow(IntPtr hWnd);

public bool PaintWindow(IntPtr hWnd)
{
    InvalidateRect(hWnd, IntPtr.Zero, true);
    return UpdateWindow(hWnd);
}
//returns true

1 个答案:

答案 0 :(得分:1)

您可以强制应用程序使用Application.DoEvents处理所有排队的消息(包括WM_PAINT!)。像这样:

public bool PaintWindow(IntPtr hWnd)
{
    InvalidateRect(hWnd, IntPtr.Zero, true);
    if (UpdateWindow(hWnd))
    {
        Application.DoEvents();
        return true;
    }

    return false;
}

但是如果你还要去抓屏幕,那么通过发送WM_PRINT消息一起杀死两只鸟会不会更好?

您可以通过以下代码执行此操作:

internal static class NativeWinAPI
{
    [Flags]
    internal enum DrawingOptions
    {
        PRF_CHECKVISIBLE = 0x01,
        PRF_NONCLIENT = 0x02,
        PRF_CLIENT = 0x04,
        PRF_ERASEBKGND = 0x08,
        PRF_CHILDREN = 0x10,
        PRF_OWNED = 0x20
    }

    internal const int WM_PRINT = 0x0317;

    [DllImport("user32.dll", CharSet = CharSet.Auto)]
    internal static extern IntPtr SendMessage(IntPtr hWnd, UInt32 Msg,
        IntPtr wParam, IntPtr lParam);
}

public static void TakeScreenshot(IntPtr hwnd, Graphics g)
{
    IntPtr hdc = IntPtr.Zero;
    try
    {
        hdc = g.GetHdc();

        NativeWinAPI.SendMessage(hwnd, NativeWinAPI.WM_PRINT, hdc,
            new IntPtr((int)(
                NativeWinAPI.DrawingOptions.PRF_CHILDREN |
                NativeWinAPI.DrawingOptions.PRF_CLIENT |
                NativeWinAPI.DrawingOptions.PRF_NONCLIENT |
                NativeWinAPI.DrawingOptions.PRF_OWNED
                ))
            );
    }
    finally
    {
        if (hdc != IntPtr.Zero)
            g.ReleaseHdc(hdc);
    }
}