c# – 使用Reflection.Emit实例化具有通用参数的通用类型
作者:互联网
我的目标是使用反射发射来构造泛型类型,其中包含创建的泛型方法的泛型参数
所以创建的泛型方法的最终结果类似于
void DoSomeThing<T>(T arg){
var list=new List<T>();
}
所以我需要的是用于发出这段代码的代码
new List<T>
这是我的尝试
var _assemblyName = "asm.dll";
var _assemblyBuilder = AppDomain.CurrentDomain.DefineDynamicAssembly(new AssemblyName(_assemblyName), System.Reflection.Emit.AssemblyBuilderAccess.RunAndSave);
// ApplyReflectionPermission(asm);
var _moduleBuilder = _assemblyBuilder.DefineDynamicModule("module", _assemblyName, true);
var type = _moduleBuilder.DefineType("type");
var method = type.DefineMethod("DoSomeThing", MethodAttributes.Public | MethodAttributes.Static);
var genericPrms = method.DefineGenericParameters("T");
method.SetParameters(genericPrms);
method.SetReturnType(typeof(void));
var il = method.GetILGenerator();
var listType = typeof(List<>);
var list_of_T = listType.MakeGenericType(genericPrms);
il.DeclareLocal(list_of_T);
var c = list_of_T.GetConstructor(new Type[0]);
il.Emit(OpCodes.Newobj, c);
il.Emit(OpCodes.Stloc, 0);
il.Emit(OpCodes.Ret);
type.CreateType();
_assemblyBuilder.Save(_assemblyName);
这行代码中有例外
var c = list_of_T.GetConstructor(new Type[0]);
它是由这行代码引起的
var list_of_T = listType.MakeGenericType(genericPrms);
例外是
System.NotSupportedException: Specified method is not supported.
at System.Reflection.Emit.TypeBuilderInstantiation.GetConstructorImpl(BindingFlags bindingAttr, Binder binder, CallingConventions callConvention, Type[] types, ParameterModifier[] modifiers)
at System.Type.GetConstructor(BindingFlags bindingAttr, Binder binder, Type[] types, ParameterModifier[] modifiers)
at System.Type.GetConstructor(Type[] types)
并且通过挖掘(MakeGenericType)方法,如果任何参数类型不是(RuntimeType),它将返回TypeBuilderInstantiation的新实例
类型TypeBuilderInstantiation只是抽象类型’TypeInfo’的空实现[whis是一个抽象的impl.类型’Type’],其所有方法抛出不支持异常
我的目标不是创建一个返回新List的方法,它比这更复杂,但我的障碍与这样做是一样的.
thanx帮助.
解决方法:
是的,这绝对是一个诀窍.实际上,您无法在TypeBuilderInstantiation上调用任何方法.相反,TypeBuilder将允许您获取依赖类型的构造函数.
The
GetConstructor
method provides a way to get aConstructorInfo
object that represents a constructor of a constructed generic type whose generic type definition is represented by aTypeBuilder
object.
https://msdn.microsoft.com/en-us/library/ms145822(v=vs.110).aspx
您首先需要通用的ConstructorInfo,以通常的方式从typeof(List<>)获得…
var listDefaultConstructor = listType.GetConstructor(new Type[0]);
然后将其实例化为您的特定通用实现:
var c = TypeBuilder.GetConstructor(list_of_T, listDefaultConstructor);
每当您想要在表示未构造/依赖类型的Type实例上调用方法时,请在Reflection.Emit层次结构中查找具有相同名称的方法.
除此之外,这种传递MethodInfo通用版本的设计模式允许您区分对重载Class< T = int> .Foo(T)和Class< T = int> .Foo(int)的调用.
标签:c,reflection-emit,generics 来源: https://codeday.me/bug/20190611/1218687.html