我试图找到一种方法将发布到Web服务的对象保存到由实体管理的数据库。
我没有手动复制每个属性,而是想要一种复制所有属性的方法,而不需要我做很多代码。
Ex:objectFromClient.Copy(objectToDatabase);
这样可以节省多行代码来复制每个属性。我喜欢这个问题中给出的建议代码。
Apply properties values from one object to another of the same type automatically?
然而,由于无法在实体中修改Key属性,因此无法对Entity跟踪的对象起作用。
我做了一些修改,跳过那些被标记为EntityKey的列。
我不确定这是否是正确的做法。有人可以评论吗?
using System;
using System.Data.Objects.DataClasses;
using System.Linq;
using System.Reflection;
/// <summary>
/// A static class for reflection type functions
/// </summary>
public static class Reflection
{
/// <summary>
/// Extension for 'Object' that copies the properties to a destination object.
/// </summary>
/// <param name="source">The source.</param>
/// <param name="destination">The destination.</param>
public static void CopyProperties(this object source, object destination)
{
// If any this null throw an exception
if (source == null || destination == null)
throw new Exception("Source or/and Destination Objects are null");
// Getting the Types of the objects
Type typeDest = destination.GetType();
Type typeSrc = source.GetType();
// Collect all the valid properties to map
var results = from srcProp in typeSrc.GetProperties()
let targetProperty = typeDest.GetProperty(srcProp.Name)
where srcProp.CanRead
&& targetProperty != null
&& (targetProperty.GetSetMethod(true) != null && !targetProperty.GetSetMethod(true).IsPrivate)
&& (targetProperty.GetSetMethod().Attributes & MethodAttributes.Static) == 0
&& targetProperty.PropertyType.IsAssignableFrom(srcProp.PropertyType)
&& targetProperty.GetCustomAttributes(false).Where(a => a is EdmScalarPropertyAttribute && ((EdmScalarPropertyAttribute)a).EntityKeyProperty).Count() == 0
&& srcProp.Name != "EntityKey"
select new { sourceProperty = srcProp, targetProperty = targetProperty };
//map the properties
foreach (var props in results)
{
//System.Diagnostics.Debug.WriteLine(props.targetProperty.Name);
props.targetProperty.SetValue(destination, props.sourceProperty.GetValue(source, null), null);
}
}
}
答案 0 :(得分:1)
我没有手动复制每个属性,而是想要一种复制所有属性的方法,而不需要我做很多代码。
您是否尝试使用AutoMapper?请检查此link。
AutoMapper是一个简单的小型库,用于解决一个看似复杂的问题 - 摆脱将一个对象映射到另一个对象的代码。
我到处使用它,摆脱像你必须编写的代码一样非常有用:)
答案 1 :(得分:0)
此功能会将属性从一个对象复制到另一个对象。
private static Target CopyProperties<Source, Target>(Source source, Target target)
{
foreach (var sProp in source.GetType().GetProperties())
{
bool isMatched = target.GetType().GetProperties().Any(tProp => tProp.Name == sProp.Name && tProp.GetType() == sProp.GetType() && tProp.CanWrite);
if (isMatched)
{
var value = sProp.GetValue(source);
PropertyInfo propertyInfo = target.GetType().GetProperty(sProp.Name);
propertyInfo.SetValue(target, value);
}
}
return target;
}