好的,所以我对触发事件时可以传递的EventArgs有疑问。我正在设计一个小型的基本搜索引擎,并有一个名为Query的类,其中包含一个方法Search。调用此方法时,我想触发一个事件,该事件将结果传递给各种缓存类实例(SizeBoundedCache和TimeBoundedCache)。所以我认为最好的方法是使用一个事件。
代表声明如下 - >
public delegate void CacheStoreDelegate(object sender, EventArgs e);
与此问题相关的Query类中的其余代码在这里(使用Linq) - >
public event CacheStoreDelegate AddToCache;
public virtual void OnQuery (EventArgs e)
{
if(AddToCache != null)
AddToCache(this, e);
}
public Query()
{
}
public Query(string queryString, OOP5.Provided.QueryOperator op)
{
//Access and set the terms array
this.Terms = OOP5.Provided.QueryUtils.GetTermsFromString(queryString);
this.Operator = op;
}
public static IEnumerable<string> Search (this SearchCore s, IQuery q)
{
// Accept a query and return IEnumerable<string> of
// all document IDs matching that query
if (q.Operator == QueryOperator.Any)
{
var GetAnyMatch = from single_query in q.Terms
group s.Search(single_query)
by s.documents.Keys
into results
where results.Count >= 1
select results[0];
this.OnQuery(GetAnyMatch);
return GetAnyMatch;
}
if (q.Operator == QueryOperator.All)
{
var GetAllMatch = from single_query in q.Terms
group s.Search(single_query)
by s.documents.Keys
into results
where results.Count >= q.Terms.Lengthselect results[0];
this.OnQuery(GetAllMatch);
return GetAllMatch;
}
}
每当调用搜索时,都会通知所有缓存类,我也需要接收结果。
非常感谢您的帮助。此外,如果有一种更优雅的方式来做到这一点,我没有想到,请加入。干杯!
答案 0 :(得分:3)
您可以创建自己的EventArgs实施:
class QueryResultEventArgs : EventArgs
{
public IEnumerable<string> Results { get; private set; }
public QueryResultEventArgs(IEnumerable<string> results)
{
Results = results;
}
}
...
public delegate void CacheStoreDelegate(object sender, QueryResultEventArgs e);
...
this.OnQuery(new QueryResultEventArgs(GetAnyMatch));
答案 1 :(得分:1)
创建一个从eventargs派生的类型CacheStoreEventArgs
public class CacheStoreEventArgs:eventargs
{
private IEnumerable<string> Data;//List<string> better
public IEnumerable<string> data
{
get { return Data; }
set { this.Data = value; }
}
public CacheStoreEventArgs(IEnumerable<string> NewData)
{
this.data = NewData;
}
}
然后声明事件(使用预定义的泛型,所以不需要声明一个)
public event EventHandler<CacheStoreEventArgs> AddToCache;
在方法搜索中,您调用方法“On ....”
public static IEnumerable<string> Search (this SearchCore s, IQuery q)
{
//after you get query result
CacheStoreEventArgs cs = new CacheStoreEventArgs(queryresultvariablehere);
//and call your method now with the instance of your derived eventargs class
OnQuery(cs);
}
public virtual void OnQuery (CacheStoreEventArgs e)
{
try
{
EventHandler<CacheStoreEventArgs> temp = AddToCache
if( temp != null)
temp(this,e);
}
catch(Exception ex)
{
//exception handling
}
}