用java语言实现选择排序函数并给出示例
时间: 2024-11-06 13:17:27 浏览: 5
在Java中,选择排序是一种简单直观的排序算法,它的工作原理每次从未排序的数据元素中选出最小(或最大)的一个元素,存放在序列的起始位置,直到全部待排序的数据元素排完。以下是Java中选择排序的一个基本实现:
```java
public class SelectionSort {
void selectionSort(int[] arr) {
int n = arr.length;
for (int i = 0; i < n - 1; i++) {
// 找到剩余部分中的最小值
int minIndex = i;
for (int j = i + 1; j < n; j++) {
if (arr[j] < arr[minIndex]) {
minIndex = j;
}
}
// 将找到的最小值与当前未排序部分的第一个元素交换
int temp = arr[minIndex];
arr[minIndex] = arr[i];
arr[i] = temp;
}
}
// 测试
public static void main(String[] args) {
SelectionSort ss = new SelectionSort();
int[] arr = {9, 5, 2, 7, 1};
System.out.println("Before sorting:");
for (int num : arr) {
System.out.print(num + " ");
}
ss.selectionSort(arr);
System.out.println("\nAfter sorting:");
for (int num : arr) {
System.out.print(num + " ");
}
}
}
```
在这个例子中,`selectionSort`函数首先遍历整个数组,每次都找出剩余部分中的最小值,并将其放置在已排序部分的末尾。在`main`方法里,我们创建了一个测试数组,对其进行排序并打印结果。
阅读全文