使用 foreach 打印多维数组

2022-09-03 12:45:39

如何在java中使用for-each循环打印多维数组?我试过了,foreach适用于普通数组,但不适用于多维数组,我该怎么做?我的代码是:

class Test
{
   public static void main(String[] args)
   {
      int[][] array1 = {{1, 2, 3, 4}, {5, 6, 7, 8}};
      for(int[] val: array1)
      {
        System.out.print(val);
      }
   } 
}

答案 1

您的循环将通过打印每个子数组的地址来打印它们。给定该内部数组,使用内部循环:

for(int[] arr2: array1)
{
    for(int val: arr2)
        System.out.print(val);
}

数组没有可以表示的表示形式,例如,打印所有元素。您需要显式打印它们:String

int oneD[] = new int[5];
oneD[0] = 7;
// ...

System.out.println(oneD);

输出是一个地址:

[I@148cc8c

但是,库确实为此提供了 deepToString 方法,因此这可能也适合您的目的:

System.out.println(Arrays.deepToString(array1));

答案 2

如果只想将 int 数组中包含的数据打印到日志中,可以使用

Arrays.deepToString

它不使用任何 for 循环。

工作代码。

import java.util.*;
public class Main
{
   public static void main(String[] args)
   {
      int[][] array = {{1, 2, 3, 4}, {5, 6, 7, 8}};
        System.out.println(Arrays.deepToString(array));
   } 
}

输出

[[1, 2, 3, 4], [5, 6, 7, 8]]