使用SharpZipLib时 - 无法从MemoryStream中提取tar.gz文件
本文关键字:提取 tar gz 文件 MemoryStream SharpZipLib 使用 | 更新日期: 2023-09-27 18:36:21
我需要这样做,因为我是从 azure Web job 运行的。这是我的代码:
public static void ExtractTGZ(Stream inStream)
{
using (Stream gzipStream = new GZipInputStream(inStream))
{
using (var tarIn = new TarInputStream(gzipStream))
{
TarEntry tarEntry;
tarEntry = tarIn.GetNextEntry();
while (tarEntry != null)
{
Console.WriteLine(tarEntry.Name);
tarEntry = tarIn.GetNextEntry();
}
}
}
}
调用 ExtractTGZ 时,我使用的是 MemoryStream当进入"GetNextEntry"时,"tarEntry"为空,但是当使用FileStream而不是MemoryStream时,我得到值
您的MemoryStream
很可能不在正确的Position
阅读。例如,如果您的代码是这样的:
using (var ms = new MemoryStream())
{
otherStream.CopyTo(ms);
//ms.Position is at the end, so when you try to read, there's nothing to read
ExtractTGZ(ms);
}
您需要使用 Seek
方法或 Position
属性将其移动到开头:
using (var ms = new MemoryStream())
{
otherStream.CopyTo(ms);
ms.Seek(0, SeekOrigin.Begin); // now it's ready to be read
ExtractTGZ(ms);
}
此外,如果这样写,您的循环会更简洁,而且我认为会更清晰:
TarEntry tarEntry;
while ((tarEntry = tarIn.GetNextEntry()) != null)
{
Console.WriteLine(tarEntry.Name);
}