web-dev-qa-db-ja.com

MemoryStreamからのWPF BitmapImageの作成png、gif

Webリクエストから取得したpngおよびgifバイトのBitmapImageからMemoryStreamを作成するのに問題があります。バイトは正常にダウンロードされたようで、BitmapImageオブジェクトは問題なく作成されますが、画像は実際にはUIでレンダリングされません。この問題は、ダウンロードした画像のタイプがpngまたはgifである場合にのみ発生します(jpegでは正常に機能します)。

問題を示すコードは次のとおりです。

var webResponse = webRequest.GetResponse();
var stream = webResponse.GetResponseStream();
if (stream.CanRead)
{
    Byte[] buffer = new Byte[webResponse.ContentLength];
    stream.Read(buffer, 0, buffer.Length);

    var byteStream = new System.IO.MemoryStream(buffer);

    BitmapImage bi = new BitmapImage();
    bi.BeginInit();
    bi.DecodePixelWidth = 30;
    bi.StreamSource = byteStream;
    bi.EndInit();

    byteStream.Close();
    stream.Close();

    return bi;
}

Webリクエストがバイトを正しく取得していることをテストするために、ディスク上のファイルにバイトを保存し、UriSourceではなくStreamSourceを使用してイメージをロードする次の方法を試しました。すべての画像タイプ:

var webResponse = webRequest.GetResponse();
var stream = webResponse.GetResponseStream();
if (stream.CanRead)
{
    Byte[] buffer = new Byte[webResponse.ContentLength];
    stream.Read(buffer, 0, buffer.Length);

    string fName = "c:\\" + ((Uri)value).Segments.Last();
    System.IO.File.WriteAllBytes(fName, buffer);

    BitmapImage bi = new BitmapImage();
    bi.BeginInit();
    bi.DecodePixelWidth = 30;
    bi.UriSource = new Uri(fName);
    bi.EndInit();

    stream.Close();

    return bi;
}

誰もが輝く光を手に入れましたか?

27
Simon Fox

.BeginInit()の直後にbi.CacheOption = BitmapCacheOption.OnLoadを追加します。

BitmapImage bi = new BitmapImage();
bi.BeginInit();
bi.CacheOption = BitmapCacheOption.OnLoad;
...

これがないと、BitmapImageはデフォルトで遅延初期化を使用し、それまでにストリームは閉じられます。最初の例では、おそらくから画像を読み取ろうとします ごみ収集 クローズまたは破棄されたMemoryStream。 2番目の例では、まだ使用可能なファイルを使用しています。また、書かないでください

var byteStream = new System.IO.MemoryStream(buffer);

より良い

using (MemoryStream byteStream = new MemoryStream(buffer))
{
   ...
}
48
alxx

私はこのコードを使用しています:

public static BitmapImage GetBitmapImage(byte[] imageBytes)
{
   var bitmapImage = new BitmapImage();
   bitmapImage.BeginInit();
   bitmapImage.StreamSource = new MemoryStream(imageBytes);
   bitmapImage.EndInit();
   return bitmapImage;
}

この行を削除する必要があるかもしれません:

bi.DecodePixelWidth = 30;
11