我正在尝试在consturctor中为派生类IntersectionPath强制转换对象列表,如下所示。
public class IntersectionPath : Path<IntersectionSegment>, IEnumerable
{
//Constructors
public IntersectionPath() : base() { Verts = null; }
public IntersectionPath(List<Intersection> inVerts, List<Segment<Node>> inEdges) : base()
{
this.Segments = (List<IntersectionSegment>) inEdges;
}
}
细分在通用基类Path
中定义 public class Path<T> : IEnumerable<T> where T : Segment<Node>
{
//public properties
public List<Direction> Directions {get; set; }
public List<T> Segments { get; set; }
}
我已经在IntersectionSegment类中定义了一个显式运算符(见下文,因此不清楚为什么这不会编译。我在IntersectionPath构造函数中有一个错误消息。
public class IntersectionSegment : Segment<Intersection>
{
//curves which intersect the primary curve at I0(Start Node) and I1(End Node)
public Curve C0 { get; set; }
public Curve C1 { get; set; }
public IntersectionSegment():base() {}
public IntersectionSegment(Intersection n0, Intersection n1):base(n0,n1){}
public static explicit operator IntersectionSegment(Segment<Node> s)
{
if ((s.Start is Intersection) && (s.End is Intersection))
{
return new IntersectionSegment(s.Start as Intersection,s.End as Intersection);
}
else return null;
}
public static explicit operator List<IntersectionSegment>(List<Segment<Node>> ls)
{
List<IntersectionSegment> lsout = new List<IntersectionSegment>();
foreach (Segment<Node> s in ls)
{
if ((s.Start is Intersection) && (s.End is Intersection))
{
lsout.Add(new IntersectionSegment(s.Start as Intersection,s.End as Intersection));
}
else return null;
}
return lsout;
}
细分定义为:
public class Segment <T> : Shape where T : Node
{
//generic properties
public T Start { get; set; }
public T End { get; set; }
}
答案 0 :(得分:7)
List<InteractionSegment>
与InteractionSegment
不同。将一种类型的列表转换为另一种类型的列表将不会转换每个项目
你需要做这样的事情:
this.Segments = inEdges.Select(x => (InteractionSegment)x).ToList();
这使用LINQ to Objects将inEdges
中的每个对象强制转换为InteractionSegment
对象,并将结果放回列表中,然后将其分配给this.Segments
。
答案 1 :(得分:4)
让我们看一个不那么令人困惑的例子。
class Animal {}
class Giraffe : Animal {}
class Tiger : Animal {}
...
List<Giraffe> giraffes = new List<Giraffe>();
List<Animal> animals = (List<Animal>) giraffes; // illegal
你的问题是我相信“为什么最后一行的演员是非法的?”
我们假设这是合法的。现在我们添加另一行:
animals.Add(new Tiger());
你可以将老虎添加到动物名单中,对吧?但是动物名单实际上是长颈鹿的名单。演员不会复制列表,它说“我想将此对象视为此类型”。但是,既然这样做可以让你做一些疯狂的事情,比如将老虎放入长颈鹿名单中,我们就会使演员变得非法。
你的情况只是同一情况的一个更复杂的版本。
几乎每天都会在StackOverflow上询问这个问题。寻找“协方差和逆变”,你会发现很多例子。
答案 2 :(得分:2)
它不起作用仅仅是因为List<Segment<Node>>
不是List<IntersectionSegment>
。如果您想要创建更晚的版本,可以使用Cast()
将列表中的每个项目显式地转换为您想要的类型:
this.Segments = inEdges.Cast<IntersectionSegment>().ToList();