我有一个WPF应用程序,按下按钮后会创建一个List<Task<int>>
并启动这些任务。我的假设是Add()
调用并行启动它们,但是异步启动。
这是我在远程机器上执行一系列WMI调用串行的函数:
AgentBootstrapper.cs
public async Task<int> BootstrapAsync(BootstrapContext context, IProgress<BootstrapAsyncProgress> progress)
{
...
do a bunch of stuff in serial *without* await calls
...
if (progress != null)
{
progress.Report(new BootstrapAsyncProgress
{
MachineName = context.MachineName,
ProgressPercentage = 30,
Text = "Copying install agent software to \\\\" + context.MachineName + "\\" + context.ShareName
});
}
...
return pid; // ProcessId of the remote agent that was just started
}
这显然是我在UI中的按钮处理程序:
Shell.xaml.cs
private async void InstallButton_Click(object sender, RoutedEventArgs e)
{
var bootstrapTasks = new List<Task<int>>();
var progress = new Progress<BootstrapAsyncProgress>();
progress.ProgressChanged += (o, asyncProgress) =>
{
Debug.WriteLine("{0}: {1}% {2}", asyncProgress.MachineName, asyncProgress.ProgressPercentage,
asyncProgress.Text);
//TODO Update ViewModel property for ProgressPercentage
};
var vm = DataContext as ShellViewModel;
Debug.Assert(vm != null);
foreach (var targetMachine in vm.TargetMachines)
{
var bootstrapContext = new BootstrapContext(targetMachine.MachineName, true)
{
AdminUser = vm.AdminUser,
AdminPassword = vm.AdminPassword
};
var bootstrapper = new AgentBootstrapper(bootstrapContext);
bootstrapTasks.Add(bootstrapper.BootstrapAsync(bootstrapContext, progress)); // UI thread locks up here
}
}
我知道标记为async
的函数应该使用await
在其中进行函数调用。在我的例子中,这些都是对一些同步WMi辅助函数的调用,这些函数都返回void
。所以,我认为await
不是我想要的。
简单地说,我希望所有bootstrapTasks
项(对bootstrapper.BootstrapAsync()
的调用一次触发,并让UI线程从所有这些项接收进度事件。当整个批次完成时,我也需要处理它。
更新1
尝试使用Task.Run()
修复了UI锁定问题,但只执行了第一个Task实例。更新foreach循环:
foreach (var targetMachine in vm.TargetMachines)
{
var tm = targetMachine; // copy closure variable
var bootstrapContext = new BootstrapContext(tm.MachineName, true)
{
AdminUser = vm.AdminUser,
AdminPassword = vm.AdminPassword
};
var bootstrapper = new AgentBootstrapper(bootstrapContext);
Debug.WriteLine("Starting Bootstrap task on default thread pool...");
var task = Task.Run(() =>
{
var pid = bootstrapper.Bootstrap(bootstrapContext, progress);
return pid;
});
Debug.WriteLine("Adding Task<int> " + task.Id + " to List<Task<int>>.");
tasks.Add(task);
await Task.WhenAll(tasks); // Don't proceed with the rest of this function untill all tasks are complete
}
更新2
将await Task.WhenAll(tasks);
移到foreach
循环之外可以让所有任务并行运行。
答案 0 :(得分:5)
为async
/ await
生成的代码中没有任何内容涉及线程的创建。使用async
关键字不会导致使用其他线程。所有async
都允许您使用await
关键字。如果您希望在其他线程上发生某些事情,请尝试使用Task.Run
。
答案 1 :(得分:1)
在UI线程中运行线程池上的任务(使用默认任务调度程序)和await Task.WhenAll(bootstrapTasks)
吗?