我想用C#做到这一点,但是我不知道怎么做:
我有一个带有类名-eg:的字符串,FooClass
并且我想在该类上调用一个(静态)方法:
FooClass.MyMethod();
显然,我需要通过反射找到对该类的引用,但是如何呢?
Answers:
您将要使用该Type.GetType
方法。
这是一个非常简单的示例:
using System;
using System.Reflection;
class Program
{
static void Main()
{
Type t = Type.GetType("Foo");
MethodInfo method
= t.GetMethod("Bar", BindingFlags.Static | BindingFlags.Public);
method.Invoke(null, null);
}
}
class Foo
{
public static void Bar()
{
Console.WriteLine("Bar");
}
}
我说简单是因为用这种方法很容易找到同一程序集内部的类型。请参阅乔恩的答案,以获取有关您需要了解的更详尽的解释。检索类型后,我的示例将向您展示如何调用该方法。
您可以使用Type.GetType(string)
,但是您需要知道完整的类名称,包括名称空间,如果它不在当前程序集或mscorlib中,则需要使用程序集名称。(理想情况下,请Assembly.GetType(typeName)
改用-在正确找到程序集引用方面,我发现这更容易!)
例如:
// "I know String is in the same assembly as Int32..."
Type stringType = typeof(int).Assembly.GetType("System.String");
// "It's in the current assembly"
Type myType = Type.GetType("MyNamespace.MyType");
// "It's in System.Windows.Forms.dll..."
Type formType = Type.GetType ("System.Windows.Forms.Form, " +
"System.Windows.Forms, Version=2.0.0.0, Culture=neutral, " +
"PublicKeyToken=b77a5c561934e089");
回复的时间有点晚,但这应该可以解决问题
Type myType = Type.GetType("AssemblyQualifiedName");
您的程序集合格名称应如下所示
"Boom.Bam.Class, Boom.Bam, Version=1.0.0.262, Culture=neutral, PublicKeyToken=e16dba1a3c4385bd"
我们可以用
Type.GetType()
获取类名,也可以使用创建它的对象 Activator.CreateInstance(type);
using System;
using System.Reflection;
namespace MyApplication
{
class Application
{
static void Main()
{
Type type = Type.GetType("MyApplication.Action");
if (type == null)
{
throw new Exception("Type not found.");
}
var instance = Activator.CreateInstance(type);
//or
var newClass = System.Reflection.Assembly.GetAssembly(type).CreateInstance("MyApplication.Action");
}
}
public class Action
{
public string key { get; set; }
public string Value { get; set; }
}
}