我有一个Windows 8应用程序,我正在尝试使用以下代码加载图像:
private async Task<BitmapImage> LoadImage(IStorageFile storageFile)
{
System.Diagnostics.Debug.WriteLine("LoadImage started");
try
{
// Set the image source to the selected bitmap
BitmapImage bitmapImage = null;
// Ensure a file was selected
if (storageFile != null)
{
System.Diagnostics.Debug.WriteLine("LoadImage::OpenAsync");
// Ensure the stream is disposed once the image is loaded
using (IRandomAccessStream fileStream = await storageFile.OpenAsync(Windows.Storage.FileAccessMode.Read))
{
System.Diagnostics.Debug.WriteLine("New Bitmap");
// Set the image source to the selected bitmap
bitmapImage = new BitmapImage();
System.Diagnostics.Debug.WriteLine("Set Source");
bitmapImage.SetSource(fileStream);
}
}
return bitmapImage;
}
catch (Exception ex)
{
System.Diagnostics.Debug.WriteLine(ex.ToString());
} // End of catch
finally
{
System.Diagnostics.Debug.WriteLine("Load image finished");
}
return null;
}
当我运行代码时,它有时会起作用。但有时它只是挂起,我得到以下输出:
LoadImage started LoadImage::OpenAsync
我是否错误地使用storageFile.OpenAsAsync
?我的存储文件是调用的结果:
FileOpenPicker openPicker = new FileOpenPicker();
openPicker.ViewMode = PickerViewMode.List;
openPicker.SuggestedStartLocation = PickerLocationId.DocumentsLibrary;
openPicker.FileTypeFilter.Add(".jpg");
openPicker.FileTypeFilter.Add(".png");
openPicker.FileTypeFilter.Add(".bmp");
StorageFile file = await openPicker.PickSingleFileAsync();
if (file != null)
{
var loadImageTask = LoadImage(currentStorageFile);
loadImageTask.Wait();
DisplayImage.Source = loadImageTask.Result;
}
所以它不应该是沙箱问题(并且没有例外)。
有人能指出我正确的道路吗?
答案 0 :(得分:3)
对Task.Wait
和Task.Result
的调用导致死锁。我详细解释了这一点on my blog和in a recent MSDN article。
简而言之,当您await
一个尚未完成的Task
时,默认情况下它会捕获“上下文”并使用它来恢复async
方法。在您的情况下,这是UI上下文。但是,当您致电Wait
(或Result
)时,您将阻止UI线程,因此async
方法无法完成。
要解决此问题,请使用await
代替Wait
/ Result
,并尽可能使用ConfigureAwait(false)
。