我有这些数据传输对象:
public class Report { public int Id { get; set; } public int ProjectId { get; set; } //and so on for many, many properties. }
我不想写
public bool areEqual(Report a, Report b) { if (a.Id != b.Id) return false; if (a.ProjectId != b.ProjectId) return false; //Repeat ad nauseum return true; }
有没有一种更快的方法来测试两个仅具有属性的对象是否具有相同的值(一种属性不需要每个属性一行代码或一个逻辑表达式?)
切换到结构不是一种选择。
进行一些反思,也许是Expression.Compile()为了表现?(请注意,这里的静态ctor确保我们每次仅编译一次T):
Expression.Compile()
T
using System; using System.Linq.Expressions; public class Report { public int Id { get; set; } public int ProjectId { get; set; } static void Main() { Report a = new Report { Id = 1, ProjectId = 13 }, b = new Report { Id = 1, ProjectId = 13 }, c = new Report { Id = 1, ProjectId = 12 }; Console.WriteLine(PropertyCompare.Equal(a, b)); Console.WriteLine(PropertyCompare.Equal(a, c)); } } static class PropertyCompare { public static bool Equal<T>(T x, T y) { return Cache<T>.Compare(x, y); } static class Cache<T> { internal static readonly Func<T, T, bool> Compare; static Cache() { var props = typeof(T).GetProperties(); if (props.Length == 0) { Compare = delegate { return true; }; return; } var x = Expression.Parameter(typeof(T), "x"); var y = Expression.Parameter(typeof(T), "y"); Expression body = null; for (int i = 0; i < props.Length; i++) { var propEqual = Expression.Equal( Expression.Property(x, props[i]), Expression.Property(y, props[i])); if (body == null) { body = propEqual; } else { body = Expression.AndAlso(body, propEqual); } } Compare = Expression.Lambda<Func<T, T, bool>>(body, x, y) .Compile(); } } }
编辑:更新为也处理字段:
static class MemberCompare { public static bool Equal<T>(T x, T y) { return Cache<T>.Compare(x, y); } static class Cache<T> { internal static readonly Func<T, T, bool> Compare; static Cache() { var members = typeof(T).GetProperties( BindingFlags.Instance | BindingFlags.Public) .Cast<MemberInfo>().Concat(typeof(T).GetFields( BindingFlags.Instance | BindingFlags.Public) .Cast<MemberInfo>()); var x = Expression.Parameter(typeof(T), "x"); var y = Expression.Parameter(typeof(T), "y"); Expression body = null; foreach(var member in members) { Expression memberEqual; switch (member.MemberType) { case MemberTypes.Field: memberEqual = Expression.Equal( Expression.Field(x, (FieldInfo)member), Expression.Field(y, (FieldInfo)member)); break; case MemberTypes.Property: memberEqual = Expression.Equal( Expression.Property(x, (PropertyInfo)member), Expression.Property(y, (PropertyInfo)member)); break; default: throw new NotSupportedException( member.MemberType.ToString()); } if (body == null) { body = memberEqual; } else { body = Expression.AndAlso(body, memberEqual); } } if (body == null) { Compare = delegate { return true; }; } else { Compare = Expression.Lambda<Func<T, T, bool>>(body, x, y) .Compile(); } } } }