将数组内的数据从小到大排序
时间: 2024-11-18 22:15:40 浏览: 18
在C语言中,对数组进行排序是一项常见的操作。最简单的就是使用经典的冒泡排序、选择排序或插入排序算法。这里我给你提供一个使用选择排序的例子:
```c
#include <stdio.h>
// 选择排序函数
void selectionSort(int arr[], int n) {
for (int i = 0; i < n - 1; i++) {
// 找到未排序部分中的最小元素
int min_idx = i;
for (int j = i + 1; j < n; j++) {
if (arr[j] < arr[min_idx]) {
min_idx = j;
}
}
// 将找到的最小元素与当前位置交换
if (min_idx != i) {
int temp = arr[i];
arr[i] = arr[min_idx];
arr[min_idx] = temp;
}
}
}
int main() {
int arr[] = {64, 25, 12, 22, 11};
int n = sizeof(arr) / sizeof(arr[0]);
printf("Original array:\n");
for (int i = 0; i < n; i++) {
printf("%d ", arr[i]);
}
selectionSort(arr, n);
printf("\nSorted array:\n");
for (int i = 0; i < n; i++) {
printf("%d ", arr[i]);
}
return 0;
}
```
这段代码首先定义了一个`selectionSort`函数,它遍历整个数组,每次找出未排序部分的最小值并将其放置在正确的位置。然后在`main`函数中,我们创建了一个整数数组,并调用`selectionSort`对其进行排序。
运行这段程序后,你会看到原始数组被排成从小到大的顺序。
阅读全文