对话服务(DialogService)概述
对话框实际上是我们应用程序经常用到的一个功能, 类如: Show、ShowDialog。
可以弹出一个我们指定的窗口, 仅此而已, 那么在Prism当中, Dialog指的是什么?
Prism提供了一组对话服务, 封装了常用的对话框组件的功能, 例如:
- RegisterDialog/IDialogService (注册对话及使用对话)
- 打开对话框传递参数/关闭对话框返回参数
- 回调通知对话结果
对话服务使用过程
1、创建Dialog
大体与导航类似,创建视图-->创建视图模型VM-->编写配置文件(使用模块才需要)
不同的是在使用导航时在VM中继承的是INavigationAware
或IConfirmNavigationRequest
,在使用对话时则继承IDialogAware
如何注册模块使用模块,本篇不再赘述,参考模块用法即可
2、在主模块中定义一个按钮用于打开这个对话框
Tips:这里需要依赖注入一个IDialogService
private readonly IDialogService _dialogService;
public MainWindowViewModel(IRegionManager regionManager,IDialogService dialogAware)
{
_regionManage = regionManager;
_dialogService = dialogAware;
OpenDialogCommand = new DelegateCommand<string>(OpenDialog);
}
3、实现打开对话框命令的方法
private void OpenDialog(string obj)
{
DialogParameters pairs = new DialogParameters
{
{ "Title", "我是标题" }
};
_dialogService.ShowDialog("DialogView", pairs,callback=> {
});
}
可使用DialogParameters传递参数到对话框中
4、实现对话框视图的VM
OnDialogOpened方法:当对话框被创建时则立即进入该方法,并会接收到传递过来的参数
public void OnDialogOpened(IDialogParameters parameters)
{
Title = parameters.GetValue<string>("Title");
}
OnDialogClosed方法:当确定后会被触发,可以在这里将对话框上的内容通过这里传递回去
public void OnDialogClosed()
{
DialogParameters pairs = new DialogParameters
{
{ "Parameters1", Parameters1 },
{ "Parameters2", Parameters2 }
};
RequestClose?.Invoke(new DialogResult(ButtonResult.OK, pairs));
}
这里与打开对话框一样都是使用DialogParameters以键值对的形式保存参数
通过调用RequestClose委托返回结果
CanCloseDialog方法:表示是否可以关闭,一般直接返回True就可以了,具体视业务情况了,需要返回一个布尔值
5、最后在ShowDialog那里处理返回结果回调
private void OpenDialog(string obj)
{
DialogParameters pairs = new DialogParameters
{
{ "Title", "我是标题" }
};
_dialogService.ShowDialog("DialogView", pairs,callback=> {
if (callback.Result==ButtonResult.OK)
{
MessageBox.Show($"参数1:{callback.Parameters.GetValue<string>("Parameters1")}\r\n" +
$"参数2:{callback.Parameters.GetValue<string>("Parameters2")}");
}
});
}
先做一个简单的判断,看是否点击了确定,然后如法炮制通过callback下的Parameters的GetValue获取传递过来的参数,注意GetValue是一个泛型,必须指定参数
最终效果: