使用c++编写有30个学生的高等数学课程成绩,编程: (1)定义函数input,输入所有学生的高等数学课程成绩。 (2)定义函数sort,按照成绩由小到大顺序进行排序。 (3)定义函数output,输出所有学生的高等数学课程成绩。 (4)定义函数average,计算高等数学课程的平均成绩。
时间: 2024-02-25 10:54:57 浏览: 60
好的,这是一个比较典型的数组排序和平均数计算问题,下面是C++的代码实现:
```
#include <iostream>
#include <algorithm>
using namespace std;
const int N = 30;
void input(int arr[]);
void sort(int arr[]);
void output(int arr[]);
double average(int arr[]);
int main() {
int scores[N];
input(scores);
sort(scores);
output(scores);
double avg = average(scores);
cout << "高等数学课程平均成绩:" << avg << endl;
return 0;
}
void input(int arr[]) {
cout << "请输入30个学生的高等数学课程成绩:" << endl;
for (int i = 0; i < N; i++) {
cin >> arr[i];
}
}
void sort(int arr[]) {
sort(arr, arr + N);
}
void output(int arr[]) {
cout << "所有学生的高等数学课程成绩(由小到大排序):" << endl;
for (int i = 0; i < N; i++) {
cout << arr[i] << " ";
}
cout << endl;
}
double average(int arr[]) {
double sum = 0;
for (int i = 0; i < N; i++) {
sum += arr[i];
}
return sum / N;
}
```
首先,在主函数中定义一个长度为30的整型数组 `scores`,然后分别调用 `input()`、`sort()`、`output()`、`average()` 函数。在 `input()` 函数中,使用循环输入每个学生的成绩;在 `sort()` 函数中,使用 `sort()` 函数对数组进行排序;在 `output()` 函数中,使用循环输出所有学生的成绩;在 `average()` 函数中,使用循环计算所有学生的成绩之和,然后除以30得到平均成绩。
需要注意的是,这里使用了函数参数传递来操作数组,而且使用了标准库中的 `sort()` 函数进行排序。在实际应用中,可能需要考虑输入的成绩是否超过有效范围、数组长度是否足够等问题,以及一些其他的异常情况。
阅读全文