假设我有以下课程
public class Animal { .... }
public class Duck : Animal { ... }
public class Cow : Animal { ... }
public class Creator
{
public List<T> CreateAnimals<T>(int numAnimals)
{
Type type = typeof(T);
List<T> returnList = new List<T>();
//Use reflection to populate list and return
}
}
现在在一些代码中,我想读一下要创建的动物。
Creator creator = new Creator();
string animalType = //read from a file what animal (duck, cow) to create
Type type = Type.GetType(animalType);
List<animalType> animals = creator.CreateAnimals<type>(5);
现在问题是最后一行无效。那么有一些优雅的方法吗?
答案 0 :(得分:61)
我不知道优雅,但做到这一点的方法是:
typeof(Creator)
.GetMethod("CreateAnimals")
.MakeGenericMethod(type)
.Invoke(creator, new object[] { 5 });
答案 1 :(得分:26)
不是真的。基本上你需要使用反射。泛型实际上是针对静态类型而不是仅在执行时已知的类型。
要使用反射,您可以使用Type.GetMethod
来获取方法定义,然后调用MethodInfo.MakeGenericMethod(type)
,然后像任何其他方法一样调用它。
答案 2 :(得分:4)
试试这个:
public List<T> CreateAnimals<T>(int numAnimals) where T : Animal
{
Type type = typeof(T);
List<T> returnList = new List<T>();
//Use reflection to populate list and return
}
应该确保CreateAnimals的允许类型继承自Animal。然后希望List<animalType> animals = creator.CreateAnimals<type>(5);
答案 3 :(得分:2)
这方面的关键是MakeGenericType()和MakeGenericMethod()。一旦你对这些类型动态变化,你就无法真正回到静态类型。你可以做的是动态创建列表,使用Activator.CreateInstance(typeof(List<>).MakeGenericType(type))
,然后使用类似的反射方法动态调用泛型方法。
答案 4 :(得分:0)
List<animalType> animals =
creator.CreateAnimals<type>(5);
在您的示例的上一行中,animalType
和type
是运行时变量,而不是类型,因此这当然是无稽之谈。如果您在编译时知道类型,那么通用版本才有意义,例如:
List<Animal> animals =
creator.CreateAnimals<Cow>(5);
您必须相应地约束类型。如果不知道类型,你必须完全依赖反射......