10

这是我来自 WinForms 的旧代码:

    private void ValueChanged(double inValue1, double inValue2) {
        //only manual mode for this driver, so that's easy.
        if (ValueLabel.InvokeRequired) {
            ValueLabel.Invoke(new MethodInvoker(delegate {
                ValueLabel.Text = (inValue1* inValue2/ 1000).ToString("f1");
            }
                ));
        }
        else {
            ValueLabel.Text = (inValue1* inValue2/ 1000).ToString("f1");
        }
    }

有没有一种简单的方法可以将其转换为对 WPF 友好?到目前为止,我有:

   private void KVPValueChanged(double inValue1, double inValue2) {
        if (ValueLabel.Dispatcher.Thread == Thread.CurrentThread){
            ValueLabel.Content = (inValue1* inValue2/ 1000).ToString("f1");
        } else {
            ValueLabel.Dispatcher.BeginInvoke(delegate {
                ValueLabel.Content = (inValue1* inValue2/ 1000).ToString("f1");
            });
        }
    }

但是第二个“代表”电话失败了。我怎样才能调用这个委托?我想我可以完成整个制作委托方法,制作委托方法的实例,调用该特定实例等,但我认为这些匿名委托的全部意义在于避免这种麻烦。另外,我的旧 winforms 代码到处都有第一个实现,所以我真的很想避免必须对我的所有代表进行去匿名化。

编辑:我可以尝试像以前一样使用 MethodInvoker,但是编译器会感到困惑。MethodInvoker 是 System.Windows.Forms 的一部分,因此使用该方法不起作用。如:

    private void ValueChanged(double inValue1, double inValue2) {
        if (ValueLabel.Dispatcher.Thread == Thread.CurrentThread) {
            ValueLabel.Content = (inValue1* inValue2/ 1000).ToString("f1");
        }
        else {
            ValueLabel.Dispatcher.BeginInvoke(new System.Windows.Forms.MethodInvoker(delegate {
                ValueLabel.Content = (inValue1* inValue2/ 1000).ToString("f1");
            }));
        }
    }

MethodInvoker 的使用是不洁的。是否有单独的实现,或其他方式来使用相同的行为?

4

2 回答 2

12

System.Windows.Forms.MethodInvoker 只是一个不带参数并返回 void 的委托。在 WPF 中,您可以将其替换为System.Action。还有其他接受参数返回值两者的内置委托。

在你的情况下,

ValueLabel.Dispatcher.BeginInvoke(new System.Windows.Forms.MethodInvoker(delegate {
            ValueLabel.Content = (inValue1* inValue2/ 1000).ToString("f1");
        }));

变成

ValueLabel.Dispatcher.BeginInvoke(new Action(delegate() {
            ValueLabel.Content = (inValue1* inValue2/ 1000).ToString("f1");
        }));
于 2009-04-17T12:22:14.827 回答
5

我认为您需要更改代表的签名:

ValueLabel.Dispatcher.BeginInvoke(DispatcherPriority.Normal, (ThreadStart)delegate(invalue1, invalue2){
    ValueLabel.Content = ...

另外,使用 BackgroundWorker 组件查找。不仅适用于 wpf,还适用于 winform 异步操作。

于 2009-04-16T22:43:26.743 回答