如何在C#.NET中实现不同类型对象之间的深度复制

fkaflof6  于 2023-06-25  发布在  .NET
关注(0)|答案(9)|浏览(151)

我有一个要求,即在ObjectV1和ObjectV2之间Map所有字段值和子集合。ObjectV2与ObjectV1位于不同的名称空间中。
模板ClassV1和ClassV2之间的继承性已经被忽略了,因为这两个类需要独立发展。我已经考虑过使用反射(很慢)和二进制序列化(也很慢)来执行公共属性的Map。
是否有一个首选的方法?还有其他选择吗?

ct3nt3jp

ct3nt3jp1#

作为每次都使用反射的替代方案,您可以创建一个helper类,它使用Reflection.Emit动态创建复制方法-这意味着您只能在启动时获得性能。这可以为您提供所需的灵活性和性能的组合。
由于Reflection.Emit相当笨重,我建议检查this Reflector插件,它非常适合构建这类代码。

tzxcd3kk

tzxcd3kk2#

.NET是什么版本?

浅拷贝:

在Python 3.5中,你可以预编译一个Expression来完成这个任务。在Python 2.0中,您可以非常容易地使用HyperDescriptor来完成同样的操作。两者都将大大超过反射。
MiscUtil-PropertyCopy中有一个Expression方法的预封装实现:

DestType clone = PropertyCopy<DestType>.CopyFrom(original);

(末端浅)

BinaryFormatter(在问题中)在这里不是一个选项-它根本不起作用,因为原始类型和目标类型是不同的。如果数据是基于合约的,那么XmlSerializer或DataContractSerializer将工作**如果 * 所有合约名称都匹配,但是上面的两个(浅)选项如果可能的话会更快。
另外,如果你的类型被标记为通用序列化属性(XmlTypeDataContract),那么protobuf-net可以(在某些情况下)为你执行深度复制/更改类型:

DestType clone = Serializer.ChangeType<OriginalType, DestType>(original);

但这取决于具有非常相似模式的类型(实际上,它不使用名称,而是在属性上使用显式的“Order”等)

7vux5j2d

7vux5j2d3#

您可能想看看AutoMapper,这是一个专门用于在对象之间复制值的库。它使用约定而不是配置,所以如果属性真的具有相同的exaxt名称,它将为您完成几乎所有的工作。

vpfxa7rd

vpfxa7rd4#

下面是我构建的一个解决方案:

/// <summary>
        /// Copies the data of one object to another. The target object gets properties of the first. 
        /// Any matching properties (by name) are written to the target.
        /// </summary>
        /// <param name="source">The source object to copy from</param>
        /// <param name="target">The target object to copy to</param>
        public static void CopyObjectData(object source, object target)
        {
            CopyObjectData(source, target, String.Empty, BindingFlags.Public | BindingFlags.Instance);
        }

        /// <summary>
        /// Copies the data of one object to another. The target object gets properties of the first. 
        /// Any matching properties (by name) are written to the target.
        /// </summary>
        /// <param name="source">The source object to copy from</param>
        /// <param name="target">The target object to copy to</param>
        /// <param name="excludedProperties">A comma delimited list of properties that should not be copied</param>
        /// <param name="memberAccess">Reflection binding access</param>
        public static void CopyObjectData(object source, object target, string excludedProperties, BindingFlags memberAccess)
        {
            string[] excluded = null;
            if (!string.IsNullOrEmpty(excludedProperties))
            {
                excluded = excludedProperties.Split(new char[1] { ',' }, StringSplitOptions.RemoveEmptyEntries);
            }

            MemberInfo[] miT = target.GetType().GetMembers(memberAccess);
            foreach (MemberInfo Field in miT)
            {
                string name = Field.Name;

                // Skip over excluded properties
                if (string.IsNullOrEmpty(excludedProperties) == false
                    && excluded.Contains(name))
                {
                    continue;
                }

                if (Field.MemberType == MemberTypes.Field)
                {
                    FieldInfo sourcefield = source.GetType().GetField(name);
                    if (sourcefield == null) { continue; }

                    object SourceValue = sourcefield.GetValue(source);
                    ((FieldInfo)Field).SetValue(target, SourceValue);
                }
                else if (Field.MemberType == MemberTypes.Property)
                {
                    PropertyInfo piTarget = Field as PropertyInfo;
                    PropertyInfo sourceField = source.GetType().GetProperty(name, memberAccess);
                    if (sourceField == null) { continue; }

                    if (piTarget.CanWrite && sourceField.CanRead)
                    {
                        object targetValue = piTarget.GetValue(target, null);
                        object sourceValue = sourceField.GetValue(source, null);

                        if (sourceValue == null) { continue; }

                        if (sourceField.PropertyType.IsArray
                            && piTarget.PropertyType.IsArray
                            && sourceValue != null ) 
                        {
                            CopyArray(source, target, memberAccess, piTarget, sourceField, sourceValue);
                        }
                        else
                        {
                            CopySingleData(source, target, memberAccess, piTarget, sourceField, targetValue, sourceValue);
                        }
                    }
                }
            }
        }

        private static void CopySingleData(object source, object target, BindingFlags memberAccess, PropertyInfo piTarget, PropertyInfo sourceField, object targetValue, object sourceValue)
        {
            //instantiate target if needed
            if (targetValue == null
                && piTarget.PropertyType.IsValueType == false
                && piTarget.PropertyType != typeof(string))
            {
                if (piTarget.PropertyType.IsArray)
                {
                    targetValue = Activator.CreateInstance(piTarget.PropertyType.GetElementType());
                }
                else
                {
                    targetValue = Activator.CreateInstance(piTarget.PropertyType);
                }
            }

            if (piTarget.PropertyType.IsValueType == false
                && piTarget.PropertyType != typeof(string))
            {
                CopyObjectData(sourceValue, targetValue, "", memberAccess);
                piTarget.SetValue(target, targetValue, null);
            }
            else
            {
                if (piTarget.PropertyType.FullName == sourceField.PropertyType.FullName)
                {
                    object tempSourceValue = sourceField.GetValue(source, null);
                    piTarget.SetValue(target, tempSourceValue, null);
                }
                else
                {
                    CopyObjectData(piTarget, target, "", memberAccess);
                }
            }
        }

        private static void CopyArray(object source, object target, BindingFlags memberAccess, PropertyInfo piTarget, PropertyInfo sourceField, object sourceValue)
        {
            int sourceLength = (int)sourceValue.GetType().InvokeMember("Length", BindingFlags.GetProperty, null, sourceValue, null);
            Array targetArray = Array.CreateInstance(piTarget.PropertyType.GetElementType(), sourceLength);
            Array array = (Array)sourceField.GetValue(source, null);

            for (int i = 0; i < array.Length; i++)
            {
                object o = array.GetValue(i);
                object tempTarget = Activator.CreateInstance(piTarget.PropertyType.GetElementType());
                CopyObjectData(o, tempTarget, "", memberAccess);
                targetArray.SetValue(tempTarget, i);
            }
            piTarget.SetValue(target, targetArray, null);
        }
jtw3ybtb

jtw3ybtb5#

如果速度是一个问题,您可以将反射过程脱机,并为公共属性的Map生成代码。您可以在运行时使用轻量级代码生成来完成此操作,或者通过构建C#代码来完成编译。

pkbketx9

pkbketx96#

如果您控制目标对象的示例化,请尝试使用JavaScriptSerializer。它不输出任何类型信息。

new JavaScriptSerializer().Serialize(new NamespaceA.Person{Id = 1, Name = "A"})

退货

{Id: 1, Name: "A"}

由此,应该可以反序列化具有相同属性名的任何类。

f0ofjuux

f0ofjuux7#

如果速度是一个问题,那么应该在方法本身中实现clone方法。

ddrv8njm

ddrv8njm8#

对于深度副本,我使用了Newtonsoft和create以及通用方法,例如:

public T DeepCopy<T>(T objectToCopy)
{
    var objectSerialized = JsonConvert.SerializeObject(objectToCopy);
    return JsonConvert.DeserializeObject<T>(objectSerialized);
}

我知道这不是什么正统的解决方案,但它对我很有效。

7uzetpgm

7uzetpgm9#

/// <summary>
    /// Copies matching object's properties from different type objects i.e from source object to destination Type T object
    /// </summary>
    /// <param name="source"></param>
    /// <returns>New Type T object with copied property values</returns>
    public static T CopyPropertiesTo<T>(this object source) where T: new()
    {
        var fromProperties = source.GetType().GetProperties();
        var destination = new T();
        var toProperties = destination.GetType().GetProperties();

        foreach (var fromProperty in fromProperties)
        {
            var fromPropertyType = fromProperty.PropertyType;
            if (Nullable.GetUnderlyingType(fromPropertyType) != null)
            {
                fromPropertyType = Nullable.GetUnderlyingType(fromPropertyType);
            }
            var toProperty = toProperties.FirstOrDefault(x => x.Name.Equals(fromProperty.Name, StringComparison.OrdinalIgnoreCase));
            if (toProperty != null)
            {
                var toPropertyType = toProperty.PropertyType;
                if (Nullable.GetUnderlyingType(toPropertyType) != null)
                {
                    toPropertyType = Nullable.GetUnderlyingType(toPropertyType);
                }

                if (fromPropertyType == toPropertyType)
                {
                    toProperty.SetValue(destination, fromProperty.GetValue(source));
                }
            }
        }
        return destination;
    }

相关问题