サンプル プログラム: いくつかのフォルダーで FileSystem イベントをリッスンし、Timer イベントが発生したときに FileSystem イベント情報をコンソールに出力します。
class Program
{
public static string location = @"D:\TestEvents";
public static double interval = 15000;
public static System.Timers.Timer timer;
public static List<string> listOfChanges = new List<string>();
static void Main(string[] args)
{
StartWatch();
StartTimer();
Console.ReadLine();
}
private static void StartWatch()
{
FileSystemWatcher Watcher = new FileSystemWatcher();
Watcher.Path = location;
Watcher.Created += new FileSystemEventHandler(OnFileCreatedOrDeleted);
Watcher.Deleted += new FileSystemEventHandler(OnFileCreatedOrDeleted);
Watcher.EnableRaisingEvents = true;
}
static void OnFileCreatedOrDeleted(object sender, FileSystemEventArgs e)
{
listOfChanges.Add(String.Format("Change Type: {0}, Name: {1}, Time: {2}", e.ChangeType, e.Name, DateTime.Now));
}
private static void StartTimer()
{
timer = new System.Timers.Timer();
timer.AutoReset = false;
timer.Elapsed += new System.Timers.ElapsedEventHandler(OnTimerEpleased);
timer.Interval = interval;
timer.Start();
}
private static void OnTimerEpleased(object sender, System.Timers.ElapsedEventArgs e)
{
Console.WriteLine("Timer event fired: " + DateTime.Now);
foreach (var item in listOfChanges)
{
Console.WriteLine(item);
}
Console.WriteLine();
listOfChanges.Clear();
timer.Interval = interval;
timer.Start();
}
}
List<string> listOfChanges
両方のイベント ハンドラーから同じストレージ static にアクセスしても安全ですか? イベントが下でどのように機能するかがよくわかりません。グローバル イベント ハンドラー キューを作成し、イベントの種類に関係なく、すべてのイベント ハンドラーを 1 つずつ実行しますか? それとも、イベント ハンドラーの種類ごとに異なるスレッドを作成しますか?
編集:BlockingCollection
を使用する
のが最善の解決策だと思いますConcurrentQueue
ので、次のようにする必要があります。
public static BlockingCollection<string> listOfChanges = new BlockingCollection<string>();
static void OnFileCreatedOrDeleted(object sender, FileSystemEventArgs e)
{
listOfChanges.Add(String.Format("Change Type: {0}, Name: {1}, Time: {2}", e.ChangeType, e.Name, DateTime.Now));
}
private static void OnTimerEpleased(object sender, System.Timers.ElapsedEventArgs e)
{
Console.WriteLine("Timer event fired: " + DateTime.Now);
while (listOfChanges.Count > 0)
{
string item;
bool b = listOfChanges.TryTake(out item);
if (b)
{
Console.WriteLine(item);
}
}
Console.WriteLine();
timer.Interval = interval;
timer.Start();
}