我有以下情况,我要复制多个(大约10,50,200,...)文件。我一个接一个地同步那样做。这是我的代码片段。
static void Main(string[] args)
{
string path = @"";
FileSystemWatcher listener = new FileSystemWatcher(path);
listener.Created += new FileSystemEventHandler(listener_Created);
listener.EnableRaisingEvents = true;
while (Console.ReadLine() != "exit") ;
}
public static void listener_Created(object sender, FileSystemEventArgs e)
{
while (!IsFileReady(e.FullPath)) ;
File.Copy(e.FullPath, @"D:\levani\FolderListenerTest\CopiedFilesFolder\" + e.Name);
}
因此,当文件在某个文件夹中创建并准备好使用时,我会一个接一个地复制该文件,但是我需要在任何文件准备就绪后立即开始复制。所以我认为我应该使用Threads。那么.. 如何实现并行复制?
@克里斯
检查文件是否准备就绪
public static bool IsFileReady(String sFilename)
{
// If the file can be opened for exclusive access it means that the file
// is no longer locked by another process.
try
{
using (FileStream inputStream = File.Open(sFilename, FileMode.Open, FileAccess.Read, FileShare.None))
{
if (inputStream.Length > 0)
{
return true;
}
else
{
return false;
}
}
}
catch (Exception)
{
return false;
}
}
答案 0 :(得分:11)
从机械磁盘执行并行I / O是一个坏主意,只会减慢速度,因为机械磁头每次都需要旋转以寻找下一个读取位置(一个非常慢的过程)然后会被反弹当每个线程轮到运行时。
坚持顺序方法并在单个线程中读取文件。
答案 1 :(得分:1)
现在只有那个(@Tudor所说的),但是并行复制文件会因为碎片而造成硬盘驱动器的混乱。在我的应用程序中,我使用200个同时先前生成的文件的排队复制,只是以“线性”方式将它们放在硬盘驱动器上。
您可以阅读有关该主题的更多信息here。
答案 2 :(得分:1)
你可能有一个Thread
进行所有处理,即
Queue files = new Queue();
static void Main(string[] args)
{
string path = @"";
FileSystemWatcher listener = new FileSystemWatcher(path);
Thread t = new Thread(new ThreadStart(ProcessFiles));
t.Start();
listener.Created += new FileSystemEventHandler(listener_Created);
listener.EnableRaisingEvents = true;
while (Console.ReadLine() != "exit") ;
}
public static void listener_Created(object sender, FileSystemEventArgs e)
{
files.Enqueue(e.FullPath);
}
void ProcessFiles()
{
while(true)
{
if(files.Count > 0)
{
String file = files.Dequeue();
while (!IsFileReady(file)) ;
File.Copy(file, @"D:\levani\FolderListenerTest\CopiedFilesFolder\" + file);
}
}
}
在listener
事件中,将文件名添加到队列中。
然后在Thread
中,您可以从队列中获取文件名并从那里进行处理。