For 循环和 parseInt 导致线程“main”中出现异常

我正在尝试格式化字符串序列“ab c”,其中 ab 和 c 都是整数。我需要将 ab 和 c 添加到 3 个单独的数组中。这就是我所拥有的。当提示输入 str 时,不断出现 NumberFormatException 错误。


我尝试更改一些变量及其声明,并在线查看其他解释。


import java.util.*;

import javax.swing.*; 

public static void main(String[] args){

     Scanner s = new Scanner(System.in);

     System.out.println("How Many times do you want to loop it?"); //Scanner takes in input

     int loop = s.nextInt();


     //if someone can help me format this better or have a 3d array that would be helpful.


     ArrayList<Integer> a1 = new ArrayList<Integer>(); //3 arrays

     ArrayList<Integer> b1 = new ArrayList<Integer>();

     ArrayList<Integer> c1 = new ArrayList<Integer>();


     String a = ""; //Int #1

     String b = ""; //Int #2

     String c = ""; //Int #3

     String strSpc = " "; //String Spaces to compare with actual String

     int x = 0;

     String str = " ";


     //Start of the error


     for(int i=0; i<loop;i++) {

         str = JOptionPane.showInputDialog(i+1 + ": ");


         //checks format


         while(str.charAt(x) !=(strSpc.charAt(0))){

             a = a + str.charAt(x);

             x++;

         }

         int a2 = Integer.parseInt(a);

         a1.add(a2);


         while(str.charAt(x+1) !=(strSpc.charAt(0))){

             b = b+str.charAt(x);

             x++;

         }

         int b2 = Integer.parseInt(b);

         b1.add(b2);


         while(str.charAt(x+1) !=(strSpc.charAt(0))){

             c = c+str.charAt(x);

             x++;

         }

         int c2 = Integer.parseInt(c);

         c1.add(c2);


         System.out.print('\n');

     }

}


慕少森
浏览 104回答 1
1回答

侃侃无极

您似乎明白,当第一个 while 循环完成时,str.charAt(x)将是一个空格,因此在第二个 while 循环中,您首先检查str.charAt(x+1),跳过空格。然而,在正文中,您仍在添加str.charAt(x),b这本来是一个空格。&nbsp;while(str.charAt(x+1) !=(strSpc.charAt(0))){ // x + 1 here&nbsp; &nbsp; &nbsp;b = b+str.charAt(x); // x here&nbsp; &nbsp; &nbsp;x++;&nbsp;}你应该将其更改为:&nbsp;while(str.charAt(x+1) !=(strSpc.charAt(0))){ // x + 1 here&nbsp; &nbsp; &nbsp;b = b+str.charAt(x+1); // x + 1 here as well&nbsp; &nbsp; &nbsp;x++;&nbsp;}第三个 for 循环也是如此。这次,它需要检查charAt(x+2)并追加charAt(x+2)到c,因为charAt(x+1)那时已经是一个空格了。x = 0;最后但并非最不重要的一点是,您需要在外循环的每次迭代开始时重置for。&nbsp;int x = 0; <---- move this....&nbsp;String str = " ";&nbsp;for(int i=0; i<loop;i++) {&nbsp; &nbsp; <---- here&nbsp; &nbsp; &nbsp;str = JOptionPane.showInputDialog(i+1 + ": ");事实上,你所做的只是拆分str,可以通过以下方法完成split:String[] splits = str.split(" ");int a = Integer.parseInt(splits[0]);int b = Integer.parseInt(splits[1]);int c = Integer.parseInt(splits[2]);a1.add(a);b1.add(b);c1.add(c);&nbsp;
打开App,查看更多内容
随时随地看视频慕课网APP

相关分类

Java