在SetWindowPos()中获取跨线程操作无效

时间:2009-09-28 07:08:31

标签: c# .net winforms multithreading exception-handling

我正在尝试从不同的线程访问表单到创建表单的表单,最后结果出现错误:

  

交叉线程操作无效

代码:

public static void MakeTopMost(Form form)
{
    SetWindowPos(form.Handle, HWND_TOPMOST, 0, 0, 0, 0, TOPMOST_FLAGS);
}

我正在传递一个在另一个线程中运行的表单。我尝试过测试InvokeRequired,但它总是错误的。

我是线程新手。

1 个答案:

答案 0 :(得分:13)

确保您正在测试InvokeRequired的正确对象:

public static void MakeTopMost(Form form)
{
    if (form.InvokeRequired)
    {
        form.Invoke((Action)delegate { MakeTopMost(form); });
        return;
    }

    SetWindowPos(form.Handle, HWND_TOPMOST, 0, 0, 0, 0, TOPMOST_FLAGS);
}

我喜欢用这样的扩展方法包装所有这些:

public static class SynchronizeInvokeUtil
{
    public static void SafeInvoke(this ISynchroniseInvoke sync, Action action)
    {
        if (sync.InvokeRequired)
            sync.Invoke(action);
        else
            action();
    }

    public static void SafeBeginInvoke(this ISynchroniseInvoke sync, 
                                       Action action)
    {
        if (sync.InvokeRequired)
            sync.BeginInvoke(action);
        else
            action();
    }
}

然后你可以打电话:

form.SafeInvoke(() => SetWindowPos(form.Handle, HWND_TOPMOST, 
                                   0, 0, 0, 0, TOPMOST_FLAGS));

哪个可能最具可读性。

请注意,如果您在表单类本身中使用它,则必须使用this.SafeInvoke(...)才能访问扩展方法。