1

我有一个带有按钮的 WPF 窗口,它产生一个 BackgroundWorker 线程来创建和发送电子邮件。在此 BackgroundWorker 运行时,我想显示一个用户控件,该控件显示一些消息,后跟动画“...”。该动画由用户控件内的计时器运行。

即使我的邮件发送代码在 BackgroundWorker 上,用户控件中的计时器也永远不会被调用(嗯,它会,但只有在 Backgroundworker 完成时才会调用,这有点违背了目的......)。

WPF窗口中的相关代码:

private void button_Send_Click(object sender, RoutedEventArgs e)
{
    busyLabel.Show(); // this should start the animation timer inside the user control

    BackgroundWorker worker = new BackgroundWorker();
    worker.RunWorkerCompleted += new RunWorkerCompletedEventHandler(worker_RunWorkerCompleted);
    worker.DoWork += new DoWorkEventHandler(worker_DoWork);
    worker.RunWorkerAsync();      
}

void worker_DoWork(object sender, DoWorkEventArgs e)
{
    this.Dispatcher.Invoke((Action)(() =>
    {      
        string body = textBox_Details.Text;
        body += "User-added addtional information:" + textBox_AdditionalInfo.Text; 

        var smtp = new SmtpClient
        {
            ...
        };

        using (var message = new MailMessage(fromAddress, toAddress)
        {
            Subject = subject,
            Body = body
        })
        {
            smtp.Send(message);
        }
    }));

}

用户控件(“BusyLabel”)中的相关代码:

public void Show()
{
    tb_Message.Text = Message;
    mTimer = new System.Timers.Timer();
    mTimer.Interval = Interval;
    mTimer.Elapsed += new ElapsedEventHandler(mTimer_Elapsed);
    mTimer.Start();
}

void mTimer_Elapsed(object sender, ElapsedEventArgs e)
{
    this.Dispatcher.Invoke((Action)(() =>
    { 

        int numPeriods = tb_Message.Text.Count(f => f == '.');
        if (numPeriods >= NumPeriods)
        {
            tb_Message.Text = Message;
        }
        else
        {
            tb_Message.Text += '.';
        }         
    }));
}

public void Hide()
{
    mTimer.Stop();
}

任何想法为什么它被锁定?

4

1 回答 1

2

Dispatcher.Invoke在您的方法中使用worker_DoWork是将执行放回 UI 线程,因此您并没有真正异步地完成工作。

根据您显示的代码,您应该能够删除它。

如果在工作完成后需要显示结果值,请将其放入处理程序的事件参数中DoWorkEventArgs,您将能够(在 UI 线程上)访问它。worker_RunWorkerCompleted

使用的一个主要原因BackgroundWorker是编组是在幕后处理的,所以你不应该使用Dispatcher.Invoke.

于 2013-01-15T21:22:34.717 回答