As mentioned in comments above, make a code sample for the 2 methods you want to compare.
But there's more to it;
if you write clone methods for every class, that's a lot of repetitive code with a higher chance of creating bugs.
If you use JSON serialization/deserialization however, you can make a generic extension method that will work for any object.
Implementation from another SO answer (code copied from answer):
/// <summary>
/// Perform a deep Copy of the object, using Json as a serialisation method. NOTE: Private members are not cloned using this method.
/// </summary>
/// <typeparam name="T">The type of object being copied.</typeparam>
/// <param name="source">The object instance to copy.</param>
/// <returns>The copied object.</returns>
public static T CloneJson<T>(this T source)
{
// Don't serialize a null object, simply return the default for that object
if (Object.ReferenceEquals(source, null))
{
return default(T);
}
// initialize inner objects individually
// for example in default constructor some list property initialized with some values,
// but in 'source' these items are cleaned -
// without ObjectCreationHandling.Replace default constructor values will be added to result
var deserializeSettings = new JsonSerializerSettings { ObjectCreationHandling = ObjectCreationHandling.Replace };
return JsonConvert.DeserializeObject<T>(JsonConvert.SerializeObject(source), deserializeSettings);
}
To make this work with copying properties of an object that are interfaces, you have to add TypeNameHandling = TypeNameHandling.Auto
to the JsonSerializerSettings for both serialization and deserialization (taken from this SO answer)