为什么调度程序 BeginInvoke 在 C# Windows Forms 应用程序中 Control BeginInvoke 成功的地方失败?

Why did dispatcher BeginInvoke fail where Control BeginInvoke succeed in C# Windows Forms app?

我最初尝试使用 Dispatcher class BeginInvoke 方法在我的 C# Windows Forms 应用程序的主 UI 线程上显示消息框。当我使用该方法时消息框没有出现。我在传递给 BeginInvoke() 的委托主体内设置了一个断点,它 never 命中。我尝试同时使用 A​​ction 委托和 MethodInvoker 委托。两种情况都不走运。

当我使用属于 Form 对象的 BeginInvoke 方法时,它工作正常。为什么 Dispatch 版本会悄无声息地失败(没有异常或错误消息)?以下是两个不同的版本。

Dispatcher dispatcher = Dispatcher.CurrentDispatcher;

// THIS FAILED. CONTEXT: Executing on worker thread.
MethodInvoker theMethod = new MethodInvoker(delegate()
{
    string msg = "Show this  message on the main UI thread.";
    MessageBox.Show(msg, "Message");
});

dispatcher.BeginInvoke(theMethod);

this.BeginInvoke(theMethod);

// ---------------------------------------------------

// THIS WORKED. CONTEXT: Executing on worker thread.
MethodInvoker theMethod = new MethodInvoker(delegate()
{
    string msg = "Show this  message on the main UI thread.";
    MessageBox.Show(msg, "Message");
});

// "this" is a Form object.
this.BeginInvoke(theMethod);

如果我没看错您的评论,那么您是从非 UI 线程调用 Dispatcher.CurrentDispatcher。这不是它的用途。

正如 Dispatcher.CurrentDispatcher 的文档所说:

Gets the Dispatcher for the thread currently executing and creates a new Dispatcher if one is not already associated with the thread.

要获得有效的调度程序实例,您需要从 UI 线程调用 Dispatcher.CurrentDispatcher

此外,因为文档说如果当前线程不存在调度程序,它将自动创建一个调度程序,这就是静默失败的原因。您正在获取一个调度程序实例,但它与 UI 线程没有任何关联,因此它实际上并没有向 UI 线程调度任何内容。

(删除这个,因为在我的测试中,即使我不应该得到 null,所以它看起来并没有证明什么。尽管其余信息是准确的) 文档还添加了:

FromThread 方法不是这样。如果没有与指定线程关联的调度程序,FromThread 将 return null

因此,要确认您确实获得了自动创建的(无效的)调度程序,请尝试从 Dispatcher.FromThread 获取调度程序。我猜你会得到 null.

如果要调用 dispatcher.BeginInvoke 以强制从工作线程在 UI 线程上执行方法,则需要从 UI 调用 Dispatcher.CurrentDispatcher线程并将其保存到变量中。然后,您可以将该调度程序引用变量传递给工作线程,并对其调用 BeginInvoke

// capture and save dispatcher from UI thread
Dispatcher dispatcher = Dispatcher.CurrentDispatcher;

// then you can do this from your worker thread:
dispatcher.BeginInvoke(theMethod);

或者,像您已经在做的那样使用 this.BeginInvoke

或者更好的是,您可以尝试将任务与新的 async-await 关键字结合使用来处理此类事情。

编辑

为了完整起见,我应该解释为什么 Control.BeginInvoke 可以正常工作。

正如 Control.BeginInvoke 的文档所说:

Executes the specified delegate asynchronously on the thread that the control's underlying handle was created on.

后来还补充说:

You can call this method from any thread.

关键在于,当您调用Control.BeginInvoke 时,它不会使用当前线程来确定如何执行委托。它会记住控件是在哪个线程上创建的(UI 线程),并确保在该线程上执行委托。

因此,只要您的控件是在 UI 线程上创建的(应该如此),那么 BeginInvoke 就可以在任何线程上运行。这其实和Dispatcher很相似,只要先从UI线程中获取到Dispatcher实例,就可以在任何线程中调用Dispatcher.BeginInvoke嗯。