我设法在我的班级 UpdateManager 中实施Task
,从我的网站空间下载文件。
public async Task DownloadPackageTask(IProgress<int> progress)
{
var webRequest = WebRequest.Create(new Uri("http://www.mywebspace.de/archive.zip"));
using (var webResponse = await webRequest.GetResponseAsync())
{
var buffer = new byte[1024];
FileStream fileStream = File.Create("Path"));
using (Stream input = webResponse.GetResponseStream())
{
int received = 0;
double total = 0d;
var size = GetFileSize(new Uri("...")); // Gets the content length with a request as the Stream.Length-property throws an NotSupportedException
if (size != null)
total = (long) size.Value;
int size = await input.ReadAsync(buffer, 0, buffer.Length);
while (size > 0)
{
fileStream.Write(buffer, 0, size);
received += size;
progress.Report((received/total)*100));
size = await input.ReadAsync(buffer, 0, buffer.Length);
}
}
}
}
这很好用,文件正在下载,如果我添加Debug.Print((received/total)*100)
它输出正确的百分比,一切都没问题。该方法被标记为异步,以便可以在任务中异步等待/包装它。
问题出现在另一个类 UpdaterUi 中,它基本上是管理器和用户界面之间的接口,并调用这样的方法:
public void ShowUserInterface()
{
TaskEx.Run(async delegate
{
var downloadDialog = new UpdateDownloadDialog
{
LanguageName = _updateManager.LanguageCulture.Name,
PackagesCount = _updateManager.PackageConfigurations.Count()
};
_context.Post(downloadDialog.ShowModalDialog, null); // Do this with a SynchronizationContext as we are not on the UI thread.
var progressIndicator = new Progress<int>();
progressIndicator.ProgressChanged += (sender, value) =>
downloadDialog.Progress = value;
await TaskEx.Run(() => _updateManager.DownloadPackageTask(progressIndicator));
});
}
它永远不会调用那里的匿名方法,只要进度发生变化就应该调用它,但没有任何反应,我用断点调试它。
问题可能是{-1}}不是在UI线程上创建的,而是在progressIndicator
创建的新线程上创建的。它不会触发事件,连续UI不会更新它包含的进度条(它在上面初始化的TaskEx.Run
属性的设置器中执行)。
问题在于我不知道该怎么做以使其正常工作,我应该如何更改项目中的实现以使其正常工作,我是否认为该线程问题是正确的? / p>
提前致谢!
答案 0 :(得分:5)
你对这个问题的猜测是正确的。应在UI线程中创建Progress<T>
,以便在UI线程中得到通知。
它的工作原理是捕获SynchronizationContext
并在捕获的上下文中发布委托以便执行。由于它是在非UI上下文(默认上下文或线程池上下文)中创建的,因此它将在线程池线程中引发ProgressChanged
。
如果您将此行var progressIndicator = new Progress<int>();
移出TaskEx.Run
,它应该有效(如果从UI线程调用ShowUserInterface
)。
我看到你在工作线程中创建UpdateDownloadDialog
。你不应该这样做。将其移动到UI线程。