使用函数实现选择和冒泡排序:分别定义选择排序函数void selectsort(int a[],int n) 和冒泡排序函数viod bubblesort(int a[],int n)对数组a中的元素进行排序,主函数中输入数组元素和元素个数,先调用选择排序函数对数组元素升序排序后输出结果,然后再调用冒泡排序对数组元素降序排序并输出结果。
时间: 2024-01-22 22:17:41 浏览: 98
以下是选择排序和冒泡排序的实现代码:
```c++
#include <iostream>
using namespace std;
// 选择排序函数
void selectsort(int a[], int n) {
for(int i = 0; i < n - 1; i++) {
int minIndex = i;
for(int j = i + 1; j < n; j++) {
if(a[j] < a[minIndex]) {
minIndex = j;
}
}
if(minIndex != i) {
swap(a[i], a[minIndex]);
}
}
}
// 冒泡排序函数
void bubblesort(int a[], int n) {
for(int i = 0; i < n - 1; i++) {
for(int j = 0; j < n - i - 1; j++) {
if(a[j] < a[j+1]) {
swap(a[j], a[j+1]);
}
}
}
}
int main() {
int n;
cout << "请输入元素个数: ";
cin >> n;
int a[n];
cout << "请输入" << n << "个元素: ";
for(int i = 0; i < n; i++) {
cin >> a[i];
}
// 调用选择排序函数对数组升序排序
selectsort(a, n);
cout << "选择排序结果(升序): ";
for(int i = 0; i < n; i++) {
cout << a[i] << " ";
}
cout << endl;
// 调用冒泡排序函数对数组降序排序
bubblesort(a, n);
cout << "冒泡排序结果(降序): ";
for(int i = 0; i < n; i++) {
cout << a[i] << " ";
}
cout << endl;
return 0;
}
```
运行结果:
```
请输入元素个数: 5
请输入5个元素: 10 5 8 3 6
选择排序结果(升序): 3 5 6 8 10
冒泡排序结果(降序): 10 8 6 5 3
```
阅读全文