某班第1组有10个学生,进行了C++考试,编写程序将考试成绩输入一维数组,并将C++成绩用冒泡法、选择法两种排序算法,由低到高的顺序排序后输出。实验数据:90、85、80、75、70、65、60、55、50、45
时间: 2023-07-04 09:06:19 浏览: 99
有一个一维数组内放个学生成绩求平均成绩。-c++面向对象程序设计
以下是C++代码实现:
```cpp
#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]);
}
}
}
}
void selectionSort(int arr[], int n) {
for (int i = 0; i < n - 1; i++) {
int minIndex = i;
for (int j = i + 1; j < n; j++) {
if (arr[j] < arr[minIndex]) {
minIndex = j;
}
}
swap(arr[i], arr[minIndex]);
}
}
int main() {
int arr[10] = {90, 85, 80, 75, 70, 65, 60, 55, 50, 45};
int n = sizeof(arr) / sizeof(arr[0]);
// 冒泡排序
bubbleSort(arr, n);
cout << "冒泡排序结果:";
for (int i = 0; i < n; i++) {
cout << arr[i] << " ";
}
cout << endl;
// 选择排序
selectionSort(arr, n);
cout << "选择排序结果:";
for (int i = 0; i < n; i++) {
cout << arr[i] << " ";
}
cout << endl;
return 0;
}
```
输出结果为:
```
冒泡排序结果:45 50 55 60 65 70 75 80 85 90
选择排序结果:45 50 55 60 65 70 75 80 85 90
```
可以看到,两种排序算法得到的结果相同,都是按照从小到大的顺序排列。
阅读全文