1

我想使用 filesystemwatcher 来监控多个文件夹,如下所示。我下面的代码只监视一个文件夹:

public static void Run()
{
     string[] args = System.Environment.GetCommandLineArgs();

     if (args.Length < 2)
     {
          Console.WriteLine("Usage: Watcher.exe PATH [...] [PATH]");
          return;
     }
     List<string> list = new List<string>();
     for (int i = 1; i < args.Length; i++)
     {
          list.Add(args[i]);
     }

     foreach (string my_path in list)
     {
          WatchFile(my_path);
     }

     Console.WriteLine("Press \'q\' to quit the sample.");
     while (Console.Read() != 'q') ;
}

private static void WatchFile(string watch_folder)
{
    watcher.Path = watch_folder;

    watcher.NotifyFilter = NotifyFilters.LastWrite;
    watcher.Filter = "*.xml";
    watcher.Changed += new FileSystemEventHandler(convert);
    watcher.EnableRaisingEvents = true;
}

但是上面的代码监控一个文件夹,对另一个文件夹没有影响。这是什么原因?

4

2 回答 2

2

单个FileSystemWatcher只能监控单个文件夹。你需要有多个 FileSystemWatchers才能实现这一点。

private static void WatchFile(string watch_folder)
{
    // Create a new watcher for every folder you want to monitor.
    FileSystemWatcher fsw = new FileSystemWatcher(watch_folder, "*.xml");

    fsw.NotifyFilter = NotifyFilters.LastWrite;

    fsw.Changed += new FileSystemEventHandler(convert);
    fsw.EnableRaisingEvents = true;
}

请注意,如果您想稍后修改这些观察者,您可能希望FileSystemWatcher通过将其添加到列表或其他东西来维护对每个创建的引用。

于 2013-03-26T11:10:22.310 回答
1

EnableRaisingEvents是默认false的,你可以尝试把它放在 Changed amd 之前为每个文件夹创建一个新的观察者:

FileSystemWatcher watcher = new FileSystemWatcher();
watcher.Path = watch_folder;
watcher.NotifyFilter = NotifyFilters.LastWrite;
watcher.Filter = "*.xml";
watcher.EnableRaisingEvents = true;
watcher.Changed += new FileSystemEventHandler(convert);
于 2013-03-26T11:12:35.350 回答