如果可以进行大量上传,我建议不要使用 HttpPostedFileBase.InputStream 或 File.WriteAllBytes。这两种方法都将整个上传加载到服务器上的内存中,然后再将其交给您的代码。
更有效的方法是使用 System.Web.HttpContext.Current.Request.GetBufferlessInputStream() 将文件读入流,并根据您指定的缓冲区大小写入缓冲区。这也使您可以选择在使用第二个流读取文件时将文件直接写入磁盘,从而最大限度地减少内存使用和时间。
这是一个例子:
private static string SaveSharedFile(int userAlertId, HttpPostedFileBase file)
{
string fileName = null;
fileName = System.IO.Path.GetFileName(file.FileName);
if (fileName != "")
{
const int BufferSize = 65536; // 65536 = 64 Kilobytes
string Filepath = userAlertId.ToString();
using (FileStream fs = System.IO.File.Create(Filepath))
{
using (Stream reader = System.Web.HttpContext.Current.Request.GetBufferlessInputStream())
{
byte[] buffer = new byte[BufferSize];
int read = -1, pos = 0;
do
{
int len = (file.ContentLength < pos + BufferSize ?
file.ContentLength - pos :
BufferSize);
read = reader.Read(buffer, 0, len);
fs.Write(buffer, 0, len);
pos += read;
} while (read > 0);
}
}
}
return fileName;
}
编辑: “文件”变量仍用于读取诸如 file.ContentLength 之类的内容,但在我的示例中,GetBufferlessInputStream() 只是从中读取帖子的备用位置(假设帖子只是文件,文件头可以可能保存表单值),允许您选择一次缓冲多少。
如果文件与表单一起发布,您可能只需要再次将“...GetBufferlessInputStream()”替换为“file.InputStream()”。但是,如果您在读取缓冲区时仍在写入缓冲区,而不是缓冲缓冲区(如您最初的问题中所示),它可能仍然足以满足您的需求。