有没有办法做这样的事情?
void SomeMethod(Type generic)
{
SomeGenericMethod<generic>();
}
我需要将类型作为“普通”参数而不是泛型类型参数传递。
您可以通过反射来做到这一点:
public class foo
{
public void SomeMethod(Type type)
{
var methodInfo = this.GetType().GetMethod("SomeGenericMethod");
var method = methodInfo.MakeGenericMethod(new[] { type });
method.Invoke(this, null);
}
public void SomeGenericMethod<T>()
{
Debug.WriteLine(typeof(T).FullName);
}
}
class Program
{
static void Main(string[] args)
{
var foo = new foo();
foo.SomeMethod(typeof(string));
foo.SomeMethod(typeof(foo));
}
}
也就是说,以这种方式使用反射意味着您首先失去了使用泛型的一些好处,因此您可能希望查看其他设计替代方案。
假设您的方法是在一个名为 MyClass 的类中定义的,应该这样做:
var MyObject = new MyClass();
typeof(MyClass).GetMethod("SomeGenericMethod").MakeGenericMethod(generic).Invoke(myObject, null);
Type.GetMethod() 获取一个对象,该对象描述了在调用它的 Type 中定义的方法。该方法是泛型的,所以我们需要调用 MakeGenericMethod,并传递它的一个泛型参数。
然后我们调用该方法,传递我们想要调用该方法的对象和它所需要的任何参数。因为它不需要参数,所以我们只传递 null。