用C++写一个冒泡排序
时间: 2023-03-15 09:51:14 浏览: 78
我可以为你编写一个用C语言实现的冒泡排序程序,代码如下:#include<stdio.h>int main(){
int a[100], n, i, j, temp;printf("Enter the number of elements in the array\n");
scanf("%d", &n);printf("Enter the array elements\n");
for(i=0; i<n; i++)
sc
相关问题
用c++写一个冒泡排序
好的,以下是用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]) {
int 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]);
bubbleSort(arr, n);
cout << "Sorted array: ";
for (int i = 0; i < n; i++) {
cout << arr[i] << " ";
}
cout << endl;
return 0;
}
```
解释一下:
首先定义了一个 `bubbleSort` 函数,接收一个整型数组和数组的长度作为参数,函数内部实现了冒泡排序算法。
然后在 `main` 函数中定义了一个整型数组 `arr`,并计算了数组的长度 `n`,接着调用 `bubbleSort` 函数进行排序。
最后输出排序后的数组。
希望能够帮到你!
用c++写一个冒泡排序
当然,下面是用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
```
在上面的代码中,我们使用了两层循环来遍历数组并比较相邻元素。如果前面的元素比后面的元素大,则交换它们的位置。每一轮循环结束后,最大的元素会被移动到最后面,直到所有元素都被排序。
阅读全文