这个问题可能需要一些编译器知识来回答。我目前正在一个项目中,我将在其中创建一个数组

int[2][veryLargeNumber]

要么
int [veryLargeNumber][2]

从逻辑上讲,这没有什么区别,但是我认为内存中的形式(以及大小)可能有所不同(也许问题应该是,编译器是否足够聪明,可以重新排列数组以适合它们)?

最佳答案

Java实际上仅实现一维数组。它具有多维类型,但是实际上将二维数组实现为数组数组。每个阵列的开销约为16个字节。最好使用int[2][x]以最大程度地减少开销。

您可以使用辅助方法完全避免此问题。

final int[] array = new int[2 * veryLargeNumber];

public int get(int x, int y) {
    return array[idx(x, y)];
}

public void set(int x, int y, int val) {
    array[idx(x, y)] = val;
}

private int idx(int x, int y) {
    return x * 2 + y; // or x * veryLargeNumber + y;
}

为了给自己提供此功能,每个对象散列一个唯一的哈希表,并生成hashCode并存储在其Object header 中。

您可以从http://ideone.com/oGbDJ0中看到每个嵌套数组本身就是一个对象。
int[][] array = new int[20][2];
for (int[] arr : array) {
    System.out.println(arr);
}

打印int[]的内部表示形式,即[I,然后是@,再是存储在 header 中的hashCode()。这不是某些人认为的对象的地址。该地址不能用作hashCode,因为对象可以随时由GC移动(除非您有一个永不移动对象的JVM)
[I@106d69c
[I@52e922
[I@25154f
[I@10dea4e
[I@647e05
[I@1909752
[I@1f96302
[I@14eac69
[I@a57993
[I@1b84c92
[I@1c7c054
[I@12204a1
[I@a298b7
[I@14991ad
[I@d93b30
[I@16d3586
[I@154617c
[I@a14482
[I@140e19d
[I@17327b6

如果您使用-XX:-UseTLAB关闭TLAB,则可以看到使用了多少内存
https://github.com/peter-lawrey/Performance-Examples/blob/master/src/main/java/vanilla/java/memory/ArrayAllocationMain.java
public static void main(String[] args) {

    long used1 = memoryUsed();
    int[][] array = new int[200][2];

    long used2 = memoryUsed();
    int[][] array2 = new int[2][200];

    long used3 = memoryUsed();
    if (used1 == used2) {
        System.err.println("You need to turn off the TLAB with -XX:-UseTLAB");
    } else {
        System.out.printf("Space used by int[200][2] is " + (used2 - used1) + " bytes%n");
        System.out.printf("Space used by int[2][200] is " + (used3 - used2) + " bytes%n");
    }
}

public static long memoryUsed() {
    Runtime rt = Runtime.getRuntime();
    return rt.totalMemory() - rt.freeMemory();
}

版画
Space used by int[200][2] is 5720 bytes
Space used by int[2][200] is 1656 bytes

10-08 01:58