在编译时可能并不总是知道对象的类型,但可能需要创建该类型的实例。

如何从类型中获得一个新的对象实例?


当前回答

答案已经给出了:

ObjectType instance = (ObjectType)Activator.CreateInstance(objectType);

然而,Activator类有一个无参数构造函数的泛型变体,通过使强制转换变得不必要,并且不需要传递对象的运行时类型,使其更具可读性:

ObjectType instance = Activator.CreateInstance<ObjectType>();

其他回答

根系统名称空间中的Activator类非常强大。

有很多重载用于将参数传递给构造函数等。请在以下地址查看文档:

http://msdn.microsoft.com/en-us/library/system.activator.createinstance.aspx

或者(新路径)

https://learn.microsoft.com/en-us/dotnet/api/system.activator.createinstance

这里有一些简单的例子:

ObjectType instance = (ObjectType)Activator.CreateInstance(objectType);

ObjectType instance = (ObjectType)Activator.CreateInstance("MyAssembly","MyNamespace.ObjectType");

如果这是为了在应用程序实例中经常调用的东西,那么编译和缓存动态代码要比使用activator或ConstructorInfo.Invoke()快得多。动态编译的两个简单选项是编译后的Linq表达式或一些简单的IL操作码和DynamicMethod。无论哪种方式,当您开始陷入紧张的循环或多个呼叫时,差异都是巨大的。

如果要使用默认构造函数,则解决方案使用System。前面介绍的活化剂可能是最方便的。但是,如果该类型缺少默认构造函数,或者必须使用非默认构造函数,则可以使用反射或System.ComponentModel.TypeDescriptor。对于反射,只知道类型名(及其名称空间)就足够了。

使用反射的示例:

ObjectType instance = 
    (ObjectType)System.Reflection.Assembly.GetExecutingAssembly().CreateInstance(
        typeName: objectType.FulName, // string including namespace of the type
        ignoreCase: false,
        bindingAttr: BindingFlags.Default,
        binder: null,  // use default binder
        args: new object[] { args, to, constructor },
        culture: null, // use CultureInfo from current thread
        activationAttributes: null
    );

使用TypeDescriptor的示例:

ObjectType instance = 
    (ObjectType)System.ComponentModel.TypeDescriptor.CreateInstance(
        provider: null, // use standard type description provider, which uses reflection
        objectType: objectType,
        argTypes: new Type[] { types, of, args },
        args: new object[] { args, to, constructor }
    );

答案已经给出了:

ObjectType instance = (ObjectType)Activator.CreateInstance(objectType);

然而,Activator类有一个无参数构造函数的泛型变体,通过使强制转换变得不必要,并且不需要传递对象的运行时类型,使其更具可读性:

ObjectType instance = Activator.CreateInstance<ObjectType>();

不使用反射:

private T Create<T>() where T : class, new()
{
    return new T();
}