3

我有以下课程:

public partial class AuthorizationSetObject
{
   public AuthorizationObjectList AuthorizationObjects { get; set; }
}

public partial class AuthorizationObject
{
   public string Text { get; set; }
}

public partial class AuthorizationObjectList : List<AuthorizationObject>
{
}

我现在需要 AuthorizationSetObject 的深层副本。我怎样才能做到这一点?

我试过这样:

public static bool CopyProperties(object source, object target)
{
    var customerType = target.GetType();
    foreach (var prop in source.GetType().GetProperties())
    {
        var propGetter = prop.GetGetMethod();
        if (propGetter != null)
        {
            PropertyInfo pi = customerType.GetProperty(prop.Name);
            if (pi != null)
                {
                var propSetter = pi.GetSetMethod();
                if (propSetter != null)
                {
                    var valueToSet = propGetter.Invoke(source, null);
                    propSetter.Invoke(target, new[] { valueToSet });
                }
            }
        }
    }
    return true;
}

问题是 AuthorizationObjectList 不是真正的深拷贝。如果我在深层复制之后更改目标中的属性“文本”,则源中的“文本”会很好地更改。

可能我需要一个像“pi.PropertyType.BaseType.IsGenericType”这样的实现,然后做其他事情......但是什么?

有人有想法吗?

4

1 回答 1

0

对您的问题发表的评论都指向正确的方向。问题是,在这条线上

propSetter.Invoke(target, new[] { valueToSet });

valueToSet 是一个引用,这意味着您将对同一对象的引用添加到列表中。现在ICloneable就位。如果 valueToSet 的类型实现ICloneable你可以使用

propSetter.Invoke(target, new[] { valueToSet.Clone() });

相反,它将生成此实例的新深层副本。

于 2012-11-11T10:28:05.170 回答