My View调用ViewModel中的方法来获取数据。获取数据后,我根据从ViewModel返回的数据构建我的View(网格)。
getData()视图模型中的方法在BackgroundWorker线程中运行。现在我的问题是在View完成所有数据后如何返回View?
ViewModel
{
getData()
{
WorkerMethods()
WorkerCompletedMethod()
{
Refresh()
}
}
Refresh()
{
WorkerMethod()
WorkerCompleted()
{
data - Retrieved.
This is where all the calls are really DONE
}
}
}
从视图中,我将调用
View()
{
VM.getData()
//Before I call this method, I want to make sure Refresh() is completed
BuildUI()
}
我希望BuildUI()方法只有在VM.getData()完全执行后才能执行,反过来也是用Refresh()方法完成的,这就是我需要能够构建的数据。 UI动态。
这就是我要做的。如果这不是正确的方法,请纠正我。
在后面的View代码中,
View
{
public delegate void DelegateRefresh();
Init()
{
DelegateRefresh fetcher = RefreshData;
fetcher.BeginInvoke(null, null);
}
public void RefreshData()
{
_viewModel.GetData();
**while (_viewModel.IsBusy)**
{
continue;
}
BuildUI();
}
BuildUI()
{
//Code to build the UI Dynamically using the data from VM.
}
答案 0 :(得分:1)
BackgroundWorker
完成工作后,您应检索数据。您的视图模型应实现INotifyPropertyChanged接口,并通过视图绑定的属性公开数据。然后视图模型可以在数据可用时通知视图(即BackgroundWorker
已完成其工作)。
答案 1 :(得分:0)
一种方法是使用消息传递。也就是说,在视图上注册您的消息,然后从视图模型向视图发送消息,当收到此消息时,您可以调用BuildUI
方法。
例如,如果您使用的是MvvmLight框架,那么这是传递错误消息以在对话框中显示的一种方法。您可能不想显示对话框(我手头有这个代码),但过程是相同的,它只是一个不同的消息类型来注册和发送。
视图模型:
public class ErrorMessage : DialogMessage
{
// See MvvmLight docs for more details, I've omitted constructor(s)
/// <summary>
/// Registers the specified recipient.
/// </summary>
/// <param name="recipient">The recipient of the message.</param>
/// <param name="action">The action to perform when a message is sent.</param>
public static void Register(object recipient, Action<ErrorMessage> action)
{
Messenger.Default.Register<ErrorMessage>(recipient, action);
}
/// <summary>
/// Sends error dialog message to all registered recipients.
/// </summary>
public void Send()
{
Messenger.Default.Send<ErrorMessage>(this);
}
}
public class SomeViewModel : ViewModelBase
{
public void SendErrorMessage(string message)
{
var errorMessage = new ErrorMessage(message);
errorMessage.Send();
// Or in your case, when the background worker is completed.
}
}
查看:
public partial class SomeView : Window
{
public SomeView()
{
InitializeComponent();
ErrorMessage.Register(this, msg =>
{
MessageBoxResult result = MessageBox.Show(msg.Content, msg.Caption,
msg.Button, msg.Icon, msg.DefaultResult, msg.Options);
msg.ProcessCallback(result);
// Or in your case, invoke BuildUI() method.
});
}