0

我发出一个 webrequest 来接收一个大的 jpeg 作为字节数组。这又可以转换为内存流。我需要将此数据转换为位图数据,以便我可以再次将其复制到字节数组中。我是否正确假设从内存流返回的字节数组与从位图数据的编组副本返回到字节数组的字节数组不同?

我不想将内存流写入图像,因为由于它的大小以及我使用的是紧凑型 cf C# 2 的事实,它会返回内存不足错误。

这是我对服务器的调用..

HttpWebRequest _request = (HttpWebRequest)WebRequest.Create("A url/00249.jpg");
                _request.Method = "GET";
                _request.Timeout = 5000;
                _request.ReadWriteTimeout = 20000;
                byte[] _buffer;
                int _blockLength = 1024;
                int _bytesRead = 0;
                MemoryStream _ms = new MemoryStream();
                using (Stream _response = ((HttpWebResponse)_request.GetResponse()).GetResponseStream())
                {
                    do
                    {
                        _buffer = new byte[_blockLength];
                        _bytesRead = _response.Read(_buffer, 0, _blockLength);
                        _ms.Write(_buffer, 0, _bytesRead);
                    } while (_bytesRead > 0);
                }

这是我从位图数据中读取字节数组的代码。

 Bitmap Sprite = new Bitmap(_file);
        Bitmapdata RawOriginal = Sprite.LockBits(new Rectangle(0, 0, Sprite.Width, Sprite.Height), ImageLockMode.ReadOnly, PixelFormat.Format32bppRgb);
        int origByteCount = RawOriginal.Stride * RawOriginal.Height;
        SpriteBytes = new Byte[origByteCount];
        System.Runtime.InteropServices.Marshal.Copy(RawOriginal.Scan0, SpriteBytes, 0, origByteCount);
        Sprite.UnlockBits(RawOriginal);

注意:我不想使用这个:

Bitmap Sprite = new Bitmap(_file);

我想从:

MemoryStream _ms = new MemoryStream();

System.Runtime.InteropServices.Marshal.Copy(RawOriginal.Scan0, SpriteBytes, 0, origByteCount);

在不写入位图的情况下使用所需的任何转换。

4

1 回答 1

2

你要问的将是困难的。您从响应对象接收的数据是一个完整的 jpeg 图像,它有一个标题,然后是一堆压缩数据字节。所寻址的字节数组Scan0是未压缩的,并且很可能在每条扫描线的末尾包含一些填充字节。

最重要的是,您绝对不能使用Marshal.Copy将接收到的字节复制到Scan0.

要执行您的要求,您需要解析收到的 jpeg 的标头并将图像位直接解压缩为Scan0,并根据需要填充每个扫描线。.NET Framework 中没有任何东西可以为您做到这一点。

这个问题的公认答案有一个图书馆的链接,可以帮助你。

即使这有效,我也不确定它会帮助你。如果调用BitMap构造函数来创建图像会导致内存不足,那么几乎可以肯定这种迂回方法也会。

问题是你有这么多精灵,你不能把它们全部保存在内存中,未压缩吗?如果是这样,您可能必须找到其他方法来解决您的问题。

顺便说一句,您可以通过将读取图像的代码更改为:

    MemoryStream _ms = new MemoryStream();
    using (Stream _response = ((HttpWebResponse)_request.GetResponse()).GetResponseStream())
    {
        _response.CopyTo(_ms);
    }
于 2013-10-02T20:58:13.540 回答