I want to execute a long running task after clicking a wpf button. Here what I did.
private void Start(object sender, RoutedEventArgs e)
{
for (int i = 0; i < 10; i++)
{
Thread.Sleep(2000); // simulate task
}
}
Problem is, this will make wpf gui unresponsive. I also would like to allow cancellation and report progress every 1 second. I expand the code as below.
DispatcherTimer dispatcherTimer = new DispatcherTimer(); // get progress every second
private int progress = 0; // for progress reporting
private bool isCancelled = false; // cancellation
private void Start(object sender, RoutedEventArgs e)
{
InitializeTimer(); // initiallize interval timer
Start(10); // execute task
}
private void InitializeTimer()
{
dispatcherTimer.Tick += dispatcherTimer_Tick;
dispatcherTimer.Interval = new TimeSpan(0,0,1);
dispatcherTimer.Start();
}
private void dispatcherTimer_Tick(object sender, EventArgs e)
{
Logger.Info("Current loop progress " + progress); // report progress
}
private void Cancel(object sender, RoutedEventArgs e) // cancel button
{
isCancelled = true;
}
private int Start(int limit)
{
isCancelled = true;
progress = 0;
for (int i = 0; i < limit; i++)
{
Thread.Sleep(2000); // simulate task
progress = i; // for progress report
if (isCancelled) // cancellation
{
break;
}
}
return limit;
}
My target platform is .NET 4.5. What is the recommended way to do this?
Thanks.
task-parallel-library
, you should specific if you can target .NET 4.5 (or .NET 4.0 + Microsoft.Bcl.Async). – Treenware