将 2D 阵列转换为一维阵列

2022-09-04 05:42:22

以下是我到目前为止的代码:

 public static int mode(int[][] arr) {
      ArrayList<Integer> list = new ArrayList<Integer>();
      int temp = 0;
      for(int i = 0; i < arr.length; i ++) {
          for(int s = 0; s < arr.length; s ++) {
              temp = arr[i][s];

在这一点上,我似乎陷入了如何进入单维数组的困境。当我按顺序执行2D阵列的所有元素时,一次打印一个,但无法弄清楚如何将它们放入1D阵列中。我是新手:([i][s]print(temp)

如何将2D阵列转换为一维阵列?

我正在使用的当前2D阵列是3x3。我正在尝试找到2D数组中所有整数的数学模式,如果该背景有任何重要性。


答案 1

在 Java 8 中,您可以使用对象流将矩阵映射到矢量。

将任意类型和任意长度的对象矩阵转换为矢量(数组)

String[][] matrix = {
    {"a", "b", "c"},
    {"d", "e"},
    {"f"},
    {"g", "h", "i", "j"}
};

String[] array = Stream.of(matrix)
                       .flatMap(Stream::of)
                       .toArray(String[]::new);

如果你正在寻找特定于int的方式,我会选择:

int[][] matrix = {
    {1, 5, 2, 3, 4},
    {2, 4, 5, 2},
    {1, 2, 3, 4, 5, 6},
    {}
};

int[] array = Stream.of(matrix) //we start with a stream of objects Stream<int[]>
                    .flatMapToInt(IntStream::of) //we I'll map each int[] to IntStream
                    .toArray(); //we're now IntStream, just collect the ints to array.

答案 2

你几乎做对了。只是一个微小的变化:

public static int mode(int[][] arr) {
    List<Integer> list = new ArrayList<Integer>();
    for (int i = 0; i < arr.length; i++) {
        // tiny change 1: proper dimensions
        for (int j = 0; j < arr[i].length; j++) { 
            // tiny change 2: actually store the values
            list.add(arr[i][j]); 
        }
    }

    // now you need to find a mode in the list.

    // tiny change 3, if you definitely need an array
    int[] vector = new int[list.size()];
    for (int i = 0; i < vector.length; i++) {
        vector[i] = list.get(i);
    }
}