Search code examples
c#deep-copy

Deep Copy of a C# Object


I am working on some code that is written in C#. In this app, I have a custom collection defined as follows:

public class ResultList<T> : IEnumerable<T>
{
  public List<T> Results { get; set; }
  public decimal CenterLatitude { get; set; }
  public decimal CenterLongitude { get; set; }
}

The type used by Results are one of three custom types. The properties of each of the custom types are just primitive types (ints, strings, bools, int?, bool?). Here is an example of one of the custom types:

public class ResultItem
{
  public int ID { get; set; }
  public string Name { get; set; }
  public bool? isLegit { get; set; }
}

How do I perform a deep copy of a ResultList object that I've created. I found this post: Generic method to create deep copy of all elements in a collection. However, I can't figure out how to do it.


Solution

  • One of the reasons why your ResultList class won't work with Jon Skeet's example is because it does not implement the ICloneable interface.

    Implement ICloneable on all the classes that you need cloned, e.g.

    public class ResultItem : ICloneable
    {
      public object Clone()
      {
        var item = new ResultItem
                     {
                       ID = ID,
                       Name = Name,
                       isLegit = isLegit
                     };
        return item;
      }
    }
    

    And also on ResultList:

    public class ResultList<T> : IEnumerable<T>, ICloneable where T : ICloneable
    {
      public List<T> Results { get; set; }
      public decimal CenterLatitude { get; set; }
      public decimal CenterLongitude { get; set; }
    
      public object Clone()
      {
        var list = new ResultList<T>
                     {
                       CenterLatitude = CenterLatitude,
                       CenterLongitude = CenterLongitude,
                       Results = Results.Select(x => x.Clone()).Cast<T>().ToList()
                     };
        return list;
      }
    }
    

    Then to make a deep copy of your object:

    resultList.clone();