我们如何创建一个简单的函数来从字节数组中获取压缩内容(使用 Deflate 方法压缩,ANSI 编码)并将其表示为字符串?
我选择这个:
public string UnzipString3(byte[] byteArrayCompressedContent)
{
int compressedSize = byteArrayCompressedContent.Length;
try
{
using (MemoryStream inputMemoryStream = new MemoryStream(byteArrayCompressedContent))
{
//I need to consume the first 2 bytes to be able read the stream
//If I consume 0 or 4, I can't exploit it
inputMemoryStream.Seek(2, SeekOrigin.Begin);
using (DeflateStream deflateStream = new DeflateStream(inputMemoryStream, System.IO.Compression.CompressionMode.Decompress))
{
//deflateStream.BaseStream.Position = 0;
using (StreamReader reader = new StreamReader(deflateStream, System.Text.Encoding.UTF8))
{
string uncompressedContent = reader.ReadToEnd();
reader.Close();
return uncompressedContent;
}
}
}
}
catch (Exception e)
{
return "";
}
}
如果需要,我可以看到读取 inputMemoryStream 的压缩数据,但StreamReader.ReadToEnd() 给出的 uncompressedContent 总是返回一个空字符串。根据 MSDN(https://msdn.microsoft.com/en-us/library/system.io.streamreader.readtoend(v=vs.110).aspx),它应该在读取和位置时发生已经在“流”的末尾(我对哪个流感到困惑),但是 StreamReader 没有位置,我无法更改 DeflateStream 的位置,因为它是一个没有位置和长度的流,等等
在复制之前将 compressStream 位置设置为 0 会在任何情况下导致块长度与其补码不匹配”错误。
编辑:
当我使用 RaTruong 的解决方案时:
public static string UnzipString3(byte[] byteArrayCompressedContent)
{
using (var outputStream = new MemoryStream())
{
using (var compressStream = new MemoryStream(byteArrayCompressedContent))
{
using (var deflateStream = new DeflateStream(compressStream, CompressionMode.Decompress))
{
deflateStream.CopyTo(outputStream);
}
}
return Encoding.UTF8.GetString(outputStream.ToArray());
}
}
这导致了我一直遇到的两难境地:要么我喜欢这样,并且 DeflateStream.CopyTo 函数返回“块长度与其补码不匹配”错误,要么我消耗了两个前字节,它实际上并没有带来任何错误,但是仍然不复制任何内容,然后返回一个空字符串...
如果我尝试解压缩 File 的 FileStream 而不是其字节数组,则会发生同样的情况。我使用 MSDN 中给出的解压缩功能(https://msdn.microsoft.com/en-us/library/system.io.compression.deflatestream(v=vs.110).aspx):
public string ExtractContent()
{
try
{
FileInfo fileInfo = new FileInfo("22CC0001.23U");
// Get the stream of the source file.
using (FileStream inFile = fileInfo.OpenRead())
{
// Get original file extension, for example
// "doc" from report.doc.gz.
string curFile = fileInfo.FullName;
string origName = curFile.Remove(curFile.Length -
fileInfo.Extension.Length);
//Create the decompressed file.
using (FileStream outFile = File.Create(origName))
{
using (DeflateStream decompressDeflateStream = new DeflateStream(inFile,
CompressionMode.Decompress))
{
// Copy the decompression stream
// into the output file.
decompressDeflateStream.CopyTo(outFile);
Console.WriteLine("Decompressed: {0}", fileInfo.Name);
}
}
}
}
catch (Exception e)
{
return "errorelole";
}
return "";
}
相同的“块长度与其补码不匹配”错误...
一件事是我的文件的扩展名不是在文件末尾添加的“.zip”,而是另一个扩展名(在这种情况下为 .23U)。当我创建一个具有相同扩展名的新文件(在这种情况下是 .23U 而不是没有扩展名)时,会发生同样的问题。