我试图动态地实例化抽象类的后代,但是激活器强迫我将构造函数覆盖到每个后代。有办法避免这种情况吗?
P.S:我需要在构造函数中传递参数,只有它可以写入,否则,它将始终被读取!
答案 0 :(得分:2)
有没有办法避免这种情况?
简短回答:是的,当你在派生类中定义 no 构造函数时,会使用(抽象)基类构造函数。定义一个时,必须重新定义所有构造函数。
不是没有解决方法模式。
使用受保护的无参数构造函数和静态Create方法:
public abstract class Duck {
private string _DucksParam0;
public string DucksParam0 {
get {
return _DucksParam0;
}
}
// Using protected, this constructor can only be used within the class instance
// or a within a derived class, also in static methods
protected Duck() { }
public static DuckT Create<DuckT>(string param0)
where DuckT : Duck
{
// Use the (implicit) parameterless constructor
DuckT theDuck = (DuckT)Activator.CreateInstance(typeof(DuckT));
// This is now your "real" constructor
theDuck._DucksParam0 = param0;
return theDuck;
}
}
public class Donald : Duck {
}
用法(dotnetfiddle):
public class Program
{
public void Main()
{
Duck d = Duck.Create<Donald>("Hello World");
Console.WriteLine(d.DucksParam0);
}
}
答案 1 :(得分:1)
构造函数不是继承的,所以如果必须通过带有这些参数的构造函数实例化子对象,那么你需要在子类中编写一个基本上base(p1, p2, ..., pn)
的新构造函数
查看你的代码,似乎你的构造函数只分配/初始化字段,所以没有理由你不能在构造函数之外的某个地方做到这一点,只要你适当地控制它。这可能是一个长镜头,但我觉得这更像你想要的:
public abstract class Parent
{
protected bool foo
{
get;
private set; // just set the property setter as private
}
protected Parent() {
// protected so all instances are created through createAnotherX
// note that nothing is initialized here!
}
public abstract int Enter(); // To override in child classes
// Option 1: use generics
public static T createAnother1<T>(bool f) where T : Parent, new()
{
T p = new T();
p.foo = f;
return p;
}
// Option 2: use the runtime type
public static Parent createAnother2(Type t, bool f)
{
Parent p = Activator.CreateInstance(t) as Parent;
p.foo = f;
return p;
}
// Examples
public static void Main()
{
Parent p1 = Parent.createAnother1<Child>(true);
Parent p2 = Parent.createAnother2(typeof(Child), true);
}
}
// the child class only has to worry about overriding Enter()
public class Child : Parent
{
public override int Enter()
{
return 1;
}
}
请注意,您必须通过createAnotherX
实例化对象,因为默认构造函数受到保护。此外,根据您的注释,请参阅定义属性,以便只有您可以设置值,这是您在明确忽略setter时在代码中尝试执行的操作。