0

我知道这是一个经常被问到的问题,但我现在至少要在一周内解决它……阅读这么多线程,下载数百万个不同的 MVVM-Pattern-Examples 等等……

我只想在我的 MVVM 模型视图第一种方法中更新一个愚蠢的标签:

    void StartUpProcess_DoWork(object sender, DoWorkEventArgs e)
    {
        SplashWindow splash = new SplashWindow();
        var ViewModel_Splash = new VM_SplashWindow();
        splash.DataContext = ViewModel_Splash;
        splash.Topmost = true;
        splash.Show();
        ViewModel_Splash.DoWork();
    }

完整的视图模型:

public class VM_SplashWindow:VM_Base
    {
        #region Properties
        private string _TextMessage;
        public string TextMessage
        {
            get
            {
                return _TextMessage;
            }
            set
            {
                if(_TextMessage != value)
                {
                    _TextMessage = value;
                    base.OnPropertyChanged("TextMessage");
                }
            }
        }
        #endregion

        #region Methods     
        public void DoWork()
        {
            this.TextMessage = "Initialize";
            for(int aa = 0; aa < 1000; aa++)
            {
                this.TextMessage = "Load Modul: " + aa.ToString();
                Thread.Sleep(5);
            }
            this.TextMessage = "Done";
            Thread.Sleep(1000);
        }
        #endregion
    }

底座上的一小块:

public abstract class VM_Base:INotifyPropertyChanged, IDisposable
{       
    #region INotifyPropertyChanged
public event PropertyChangedEventHandler PropertyChanged;

protected virtual void OnPropertyChanged(string propertyName)
{
    PropertyChangedEventHandler handler = this.PropertyChanged;
    if (handler != null)
    {
        var e = new PropertyChangedEventArgs(propertyName);
        handler(this, e);
    }
}
#endregion
}

最后是视图:

<Label Height="28" Margin="19,0,17,15" Name="label2" VerticalAlignment="Bottom"
               Content="{Binding Path=TextMessage}" Foreground="White" />

如果我在视图模型的构造函数中为 TextMessage 属性设置了一个初始值,这个初始值将在 splash.Show() 命令之后显示。

在 DoWork-Method 中设置 TextMessage 属性会引发 onPropertyChangedEvent,但不幸的是它不会更新窗口中的标签。我不知道我应该怎么做......我真的很期待帮助。提前谢谢了!

也许我应该提到 StartUpProcess_DoWork 在自己的 STAThread 中运行

亲切的问候,弗洛

4

1 回答 1

0

显然,您在 GUI 线程中执行了大量工作。你Thread.Sleep甚至可以暂停 GUI 线程。因此,它将无法更新控件。

解决方案是对该DoWork方法使用不同的线程。这可以通过BackgroundWorker. 如果您向工作人员提供 GUI 调度程序对象,则可以从那里发出 GUI 更改。尽管如果可能的话,最好使用ProgressChanged-Event 。

于 2012-08-12T21:47:33.557 回答