我试图用克隆扩展名克隆通用列表。
List<Vehicle> newList = currentVehicleList.Clone().ToList();
public static IList<T> Clone<T>(this IList<T> listToClone) where T : ICloneable
{
return listToClone.Select(item => (T)item.Clone()).ToList();
}
我实现了Vehicle对象ICloneable
public class Vehicle : ICloneable
{
[Key]
public int VehicleId { get; set; }
public string Plaka { get; set; }
public double Volume { get; set; }
public double FilledVolume { get; set; }
public double DepartureTime { get; set; }
public double IdleVolume
{
get { return this.Volume - this.FilledVolume; }
set { }
}
public double FilledWeight { get; set; }
public double IdleWeight {
get { return this.WeightCapacity - this.FilledWeight; }
set{}
}
public decimal ConstantCost { get; set; }
public string VehicleType { get; set; }
public string Model { get; set; }
public bool IsRent { get; set; }
public double AvgVelocity { get; set; }
public decimal CostPerKilometer { get; set; }
public double WeightCapacity { get; set; }
public bool InProgress { get; set; }
public List<Order> FilledOrders { get; set; }
public object Clone()
{
return this.MemberwiseClone();
}
}
扩展程序克隆我的列表但车辆对象的 FilledOrders 属性已键入List<Order>
,因此克隆不会对FilledOrders列表执行。
public class Order : ICloneable
{
[Key]
public int OrderId { get; set; }
public Customer Customer { get; set; }
public bool IsTwoWayDirection { get; set; }
public DateTime DeliveryDate { get; set; }
public Dictionary<Product,int> OrderedProducts { get; set; }
public Dictionary<Product, int> ReOrderedProducts { get; set; }
public Double DemandTotalWeigth { get; set; }
public Double DemandTotalVolume { get; set; }
public Double PickupTotalWeigth { get; set; }
public Double PickupTotalVolume { get; set; }
public double EarliestArrivedTime { get; set; }
public double ArrivedTime { get; set; }
//TODO :Timespana cevrilecek
public Double AcceptStartDate { get; set; }
public Double AcceptEndDate { get; set; }
public Double ServiceTime { get; set; }
//
public object Clone()
{
return this.MemberwiseClone();
}
}
如果列表项有另一个列表,克隆的解决方案是什么?
答案 0 :(得分:1)
在Vehicle
课程中,只需展开Clone()
功能即可克隆列表:
public object Clone()
{
Vehicle clone = this.MemberwiseClone();
List<Order> clonedOrders = new List<Order>();
foreach (Order order in this.FilledOrders)
clonedOrders.Add((Order)order.Clone());
clone.FilledOrders = clonedOrders;
return clone;
}
毕竟,这是实施IClonable的重点。否则你可以在任何事情上致电MemberwiseClone()
。
顺便说一句,Order
类中的Dictionary对象也不会被克隆,因为它们也是引用类型。为了解决这个问题,原理是相同的:扩展Clone()
的{{1}}功能,并在那里手动创建它们的副本。如果有必要克隆那个Order
个项目,请在Product
课程中实施IClonable
并在那里执行相同操作。
只要没有循环引用,您就可以继续实施Product
并在IClonable
函数中修复引用类型。