好結束了,從這個問題找到我的答案: MethodInfo.Invoke performance issue
更具體的這篇文章: Making reflection fly and exploring delegates
這裏是我結束了代碼的JIST:
public class Helper
{
private IDictionary<string, Func<object, object>> PropertyGetters { get; set; }
private IDictionary<string, Action<object, object>> PropertySetters { get; set; }
public static Func<object, object> CreateGetter(PropertyInfo property)
{
if (property == null)
throw new ArgumentNullException("property");
var getter = property.GetGetMethod();
if (getter == null)
throw new ArgumentException("The specified property does not have a public accessor.");
var genericMethod = typeof(Helper).GetMethod("CreateGetterGeneric");
MethodInfo genericHelper = genericMethod.MakeGenericMethod(property.DeclaringType, property.PropertyType);
return (Func<object, object>)genericHelper.Invoke(null, new object[] { getter });
}
public static Func<object, object> CreateGetterGeneric<T, R>(MethodInfo getter) where T : class
{
Func<T, R> getterTypedDelegate = (Func<T, R>)Delegate.CreateDelegate(typeof(Func<T, R>), getter);
Func<object, object> getterDelegate = (Func<object, object>)((object instance) => getterTypedDelegate((T)instance));
return getterDelegate;
}
public static Action<object, object> CreateSetter(PropertyInfo property)
{
if (property == null)
throw new ArgumentNullException("property");
var setter = property.GetSetMethod();
if (setter == null)
throw new ArgumentException("The specified property does not have a public setter.");
var genericMethod = typeof(Helper).GetMethod("CreateSetterGeneric");
MethodInfo genericHelper = genericMethod.MakeGenericMethod(property.DeclaringType, property.PropertyType);
return (Action<object, object>)genericHelper.Invoke(null, new object[] { setter });
}
public static Action<object, object> CreateSetterGeneric<T, V>(MethodInfo setter) where T : class
{
Action<T, V> setterTypedDelegate = (Action<T, V>)Delegate.CreateDelegate(typeof(Action<T, V>), setter);
Action<object, object> setterDelegate = (Action<object, object>)((object instance, object value) => { setterTypedDelegate((T)instance, (V)value); });
return setterDelegate;
}
public Helper(Type type)
{
var Properties = type.GetProperties(BindingFlags.Public | BindingFlags.Instance)
.Where(p => p.CanRead && !p.GetIndexParameters().Any()).AsEnumerable();
PropertyGetters = Properties.ToDictionary(p => p.Name, p => CreateGetter(p));
PropertySetters = Properties.Where(p => p.GetSetMethod() != null)
.ToDictionary(p => p.Name, p => CreateSetter(p));
}
}
平均生成的代表似乎比使用反射快80%,所以我對結果感到滿意!
如何創建'Properties'?什麼時候你會得到這個異常? –
將屬性集合定義添加到包含的代碼中,當代碼在類型上執行時,我得到異常。 –
您可能需要添加以下代碼行,您會在那裏得到異常。它也將有助於理解,你將如何使用這些字典。 –