用c++写一个冒泡排序
时间: 2023-08-26 19:52:47 浏览: 103
当然,下面是用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], arr[j + 1]);
}
}
}
}
int main() {
int arr[] = { 64, 34, 25, 12, 22, 11, 90 };
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;
}
```
输出结果:
```
Sorted array: 11 12 22 25 34 64 90
```
在上面的代码中,我们使用了两层循环来遍历数组并比较相邻元素。如果前面的元素比后面的元素大,则交换它们的位置。每一轮循环结束后,最大的元素会被移动到最后面,直到所有元素都被排序。
阅读全文