4

对于保守的标题和我的问题本身,我感到非常抱歉,但我迷路了。

ICsharpCode.ZipLib 提供的示例不包括我正在搜​​索的内容。我想通过将 byte[] 放入 InflaterInputStream(ICSharpCode.SharpZipLib.Zip.Compression.Streams.InflaterInputStream) 来解压缩它

我找到了一个解压功能,但它不起作用。

    public static byte[] Decompress(byte[] Bytes)
    {
        ICSharpCode.SharpZipLib.Zip.Compression.Streams.InflaterInputStream stream =
            new ICSharpCode.SharpZipLib.Zip.Compression.Streams.InflaterInputStream(new MemoryStream(Bytes));
        MemoryStream memory = new MemoryStream();
        byte[] writeData = new byte[4096];
        int size;

        while (true)
        {
            size = stream.Read(writeData, 0, writeData.Length);
            if (size > 0)
            {
                memory.Write(writeData, 0, size);
            }
            else break;
        }
        stream.Close();
        return memory.ToArray();
    }

它在 line(size = stream.Read(writeData, 0, writeData.Length);) 处引发异常,说它的标头无效。

我的问题不是如何修复该函数,该函数未随库提供,我只是在谷歌搜索中发现它。我的问题是,如何像使用 InflaterStream 函数一样解压缩,但无一例外。

再次感谢 - 抱歉保守的问题。

4

3 回答 3

3

lucene 中的代码非常好。

public static byte[] Compress(byte[] input) {
        // Create the compressor with highest level of compression  
        Deflater compressor = new Deflater();
        compressor.SetLevel(Deflater.BEST_COMPRESSION);

        // Give the compressor the data to compress  
        compressor.SetInput(input);
        compressor.Finish();

        /* 
         * Create an expandable byte array to hold the compressed data. 
         * You cannot use an array that's the same size as the orginal because 
         * there is no guarantee that the compressed data will be smaller than 
         * the uncompressed data. 
         */
        MemoryStream bos = new MemoryStream(input.Length);

        // Compress the data  
        byte[] buf = new byte[1024];
        while (!compressor.IsFinished) {
            int count = compressor.Deflate(buf);
            bos.Write(buf, 0, count);
        }

        // Get the compressed data  
        return bos.ToArray();
    }

    public static byte[] Uncompress(byte[] input) {
        Inflater decompressor = new Inflater();
        decompressor.SetInput(input);

        // Create an expandable byte array to hold the decompressed data  
        MemoryStream bos = new MemoryStream(input.Length);

        // Decompress the data  
        byte[] buf = new byte[1024];
        while (!decompressor.IsFinished) {
            int count = decompressor.Inflate(buf);
            bos.Write(buf, 0, count);
        }

        // Get the decompressed data  
        return bos.ToArray();
    }
于 2013-12-12T13:59:23.447 回答
1

好吧,听起来数据不合适,否则代码可以正常工作。(诚​​然,我会为流使用“使用”语句而不是Close显式调用。)

你从哪里得到你的数据?

于 2009-04-12T11:19:00.670 回答
1

为什么不使用 System.IO.Compression.DeflateStream 类(从 .Net 2.0 开始可用)?这使用相同的压缩/解压缩方法,但不需要额外的库依赖。

从 .Net 2.0 开始,如果您需要文件容器支持,您只需要 ICSharpCode.ZipLib。

于 2009-04-12T11:23:58.630 回答