我是一名学生正在研究一个使用抽象数据类型“ArrayIntLog”的简单程序(TestLuck)。它应该生成用户确定的日志量,并使用“compare()”方法检查在找到匹配项之前循环的日志条目数。我收到了这个错误:
TestLuck.java:27:错误:变量totalRuns可能没有 初始化 totalRuns + = currentRun; ^
我如何错误地初始化这些变量?它是否与我在for循环中使用它们的事实有关?
public class TestLuck{
public static void main (String [] args){
Random rand = new Random();
int n = rand.nextInt(100); // gives a random integer between 0 and 99.
Scanner kbd = new Scanner(System.in);
double average = 0;
int totalRuns, currentRun, upperLimit = 0;
System.out.println("Enter the upper limit of the random integer range: ");
ArrayIntLog arr = new ArrayIntLog(kbd.nextInt());
System.out.println("Enter the number of times to run the test: ");
int numTests = kbd.nextInt();
for(int j=0; j<=numTests; j++){
for(int i=0; i<arr.getLength(); i++){ //loops through ArrayIntLog and loads random values
n = rand.nextInt(100);
arr.insert(n); //insert a new random value into ArrayIntLog
if(arr.contains(n)){
currentRun = i+1;
i = arr.getLength();
}
}
totalRuns += currentRun;
currentRun = 0;
}
}
}
答案 0 :(得分:6)
在Java中,局部变量总是需要在使用之前进行初始化。在此,您尚未初始化totalRuns
(此处仅初始化upperLimit
)。
int totalRuns, currentRun, upperLimit = 0;
给它(和currentRun
)一个显式值。
int totalRuns = 0, currentRun = 0, upperLimit = 0;
此行为由JLS,第4.12.5节:
指定必须明确赋予局部变量(§14.4,§14.14)一个值 在使用之前,通过初始化(§14.4)或赋值 (§15.26)...
答案 1 :(得分:1)
int totalRun, currentRun, upperLimit = 0;
局部变量在使用前需要初始化。
示例:
int totalRun=0, currentRun=0, upperLimit = 0;
答案 2 :(得分:0)
你宣布
int totalRuns, currentRun, upperLimit = 0;
但不要初始化totalRuns
。所以
totalRuns += currentRun;
没有要添加的值。将其初始化为默认值,例如0
(与其他人相同)
int totalRuns = 0;