3

我应该制作一个测试用户输入矩阵的程序是一个幻方。基本上我应该将用户输入放入 ArrayList 中,然后将其放入 2D 数组中,然后可以使用该数组来计算行、col 和对角线的总和,以查看它们是否具有相同的总和。这就是我到目前为止所拥有的。我无法让 ArrayList 制作一个二维数组。

import java.util.*;

class Square
{
   private int[][] square;
   private ArrayList<Integer> numbers;
   public int numInput;

   public Square()
   {
      numbers = new ArrayList<Integer>(); 
      int[][] square;
      numInput = 0;
   }

   public void add(int i)
   {
      numbers.add(i);
   }
}

   public boolean isSquare()
   {
      numInput = numbers.size();
      double squared = Math.sqrt(numInput);

      if (squared != (int)squared)
      {
         System.out.println("Numbers make a square");
         return true;
      }
      else
      {
         System.out.println("Numbers do not make a square");
         return false;
      }
   }

      public String isMagicSquare()
      {

         for (int row=0; row<numInput; row++) 
         {
            for (int col=0; col<numInput; col++)
            {
               square[row][col] = number.get(col +( number.size() * row));
            }
         }
      }
}
4

2 回答 2

2

我看到两种情况:

  1. 用户在开头给出尺寸
  2. 用户没有。

广告。1.
无需使用ArrayList. 只需以这种方式读取输入:

Scanner s = new Scanner(System.in);
int n = s.nextInt();
int[][] array = new int[n][n];
for (int i = 0; i < n; i++) {
    for (int j = 0; j < n; j++) {
        array[i][j] = s.nextInt();
    }
}

广告。2.

只要用户给出数字,我就简单地扫描数字。然后检查他是否给出了适当数量的数字。然后转换为整数的方形数组。

ArrayList<Integer> list = new ArrayList<>();
Scanner s = new Scanner(System.in);
while (s.hasNextInt()) {
    list.add(s.nextInt());
}
int n = list.size();
double sqrt = Math.sqrt(n);
int x = (int) sqrt;
if(Math.pow(sqrt,2) != Math.pow(x,2)) {
    //wrong input - it wasn't a square
}
int[][] array = new int[x][x];
int index = 0;
for (int i = 0; i < x; i++) {
    for (int j = 0; j < x; j++) {
        array[i][j] = array.get(index++);
    }
}

显然,您需要注意错误处理。如果您还有其他问题,请在评论中提问。如果您有兴趣,我会更新我的答案。

于 2016-11-02T17:08:21.723 回答
0

在确定完美正方形时有一个错字

它应该是

if (squared == (int) squared) return true;

如果它是一个完美的正方形,您可以初始化并填充 2D 数组

public String isMagicSquare() {
    if (isSquare()) {
        int size = (int) Math.sqrt(numbers.size());
        this.square = new int[size][size];
        for (int i = 0; i < numbers.size(); i++) {
            square[i / size][i % size] = numbers.get(i);
        }
        return Arrays.deepToString(square); // do other op on the array and return appropriate String
    } else {
        return null; 
    }
}
于 2016-11-02T17:39:01.280 回答