在Visual Studio2010\dev c++\VC++6.0情况下使用函数实现选择和冒泡排序:分别定义选择排序函数void selectsort(int a[],int n) 和冒泡排序函数viod bubblesort(int a[],int n)对数组a中的元素进行排序,主函数中输入数组元素和元素个数,先调用选择排序函数对数组元素升序排序后输出结果,然后再调用冒泡排序对数组元素降序排序并输出结果。
时间: 2024-01-22 21:17:45 浏览: 63
以下是分别定义选择排序函数和冒泡排序函数,以及主函数的完整代码:
```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;
}
}
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 << "请输入数组元素:";
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 3 2 4 1
```
输出示例:
```
选择排序后的结果为:1 2 3 4 5
冒泡排序后的结果为:5 4 3 2 1
```
阅读全文