2

我有一个 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 开始
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;
        }

所以它不应该是沙盒问题(也不例外)。

谁能指出我正确的道路?

4

1 回答 1

3

调用Task.WaitandTask.Result导致死锁。我在我的博客最近的 MSDN 文章中对此进行了详细解释。

简而言之,当您await尚未Task完成时,默认情况下它将捕获“上下文”并使用它来恢复async方法。在您的情况下,这是 UI 上下文。但是,当您调用Wait(或Result) 时,您会阻塞 UI 线程,因此该async方法无法完成。

要解决此问题,请使用await而不是Wait/ Result,并ConfigureAwait(false)尽可能在任何地方使用。

于 2013-04-27T13:05:26.923 回答