私は模擬試験問題で立ち往生しています。Power
私は、数を任意の累乗に上げることができるというクラスを作成しました。
質問の3番目の部分では、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);
}
}