看看Collections.shuffle
的源代碼。它僅適用於1D集合,但它可以讓您瞭解一種方法:查看所有條目並使用隨機的其他條目交換每條條目。
如何用2D數組來做到這一點?假設它是一個大的1D陣列用於混洗。 假設每個行具有相同數量的列(否則它變得稍微更復雜的),則可以寫這個代碼,由Collections.shuffle
啓發的:
/** Shuffles a 2D array with the same number of columns for each row. */
public static void shuffle(double[][] matrix, int columns, Random rnd) {
int size = matrix.length * columns;
for (int i = size; i > 1; i--)
swap(matrix, columns, i - 1, rnd.nextInt(i));
}
/**
* Swaps two entries in a 2D array, where i and j are 1-dimensional indexes, looking at the
* array from left to right and top to bottom.
*/
public static void swap(double[][] matrix, int columns, int i, int j) {
double tmp = matrix[i/columns][i % columns];
matrix[i/columns][i % columns] = matrix[j/columns][j % columns];
matrix[j/columns][j % columns] = tmp;
}
/** Just some test code. */
public static void main(String[] args) throws Exception {
double[][] matrix = { { 1, 2, 3 }, { 4, 5, 6 }, { 7, 8, 9 }, { 10, 11, 12 } };
shuffle(matrix, 3, new Random());
for (int r = 0; r < matrix.length; r++) {
for (int c = 0; c < matrix[r].length; c++) {
System.out.print(matrix[r][c] + "\t");
}
System.out.println();
}
}
我只是做一個費雪耶茨具有解碼功能洗牌從1D指數要到2D指數。雖然可能是更好的方法。 – Obicere 2014-10-11 03:33:22
我該怎麼做? – 2014-10-11 03:44:21