如果我有班级:
class NodeA
{
public string Name{get;set;}
public List<NodeA> Children {get;set;}
// etc some other properties
}
和其他一些课程:
class NodeB
{
public string Name;
public IEnumerable<NodeB> Children;
// etc some other fields;
}
如果我需要将NodeB对象转换为NodeA类型,那么最佳方法是什么?创建一个包装类?如果我必须创建一个包装器类,我怎么能创建它,以便所有的wpf控件仍然能够成功绑定到属性?
我需要创建此类演员的原因:
在编译程序中返回符号列表(IMemorySymbol)的程序上使用了一种旧算法。我们已经工作并创建了一个新算法,字段和属性有些不同(ISymbolElem)。我们需要执行临时转换,以便在wpf应用程序的视图中显示属性。
答案 0 :(得分:5)
一对夫妇接近......
复制构造函数
让NodeA和NodeB包含一个相反的构造函数:
class NodeA
{
public string Name{get;set;}
public List<NodeA> Children {get;set;}
// COPY CTOR
public NodeA(NodeB copy)
{
this.Name = copy.Name;
this.Children = new List<NodeA>(copy.Children.Select(b => new NodeA(b));
//copy other props
}
}
显式或隐式操作员
明确表示你会像NodeA a = (NodeA)b;
一样投射,而暗示你可以跳过这些。
public static explicit operator NodeA(NodeB b)
{
//if copy ctor is defined you can call one from the other, else
NodeA a = new NodeA();
a.Name = b.Name;
a.Children = new List<NodeA>();
foreach (NodeB child in b.Children)
{
a.Children.Add((NodeA)child);
}
}
答案 1 :(得分:1)
如果您不关心将NodeA
的实现耦合到NodeB
,请按如下方式添加复制构造函数:
class NodeA
{
public NodeA() { }
public NodeA(NodeB node)
{
Name = node.Name;
Children = node.Children.Select(n => new NodeA(n)).ToList();
}
public string Name{get;set;}
public List<NodeA> Children {get;set;}
// etc some other properties
}
如果需要关注耦合,那么您可以创建一个Convert
- 样式的类来为您进行转换。请注意,Automapper框架通过使用源和目标类型的反射为您生成这些类型的转换。
答案 2 :(得分:1)
如何从公共接口继承?
interface INode {
public string Name{get;set;}
public IEnumerable<INode> Children {get;set;}
}
class NodeA : INode {
public string Name{get;set;}
public List<NodeA> Children {get;set;}
// etc some other properties
}
class NodeB : INode {
public string Name;
public IEnumerable<NodeB> Children;
// etc some other fields;
}
void myMethod() {
INode nodeB = new NodeB();
INode nodeA = nodeB;
}