5

我想找到一种方法将一个文件同时复制到多个位置(使用 C#)。

意味着我不希望原始文件只被读取一次,并将文件“粘贴”到另一个位置(在本地网络上)。

据我的测试显示,

File.Copy() 

总是会再次阅读源代码。

据我了解,即使在使用内存时,该内存块也会被锁定。

所以基本上,我想将“复制粘贴”模仿为一个“副本”和多个“粘贴”的形式,而无需再次从硬盘驱动器中重新读取。

为什么 ?因为最终,我需要将一个文件夹(超过 1GB)复制到多台计算机上,而瓶颈是我需要读取源文件的部分。

那么,是否有可能实现?

4

1 回答 1

10

除了使用File.Copy实用程序方法,您可以将源文件FileStream作为FileStreams.

更新将其更改为使用 Parallel.ForEach 写入文件以提高吞吐量。

public static class FileUtil
{
    public static void CopyMultiple(string sourceFilePath, params string[] destinationPaths)
    {
        if (string.IsNullOrEmpty(sourceFilePath)) throw new ArgumentException("A source file must be specified.", "sourceFilePath");

        if (destinationPaths == null || destinationPaths.Length == 0) throw new ArgumentException("At least one destination file must be specified.", "destinationPaths");

        Parallel.ForEach(destinationPaths, new ParallelOptions(),
                         destinationPath =>
                             {
                                 using (var source = new FileStream(sourceFilePath, FileMode.Open, FileAccess.Read, FileShare.Read))
                                 using (var destination = new FileStream(destinationPath, FileMode.Create))
                                 {
                                     var buffer = new byte[1024];
                                     int read;

                                     while ((read = source.Read(buffer, 0, buffer.Length)) > 0)
                                     {
                                         destination.Write(buffer, 0, read);
                                     }
                                 }

                             });
    }
}

用法:

FileUtil.CopyMultiple(@"C:\sourceFile1.txt", @"C:\destination1\sourcefile1.txt", @"C:\destination2\sourcefile1.txt");
于 2012-06-19T20:01:13.127 回答