8

使用反射,我试图从这样的无参数构造函数创建一个委托:

Delegate del = GetMethodInfo( () => System.Activator.CreateInstance( type ) ).CreateDelegate( delType );

static MethodInfo GetMethodInfo( Expression<Func<object>> func )
{
    return ((MethodCallExpression)func.Body).Method;
}

但我得到了这个异常:“无法绑定到目标方法,因为它的签名或安全透明度与委托类型的不兼容。” 什么会起作用?

请注意,至少对于此配置文件,自上一版本的 .NET 以来,已移动CreateDelegate 。现在它在 MethodInfo 上。

4

3 回答 3

14

正如 phoog 指出的那样,构造函数不会“返回”值。加上你得到关于它的信息,ConstructorInfo而不是MethodInfo;这意味着您不能直接围绕它创建委托。您必须创建调用构造函数并返回值的代码。例如:

var ctor = type.GetConstructor(Type.EmptyTypes);
if (ctor == null) throw new MissingMethodException("There is no constructor without defined parameters for this object");
DynamicMethod dynamic = new DynamicMethod(string.Empty,
            type,
            Type.EmptyTypes,
            type);
ILGenerator il = dynamic.GetILGenerator();

il.DeclareLocal(type);
il.Emit(OpCodes.Newobj, ctor);
il.Emit(OpCodes.Stloc_0);
il.Emit(OpCodes.Ldloc_0);
il.Emit(OpCodes.Ret);

var func = (Func<object>)dynamic.CreateDelegate(typeof(Func<object>));

当然,如果你在编译时不知道类型,那么你只能处理Object......

于 2012-05-15T03:32:21.273 回答
7

试试看:

Dictionary<Type, Delegate> cache = new Dictionary<Type, Delegate>();
public T Create<T>()
{
    if (!cache.TryGetValue(typeof(T), out var d))
        d = cache[typeof(T)]
            = Expression.Lambda<Func<T>>(
                Expression.New(typeof(T)),
                Array.Empty<ParameterExpression>())
            .Compile();
    return ((Func<T>)d)();
}

反射很慢!速度测试在这里(俄语):https ://ru.stackoverflow.com/a/860921/218063

于 2018-07-27T06:57:23.183 回答
3

拥有一个指向构造函数的委托并不是很有用,因为构造函数没有返回值。委托将构造一个对象,但无法保留对它的引用。

您当然可以创建返回新构造的对象的委托:

Func<object> theDelegate = () => new object();

Invoke()您还可以从构造函数的方法创建一个委托ConstructorInfo

对于其他类型的对象:

Func<string> theDelegate = () => new string('w', 3);
Func<SomeClassInMyProject> theDelegate = () => new SomeClassInMyProject();

最后一行假设有一个可访问的无参数构造函数。

更新CreateDelegate()

T CallConstructor<T>() where T : new() { return new T(); }
Delegate MakeTheDelegate(Type t)
{
    MethodInfo generic = //use your favorite technique to get the MethodInfo for the CallConstructor method
    MethodInfo constructed = generic.MakeGenericMethod(t);
    Type delType = typeof(Func<>).MakeGenericType(t);
    return constructed.CreateDelegate(delType);
}
于 2012-05-15T03:24:40.987 回答