Windows Server 2003存在一个限制,它会阻止您复制超大文件,与您拥有的RAM量成比例。限制在CopyFile和CopyFileEx函数中,xcopy,Explorer,Robocopy和.NET FileInfo类使用这些函数。
以下是您收到的错误:
无法复制[filename]:系统资源不足,无法完成所请求的服务。
该主题是knowledge base article,但它与NT4和2000有关。
还有一个来自Exchange安装的use ESEUTIL的建议,但我没有运气好运。
有人知道快速,简单的方法吗?我在使用2Gb RAM的机器上谈论> 50Gb。我打算启动Visual Studio并为我编写一些东西,但是有一些已经存在的东西,稳定且经过充分测试会很好。
[编辑] 我提供了工作的C#代码以支持接受的答案。
答案 0 :(得分:13)
最好的选择是打开原始文件进行读取,写入目标文件,然后逐块循环复制。在伪代码中:
f1 = open(filename1);
f2 = open(filename2, "w");
while( !f1.eof() ) {
buffer = f1.read(buffersize);
err = f2.write(buffer, buffersize);
if err != NO_ERROR_CODE
break;
}
f1.close(); f2.close();
[由Asker编辑] 好的,这就是它在C#中的样子(它很慢但似乎工作正常,并且它有所进展):
using System;
using System.Collections.Generic;
using System.IO;
using System.Text;
namespace LoopCopy
{
class Program
{
static void Main(string[] args)
{
if (args.Length != 2)
{
Console.WriteLine(
"Usage: LoopCopy.exe SourceFile DestFile");
return;
}
string srcName = args[0];
string destName = args[1];
FileInfo sourceFile = new FileInfo(srcName);
if (!sourceFile.Exists)
{
Console.WriteLine("Source file {0} does not exist",
srcName);
return;
}
long fileLen = sourceFile.Length;
FileInfo destFile = new FileInfo(destName);
if (destFile.Exists)
{
Console.WriteLine("Destination file {0} already exists",
destName);
return;
}
int buflen = 1024;
byte[] buf = new byte[buflen];
long totalBytesRead = 0;
double pctDone = 0;
string msg = "";
int numReads = 0;
Console.Write("Progress: ");
using (FileStream sourceStream =
new FileStream(srcName, FileMode.Open))
{
using (FileStream destStream =
new FileStream(destName, FileMode.CreateNew))
{
while (true)
{
numReads++;
int bytesRead = sourceStream.Read(buf, 0, buflen);
if (bytesRead == 0) break;
destStream.Write(buf, 0, bytesRead);
totalBytesRead += bytesRead;
if (numReads % 10 == 0)
{
for (int i = 0; i < msg.Length; i++)
{
Console.Write("\b \b");
}
pctDone = (double)
((double)totalBytesRead / (double)fileLen);
msg = string.Format("{0}%",
(int)(pctDone * 100));
Console.Write(msg);
}
if (bytesRead < buflen) break;
}
}
}
for (int i = 0; i < msg.Length; i++)
{
Console.Write("\b \b");
}
Console.WriteLine("100%");
Console.WriteLine("Done");
}
}
}
答案 1 :(得分:6)