linux写一个冒泡排序
时间: 2023-10-19 11:08:21 浏览: 92
Scratch 排序算法(1)
以下是一个简单的冒泡排序的Linux程序:
```c
#include <stdio.h>
void bubble_sort(int arr[], int n) {
int temp;
for (int i = 0; i < n - 1; i++) {
for (int 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 arr[] = { 64, 34, 25, 12, 22, 11, 90 };
int n = sizeof(arr) / sizeof(arr[0]);
bubble_sort(arr, n);
printf("排序后的数组:\n");
for (int i = 0; i < n; i++) {
printf("%d ", arr[i]);
}
return 0;
}
```
在这个程序中,我们定义了一个 `bubble_sort()` 函数,它接受一个整数数组和数组的大小作为参数,并使用冒泡排序算法对数组进行排序。然后在 `main()` 函数中,我们声明一个整数数组,调用 `bubble_sort()` 函数进行排序,然后输出排序后的数组。
阅读全文