我的程序读取一组数据,处理它,打印东西,然后应该继续下一组数据,直到没有更多。如果我给它一组数据,我的程序可以正常工作,但是当我添加一个数据时我收到错误。
在我的BlueJ窗口中,它说
java.lang.ArrayIndexOutOfBoundsException: 15
终端中的错误说:
java.lang.ArrayIndexOutOfBoundsException: 15
at Prog4.read_votes(Prog4.java:97)
at Prog4.main(Prog4.java:38)
38是主要方法:
p4.read_votes(stdin, votesArray);
97是:
votes[i] = stdin.nextInt();
并且它在read_votes方法中:
public void read_votes(Scanner stdin, int votes[])
{
//for (int i = 0; i < votes.length; i++)
// votes[i] = stdin.nextInt();
int i = 0;
while (stdin.hasNextInt())
{
votes[i] = stdin.nextInt();
i++;
}
}
这是我的课程和主要方法:
public class Prog4
{
int mostVotes = 0;
int mostVotesIndex = 0;
int fewestVotes = 0;
int fewestVotesIndex = 0;
public static void main(String args[]) throws Exception
{
//Scanner stdin = new Scanner(System.in);
Scanner stdin = new Scanner(new File("test.txt"));
int num_votes, num_candidates, election_num = 1;
System.out.println("Welcome to Prog4!\n");
Prog4 p4 = new Prog4();
while (stdin.hasNextLine())
{
System.out.println("Results for election " + election_num);
num_candidates = stdin.nextInt();
String[] candidateArray = new String[num_candidates];
p4.read_candidates(stdin, candidateArray);
num_votes = stdin.nextInt();
int[] votesArray = new int[num_votes];
p4.read_votes(stdin, votesArray);
p4.read_votes(stdin, votesArray);
System.out.println("Total votes: " + votesArray.length);
p4.process_highest_vote_getter(candidateArray, votesArray);
p4.process_lowest_vote_getter(candidateArray, votesArray);
p4.process_winner(candidateArray, votesArray);
}
System.out.println("Done. Normal termination of Prog4.");
}
以下是从文本文件中读取的数据:
4
Owen
Jack
Scott
Robbie
15 0 1 1 2 3 1 0 0 0 0 1 2 2 1 1
2
Erik
Martin
10 0 1 0 1 0 1 0 0 0 1
编辑:
我将read_votes方法更改为:
public void read_votes(Scanner stdin, int votes[])
{
for (int i = 0; i < votes.length && stdin.hasNextInt(); i++)
votes[i] = stdin.nextInt();
}
它为第一组数据提供了正确的输出,但是当它开始执行第二组时我收到错误。出现错误:
java.util.InputMismatchException
它在主方法的这一行: num_candidates = stdin.nextInt();
答案 0 :(得分:3)
您正在代码中阅读两次投票。
您的代码
int[] votesArray = new int[num_votes];
**p4.read_votes(stdin, votesArray);**
**p4.read_votes(stdin, votesArray);**
当它发生时,读取格式化数据将被破坏。
我已对您的代码进行了以下更改。然后它会正常工作。
public void read_votes(Scanner stdin, int votes[])
{
//for (int i = 0; i < votes.length; i++)
// votes[i] = stdin.nextInt();
for(int i = 0; i < votes.length; ++i)
{
votes[i] = stdin.nextInt();
}
}
public void read_candidates(Scanner stdin, String candidates[])
{
//for (int i = 0; i < votes.length; i++)
// votes[i] = stdin.nextInt();
stdin.nextLine();
for(int i = 0; i < candidates.length; ++i)
{
candidates[i] = stdin.nextLine();
}
}
答案 1 :(得分:0)
只要输入有nextInt
,您就会继续阅读2
。特别是,你正在阅读0
号码(表明下次选举的候选人人数)并试图将其作为选举1的投票。
相反,在votes.length
方法中从read_votes
迭代到hasNextInt()
;如果您保证有效输入(或者可以接受在错误输入上抛出异常),那么您不需要不断检查{{1}}。
答案 2 :(得分:0)
将read_votes()
中的循环更改为:
while(i < votes.length && stdin.hasNextInt()) {
// ...
}
你的循环读取下一行的数字。