克隆一个实现 ICloneable 的对象数组

Cloning an array of objects which implement ICloneable

public class MyStuff : ICloneable
{
    public int A {get;set;}
    public int B {get;set;}

    public object Clone()
    {
        MyStuff Copy = (MyStuff)MemberwiseClone();
        return Copy;
    }
}

现在假设我有一个 MyStuff 数组

MyStuff[] MyStuffObjs = PopulateMyStuff();

创建实施 Clone 方法的 MyStuffObjs 克隆的 quickest/easiest 方法是什么?

我知道我可以遍历集合并复制每个集合。

List<MyStuff> NewStuff = new List<MyStuff>();
foreach(var Stuff in MyStuffObjs)
{
    NewStuff.Add(Stuff.Clone());
}
return NewStuff.ToArray();

肯定有更好的方法吗?

您可以为此使用 Linq:

return MyStuffObjs.Select(item => (MyStuff)item.Clone()).ToArray();

您甚至可以像这样创建辅助方法

public static class MyExtensions
{
    public static T[] DeepClone<T>(this T[] source) where T : ICloneable
    {
        return source.Select(item => (T)item.Clone()).ToArray();
    }
}

并按如下方式使用

return MyStuffObjs.DeepClone();

只是 Select/ToArray 会更短,但实际上没有什么比遍历所有项目并调用 Clone.

更好的了

更短的代码:

 return MyStuffObjs.Select( x=> x.Clone()).ToArray();

更快一点的代码 - 预分配数组而不是使用列表:

MyStuff[] cloned = new MyStuff[MyStuffObjs.Length];
for (var i = 0; i < cloned.Lenght; i++)
{
    cloned[i] = MyStuffObjs[i].Clone();
}