如何使用字符串获取静态类的实例?
示例:
class Apple : IFruit { public static Apple GetInstance() { ... } private Apple() { } // other stuff } class Banana : IFruit { public static Banana GetInstance() { ... } private Banana() { } // other stuff } // Elsewhere in the code... string fruitIWant = "Apple"; IFruit myFruitInstance = [What goes here using "fruitIWant"?].GetInstance();
答案 0 :(得分:2)
这是一个完整的例子。只需传入要加载的类型的名称以及要调用的方法的名称:
namespace Test
{
class Program
{
const string format = @"hh\:mm\:ss\,fff";
static void Main(string[] args)
{
Console.WriteLine(Invoke("Test.Apple", "GetInstance"));
Console.WriteLine(Invoke("Test.Banana", "GetInstance"));
}
public static object Invoke(string type, string method)
{
Type t = Type.GetType(type);
object o = t.InvokeMember(method, BindingFlags.InvokeMethod, null, t, new object[0]);
return o;
}
}
class Apple
{
public static Apple GetInstance() { return new Apple(); }
private Apple() { }
// other stuff
}
class Banana
{
public static Banana GetInstance() { return new Banana(); }
private Banana() { }
// other stuff
}
}
答案 1 :(得分:2)
Type appleType = Type.GetType("Apple");
MethodInfo methodInfo = appleType.GetMethod(
"GetInstance",
BindingFlags.Public | BindingFlags.Static
);
object appleInstance = methodInfo.Invoke(null, null);
请注意,在Type.GetType
中,您需要使用程序集限定名称。
答案 2 :(得分:0)
你喜欢这样:
string fruitIWant = "ApplicationName.Apple";
IFruit a = Type.GetType(fruitIWant).GetMethod("GetInstance").Invoke(null, null) as IFruit;
对于ApplicationName
,您可以替换声明类的名称空间。
(经过测试和工作。)
答案 3 :(得分:-1)
好的,可能是我收到了你的问题。 伪代码
修改强>
foreach (var type in System.Reflection.Assembly.GetExecutingAssembly().GetTypes())
{
if (type.Name.Equals("MyClass"))
{
MethodInfo mi = type.GetMethod("GetInstance", BindingFlags.Static);
object o = mi.Invoke(t, null);
break;
}
}
应该工作..
答案 4 :(得分:-1)
虽然其他人给你你所要求的,但这可能是你想要的:
IFriut GetFruit(string fruitName)
{
switch(fruitName)
{
case "Apple":
return Apple.GetInstance();
case "Banana":
return Banana.GetInstance();
default:
throw new ArgumentOutOfRangeException();
}
}