如何仅通过知道类型来实例化 class 的 属性

How can I instantiate a property of a class by knowing just the type

我有一个 class 包含其他几个 classes 作为属性。最初,none 个属性被实例化。我想通过在 Load 函数中传递 属性 本身来实例化单个 属性。

public class MyMainClass
{
    public ClassA A { get; set; }
    public ClassB B { get; set; }
    public ClassC C { get; set; }
    // ...
    // ...
    // Many more. All these classes are inherited from Class0

    public void Load(Class0 UnknownClass)
    {
        if ((UnknownClass) is ClassA) A = new ClassA();    
        if ((UnknownClass) is ClassB) B = new ClassB();    
        if ((UnknownClass) is ClassC) C = new ClassC();
        //  and so on... This should to be done in a loop 
    }
}

public void Main()
{
    MyMainClass MyObj = new MyMainClass();
    MyObj.Load(MyObj.ClassA);  // This should instantiate MyObj.ClassA
    MyObj.ClassA.SomeMethod();
}

Class0ClassAClassB 等的基础 class。

这很好用。 但我不想为每个 class 写一大堆比较。 我需要遍历属性,找到匹配类型 并实例化它。我可能需要使用 system.reflection,但不确定如何...

还有其他类似的答案,但每个答案都根据传递的类型实例化一个新对象。我需要实例化 class 的 属性。

好吧,结合其他几个答案我终于想通了:

public void Load<T>() where T : new()
{
    object lObj = Activator.CreateInstance(typeof(T));  // instantiate a new object of type passed

    // Loop through properties and assign object to the property that matches its type
    System.Reflection.PropertyInfo[] lProps = typeof(MyMainClass).GetProperties();
    foreach (System.Reflection.PropertyInfo lProp in lProps)
    {
        if ((typeof(T).ToString() == lProp.PropertyType.Name)) lProp.SetValue(this, lObj);
    }
}