在具有长时间运行进程的View上使用MVVM

时间:2012-05-14 21:12:32

标签: c# wpf silverlight mvvm

我在这里有一个例子来复制我想要完成的事情。 如下面的代码所示 - 我有ViewModel更新绑定到View的ObservableCollection属性。通常我会从模型中检索到的结果更新集合,但希望这个例子足够了。

using System;
using System.Collections.Generic;
using System.Collections.ObjectModel;
using System.Linq;
using System.Text;
using System.Threading;
using System.Windows.Controls;

namespace MVVMWpf.ViewModel
{
    public class ListViewModel
    {

        public ObservableCollection<int> SomeObjectCollection { get; set; }

        public ListViewModel()
        {

            SomeObjectCollection = new ObservableCollection<int>();

        }

        public void Do()
        {
             for (int i = 1; i < 1000000; i++)
             {
                 int i1 = i;
                 SomeObjectCollection.Add(i1);
             }
        }

    }
}

不幸的是,这会阻止此UI。它只会在循环运行完成时更新View。我解决它的方式打破了MVVM的概念。这就是我需要你帮助的原因。我是这样做的。

public class ListViewModel
{
    private delegate void LongRunningProcess();
    public ObservableCollection<int> SomeObjectCollection { get; set; }
    private ListBox listBox;
    public ListViewModel(ListBox listBox)
    {
        this.listBox = listBox;
        SomeObjectCollection = new ObservableCollection<int>();

    }

    public void Do()
    {
        Thread thread = new Thread(() =>
        {
           for (int i = 1; i < int.MaxValue; i++)
           {
               int i1 = i;
               listBox.Dispatcher.Invoke(
                   new LongRunningProcess(() =>
                   SomeObjectCollection.Add(i1);
                 }});

        thread.SetApartmentState(ApartmentState.STA);
        thread.Start();
    }

}

正如您所见,ViewModel现在知道UI中的listBox元素。在查看MVVM图时,只有View应该通过绑定引用ViewModel。如何克服这个问题? 感谢。

2 个答案:

答案 0 :(得分:3)

你需要让你的循环释放屏幕更新 - 某种DoEvents()会这样做:

public static void DoEvents() 
{ 
    Application.Current.Dispatcher.Invoke(
    DispatcherPriority.Background,new Action(delegate { })); 
}

添加它并在循环中调用它。


使用计时器作为另一种选择,你的代码看起来应该是这样的:

private System.Timers.Timer operationsTimer = new System.Timers.Timer();
private int x;

在你的ctor中:

operationsTimer.Elapsed += new System.Timers.ElapsedEventHandler 
(operationsTimer_Elapsed);
operationsTimer.Enabled = true;
你的计时器中的

operationsTimer_Elapsed(object sender, System.Timers.ElapsedEventArgs e)
{ 
    operationsTimer.Enabled = false;
    //add item to collection code
    x++;
    if(x<100)
        operationsTimer.Enabled = true;
}

答案 1 :(得分:0)

考虑使用BackgroundWorker,这是一种执行异步任务的简便方法,具有报告进度和已完成事件的功能。最重要的是,您不必在调度程序上调用任何内容,因为BackgroundWorker的函数已同步到UI线程。