我有一个给定委托Type
参数(不是通用)的方法,它返回它创建的实现签名的Delegate
。它在内部使用表达式树创建动态方法。委托类型必须是这种形式Func<SomeParam,IamDerivedObject>
,一个func,其中IamDerivedObject是IamDerivedObject的继承者。该方法使用类型信息来确定实例中的哪个对象,因此简单地使用接口进行创建将是灾难性的。调用是从一个返回IamDerivedObject
的静态方法完成的。
在.NET 4代码中,我可以这样做::
var myDelegate = MakeMethod(typeArgument) as Func<SomeParam,IamDerivedObject>
在.Net 3.5中,这不起作用。而且我不得不知道调用invoke方法的类型,或使用另一个表达式生成的委托来调用它并缓存该委托。这意味着运行时生成的代码更多 不幸的是,我不能使用.NET 4代码,因为它当前的程序集必须是.NET 3.5代码,因为它依赖于在4.0中不起作用的第三方dll。
答案 0 :(得分:0)
我想出了一种方法,但它基本上需要一些反思魔法来解决它。
/// <summary>
/// Converts the delegate to <see cref="TDelegate"/>, provided the types are compatible. Can use
/// variance of delegate typing in .NET 4 for a speedy conversion. Otherwise, uses Delegate.CreateDelegate
/// to create a new delegate with the appropriate signature.
/// </summary>
/// <typeparam name="TDelegate">The target delegate type.</typeparam>
/// <param name="delegate">The @delegate.</param>
/// <returns></returns>
public static TDelegate ConvertDelegate<TDelegate>(Delegate @delegate) where TDelegate : class
{
ArgumentValidator.AssertIsNotNull(() => @delegate);
var targetType = typeof(TDelegate);
ArgumentValidator.AssertIsDelegateType(() => targetType);
var currentType = @delegate.GetType();
if (targetType.IsAssignableFrom(currentType))
{
return @delegate as TDelegate; // let's skip as much of this as we can.
}
var currentMethod = currentType.GetMethod("Invoke");
var targetMethod = targetType.GetMethod("Invoke");
if (!AreDelegateInvokeMethodsCompatible(currentMethod, targetMethod, true))
{
throw new ArgumentException(string.Format("{0} is incompatible with {1}.", currentType, targetType), ExpressionHelper.GetMemberName(() => @delegate));
}
var invocationList = @delegate.GetInvocationList();
return DelegateHelper.Combine(@delegate.GetInvocationList()
.Select(d => IsMethodRunTimeGenerated(d.Method) ?
GetDynamicMethodFromMethodInfo(d.Method).CreateDelegate<TDelegate>(d.Target) :
DelegateHelper.CreateDelegate<TDelegate>(d.Target, d.Method)).ToArray());
}
#region Private Static Variables
private static Type s_RTDynamicMethodType = Type.GetType("System.Reflection.Emit.DynamicMethod+RTDynamicMethod",false,true);
private static Func<MethodInfo, DynamicMethod> s_GetDynamicMethodDelegate = CreateGetDynamicMethodDelegate();
#endregion Private Static Variables
private static Func<MethodInfo, DynamicMethod> CreateGetDynamicMethodDelegate()
{
var param = Expression.Parameter(
typeof(MethodInfo),
typeof(MethodInfo).Name
);
var expression = Expression.Lambda<Func<MethodInfo, DynamicMethod>>(
Expression.Field(
Expression.Convert(
param,
s_RTDynamicMethodType
),
s_RTDynamicMethodType.GetField("m_owner", BindingFlags.NonPublic | BindingFlags.Instance)
),
param
);
return expression.Compile();
}
除非其他人真的想要,否则我不会放弃我的委托课程。但重点是它是可能的,而且实际上非常快。转换通常小于1毫秒,几乎没有接近瞬时的方法组转换速度快,但你知道那些东西。