如何在Java中调用另一个构造函数?
是否有可能从另一个(在同一个类中,而不是从一个子类)调用构造函数? 如果是的话如何? 调用另一个构造函数的最佳方法是什么(如果有几种方法可以这样做)?
对的,这是可能的:
public class Foo {
private int x;
public Foo() {
this(1);
}
public Foo(int x) {
this.x = x;
}
}
要链接到特定的超类构造函数而不是同一个类中的构造函数,请使用super
而不是this
。 请注意, 您只能链接到一个构造函数 ,并且它必须是构造函数体中的第一条语句 。
另请参阅这个相关的问题,这是关于C#,但在相同的原则适用。
使用this(args)
。 首选模式是从最小的构造函数到最大的构造函数。
public class Cons {
public Cons() {
// A no arguments constructor that sends default values to the largest
this(madeUpArg1Value,madeUpArg2Value,madeUpArg3Value);
}
public Cons(int arg1, int arg2) {
// An example of a partial constructor that uses the passed in arguments
// and sends a hidden default value to the largest
this(arg1,arg2, madeUpArg3Value);
}
// Largest constructor that does the work
public Cons(int arg1, int arg2, int arg3) {
this.arg1 = arg1;
this.arg2 = arg2;
this.arg3 = arg3;
}
}
您也可以使用最近提倡的valueOf或“of”的方法:
public class Cons {
public static Cons newCons(int arg1,...) {
// This function is commonly called valueOf, like Integer.valueOf(..)
// More recently called "of", like EnumSet.of(..)
Cons c = new Cons(...);
c.setArg1(....);
return c;
}
}
要调用超类,请使用super(asdf)
。 对super的调用必须是构造函数中的第一个调用,否则您将收到编译器错误。
[注意:我只想添加一个方面,我没有在其他答案中看到:如何克服()必须位于第一行的要求的限制)。]
在Java中,可以通过this()
从构造函数中调用同一类的另一个构造函数。 但请注意, this
必须在第一行。
public class MyClass {
public MyClass(double argument1, double argument2) {
this(argument1, argument2, 0.0);
}
public MyClass(double argument1, double argument2, double argument3) {
this.argument1 = argument1;
this.argument2 = argument2;
this.argument3 = argument3;
}
}
那this
有出现在第一线看起来像一个很大的限制,但可以通过静态方法构建其他构造函数的参数。 例如:
public class MyClass {
public MyClass(double argument1, double argument2) {
this(argument1, argument2, getDefaultArg3(argument1, argument2));
}
public MyClass(double argument1, double argument2, double argument3) {
this.argument1 = argument1;
this.argument2 = argument2;
this.argument3 = argument3;
}
private static double getDefaultArg3(double argument1, double argument2) {
double argument3 = 0;
// Calculate argument3 here if you like.
return argument3;
}
}
链接地址: http://www.djcxy.com/p/2961.html