694

我在 C# 中有一个通用的对象列表,并希望克隆该列表。列表中的项目是可克隆的,但似乎没有选项可做list.Clone()

有没有简单的方法解决这个问题?

4

28 回答 28

616

如果您的元素是值类型,那么您可以这样做:

List<YourType> newList = new List<YourType>(oldList);

但是,如果它们是引用类型并且您想要一个深层副本(假设您的元素正确实现ICloneable),您可以执行以下操作:

List<ICloneable> oldList = new List<ICloneable>();
List<ICloneable> newList = new List<ICloneable>(oldList.Count);

oldList.ForEach((item) =>
    {
        newList.Add((ICloneable)item.Clone());
    });

显然,替换ICloneable上面的泛型并使用您实现的任何元素类型进行转换ICloneable

如果您的元素类型不支持ICloneable但确实有一个复制构造函数,您可以这样做:

List<YourType> oldList = new List<YourType>();
List<YourType> newList = new List<YourType>(oldList.Count);

oldList.ForEach((item)=>
    {
        newList.Add(new YourType(item));
    });

就个人而言,我会避免ICloneable,因为需要保证所有成员的深层副本。相反,我建议使用复制构造函数或类似的工厂方法YourType.CopyFrom(YourType itemToCopy)返回一个新的YourType.

这些选项中的任何一个都可以由方法(扩展或其他)包装。

于 2008-10-21T16:54:15.280 回答
438

您可以使用扩展方法。

static class Extensions
{
    public static IList<T> Clone<T>(this IList<T> listToClone) where T: ICloneable
    {
        return listToClone.Select(item => (T)item.Clone()).ToList();
    }
}
于 2008-10-21T16:58:54.363 回答
101

对于浅拷贝,您可以改用通用 List 类的 GetRange 方法。

List<int> oldList = new List<int>( );
// Populate oldList...

List<int> newList = oldList.GetRange(0, oldList.Count);

引自:仿制药食谱

于 2008-10-21T16:52:10.430 回答
92
public static object DeepClone(object obj) 
{
    object objResult = null;

    using (var ms = new MemoryStream())
    {
        var bf = new BinaryFormatter();
        bf.Serialize(ms, obj);

        ms.Position = 0;
        objResult = bf.Deserialize(ms);
     }

     return objResult;
}

这是使用 C# 和 .NET 2.0 的一种方法。您的对象需要是[Serializable()]. 目标是丢失所有引用并建立新的引用。

于 2008-10-21T17:43:34.773 回答
42

要克隆一个列表,只需调用 .ToList()。这会创建一个浅拷贝。

Microsoft (R) Roslyn C# Compiler version 2.3.2.62116
Loading context from 'CSharpInteractive.rsp'.
Type "#help" for more information.
> var x = new List<int>() { 3, 4 };
> var y = x.ToList();
> x.Add(5)
> x
List<int>(3) { 3, 4, 5 }
> y
List<int>(2) { 3, 4 }
> 
于 2017-09-25T00:35:03.377 回答
24

稍作修改后,您还可以克隆:

public static T DeepClone<T>(T obj)
{
    T objResult;
    using (MemoryStream ms = new MemoryStream())
    {
        BinaryFormatter bf = new BinaryFormatter();
        bf.Serialize(ms, obj);
        ms.Position = 0;
        objResult = (T)bf.Deserialize(ms);
    }
    return objResult;
}
于 2011-07-20T09:26:17.593 回答
17

除非您需要实际克隆 中的每个对象List<T>,否则克隆列表的最佳方法是使用旧列​​表作为集合参数创建一个新列表。

List<T> myList = ...;
List<T> cloneOfMyList = new List<T>(myList);

插入或删除等更改myList不会影响cloneOfMyList,反之亦然。

然而,这两个列表包含的实际对象仍然相同。

于 2015-07-10T14:09:54.473 回答
15

如果您只关心值类型...

你知道类型:

List<int> newList = new List<int>(oldList);

如果您以前不知道类型,则需要一个辅助函数:

List<T> Clone<T>(IEnumerable<T> oldList)
{
    return newList = new List<T>(oldList);
}

公正的:

List<string> myNewList = Clone(myOldList);
于 2008-10-21T16:54:41.580 回答
15

使用 AutoMapper(或您喜欢的任何映射库)进行克隆非常简单且易于维护。

定义你的映射:

Mapper.CreateMap<YourType, YourType>();

施展魔法:

YourTypeList.ConvertAll(Mapper.Map<YourType, YourType>);
于 2013-02-13T23:20:22.697 回答
11

如果您已经在项目中引用了 Newtonsoft.Json 并且您的对象是可序列化的,您可以始终使用:

List<T> newList = JsonConvert.DeserializeObject<T>(JsonConvert.SerializeObject(listToCopy))

可能不是最有效的方法,但除非您做 100 次或 1000 次,否则您甚至可能不会注意到速度差异。

于 2013-11-01T14:43:56.280 回答
5

无需将类标记为可序列化,并且在我们的测试中使用 Newtonsoft JsonSerializer 甚至比使用 BinaryFormatter 更快。扩展方法可用于每个对象。

注意:私有成员不会被克隆

标准 .NET JavascriptSerializer 选项:

public static T DeepCopy<T>(this T value)
{
    JavaScriptSerializer js = new JavaScriptSerializer();

    string json = js.Serialize(value);

    return js.Deserialize<T>(json);
}

使用Newtonsoft JSON的更快选项:

public static T DeepCopy<T>(this T value)
{
    string json = JsonConvert.SerializeObject(value);

    return JsonConvert.DeserializeObject<T>(json);
}
于 2016-11-09T13:55:33.120 回答
5

对于深拷贝,ICloneable 是正确的解决方案,但这里有一个与 ICloneable 类似的方法,使用构造函数而不是 ICloneable 接口。

public class Student
{
  public Student(Student student)
  {
    FirstName = student.FirstName;
    LastName = student.LastName;
  }

  public string FirstName { get; set; }
  public string LastName { get; set; }
}

// wherever you have the list
List<Student> students;

// and then where you want to make a copy
List<Student> copy = students.Select(s => new Student(s)).ToList();

您需要以下库来制作副本

using System.Linq

您也可以使用 for 循环代替 System.Linq,但 Linq 使其简洁明了。同样,您可以按照其他答案的建议进行操作并进行扩展方法等,但这些都不是必需的。

于 2019-05-13T21:04:01.013 回答
4

如果有人读过这篇文章,我会很幸运......但为了不在我的 Clone 方法中返回类型对象列表,我创建了一个接口:

public interface IMyCloneable<T>
{
    T Clone();
}

然后我指定了扩展名:

public static List<T> Clone<T>(this List<T> listToClone) where T : IMyCloneable<T>
{
    return listToClone.Select(item => (T)item.Clone()).ToList();
}

这是我的 A/V 标记软件中的接口实现。我想让我的 Clone() 方法返回一个 VidMark 列表(而 ICloneable 接口希望我的方法返回一个对象列表):

public class VidMark : IMyCloneable<VidMark>
{
    public long Beg { get; set; }
    public long End { get; set; }
    public string Desc { get; set; }
    public int Rank { get; set; } = 0;

    public VidMark Clone()
    {
        return (VidMark)this.MemberwiseClone();
    }
}

最后,在类中使用扩展:

private List<VidMark> _VidMarks;
private List<VidMark> _UndoVidMarks;

//Other methods instantiate and fill the lists

private void SetUndoVidMarks()
{
    _UndoVidMarks = _VidMarks.Clone();
}

有人喜欢吗?有什么改进吗?

于 2019-01-21T17:15:02.167 回答
3
public static Object CloneType(Object objtype)
{
    Object lstfinal = new Object();

    using (MemoryStream memStream = new MemoryStream())
    {
        BinaryFormatter binaryFormatter = new BinaryFormatter(null, new StreamingContext(StreamingContextStates.Clone));
        binaryFormatter.Serialize(memStream, objtype); memStream.Seek(0, SeekOrigin.Begin);
        lstfinal = binaryFormatter.Deserialize(memStream);
    }

    return lstfinal;
}
于 2011-04-25T12:18:33.457 回答
3
public class CloneableList<T> : List<T>, ICloneable where T : ICloneable
{
  public object Clone()
  {
    var clone = new List<T>();
    ForEach(item => clone.Add((T)item.Clone()));
    return clone;
  }
}
于 2011-10-07T07:04:00.627 回答
3
    public List<TEntity> Clone<TEntity>(List<TEntity> o1List) where TEntity : class , new()
    {
        List<TEntity> retList = new List<TEntity>();
        try
        {
            Type sourceType = typeof(TEntity);
            foreach(var o1 in o1List)
            {
                TEntity o2 = new TEntity();
                foreach (PropertyInfo propInfo in (sourceType.GetProperties()))
                {
                    var val = propInfo.GetValue(o1, null);
                    propInfo.SetValue(o2, val);
                }
                retList.Add(o2);
            }
            return retList;
        }
        catch
        {
            return retList;
        }
    }
于 2016-04-10T07:40:51.303 回答
3
 //try this
 List<string> ListCopy= new List<string>(OldList);
 //or try
 List<T> ListCopy=OldList.ToList();
于 2018-02-18T04:52:43.177 回答
3

如果我需要收集的深层副本,我最喜欢这样的方法

public static IEnumerable<T> DeepCopy<T>(this IEnumerable<T> collectionToDeepCopy)
{
    var serializedCollection = JsonConvert.SerializeObject(collectionToDeepCopy);
    return JsonConvert.DeserializeObject<IEnumerable<T>>(serializedCollection);
}
于 2021-07-28T07:01:09.480 回答
2

您可以使用扩展方法:

namespace extension
{
    public class ext
    {
        public static List<double> clone(this List<double> t)
        {
            List<double> kop = new List<double>();
            int x;
            for (x = 0; x < t.Count; x++)
            {
                kop.Add(t[x]);
            }
            return kop;
        }
   };

}

您可以使用它们的值类型成员克隆所有对象,例如,考虑这个类:

public class matrix
{
    public List<List<double>> mat;
    public int rows,cols;
    public matrix clone()
    { 
        // create new object
        matrix copy = new matrix();
        // firstly I can directly copy rows and cols because they are value types
        copy.rows = this.rows;  
        copy.cols = this.cols;
        // but now I can no t directly copy mat because it is not value type so
        int x;
        // I assume I have clone method for List<double>
        for(x=0;x<this.mat.count;x++)
        {
            copy.mat.Add(this.mat[x].clone());
        }
        // then mat is cloned
        return copy; // and copy of original is returned 
    }
};

注意:如果您对复制(或克隆)进行任何更改,它不会影响原始对象。

于 2013-06-07T11:37:58.013 回答
2

如果你需要一个相同容量的克隆列表,你可以试试这个:

public static List<T> Clone<T>(this List<T> oldList)
{
    var newList = new List<T>(oldList.Capacity);
    newList.AddRange(oldList);
    return newList;
}
于 2015-12-22T02:19:04.303 回答
2

在这种情况下,对于浅拷贝,使用强制转换可能会有所帮助:

IList CloneList(IList list)
{
    IList result;
    result = (IList)Activator.CreateInstance(list.GetType());
    foreach (object item in list) result.Add(item);
    return result;
}

应用于通用列表:

List<T> Clone<T>(List<T> argument) => (List<T>)CloneList(argument);
于 2019-02-27T09:51:41.407 回答
1

我使用自动映射器来复制对象。我只是设置了一个将一个对象映射到自身的映射。你可以用任何你喜欢的方式包装这个操作。

http://automapper.codeplex.com/

于 2014-10-13T14:28:08.163 回答
1

您也可以使用 简单地将列表转换为数组ToArray,然后使用 克隆数组Array.Clone(...)。根据您的需要,Array 类中包含的方法可以满足您的需要。

于 2015-01-15T15:08:20.667 回答
0

我为自己制作了一些扩展,它转换了未实现 IClonable 的项目的 ICollection

static class CollectionExtensions
{
    public static ICollection<T> Clone<T>(this ICollection<T> listToClone)
    {
        var array = new T[listToClone.Count];
        listToClone.CopyTo(array,0);
        return array.ToList();
    }
}
于 2013-07-03T12:41:06.583 回答
0

以下代码应以最少的更改转移到列表中。

基本上,它通过在每个连续循环中插入更大范围的新随机数来工作。如果已经存在与它相同或更高的数字,则将这些随机数上移一个,以便它们转移到新的更大范围的随机索引中。

// Example Usage
int[] indexes = getRandomUniqueIndexArray(selectFrom.Length, toSet.Length);

for(int i = 0; i < toSet.Length; i++)
    toSet[i] = selectFrom[indexes[i]];


private int[] getRandomUniqueIndexArray(int length, int count)
{
    if(count > length || count < 1 || length < 1)
        return new int[0];

    int[] toReturn = new int[count];
    if(count == length)
    {
        for(int i = 0; i < toReturn.Length; i++) toReturn[i] = i;
        return toReturn;
    }

    Random r = new Random();
    int startPos = count - 1;
    for(int i = startPos; i >= 0; i--)
    {
        int index = r.Next(length - i);
        for(int j = startPos; j > i; j--)
            if(toReturn[j] >= index)
                toReturn[j]++;
        toReturn[i] = index;
    }

    return toReturn;
}
于 2015-09-03T11:23:03.820 回答
0

另一件事:你可以使用反射。如果您正确缓存它,那么它将在 5.6 秒内克隆 1,000,000 个对象(遗憾的是,内部对象为 16.4 秒)。

[ProtoContract(ImplicitFields = ImplicitFields.AllPublic)]
public class Person
{
       ...
      Job JobDescription
       ...
}

[ProtoContract(ImplicitFields = ImplicitFields.AllPublic)]
public class Job
{...
}

private static readonly Type stringType = typeof (string);

public static class CopyFactory
{
    static readonly Dictionary<Type, PropertyInfo[]> ProperyList = new Dictionary<Type, PropertyInfo[]>();

    private static readonly MethodInfo CreateCopyReflectionMethod;

    static CopyFactory()
    {
        CreateCopyReflectionMethod = typeof(CopyFactory).GetMethod("CreateCopyReflection", BindingFlags.Static | BindingFlags.Public);
    }

    public static T CreateCopyReflection<T>(T source) where T : new()
    {
        var copyInstance = new T();
        var sourceType = typeof(T);

        PropertyInfo[] propList;
        if (ProperyList.ContainsKey(sourceType))
            propList = ProperyList[sourceType];
        else
        {
            propList = sourceType.GetProperties(BindingFlags.Public | BindingFlags.Instance);
            ProperyList.Add(sourceType, propList);
        }

        foreach (var prop in propList)
        {
            var value = prop.GetValue(source, null);
            prop.SetValue(copyInstance,
                value != null && prop.PropertyType.IsClass && prop.PropertyType != stringType ? CreateCopyReflectionMethod.MakeGenericMethod(prop.PropertyType).Invoke(null, new object[] { value }) : value, null);
        }

        return copyInstance;
    }

我使用 Watcher 类以一种简单的方式对其进行了测量。

 var person = new Person
 {
     ...
 };

 for (var i = 0; i < 1000000; i++)
 {
    personList.Add(person);
 }
 var watcher = new Stopwatch();
 watcher.Start();
 var copylist = personList.Select(CopyFactory.CreateCopyReflection).ToList();
 watcher.Stop();
 var elapsed = watcher.Elapsed;

结果:使用内部对象 PersonInstance - 16.4,PersonInstance = null - 5.6

CopyFactory 只是我的测试类,我有十几个测试,包括表达式的使用。您可以在扩展或其他任何形式中以另一种形式实现它。不要忘记缓存。

我还没有测试序列化,但我怀疑有一百万个类的改进。我会尝试一些快速的 protobuf/newton。

PS:为了阅读简单,我这里只使用了auto-property。我可以使用 FieldInfo 进行更新,或者您应该自己轻松实现。

我最近使用开箱即用的 DeepClone 功能测试了Protocol Buffers序列化程序。在一百万个简单对象上它以 4.2 秒获胜,但对于内部对象,它以 7.4 秒的结果获胜。

Serializer.DeepClone(personList);

摘要:如果您无权访问这些课程,那么这将有所帮助。否则,它取决于对象的数量。我认为您最多可以使用反射 10,000 个对象(可能会少一点),但除此之外,Protocol Buffers 序列化程序的性能会更好。

于 2015-12-18T23:56:44.743 回答
0

有一种使用 JSON 序列化器和反序列化器在 C# 中克隆对象的简单方法。

您可以创建一个扩展类:

using Newtonsoft.Json;

static class typeExtensions
{
    [Extension()]
    public static T jsonCloneObject<T>(T source)
    {
    string json = JsonConvert.SerializeObject(source);
    return JsonConvert.DeserializeObject<T>(json);
    }
}

克隆和对象:

obj clonedObj = originalObj.jsonCloneObject;
于 2017-01-20T08:43:49.353 回答
0

对于深度克隆,我使用反射如下:

public List<T> CloneList<T>(IEnumerable<T> listToClone) {
    Type listType = listToClone.GetType();
    Type elementType = listType.GetGenericArguments()[0];
    List<T> listCopy = new List<T>();
    foreach (T item in listToClone) {
        object itemCopy = Activator.CreateInstance(elementType);
        foreach (PropertyInfo property in elementType.GetProperties()) {
            elementType.GetProperty(property.Name).SetValue(itemCopy, property.GetValue(item));
        }
        listCopy.Add((T)itemCopy);
    }
    return listCopy;
}

您可以交替使用 List 或 IEnumerable。

于 2020-12-30T17:55:08.617 回答