我无法理解深度复制的工作原理。我有这个想要复制的 3d 矢量。
int bands[][][] = new int[parameters.numberPredictionBands + 1][][];
int copy[][][] = new int [parameters.numberPredictionBands + 1][][];
然后我将这个向量传递给一些改变波段的方法
prepareBands(bands);
最后我需要创建一个带的深层副本,所以当副本更改时,带保持不变,反之亦然。
copy = copyOf3Dim(bands, copy);
我尝试了这些不同的方法,但它们似乎对我不起作用
方法一:
private int[][][] copyOf3Dim(int[][][] array, int[][][]copy) {
for (int x = 0; x < array.length; x++) {
for (int y = 0; y < array[0].length; y++) {
for (int z = 0; z < array[0][0].length; z++) {
copy[x][y][z] = array[x][y][z];
}
}
}
return copy;
}
方法二:
private int[][][] copyOf3Dim(int[][][] array, int[][][]copy) {
for (int i = 0; i < array.length; i++) {
copy[i] = new int[array[i].length][];
for (int j = 0; j < array[i].length; j++) {
copy[i][j] = Arrays.copyOf(array[i][j], array[i][j].length);
}
}
return copy;
}
方法三:
public int[][][] copyOf3Dim(int[][][] array, int[][][] copy) {
for (int i = 0; i < array.length; i++) {
copy[i] = new int[array[i].length][];
for (int j = 0; j < array[i].length; j++) {
copy[i][j] = new int[array[i][j].length];
System.arraycopy(array[i][j], 0, copy[i][j], 0, array[i][j].length);
}
}
return copy;
}
我认为我的程序在执行时崩溃array[i].length
你能告诉我我做错了什么吗?