base()
在您的代码中是对 的基类的无参数构造函数的调用myTextBox
,它恰好是TextBox
. 请注意,此基构造函数将在派生类中的构造函数主体执行之前执行。
每个类的构造函数最终都必须调用其基类的构造函数之一,要么直接调用,要么通过同一个类中的链式构造函数调用。因此,对每个构造函数声明总是有一个隐式/显式base(...)
或显式this(...)
调用。如果省略,则会隐式调用,即基类的无参数构造函数(这意味着您的示例中的调用是多余的)。这样的声明是否编译取决于基类中是否存在这样的可访问构造函数。base()
base()
编辑:两个微不足道的点:
- 类层次结构的根没有基类,因此该规则不适用于
System.Object
的唯一构造函数。
- 第一句话应该是:“每个成功完成
System.Object
的非类的构造函数最终都必须调用它的基类的构造函数。” 这是一个“从头到尾乌龟”的例子,其中基类的构造函数永远不会被调用:实例化这样一个类的对象显然会溢出执行堆栈。
// Contains implicit public parameterless constructor
public class Base { }
// Does not contain a constructor with either an explicit or implicit call to base()
public class Derived : Base
{
public Derived(int a)
: this() { }
public Derived()
: this(42) { }
static void Main()
{
new Derived(); //StackOverflowException
}
}