在C#中将大文件读入字节数组的最佳方法是什么?

我有一个Web服务器,它会将大的二进制文件(几兆字节)读入字节数组中。 服务器可能同时读取多个文件(不同的页面请求),所以我正在寻找最优化的方式来完成此任务,而不会过多地对CPU进行征税。 代码是否足够好?

public byte[] FileToByteArray(string fileName)
{
    byte[] buff = null;
    FileStream fs = new FileStream(fileName, 
                                   FileMode.Open, 
                                   FileAccess.Read);
    BinaryReader br = new BinaryReader(fs);
    long numBytes = new FileInfo(fileName).Length;
    buff = br.ReadBytes((int) numBytes);
    return buff;
}

只需用以下方法替换整个事物:

return File.ReadAllBytes(fileName);

但是,如果您担心内存消耗,则不应将整个文件一次全部读入内存。 你应该以大块的方式做到这一点。


我可能会说这里的答案一般是“不要”。 除非您一次完全需要所有数据,否则请考虑使用基于Stream的API(或读取器/迭代器的一些变体)。 当您有多个并行操作(如问题所建议的)时,这一点尤其重要,以最大限度地减少系统负载并最大化吞吐量。

例如,如果您正在将数据传输给呼叫者:

Stream dest = ...
using(Stream source = File.OpenRead(path)) {
    byte[] buffer = new byte[2048];
    int bytesRead;
    while((bytesRead = source.Read(buffer, 0, buffer.Length)) > 0) {
        dest.Write(buffer, 0, bytesRead);
    }
}

我会这样想:

byte[] file = System.IO.File.ReadAllBytes(fileName);
链接地址: http://www.djcxy.com/p/36441.html

上一篇: Best way to read a large file into a byte array in C#?

下一篇: How to truncate milliseconds off of a .NET DateTime