如何用c++写一个冒泡排序?
时间: 2024-05-14 10:14:00 浏览: 47
以下是用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 arr[] = {5, 2, 8, 3, 1, 6};
int n = sizeof(arr)/sizeof(arr[0]);
bubbleSort(arr, n);
printf("Sorted array: ");
for (int i=0; i < n; i++){
printf("%d ", arr[i]);
}
return 0;
}
```
运行该代码,输出为:
```
Sorted array: 1 2 3 5 6 8
```
在该代码中:
- `bubbleSort`函数实现了冒泡排序算法,其中`arr`是待排序的数组,`n`是数组的长度。
- 内部循环在每次迭代中比较相邻的元素,并在必要时交换它们的位置。
- 在主函数中,我们定义了一个数组`arr`,并计算出它的长度`n`。然后我们调用`bubbleSort`函数对数组进行排序,并打印出排序后的数组。
阅读全文