要實現(xiàn)選擇排序,可以按照以下步驟進行:
遍歷數(shù)組,從第一個元素開始,將其視為最小值。
依次與后面的元素比較,若有比當前最小值更小的元素,則更新最小值。
遍歷完一次數(shù)組后,將最小值與第一個元素進行交換。
重復上述步驟,從第二個元素開始,直到數(shù)組的倒數(shù)第二個元素。
下面是一個示例代碼實現(xiàn)選擇排序:
public class SelectionSort {
public static void selectionSort(int[] array) {
int n = array.length;
for (int i = 0; i < n - 1; i++) {
int minIndex = i;
for (int j = i + 1; j < n; j++) {
if (array[j] < array[minIndex]) {
minIndex = j;
}
}
// 交換最小值和當前位置的元素
int temp = array[minIndex];
array[minIndex] = array[i];
array[i] = temp;
}
}
public static void main(String[] args) {
int[] array = {64, 25, 12, 22, 11};
selectionSort(array);
System.out.println("排序后的數(shù)組:");
for (int i = 0; i < array.length; i++) {
System.out.print(array[i] + " ");
}
}
}
輸出結果為:11 12 22 25 64