用c++写一个冒泡排序算法
时间: 2023-12-14 15:39:04 浏览: 41
下面是用C++语言实现冒泡排序的代码:
```c++
#include<iostream>
using namespace std;
void bubbleSort(int arr[], int n) {
for (int i = 0; i < n - 1; i++) {
for (int j = 0; j < n - i - 1; j++) {
if (arr[j] > arr[j + 1]) {
// Swap arr[j] and arr[j+1]
int temp = arr[j];
arr[j] = arr[j + 1];
arr[j + 1] = temp;
}
}
}
}
int main() {
int arr[] = {10, 6, 8, 3, 20, 9};
int n = sizeof(arr) / sizeof(arr[0]);
bubbleSort(arr, n);
cout << "Sorted array: ";
for (int i = 0; i < n; i++) {
cout << arr[i] << " ";
}
cout << endl;
return 0;
}
```
注:冒泡排序是一种简单的排序算法,其时间复杂度为 O(n^2),因此在处理大规模数据时效率较低。
阅读全文