将参数传递给事件处理程序
本文关键字:程序 事件处理 参数传递 | 更新日期: 2023-09-27 17:49:36
我想传递我的List<string>
作为参数使用我的事件
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)
{
}
创建一个新的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)
}
您可以随意定义事件的签名。如果事件需要提供的唯一信息是该列表,那么只需传递该列表:
public event Action<List<string>> MyEvent;
private void Foo()
{
MyEvent(new List<string>(){"a", "b", "c"});
}
当订阅事件时:
public void MyEventHandler(List<string> list)
{
//...
}