在下面的代码中,我尝试在RandomLetterChooser子类构造函数中调用RandomStringChooser构造函数。
为了传递一个数组作为参数,我在super()中调用了getSingleLetters方法。但是,我收到以下错误:
"在调用超类构造函数"
之前无法引用它
用箭头指向" g"在getSingleLetters(子类的第3行)中。
为什么会这样,我该如何解决?
仅供参考:这是我尝试解决1.b. AP计算机科学2016 FRQ(https://secure-media.collegeboard.org/digitalServices/pdf/ap/ap16_frq_computer_science_a.pdf)。 他们的解决方案(https://secure-media.collegeboard.org/digitalServices/pdf/ap/apcentral/ap16_compsci_a_q1.pdf)涉及一个ArrayList(或List,我不完全确定这两者之间的区别),我意识到它更清晰,但仍然以与调用getSingleLetters方法相同的方式调用getSingleLetters方法。我在下面做了(因此在运行时应该有相同的错误)。
class RandomStringChooser {
private int length;
private int count = 0;
private String word;
private String newArray[];
RandomStringChooser(String[] array) {
length = array.length;
newArray = new String[length];
for(int i = 0; i < length; i++) {
newArray[i] = array[i];
}
}
String getNext() {
if(count == length) return "NONE";
word = "";
while(word.equals("")) {
int index = (int) (Math.random() * length);
word = newArray[index];
newArray[index] = "";
}
count++;
return word;
}
}
class RandomLetterChooser extends RandomStringChooser{
RandomLetterChooser(String str) {
super(getSingleLetters(str)); //here's the problem
}
String[] getSingleLetters(String str) {
String[] letterArray = new String[str.length()];
for(int i = 0; i < str.length(); i++) {
letterArray[i] = str.substring(i, i+1);
}
return letterArray;
}
}
这是我运行程序的地方,如果有帮助的话:
public class AP2 {
public static void main(String[] args) {
String ball = "basketball";
RandomLetterChooser s = new RandomLetterChooser(ball);
for(int i = 0; i < 12; i++) {
System.out.print(s.getNext() + " ");
}
}
}
答案 0 :(得分:2)
&#34;在调用超类构造函数&#34;
之前无法引用它
在(正如你所做)期间调用任何实例方法
RandomLetterChooser(String str) {
super(getSingleLetters(str)); //here's the problem
}
或在调用超类构造函数之前导致编译错误。
构造函数体中的显式构造函数调用语句可以 不引用任何实例变量或实例方法或内部 在此类或任何超类中声明的类,或使用this或super 任何表达; 否则会发生编译时错误。
或者以另一种方式说,当这个层次结构(父类)没有完全构造时,不能使用对象(实例字段和方法)。
通过将getSingleLetters()
方法的修饰符更改为static
,您可以使用此代码,因为static
方法与类的实例无关:
RandomLetterChooser(String str) {
super(RandomLetterChooser.getSingleLetters(str)); //here's the problem
}
答案 1 :(得分:1)
正如其他答案所解释的那样 - 这是应该发生的事情。
你看到&#34;建筑&#34;一个新对象只有在该类的构造函数完全完成后才完成 - 并且包括超类构造函数。只有这样,您才可以确定您的对象已完全初始化。
换句话说:你绝对不想做你的示例代码:避免调用&#34;真实&#34;您的类上的方法,而仍处于初始化阶段!
答案 2 :(得分:0)
这是因为
getSingleLetters 方法
在使用超类构造函数之前无法使用。实际上我的意思与例外文本相同。所以你可以把这个方法放到你的超类构造函数中,或者看看这里:
Is it possible to do computation before super() in the constructor?