本文介绍了获取事件的编译器生成的委托的处理方法,对大家解决问题具有一定的参考价值,需要的朋友们下面随着小编来一起学习吧!
问题描述
我需要知道ObservableCollection类的CollectionChanged事件包含哪些处理程序.我发现的唯一解决方案是在事件的委托上使用Delegate.GetInvocationList().问题是,我无法通过反射找到编译器生成的委托.AFAIK委托与事件具有相同的名称.我使用了以下代码:
I need to know what handlers are subsribed to the CollectionChanged event of the ObservableCollection class. The only solution I found would be to use Delegate.GetInvocationList() on the delegate of the event. The problem is, I can't get Reflection to find the compiler generated delegate. AFAIK the delegate has the same name as the event. I used the following piece of code:
PropertyInfo notifyCollectionChangedDelegate = collection.GetType().GetProperty("CollectionChanged", BindingFlags.Instance | BindingFlags.Static | BindingFlags.NonPublic | BindingFlags.FlattenHierarchy);
推荐答案
它不是属性,而是字段.这有效:
It is not a property, it is a field. This works:
using System;
using System.Collections.ObjectModel; // Add reference to WindowsBase
using System.Collections.Specialized;
using System.Reflection;
namespace ConsoleApplication1 {
class Program {
static void Main(string[] args) {
var coll = new ObservableCollection<int>();
coll.CollectionChanged += coll_CollectionChanged;
coll.Add(42);
FieldInfo fi = coll.GetType().GetField("CollectionChanged", BindingFlags.NonPublic | BindingFlags.Instance);
NotifyCollectionChangedEventHandler handler = fi.GetValue(coll) as NotifyCollectionChangedEventHandler;
handler.Invoke(coll, new NotifyCollectionChangedEventArgs(NotifyCollectionChangedAction.Reset));
}
static void coll_CollectionChanged(object sender, NotifyCollectionChangedEventArgs e) {
Console.WriteLine("Changed {0}", e.Action);
}
}
}
不要使用它.
这篇关于获取事件的编译器生成的委托的文章就介绍到这了,希望我们推荐的答案对大家有所帮助,也希望大家多多支持!