如何在应用程序在后台忙碌时显示消息框或其他类似的通知显示,类似于此模型:
答案 0 :(得分:8)
Busy Indicator中有一个WPF Extended Toolkit我已经使用了很多:
通过NuGet可以方便地使用该工具包,这使得将其添加为项目的参考非常容易。我几乎在所有最近的WPF项目中都亲自使用过它(以及该工具包中的许多其他有用的控件)。
要使用它,请使用忙碌指示符围绕XAML代码中的控件:
<extToolkit:BusyIndicator ...>
<Grid>
<Button Content="Click to do stuff" />
<!-- your other stuff here -->
</Grid>
</extToolkit:BusyIndicator>
然后,您只需要在需要弹出窗口时将IsBusy
属性设置为true
,并在隐藏窗口时将其设置为false。在适当的MVVM体系结构中,您通常会将XAML中的属性数据绑定到viewmodel中的属性,然后将其设置为true / false:
<extToolkit:BusyIndicator IsBusy="{Binding IsBusy}" >
但是如果你没有使用MVVM,你当然可以从你的代码中手动设置它,通常是在按钮点击处理程序中:
为控件命名,以便能够从代码中引用它:
<extToolkit:BusyIndicator x:Name="busyIndicator" >
然后,在你的xaml.cs文件中:
void myButton_Click(object sender, RoutedEventArgs e)
{
busyIndicator.IsBusy = true;
// Start your background work - this has to be done on a separate thread,
// for example by using a BackgroundWorker
var worker = new BackgroundWorker();
worker.DoWork += (s,ev) => DoSomeWork();
worker.RunWorkerCompleted += (s,ev) => busyIndicator.IsBusy = false;
worker.RunWorkerAsync();
}
答案 1 :(得分:4)
如果您编写MVVM代码很简单:
1.)向ViewModel添加一个布尔标志“IsBusy”,并附带更改通知。
public bool IsBusy {get {return _isBusy;} set{_isBusy=value;OnPropertyChanged("IsBusy");}}
private bool _isBusy;
2。)将两个事件添加到命令“已启动”和“已完成”
public event Action Completed;
public event Action Started;
3.。)在ViewModel中,订阅这些事件并设置忙碌状态。
LoadImagesCommand.Started += delegate { IsBusy = true; };
LoadImagesCommand.Completed += delegate { IsBusy = false; };
4.。)在您的窗口中,您现在可以绑定到该状态
<Popup Visibility="{Binding Path=IsBusy,Converter={StaticResource boolToVisibilityConverter}}"/>
请注意,对于最后一步,您必须实例化boolToVisibilityConverter,所以:
5.。)将以下内容添加到任何已加载的资源字典:
<BooleanToVisibilityConverter x:Key="boolToVisibilityConverter"/>
就是这样!你可以用你想要的生活填充你的弹出窗口......