从 stdin 获取输入

2022-09-04 03:34:00

我想从 stdin 获得输入

3
10 20 30

第一个数字是第二行中的数字数量。这是我得到的,但它被困在while循环中...所以我相信。我在调试模式下运行,数组未分配任何值...

import java.util.*;

public class Tester {   

   public static void main (String[] args)
   {

       int testNum;
       int[] testCases;

       Scanner in = new Scanner(System.in);

       System.out.println("Enter test number");
       testNum = in.nextInt();

       testCases = new int[testNum];

       int i = 0;

       while(in.hasNextInt()) {
           testCases[i] = in.nextInt();
           i++;
       }

       for(Integer t : testCases) {
           if(t != null)
               System.out.println(t.toString());               
       }

   } 

} 

答案 1

这与条件有关。

in.hasNextInt()

它允许你继续循环,然后在三次迭代后,'i'值等于4,testCases[4]会抛出ArrayIndexOutOfBoundException。

执行此操作的解决方案可能是

for (int i = 0; i < testNum; i++) {
 *//do something*
}

答案 2

更新您的 while 以仅读取所需的数字,如下所示:

      while(i < testNum && in.hasNextInt()) {

一旦您读取了与数组大小相等的数字,添加的附加条件将停止读取数字,否则它将变得不确定,并且当数字数组已满时,您将获得,即您已完成数字的读取。&& i < testNumwhileArrayIndexOutOfBoundExceptiontestCasestestNum


推荐