冒泡法数组排序程序实例
时间: 2024-06-12 07:11:15 浏览: 64
冒泡排序是一种简单的排序算法,它重复地遍历要排序的数组,比较相邻的两个元素,如果它们的顺序错误就交换它们的位置。通过多次遍历,将最大的元素逐渐“冒泡”到数组的末尾,从而实现排序。
以下是一个使用冒泡排序算法对数组进行排序的示例程序:
```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[] = {5, 2, 8, 3, 1, 6};
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`,并使用`sizeof`运算符计算数组的大小。接下来,我们调用`bubbleSort`函数对数组进行排序,并使用循环打印排序后的数组。
阅读全文