我正在尝试编写ParentAdapter
实现;我有兴趣为我正在编写的一些WPF控件提供设计时支持,这就是你如何管理自定义逻辑以将项目重新定位到不同的容器控件。我开始很小,创建一个StackPanel
派生类的概念只允许Button
元素在设计时成为父级(是的,我知道面板本身需要代码来支持这个。)我从我认为最简单的ParentAdapter
开始:
using System;
using System.Windows;
using System.Windows.Controls;
using Microsoft.Windows.Design.Interaction;
using Microsoft.Windows.Design.Model;
namespace ControlLibrary.Design
{
internal class SimplePanelParentAdapter : ParentAdapter
{
public override bool CanParent(ModelItem parent, Type childType)
{
return (childType == typeof(Button));
}
// moves the child item into the target panel; in this case a SimplePanel
public override void Parent(ModelItem newParent, ModelItem child)
{
using (ModelEditingScope undoContext = newParent.BeginEdit())
{
// is this correct?
//child.Content.SetValue("I'm in a custom panel!");
SimplePanel pnl = newParent.GetCurrentValue() as SimplePanel;
pnl.Children.Add(child.GetCurrentValue() as UIElement);
undoContext.Complete();
}
}
public override void RemoveParent(ModelItem currentParent, ModelItem newParent, ModelItem child)
{
// No special things need to be done, right?
child.Content.SetValue("I was in a custom panel.");
}
}
}
当我在设计时使用它时,只要在我的自定义面板上拖动一个按钮,就会在VS代码的深处抛出NullReferenceException
。我的代码没有抛出异常,因为我可以一步一步地完成我的方法;调用堆栈表明Microsoft.Windows.Design.Developer.dll中的代码抛出异常。
显然我做错了什么,但文档没有提供任何示例,我的搜索似乎表明没有人尝试这个或任何正在尝试它的人都没有谈论它。有没有人有建议?
答案 0 :(得分:0)
我自己找到了问题的答案。问题是由编辑模型而不是ModelItem
包装器引起的。我应该做的(并且确实有效)是这样的:
using System;
using System.Windows.Controls;
using Microsoft.Windows.Design.Interaction;
using Microsoft.Windows.Design.Model;
namespace ControlLibrary.Design
{
internal class SimplePanelParentAdapter : ParentAdapter
{
public override bool CanParent(ModelItem parent, Type childType)
{
return (childType == typeof(Button));
}
// moves the child item into the target panel; in this case a SimplePanel
public override void Parent(ModelItem newParent, ModelItem child)
{
using (ModelEditingScope undoContext = newParent.BeginEdit())
{
ModelProperty prop = newParent.Properties["Children"];
ModelItemCollection items = (ModelItemCollection)prop.Value;
items.Add(child);
undoContext.Complete();
}
}
public override void RemoveParent(ModelItem currentParent, ModelItem newParent, ModelItem child)
{
using (ModelEditingScope scope = child.BeginEdit())
{
ModelProperty prop = currentParent.Properties["Children"];
((ModelItemCollection)prop.Value).Remove(child);
scope.Complete();
}
}
}
}
当我编写第一个代码并且不确定我应该如何在Children属性上调用Add()时,我很困惑;它看起来像ModelProperty.Value用ModelItemCollection包装集合,所以除非你不想让你的类使用一个钝的接口,否则这应该有效。