public class TestArray {
public static void main(String[] args) {
int[] ar = {1,2,3,4,5,6,7,8,9};
shiftRight(ar);
for (int i = 0; i < ar.length; i++) {
System.out.print(ar[i]);
}
// prints: 912345678 -- good
System.out.println();
reverseArray(ar);
for (int i = 0; i < ar.length; i++) {
System.out.println(ar[i]);
}
// prints: 91234567 -- I don't understand
System.out.println();
}
public static void shiftRight(int[] ar) {
int temp = ar[ar.length - 1];
for (int i = ar.length - 1; i > 0; i--) {
ar[i] = ar[i - 1];
}
ar[0] = temp;
}
public static void reverseArray(int[] ar) {
int[] temp = new int[ar.length];
for (int i = 0, j = temp.length - 1; i < ar.length; i++, j--) {
temp[i] = ar[j];
}
ar = temp;
for (int i = 0; i < ar.length; i++) {
System.out.print(ar[i]);
}
// prints: 876543219
System.out.println();
}
}
将数组传递给参数会导致将对数组的引用传递给参数;如果在方法内更改了数组参数,则该更改将在方法外可见。
第一种方法 ,shiftRight
符合我的预期:它改变了方法之外的数组。
但是,第二种方法不会更改方法之外的数组。但是在方法内部运行 for 循环会打印正确的值。为什么没有ar
指向的引用temp
?是因为temp
当方法停止时变量被破坏了——这也会杀死引用吗?即使是这种情况,为什么 Java 会采用ar
指向 的引用,temp
然后将其重新应用为 的原始引用ar
?
谢谢你。