本文介绍了WriteableBitmap的SaveJpeg缺少通用的应用程序的处理方法,对大家解决问题具有一定的参考价值,需要的朋友们下面随着小编来一起学习吧!

问题描述

我正在开发一个通用的应用程序,在我的共享代码我试图下载净图像并保存图像LocalFolder。

I am developing an universal app, in my shared code i am trying to download the image from net and save the image to LocalFolder.

我使用的HttpClient来从用户给出的网址下载图像和阅读客户端的响应保存图像。我使用下面的代码保存,却苦于无法找到可写SaveJpeg方法。

I am using HttpClient to download the images from user given urls and reading the client response to save the image. I am using below code to save, but couldn't able to find Writeable SaveJpeg method.

HttpResponseMessage response = await httpClient.GetAsync(imageUri);
await Task.Run(async () =>
{
    if (response.IsSuccessStatusCode)
    {
        // save image locally
        StorageFolder folder = await ApplicationData.Current.LocalFolder.CreateFolderAsync("Images", CreationCollisionOption.OpenIfExists);

        BitmapImage bmp = new BitmapImage();
        var buffer = await response.Content.ReadAsBufferAsync();

        InMemoryRandomAccessStream ras = new InMemoryRandomAccessStream();
        DataWriter writer = new DataWriter(ras.GetOutputStreamAt(0));
        writer.WriteBuffer(buffer);
        bmp.SetSource(ras);
    }
});



什么是保存imageresponse图像质量%至localfolder(为WP和Windows的最佳方式)。

What is the best way to save the imageresponse to localfolder with image quality % (for both WP and Windows).

推荐答案

您应该直接保存而不是保存在流的BitmapImage

You should save the stream directly instead of saving the BitmapImage.

这样的事情。

var ras = new InMemoryRandomAccessStream();
var writer = new DataWriter(ras);
writer.WriteBuffer(buffer);
await writer.StoreAsync();
var inputStream = ras.GetInputStreamAt(0);

// you can still use this to display it on the UI though
//bmp.SetSource(ras);

// write the picture into this folder
var storageFile = await folder.CreateFileAsync("image1.jpg", CreationCollisionOption.GenerateUniqueName);
using (var storageStream = await storageFile.OpenAsync(FileAccessMode.ReadWrite))
{
    await RandomAccessStream.CopyAndCloseAsync(inputStream, storageStream.GetOutputStreamAt(0));
}



更新

您可以使用的BitmapEncoder 当通物业DPI值 SetPixelData

You can use BitmapEncoder and when pass in property dpi values in SetPixelData.

using (var storageStream = await storageFile.OpenAsync(FileAccessMode.ReadWrite))
{
    var encoder = await BitmapEncoder.CreateAsync(BitmapEncoder.JpegEncoderId, storageStream);
    var pixelStream = yourWriteableBitmap.PixelBuffer.AsStream();
    var pixels = new byte[pixelStream.Length];
    await pixelStream.ReadAsync(pixels, 0, pixels.Length);

    encoder.SetPixelData(BitmapPixelFormat.Bgra8, BitmapAlphaMode.Ignore, (uint)yourWriteableBitmap.PixelWidth, (uint)yourWriteableBitmap.PixelHeight, 48, 48, pixels);
    await encoder.FlushAsync();
}

这篇关于WriteableBitmap的SaveJpeg缺少通用的应用程序的文章就介绍到这了,希望我们推荐的答案对大家有所帮助,也希望大家多多支持!

11-03 06:28