背景:我正在使用 WPF 和 C# (3.5),并且正在开发一个允许用户查看已经是已编译程序集的一部分的窗体/窗口/用户控件的应用程序。当他们查看它时,他们应该能够单击任何控件(按钮、文本框,甚至标签),控件旁边应该会出现一个小弹出编辑器,然后他们可以在其中输入该控件的工具提示、帮助 ID 等。
总而言之:我需要在 WPF 中模仿一个基本的设计视图。这意味着我至少需要执行以下操作:
- 从给定程序集中加载用户控件/窗口(没问题)
- 将它实例化为用户控件/窗口(没问题)
- 清除其所有控件的所有订阅事件处理程序
- 将我自己的“ShowEditorPopup”EventHandler 分配给每个控件(应该不是问题)
首先,如果有人对更简单或更好的路线提出建议,请告诉我。(显然 WPF 没有 DesignHost 类型的组件(就像我读过的 .NET 2 一样),所以它已经过时了。)
我卡在粗体项目上 - 清除所有订阅的 EventHandlers。在挖掘了一些并进入 Reflector 之后,我想出了这个很酷的危险代码块(在这里,我只是想获取在 XAML 中定义的名为 someButton 的单个按钮的所有事件处理程序):
<Button Name="someButton" Click="someButton_Click"/>
这是代码(如果需要,您可以从 someButton_Click eventHandler 运行它):
public void SomeFunction()
{
// Get the control's Type
Type someButtonType = ((UIElement)someButton).GetType();
// Dig out the undocumented (yes, I know, it's risky) EventHandlerStore
// from the control's Type
PropertyInfo EventHandlersStoreType =
someButtonType.GetProperty("EventHandlersStore",
BindingFlags.Instance | BindingFlags.NonPublic);
// Get the actual "value" of the store, not just the reflected PropertyInfo
Object EventHandlersStore = EventHandlersStoreType.GetValue(someButton, null);
// Get the store's type ...
Type storeType = EventHandlersStore.GetType();
// ... so we can pull out the store's public method GetRoutedEventHandlers
MethodInfo GetEventHandlers =
storeType.GetMethod("GetRoutedEventHandlers",
BindingFlags.Instance | BindingFlags.Public);
// Reflector shows us that the method's sig is this:
// public RoutedEventHandlerInfo[] GetRoutedEventHandlers(RoutedEvent routedEvent);
// So set up the RoutedEvent param
object[] Params = new object[] { ButtonBase.ClickEvent as RoutedEvent };
// I've also seen this for the param, but doesn't seem to make a difference:
// object[] Params = new object[] { someButton.ClickEvent };
// And invoke it ... and watch it crash!
GetEventHandlers.Invoke(someButton, Params);
}
它适用于 Invoke,它返回: 对象与目标类型不匹配(即,我的参数或目标对象被弄乱了)。我发现您可以通过以下方式解决此问题:
GetEventHandlers.Invoke(Activator.CreateInstance(someButton.GetType()), Params);
// Also doesn't work...
当我在 GetEventHandlers MethodInfo 上设置手表时,它看起来很棒,只是不喜欢我在调用 Invoke 时传递的内容。
我觉得我正处于如何获取 RoutedEvent 处理程序列表的最后一步(比如旧的 GetInvocationList(),它显然不适用于 WPF RoutedEvents)。从那里,从每个控件中删除这些处理程序并拥有一个无事件的表单将非常简单,然后我可以将自己的事件添加到其中。
有什么线索吗?同样,如果有更好/更简单的方法来完成整个任务,请告诉我:)