我一直收到错误代码:java.lang.ArrayIndexOutOfBoundsException:5或使用随机数而不是5.我正在尝试编写一个脚本,从用户的输入中获取测试分数列表,然后计算出他们的最高分数输入。我该如何解决这个问题?
注意:“得分”是我的数组列表名称,“testNum”是他们输入的测试分数。
System.out.print ("Enter a set of test scores, hitting enter after each one: ");
//---------------------------------------------------------------------------------------
// loop that will set values to the scores array until the user's set amount is reached.
//---------------------------------------------------------------------------------------
for(int x = 0; x < testNum; x += 1) //x will approach testNum until it is less than it, then stop.
{
scores[x] = scan.nextInt();
} //working
for(int z = 0, a = 1; z < testNum; z += 1) // attempts to find the highest number entered.
{
if (scores[z] > scores[z + a])
{
a += 1;
z -= 1; //offsets the loop's += 1 to keep the same value of z
}
else
{
if (z + a >= testNum)
{
System.out.println ("The highest number was " + scores[z]);
}
a = 0; //resets a to try another value of scores[z].
}
}
答案 0 :(得分:0)
根据您展示的内容:
testNum
大于scores.length
。这意味着当您通过比较迭代器(i
)到testNum
而不是实际长度来遍历数组时,您将会遇到不存在的索引。
例如,我们说testNum = 8
和scores.length = 5
。然后在你的代码中,你会得到ArrayIndexOutOfBoundsException:5
,因为你的循环遍历索引0,1,2,3和4(记住数组从索引0开始)然后尝试访问5,这是超出范围的(正如例外所述)。
您可以使用以下任一技术正确遍历数组,具体取决于您的使用情况:
for(int i = 0; i < scores.length; i++) {
//do stuff
}
......或......
for(int score : scores) {
//do stuff
}