格式化2D数组以具有加法问题的结构

问题描述 投票:0回答:1

我正在尝试执行一个涉及从.txt文件读取行的程序,并将它们转换为大小为25的int []数组,将它们加在一起。我决定采用2D数组方法(已经步出“我们在这个课程中学到了什么”,将多个阵列加在一起。

Now here's what our professor wants us to get at.上面的图片是我的教授描述添加的方式。我们将在字符串行中找到的整数追加到具有25个零的数组的末尾。例如,如果.txt文件的一行显示为“204 435 45”,那么我们将返回它:

0000000000000000000000204

0000000000000000000000435

0000000000000000000000045

然后,我们将进行照片链接中提到的“基本算术”。现在这是我到目前为止所得到的:

//This is the total overall size of the arrays (with all the zeroes)
public static final int ARRSIZE = 25;

//This is the majority of numbers to add on the biggest line in the .txt file
//This is kind of irrelevant here, but it means we'll always an 8 long array of arrays
public static final int MAXFACTONALINE = 8;

public static void breakTwo(String line)
{
   //Changed the value of the parameter for testing purposes
   line = "204 435 45";
   int[][] factors = new int[MAXFACTONALINE][25];
   //int[] nums = new int[ARRSIZE];
   int determine = 0;
   boolean isSpace = false;
   for(int i = 0; i < line.length(); i++)
   {
      String breakdown = line.substring(line.length() - 1 - i, line.length() - i);
      if(breakdown.equals(" "))
      {
         isSpace = true;
         determine++;
      }

      if(breakdown.equals(""))
         break;

      if(!isSpace)
      {
         int temp = Integer.parseInt(breakdown);
         factors[determine][factors.length - i] = temp;
      }

      isSpace = false;
      i = 0;
   }

   //To do: Implement another method to carry on with the above processing
}

我打算在这里做的是将这三个数字分开(因为它们被空格分隔)并将它们放在它们自己的数组中,就像我上面输入的3个数组一样。

我的输出通常将得到的数字放在随机索引上,而我对如何保持它们的去向并不是很清楚。有人可以帮我确定如何将它们全部放在右侧,如上例所示?非常感谢

java arrays 2d
1个回答
1
投票

您可以利用内置功能split(String regex)为您分割线条。因为你知道它总是白色空间,所以line.split(" ")将返回{“204”,“435”,“45”}的数组。

之后,计算字符串的长度并将其与仅包含引导0的25 - number.length的字符串连接。

    public static void breakTwo(String line)
    {
       String [] numbers = line.split(" ");
       String [] zeros = new String[numbers.length];


       for (int i = 0; i < numbers.length; i++) {
           zeros[i] = "0";
           for (int j = 0; j < ARRSIZE - numbers[i].length() - 1; j++) {
               zeros[i] += "0";
           }
           zeros[i] += numbers[i];
           System.out.println(zeros[i]);
       }
    }

breakTwo("204 435 45")的输出是

0000000000000000000000204
0000000000000000000000435
0000000000000000000000045
© www.soinside.com 2019 - 2024. All rights reserved.