c# – 将参数传递给事件处理程序

前端之家收集整理的这篇文章主要介绍了c# – 将参数传递给事件处理程序前端之家小编觉得挺不错的,现在分享给大家,也给大家做个参考。
参见英文答案 > C# passing extra parameters to an event handler?8个
我想通过我的列表< 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)
}
原文链接:https://www.f2er.com/csharp/94697.html

猜你在找的C#相关文章