21

List<string>イベントを使用して as パラメータを渡したい

public event EventHandler _newFileEventHandler;
    List<string> _filesList = new List<string>();

public void startListener(string directoryPath)
{
    FileSystemWatcher watcher = new FileSystemWatcher(directoryPath);
    _filesList = new List<string>();
    _timer = new System.Timers.Timer(5000);
    watcher.Filter = "*.pcap";
    watcher.Created += watcher_Created;            
    watcher.EnableRaisingEvents = true;
    watcher.IncludeSubdirectories = true;
}

void watcher_Created(object sender, FileSystemEventArgs e)
{            
    _timer.Elapsed += new ElapsedEventHandler(myEvent);
    _timer.Enabled = true;
    _filesList.Add(e.FullPath);
    _fileToAdd = e.FullPath;
}

private void myEvent(object sender, ElapsedEventArgs e)
{
    _newFileEventHandler(_filesList, EventArgs.Empty);;
}

そして私のメインフォームから私はこのリストを取得したい:

void listener_newFileEventHandler(object sender, EventArgs e)
{

}
4

2 に答える 2

66

次のような新しい EventArgs クラスを作成します。

    public class ListEventArgs : EventArgs
    {
        public List<string> Data { get; set; }
        public ListEventArgs(List<string> data)
        {
            Data = data;
        }
    }

そして、あなたのイベントを次のようにします:

    public event EventHandler<ListEventArgs> NewFileAdded;

発射方法を追加します。

protected void OnNewFileAdded(List<string> data)
{
    var localCopy = NewFileAdded;
    if (localCopy != null)
    {
        localCopy(this, new ListEventArgs(data));
    }
}

そして、このイベントを処理したい場合:

myObj.NewFileAdded += new EventHandler<ListEventArgs>(myObj_NewFileAdded);

ハンドラー メソッドは次のようになります。

public void myObj_NewFileAdded(object sender, ListEventArgs e)
{
       // Do what you want with e.Data (It is a List of string)
}
于 2012-12-27T17:10:41.460 に答える
6

イベントのシグニチャは、任意のものに定義できます。イベントが提供する必要がある唯一の情報がそのリストである場合は、そのリストを渡すだけです。

public event Action<List<string>> MyEvent;

private void Foo()
{
     MyEvent(new List<string>(){"a", "b", "c"});
}

次に、イベントにサブスクライブするとき:

public void MyEventHandler(List<string> list)
{
    //...
}
于 2012-12-27T17:17:44.923 に答える