交换数组中的值

Swap values in a array

我有一个这样的数组:

item[0][0] = 1;
item[0][1] = 20;

item[1][0] = 3;
item[1][1] = 40;

item[2][0] = 9;
item[2][1] = 21;


(...)

我想交换这些 "values" 比如:

int[] aux = item[0];

item[0] = item[1];
item[1] = aux;

但这不起作用,因为我认为这是传递引用而不是值。

是这样的吗?

public static void swapArrays(int a[], int b[]) {
    if (a.length != b.length) {
        throw new IllegalArgumentException("Arrays must be of same size");
    }

    int temp[] = Arrays.copyOf(a, a.length);
    System.arraycopy(b, 0, a, 0, a.length);
    System.arraycopy(temp, 0, b, 0, a.length);
}

public static void main(String[] args) {
    int a[] = {1, 2, 3};
    int b[] = {3, 4, 5};
    swapArrays(a, b);
    System.out.println(Arrays.toString(b));
}

如果它们的大小不同,您将需要分配一个新数组或仅复制特定范围。

您的代码工作正常。请参阅下面的小片段

int[][] item = {{1, 20}, {3, 40}, {9, 21}};
for (int[] ints : item) {
    System.out.printf("%s ", Arrays.toString(ints));
}
System.out.println("");

// to swap the array item[0] and array item[1]
int[] aux = item[0];
item[0] = item[1];
item[1] = aux;
for (int[] ints : item) {
    System.out.printf("%s ", Arrays.toString(ints));
}
System.out.println("");

输出

[1, 20] [3, 40] [9, 21] 
[3, 40] [1, 20] [9, 21] 

或交换数组中的值(而不是交换两个数组)

// to swap the values of array item[0]
// in the verbose way
int[] aux = item[0];
int temp = aux[0];
aux[0] = aux[1];
aux[1] = temp;
item[0] = aux;    
for (int[] ints : item) {
    System.out.printf("%s ", Arrays.toString(ints));
}
System.out.println("");

输出

[1, 20] [3, 40] [9, 21] 
[20, 1] [3, 40] [9, 21] 

问题与引用的使用有关。

必须使用System.arraycopy(array, 0, otherArray, 0, array.length);作为复制方式。