Java要求如果在构造函数中调用this()
或super()
,它必须是第一个语句。为什么?
例如:
public class MyClass {
public MyClass(int x) {}
}
public class MySubClass extends MyClass {
public MySubClass(int a, int b) {
int c = a + b;
super(c); // COMPILE ERROR
}
}
Sun编译器说,call to super must be first statement in constructor
。Eclipse编译器说,Constructor call must be the first statement in a constructor
。
但是,您可以通过稍微重新排列代码来解决这个问题:
public class MySubClass extends MyClass {
public MySubClass(int a, int b) {
super(a + b); // OK
}
}
下面是另一个例子:
public class MyClass {
public MyClass(List list) {}
}
public class MySubClassA extends MyClass {
public MySubClassA(Object item) {
// Create a list that contains the item, and pass the list to super
List list = new ArrayList();
list.add(item);
super(list); // COMPILE ERROR
}
}
public class MySubClassB extends MyClass {
public MySubClassB(Object item) {
// Create a list that contains the item, and pass the list to super
super(Arrays.asList(new Object[] { item })); // OK
}
}
所以,在调用super()
之前是而不是阻止你执行逻辑。它只是阻止您执行无法放入单个表达式的逻辑。
调用this()
也有类似的规则。编译器说,call to this must be first statement in constructor
。
为什么编译器有这些限制?你能给出一个代码示例,如果编译器没有这个限制,会发生不好的事情吗?