0

我一直在使用工厂模型来创建子表单以添加到 MDI 表单。这是我一直在使用的代码:

    /// <summary>
    /// This uses the Factory Model to create the child node and then add it to the MDI Parent (this)
    /// </summary>
    /// <param name="childName">String class name of the child, i.e. RentalEase.PropertyGrid must extend Form or SingleInstance</param>
    /// <param name="singleInstance">bool If this class is to be a single instance and restricted to only on instance. Must extend SingleInstance</param>
    public void createChild(string childName, bool singleInstance) {
        if (singleInstance) {
            try {
                BaseAndSingleInstanceForm f = BaseAndSingleInstanceForm.getInstanceByType(this, Type.GetType(childName));
                    f.MdiParent = this;
                    f.Show();
                    f.BringToFront();
                    this.Refresh();
            } catch (Exception ex) {
                MessageBox.Show("Could not create child: " + ex.ToString());
            }
        } else {
            try {
                object o = Activator.CreateInstance(Type.GetType(childName));
                if (o is Form) {
                    Form f = (Form)o;
                    f.MdiParent = this;
                    f.Show();
                    f.BringToFront();
                    this.Refresh();
                } else {
                    throw new ArgumentException("Invalid Class");
                }
            } catch (Exception ex) {
                MessageBox.Show("Could not create child: " + ex.ToString());
            }
        }
    }

但是,出现了一种情况,我必须将整数参数添加到特定表单的构造函数中。我怎样才能改变它并让它反映它,同时仍然保持模式在它当前的易用性(或几乎)。

4

1 回答 1

5

您可以向方法添加一个Object[]参数,该参数表示您希望实例化的对象的构造函数的参数。然后,当您调用时,Activator.CreateInstance您可以传入该数组,并Activator尽最大努力在您指定的类型上找到与Object数组中的类型匹配的构造函数。

这是我的意思的一个非常简化的示例:

using System;

class Program
{
    static void Main()
    {
        Foo foo = (Foo)create("Foo", new Object[] { });
        Bar bar = (Bar)create("Bar", new Object[] { "hello bar" });
        Baz baz = (Baz)create("Baz", new Object[] { 2, "hello baz" });
    }

    static Object create(String typeName, Object[] parameters)
    {
        return Activator.CreateInstance(Type.GetType(typeName), parameters);
    }   
}

class Foo
{
    public Foo() { }
}

class Bar
{
    public Bar(String param1) { }
}

class Baz
{
    public Baz(Int32 param1, String param2) { }
}

We have three types that all have different constructors - if the caller is responsible for sending in the type name then they will also be responsible for supplying an array of Objects that will satisfy a non-default constructor.

于 2009-02-11T18:46:42.493 回答