c语言怎么把数组里的数从小到大排
时间: 2024-11-13 07:17:17 浏览: 16
在 C 语言中,你可以使用冒泡排序算法或快速排序等常见的排序算法对数组里的数进行升序排列。这里以冒泡排序为例,给出一个简单的示例:
```c
#include <stdio.h>
void bubble_sort(int arr[], int n) {
for (int i = 0; i < n - 1; i++) { // 遍历整个数组
for (int j = 0; j < n - 1 - i; j++) { // 每轮遍历内部比较并交换
if (arr[j] > arr[j + 1]) { // 如果前一个数大于后一个
int temp = arr[j]; // 临时存储较大值
arr[j] = arr[j + 1]; // 后一个数移到前面
arr[j + 1] = temp; // 前一个数移到后边
}
}
}
}
int main() {
int array[] = {5, 3, 8, 4, 2};
int size = sizeof(array) / sizeof(array[0]);
printf("Before sorting:\n");
for (int i = 0; i < size; i++) {
printf("%d ", array[i]);
}
bubble_sort(array, size);
printf("\nAfter sorting:\n");
for (int i = 0; i < size; i++) {
printf("%d ", array[i]);
}
return 0;
}
```
运行这个程序,你会看到数组按升序排列的结果。
阅读全文