c语言编程题:请编写一个程序,通过冒泡排序算法多数组int b={25,24,12,76,101,96,28}进行排
时间: 2024-06-14 16:06:17 浏览: 84
以下是使用冒泡排序算法对数组进行排序的C语言程序:
```c
#include <stdio.h>
void bubbleSort(int arr[], int n) {
int i, j, temp;
for (i = 0; i < n-1; i++) {
for (j = 0; j < n-i-1; j++) {
if (arr[j] > arr[j+1]) {
temp = arr[j];
arr[j] = arr[j+1];
arr[j+1] = temp;
}
}
}
}
int main() {
int b[] = {25, 24, 12, 76, 101, 96, 28};
int n = sizeof(b) / sizeof(b[0]);
printf("排序前的数组:");
for (int i = 0; i < n; i++) {
printf("%d ", b[i]);
}
bubbleSort(b, n);
printf("\n排序后的数组:");
for (int i = 0; i < n; i++) {
printf("%d ", b[i]);
}
return 0;
}
```
输出结果为:
```
排序前的数组:25 24 12 76 101 96 28
排序后的数组:12 24 25 28 76 96 101
```
阅读全文