假设我有基类FooParent
,它有很多FooChildren
。在运行时,我必须创建一个FooChildren
的实例。我该怎么做?我意识到我可以创建一个巨大的地图(并使用委托)或一个巨大的switch/case
声明,但这似乎有点草率。在像PHP这样的东西中,我可以像这样动态地创建一个类:
$className="FooClass";
$myNewFooClass=new $className; //makes a new instance of FooClass
(你也可以使用反射来做到这一点。)
.NET有这样的东西吗?反思是一种选择,它是否有任何性能损失?如果没有,我还有其他选择吗?
类的类型将由JSON请求确定。变量可以是我想要的任何东西。如果我想要枚举,它可以是整数,或者它可以是完整的类名。我还没创造它所以我还没有决定。
答案 0 :(得分:8)
如果你真的想要,你可以用反射来做,但会有性能损失。它们是否重要将取决于您的具体情况。
根据您的具体要求,我可能会根据您的建议选择切换/案例陈述或地图。特别是,如果你需要根据你正在构造的类型将不同的参数传递给不同的构造函数,这将是有用的 - 通过反射做这件事会有点痛苦,因为你已经特殊 - 包装了不同的类型。
public FooParent CreateFoo(string name)
{
if (name == null)
{
throw new ArgumentNullException("name");
}
string fullName = "Some.NameSpace." + name;
// This is assuming that the type will be in the same assembly
// as the call. If that's not the case, we can look at that later.
Type type = Type.GetType(fullName);
if (type == null)
{
throw new ArgumentException("No such type: " + type);
}
if (!typeof(FooParent).IsAssignableFrom(type))
{
throw new ArgumentException("Type " + type +
" is not compatible with FooParent.");
}
return (FooParent) Activator.CreateInstance(type);
}
您在哪里确定要使用的名称?如果它在某个地方传递,那么当重新格式化一点时,switch语句可以非常简单:
public FooParent CreateFoo(string name)
{
switch (name)
{
case "Foo1": return new Foo1();
case "Foo2": return new Foo2();
case "Foo3": return new Foo3();
case "Foo4": return new Foo4();
case "FooChild1": return new FooChild1();
default:
throw new ArgumentException("Unknown Foo class: " + name);
}
}
请注意,刚写完之后我不确定它比使用Type.GetType(name)
然后Activator.CreateInstance(type)
有任何真正的好处(性能除外)。
调用者如何知道要传入的类名?这绝对是动态的吗?你有没有机会使用泛型?你能告诉我们的情况越多,我们就越有帮助。
答案 1 :(得分:3)
只要您的所有FooChildren都具有无参数构造函数,您就可以使用反射进行此操作。
Activator.CreateInstance<FooChildType>();
如果您实际上没有对该类型的引用,并且您拥有的只是具有该类名称的字符串,则可以执行以下操作:
Activator.CreateInstance("FooChildClassName", "Fully.Qualified.AssemblyName");
对于反射存在性能损失,但如果这对您来说是最简单的解决方案,并且您的性能可以接受,我就不会对此感到困惑。
答案 2 :(得分:2)
yourvar = Activator.CreateInstance(Type.GetType("foo.bar.Baz"));
答案 3 :(得分:0)
如果您关心表现,还有另一种选择。使用
Type yourType = Type.GetType("FooClass");
获取课程类型。现在你可以使用
ConstructorInfo ctor = yourType.GetConstructor(new Type[0]);
获取构造函数的构造函数信息。如果您不想使用默认构造函数,请传递要传递给构造函数的类型数组。现在你可以像这样使用构造函数:
object instanceOfFooClass = ctor.Invoke(new object[0]);
前两步必须只执行一次。您可以保存“ctor”以供进一步使用。这应该比调用Activator.CreateInstance更快。