使用Visual Studio2010\dev c++\VC++6.0函数实现选择和冒泡排序:分别定义选择排序函数void selectsort(int a[],int n) 和冒泡排序函数viod bubblesort(int a[],int n)对数组a中的元素进行排序,主函数中输入数组元素和元素个数,先调用选择排序函数对数组元素升序排序后输出结果,然后再调用冒泡排序对数组元素降序排序并输出结果。
时间: 2024-01-22 14:17:53 浏览: 86
以下是使用 Visual Studio 2010 实现的代码:
```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 - 1 - i; 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;
}
```
使用 dev c++ 或 VC++6.0 的实现方法类似,只需要将代码中的 `using namespace std` 改为 `using std::cout` 和 `using std::cin`,并在开头添加头文件 `<iostream>` 即可。
阅读全文