将大文件读入字节数组并将其编码为ToBase64String

问题描述 投票:3回答:2

我已经实现了POC将整个文件内容读入Byte []数组。我现在成功读取大小低于100MB的文件,当我加载大小超过100MB的文件然后它正在抛出

Convert.ToBase64String(mybytearray)无法获取局部变量或参数的值,因为没有足够的可用内存。

下面是我试图从文件到字节数组读取内容的代码

var sFile = fileName;
var mybytearray = File.ReadAllBytes(sFile);

var binaryModel = new BinaryModel
{
    fileName = binaryFile.FileName,
    binaryData = Convert.ToBase64String(mybytearray),
    filePath = string.Empty
};

我的模型类如下

public class BinaryModel
{
    public string fileName { get; set; }
    public string binaryData { get; set; }
    public string filePath { get; set; }
}

我得到“Convert.ToBase64String(mybytearray)无法获取局部变量或参数的值,因为没有足够的可用内存。” Convert.ToBase64String(mybytearray)中出现此错误。

有什么我需要注意防止这个错误?

注意:我不想在文件内容中添加换行符

c# base64 filereader
2个回答
0
投票

我会使用两个文件流 - 一个用于读取大文件,一个用于将结果写回。

所以在块中你会转换为base 64 ...然后将结果字符串转换为字节...并写入。

    private static void ConvertLargeFileToBase64()
    {
        var buffer = new byte[16 * 1024];
        using (var fsIn = new FileStream("D:\\in.txt", FileMode.Open, FileAccess.Read, FileShare.ReadWrite))
        {
            using (var fsOut = new FileStream("D:\\out.txt", FileMode.CreateNew, FileAccess.Write))
            {
                int read;
                while ((read = fsIn.Read(buffer, 0, buffer.Length)) > 0)
                {
                    // convert to base 64 and convert to bytes for writing back to file
                    var b64 = Encoding.ASCII.GetBytes(Convert.ToBase64String(buffer));

                    // write to the output filestream
                    fsOut.Write(b64, 0, read);
                }

                fsOut.Close();
            }
        }
    }

2
投票

为了节省内存,您可以转换3个包中的字节流。每三个字节在Base64中产生4个字节。您不需要立即在内存中存储整个文件。

这是伪代码:

Repeat
1. Try to read max 3 bytes from stream
2. Convert to base64, write to output stream

简单的实现:

using (var inStream = File.OpenRead("E:\\Temp\\File.xml"))
using (var outStream = File.CreateText("E:\\Temp\\File.base64"))
{
    var buffer = new byte[3];
    int read;
    while ((read = inStream.Read(buffer, 0, 3)) > 0)
    {
        var base64 = Convert.ToBase64String(buffer, 0, read);
        outStream.Write(base64);
    }
}

提示:每次乘以3都是有效的。更高 - 更多的内存,更好的性能,更低的内存,更差的性能。

附加信息:

文件流就是一个例子。结果流使用[HttpContext].Response.OutputStream并直接写入它。在一个块中处理数百兆字节将会扼杀您和您的服务器。

考虑总内存需求。字符串为100MB,字节数组为133 MB,因为您写的模型我希望这个133 MB的副本作为响应。请记住,这只是一个简单的请求。一些这样的请求可能会耗尽你的记忆。

© www.soinside.com 2019 - 2024. All rights reserved.