omu.valueinjecter глубокий клон в отличие от типов
Я думаю, что я упускаю простую концепцию с valueinjecter и / или AutoMapper, но как вы глубоко клонируете родительский dto.Entity в biz.Entity и включаете всех потомков?
Например, biz.person.InjectFrom(dto.person)
, Я хочу, чтобы коллекция dto.person.AddressList копировалась в коллекцию biz.person.AddressList, даже если dto.Address
а также biz.Address
отличаются от типов, но имеют одинаковые имена свойств.
Я думаю, что если имена свойств Родителя пишутся одинаково, например AddressList, то не имеет значения, если бы 2 базовых объекта были разных типов. Он по-прежнему будет копировать простые типы с такими же именами, как int, string и т. Д.
благодарю вас
2 ответа
У меня была такая же проблема, когда массивы / списки в объектах имеют одинаковые имена, но разные типы (то есть свойство с именем Animals типа ORMAnimals[], сопоставленное со свойством с именем Animals типа Animals[]).
С некоторыми незначительными изменениями в примере кода, который Чак Норрис сделал на странице глубокого клонирования, я получил его в своем тестовом коде:
public class CloneInjection : ConventionInjection
{
protected override bool Match(ConventionInfo c)
{
return c.SourceProp.Name == c.TargetProp.Name && c.SourceProp.Value != null;
}
protected override object SetValue(ConventionInfo c)
{
//for value types and string just return the value as is
if (c.SourceProp.Type.IsValueType || c.SourceProp.Type == typeof(string)
|| c.TargetProp.Type.IsValueType || c.TargetProp.Type == typeof(string))
return c.SourceProp.Value;
//handle arrays
if (c.SourceProp.Type.IsArray)
{
var arr = c.SourceProp.Value as Array;
var clone = Activator.CreateInstance(c.TargetProp.Type, arr.Length) as Array;
for (int index = 0; index < arr.Length; index++)
{
var a = arr.GetValue(index);
if (a.GetType().IsValueType || a.GetType() == typeof(string)) continue;
clone.SetValue(Activator.CreateInstance(c.TargetProp.Type.GetElementType()).InjectFrom<CloneInjection>(a), index);
}
return clone;
}
if (c.SourceProp.Type.IsGenericType)
{
//handle IEnumerable<> also ICollection<> IList<> List<>
if (c.SourceProp.Type.GetGenericTypeDefinition().GetInterfaces().Contains(typeof(IEnumerable)))
{
var t = c.TargetProp.Type.GetGenericArguments()[0];
if (t.IsValueType || t == typeof(string)) return c.SourceProp.Value;
var tlist = typeof(List<>).MakeGenericType(t);
var list = Activator.CreateInstance(tlist);
var addMethod = tlist.GetMethod("Add");
foreach (var o in c.SourceProp.Value as IEnumerable)
{
var e = Activator.CreateInstance(t).InjectFrom<CloneInjection>(o);
addMethod.Invoke(list, new[] { e }); // in 4.0 you can use dynamic and just do list.Add(e);
}
return list;
}
//unhandled generic type, you could also return null or throw
return c.SourceProp.Value;
}
//for simple object types create a new instace and apply the clone injection on it
return Activator.CreateInstance(c.TargetProp.Type)
.InjectFrom<CloneInjection>(c.SourceProp.Value);
}
}
У меня была эта проблема, даже при использовании CloneInjection не работало копирование свойств с одинаковыми именами и разными типами. Поэтому я изменил несколько вещей в CloneInjection (я использую ValueInjecter версии 3.1.3).
public class CloneInjection : LoopInjection
{
protected override void Execute(PropertyInfo sp, object source, object target)
{
var tp = target.GetType().GetProperty(sp.Name);
if (tp == null) return;
var val = sp.GetValue(source);
if (val == null) return;
tp.SetValue(target, GetClone(sp, tp, val));
}
private static object GetClone(PropertyInfo sp, PropertyInfo tp, object val)
{
if (sp.PropertyType.IsValueType || sp.PropertyType == typeof(string))
{
return val;
}
if (sp.PropertyType.IsArray)
{
var arr = val as Array;
var arrClone = arr.Clone() as Array;
for (int index = 0; index < arr.Length; index++)
{
var a = arr.GetValue(index);
if (a.GetType().IsValueType || a is string) continue;
arrClone.SetValue(Activator.CreateInstance(a.GetType()).InjectFrom<CloneInjection>(a), index);
}
return arrClone;
}
if (sp.PropertyType.IsGenericType)
{
//handle IEnumerable<> also ICollection<> IList<> List<>
if (sp.PropertyType.GetGenericTypeDefinition().GetInterfaces().Contains(typeof(IEnumerable)))
{
var genericType = tp.PropertyType.GetGenericArguments()[0];
var listType = typeof(List<>).MakeGenericType(genericType);
var list = Activator.CreateInstance(listType);
var addMethod = listType.GetMethod("Add");
foreach (var o in val as IEnumerable)
{
var listItem = genericType.IsValueType || genericType == typeof(string) ? o : Activator.CreateInstance(genericType).InjectFrom<CloneInjection>(o);
addMethod.Invoke(list, new[] { listItem });
}
return list;
}
//unhandled generic type, you could also return null or throw
return val;
}
return Activator.CreateInstance(tp.PropertyType)
.InjectFrom<CloneInjection>(val);
}
}
Я использовал так:
var entityDto = new EntityDto().InjectFrom<CloneInjection>(sourceEntity);
Я надеюсь, что это помогает!