我正在以胜利的方式工作。执行以下操作时出错。
当我尝试连续运行2-3次左右时,它显示System.OutOfMemoryException错误。似乎.NET无法释放运行中使用的资源。我用于操作的文件很大,大约500 MB以上。

我的示例代码如下。请帮助我如何解决该错误。

try
{
   using (FileStream target = new FileStream(strCompressedFileName, FileMode.Create, FileAccess.Write))
   using (GZipStream alg = new GZipStream(target, CompressionMode.Compress))
   {
       byte[] data = File.ReadAllBytes(strFileToBeCompressed);
       alg.Write(data, 0, data.Length);
       alg.Flush();
       data = null;
    }
}
catch (Exception ex)
{
    MessageBox.Show(ex.ToString());
}

最佳答案

一个非常粗糙的例子可能是

// destFile - FileStream for destinationFile
// srcFile - FileStream of sourceFile
using (GZipStream gz = new GZipStream(destFile, CompressionMode.Compress))
{
     byte[] src = new byte[1024];
     int count = sourceFile.Read(src, 0, 1024);
     while (count != 0)
     {
         gz.Write(src, 0, count );
         count = sourceFile.Read(src, 0, 1024);
     }
}
// flush, close, dispose ..


因此,基本上我将您的ReadAllBytes更改为仅读取1024个字节的块。

10-08 05:59