所以我试图学习继承类。
首先,我创建了一个名为Box的类来计算盒子的面积。
然后,我创建了一个TestBox类,在其中创建了一个名为fedEx的框对象。
箱类:
public class Box {
private String boxName;
public void calculateArea(int length, int width) {
System.out.println("Area of " + getBoxInfo() + (length * width));
}
public Box(String boxName) {
this.boxName = boxName;
}
public String getBoxInfo() {
return boxName;
}
}
TestBox类别:
public class TestBox {
public static void main(String[] args) {
Box fedEx = new Box("fedEx");
fedEx.calculateArea(23, 2);
}
}
到目前为止,如果我运行此代码,一切正常,并且打印屏幕显示
联邦快递46区
因此,现在我去创建一个名为NewBox的新类,并使用“扩展”继承Box类中的方法,该类用于计算Volume
NewBox类别:
public class NewBox extends Box {
public void calculateVolume(int length, int width, int height) {
System.out.println("Volume = " + (length * width * height));
}
}
现在要进行测试,我在TestBox类中创建了一个名为UPS的新对象,现在我的TestBox类如下所示:
public class TestBox {
public static void main(String[] args) {
Box fedEx = new Box("fedEx");
fedEx.calculateArea(23, 2);
NewBox UPS = new NewBox("UPS");
UPS.calculateArea(3, 2);
UPS.calculateVolume(3, 2, 2);
}
}
当我尝试运行该程序时,出现以下错误消息:
Exception in thread "main" java.lang.Error: Unresolved compilation problem:
The constructor NewBox(String) is undefined
at day3.inheritence.TestBox.main(TestBox.java:10)
我正在使用eclipse作为我的IDE。
我该怎么做才能修复我的代码,错误消息是什么意思?
最佳答案
NewBox必须具有一个转发到父类的构造函数的构造函数。尝试这个:
public class NewBox extends Box{
public NewBox(String name) {
super(name);
}
public void calculateVolume(int length, int width, int height){
System.out.println("Volume = " + (length*width*height));
}
}