我被一个模拟考试问题困住了。我创建了一个名为的类Power
,它允许将数字提升到任何幂。
问题的第三部分要求我创建另一个BoundedPower
可以扩展的类Power
。我得到了MAX-X
变量(x 不能超过这个值),并告诉我这个BoundedPower
类必须:表现得像Power
类,使用构造函数并使用powN
方法。
我的代码在下面,我不知道该怎么做才能使BoundedPower
课程正常工作。
public class Power {
private double x = 0;
Power(double x) {
this.x = x;
}
public double getX() {
return x;
}
public double powN(int n) {
double result = 1.0;
for (int i = 0; i < n; i++) {
result = result * x;
}
return result;
}
public static void main(String[] args) {
Power p = new Power(5.0);
double d = p.powN(3);
System.out.println(d);
}
}
public class BoundedPower extends Power {
public static final double MAX_X = 1000000;
// invariant: x <= MAX_X
Power x;
BoundedPower(double x) {
super(x);
// this.x=x; x is private in Power class
}
public double powN(int n) {
if (x.getX() > MAX_X) {
return 0;
} else {
double result = 1.0;
for (int i = 0; i < n; i++) {
result = result * getX();
}
return result;
}
}
public static void main(String[] args) {
BoundedPower bp = new BoundedPower(5);
double test = bp.powN(4);
System.out.println(test);
}
}