提问者:小点点

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


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

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;
        }
    }
}

似乎没有更直接的方法来复制,除非我遗漏了什么。。。


共3个答案

匿名用户

我不知道你为什么要使用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(logn))——这是一种真正值得追求的性能增益。

编辑:如注释中所述。NET4.0拥有流。CopyTo所以您不需要自己编写代码。

匿名用户

如果资源(文件)是二进制的。

File.WriteAllBytes("C:\ResourceName", Resources.ResourceName);

如果资源(文件)是文本。

 File.WriteAllText("C:\ResourceName", Resources.ResourceName);

匿名用户

实际上,我最终使用了这一行:汇编。安装程序。GetManifestResourceStream("[项目].[文件]")。复制到(新文件流(文件位置,文件模式。创建)).当然,这是为了。网4.0

更新:我发现上面的一行可能会锁定一个文件,以便SQLite报告数据库是只读的。因此,我得出以下结论:

Using newFile As Stream = New FileStream(FileLocation, FileMode.Create)
    Assembly.GetExecutingAssembly().GetManifestResourceStream("[Project].[File]").CopyTo(newFile)
End Using