我想在我的应用程序中打开一个对话框,并且我想在视图模型中的属性发生更改时关闭视图。
所以我是这样想的:
1.- 在我的 view.axml.cs(后面的代码)中,我有一个名为的方法close()
,它执行视图的 close 方法。
2.- 在我的视图模型中ViewModelClosing
,我有一个名为 a的属性bool
。
3.-视图,在某种程度上,我真的不知道如何,需要绑定视图模型的属性,并在属性更改时执行后面代码中的方法。
有可能这样做吗?
阿尔瓦罗·加西亚
最简单和 IMO 最好的方法是从控制器接受 ViewModel 中的 ICommand 。
由于 ViewModel 不应该依赖于 View 或 ViewController,因此以下解决方案使用依赖注入/控制反转。
DelegateCommand(又名 RelayCommand)是 ICommand 的包装器
我将代码保持在最低限度,以专注于解决方案。
public class ViewController
{
private View _view;
private ViewModel _viewModel;
public ViewController()
{
ICommand closeView = new DelegateCommand(m => closeView());
this._view = new View();
this._viewModel = new ViewModel(closeView);
this._view.DataContext = this._viewModel;
}
private void closeView()
{
this._view.close();
}
}
public class ViewModel
{
private bool _viewModelClosing;
public ICommand CloseView { get;set;}
public bool ViewModelClosing
{
get { return this._viewModelClosing; }
set
{
if (value != this._viewModelClosing)
{
this._viewModelClosing = value;
// odd to do it this way.
// better bind a button event in view
// to the ViewModel.CloseView Command
this.closeCommand.execute();
}
}
}
public ViewModel(ICommand closeCommand)
{
this.CloseView = closeCommand;
}
}