多维数组的 Java 序列化

2022-09-03 13:26:16

是否可以使java中的2D数组可序列化?

如果没有,我希望将3x3 2D数组“翻译”为矢量向量。

我一直在玩矢量,我仍然不确定如何表示它。任何人都可以帮我吗?

谢谢!


答案 1

Java中的数组是可序列化的 - 因此数组的数组也是可序列化的。

但是,它们包含的对象可能不是,因此请检查数组的内容是否可序列化 - 如果不是,请将其设置为可序列化。

下面是一个使用整数数组的示例。

public static void main(String[] args) {

    int[][] twoD = new int[][] { new int[] { 1, 2 },
            new int[] { 3, 4 } };

    int[][] newTwoD = null; // will deserialize to this

    System.out.println("Before serialization");
    for (int[] arr : twoD) {
        for (int val : arr) {
            System.out.println(val);
        }
    }

    try {
        FileOutputStream fos = new FileOutputStream("test.dat");
        ObjectOutputStream oos = new ObjectOutputStream(fos);
        oos.writeObject(twoD);

        FileInputStream fis = new FileInputStream("test.dat");
        ObjectInputStream iis = new ObjectInputStream(fis);
        newTwoD = (int[][]) iis.readObject();

    } catch (Exception e) {

    }

    System.out.println("After serialization");
    for (int[] arr : newTwoD) {
        for (int val : arr) {
            System.out.println(val);
        }
    }
}

输出:

Before serialization
1
2
3
4
After serialization
1
2
3
4

答案 2