我想知道是否可以从 WCF 服务中的反射和 DTO 对象的其他体验中找出性能差异。我有下面的代码,用于使用 Linq 从 Entity 对象创建 DTO 对象。
using (dashEntities context = new dashEntities())
{
result = context.GetAlerts().Select(m => new AlertItemDTO()
{
}).ToList();
另一位程序员在构建 WCF 服务时编写了一个通用方法,使用反射进行相同的转换:
private object TransferEntityToDTO(object dto, object entity)
{
Type entityType = entity.GetType();
// Use reflection to get all properties
foreach (PropertyInfo propertyInfo in entityType.GetProperties())
{
if (propertyInfo.CanRead)
{
List<PropertyInfo> dtoProperties = dto.GetType().GetProperties().ToList();
foreach (PropertyInfo dtoProperty in dtoProperties)
{
if (dtoProperty.Name == propertyInfo.Name)
{
object value = propertyInfo.GetValue(entity, null);
if (value != null && value.ToString() != "" && value.ToString() != "1/1/0001 12:00:00 AM")
{
// This section gets the type of of the property and casts
// to it during runtime then sets it to the corresponding
// dto value:
// Get current class type
Type currentClassType = this.GetType();
//Get type of property in entity object
Type propertyType = Type.GetType(propertyInfo.PropertyType.FullName);
// Get the Cast<T> method and define the type
MethodInfo castMethod = currentClassType.GetMethod("Cast").MakeGenericMethod(propertyType);
// Invoke the method giving value its true type
object castedObject = castMethod.Invoke(null, new object[] { value });
dtoProperty.SetValue(dto, value, null);
}
break;
}
}
}
}
return dto;
}
/// <summary>
/// Used in TransferEntityToDTO to dynamically cast objects to
/// their correct types.
/// </summary>
/// <typeparam name="T">Type to cast object to</typeparam>
/// <param name="o">Object to be casted</param>
/// <returns>Object casted to correct type</returns>
public static T Cast<T>(object o)
{
return (T)o;
}
显然,第二种技术更难阅读,也更冗长,但它更通用,可以用于多种服务。
我的问题是,使其通用化的能力是否超过了使用反射对性能的影响,如果不是,为什么?我发现了很多令人困惑的文章和答案,说明是什么让反射变得昂贵。我假设部分原因是因为它需要在不知道的情况下寻找它需要的对象,有点像当你知道你会得到的异常时对所有事情使用通用异常。
有人可以帮我解释一下吗。谢谢