小编典典

将文件从程序集资源流写入磁盘

c#

我似乎找不到比以下方法更有效的方法来将嵌入式资源“复制”到磁盘:

using (BinaryReader reader = new BinaryReader(
    assembly.GetManifestResourceStream(@"Namespace.Resources.File.ext")))
{
    using (BinaryWriter writer
        = new BinaryWriter(new FileStream(path, FileMode.Create)))
    {
        long bytesLeft = reader.BaseStream.Length;
        while (bytesLeft > 0)
        {
            // 65535L is < Int32.MaxValue, so no need to test for overflow
            byte[] chunk = reader.ReadBytes((int)Math.Min(bytesLeft, 65536L));
            writer.Write(chunk);

            bytesLeft -= chunk.Length;
        }
    }
}

似乎没有更直接的方法来进行复制,除非我丢失了某些东西…


阅读 281

收藏
2020-05-19

共1个答案

小编典典

我不确定您为什么要使用BinaryReader/ BinaryWriter。我个人将从一个有用的实用程序方法开始:

public static void CopyStream(Stream input, Stream output)
{
    // Insert null checking here for production
    byte[] buffer = new byte[8192];

    int bytesRead;
    while ((bytesRead = input.Read(buffer, 0, buffer.Length)) > 0)
    {
        output.Write(buffer, 0, bytesRead);
    }
}

然后调用它:

using (Stream input = assembly.GetManifestResourceStream(resourceName))
using (Stream output = File.Create(path))
{
    CopyStream(input, output);
}

您当然可以更改缓冲区大小,也可以将其作为方法的参数-但要点是,这是 更简单的 代码。效率更高吗?不。您确定您确实 需要
此代码来提高效率吗?您实际上是否需要将数百兆字节写出到磁盘?

我发现我很少需要代码是超高效的,但是我几乎总是需要它很简单。您可能会发现,这种方法与“聪明的”方法(如果有的话)之间的性能差异不太可能是改变复杂性的结果(例如,从O(n)到O(log
n))-而 其中真正可以值得追逐的性能增益的类型。

编辑:如注释中所述,.NET 4.0具有Stream.CopyTo这样的功能,因此您无需自己对此进行编码。

2020-05-19