我想编写一个可重用的函数来通过反射来提升事件。
搜索后,我发现了类似的问题:How do I raise an event via reflection in .NET/C#?
直到我向WinForm控件注册一个事件处理程序并尝试调用它。私人字段“<EventName>
”只是消失了。
下面是我的简化代码,它可以重现问题:
的Program.cs:
public static void Main()
{
Control control = new Control();
control.Click += new EventHandler(control_Click);
MethodInfo eventInvoker = ReflectionHelper.GetEventInvoker(control, "Click");
eventInvoker.Invoke(control, new object[] {null, null});
}
static void control_Click(object sender, EventArgs e)
{
Console.WriteLine("Clicked !!!!!!!!!!!");
}
这是我的ReflectionHelper类:
public static class ReflectionHelper
{
/// <summary>
/// Gets method that will be invoked the event is raised.
/// </summary>
/// <param name="obj">Object that contains the event.</param>
/// <param name="eventName">Event Name.</param>
/// <returns></returns>
public static MethodInfo GetEventInvoker(object obj, string eventName)
{
// --- Begin parameters checking code -----------------------------
Debug.Assert(obj != null);
Debug.Assert(!string.IsNullOrEmpty(eventName));
// --- End parameters checking code -------------------------------
// prepare current processing type
Type currentType = obj.GetType();
// try to get special event decleration
while (true)
{
FieldInfo fieldInfo = currentType.GetField(eventName, BindingFlags.Instance | BindingFlags.NonPublic | BindingFlags.Public | BindingFlags.GetField);
if (fieldInfo == null)
{
if (currentType.BaseType != null)
{
// move deeper
currentType = currentType.BaseType;
continue;
}
Debug.Fail(string.Format("Not found event named {0} in object type {1}", eventName, obj));
return null;
}
// found
return ((MulticastDelegate)fieldInfo.GetValue(obj)).Method;
}
}
其他信息:
感谢任何帮助。
答案 0 :(得分:1)
WinForms中的事件通常被覆盖,并且没有一对一的委托支持。相反,类(基本上)具有事件 - &gt;委托映射的字典,并且仅在添加事件时创建委托。因此,一旦您使用反射访问该字段,您就无法假设有一个代表支持该事件。
编辑:这会成为同样问题的牺牲品,但比将其作为字段并将其投射更好。
var eventInfo = currentType.GetEvent(eventName);
var eventRaiseMethod = eventInfo.GetRaiseMethod()
eventRaiseMethod.Invoke()
答案 1 :(得分:0)
以下是我的一些代码。 'obj'是您要调用方法的对象,'methodName'是您要调用的方法:
public void Invoke(Object obj, String methodName) {
MethodInfo m = obj.GetType().GetMethod(methodName);
if (m != null) {
m.Invoke(obj, null);
}
}
使用示例:
String s = " test string ";
Invoke(s, "Trim");
我没有在程序集中对此进行测试,但我从中获取的项目已经过测试,效果很好。