问题 D: C语言11.7
题目描述
编写两个函数input和print,分别用来输入5个学生的数据记录和打印这5个学生的记录。对于每一个学生,其记录包含了学号、名字、3门课程的成绩共5项。用主函数分别调用input和print函数进行输入和输出。
要求使用结构体数组实现,结构体中包括了每个学生的5项记录。
输入
共有5行,每行包含了一个学生的学号(整数)、名字(长度不超过19的无空格字符串)和3门课程的成绩(0至100之间的整数),用空格隔开。
输出
与输入格式相同,每行输出一个学生的所有记录。
请注意行尾输出换行。
样例输入
101 AAA 80 81 82
102 BBB 83 84 85
103 CCC 86 87 88
104 DDD 89 90 91
105 EEE 92 93 94
样例输出
101 AAA 80 81 82
102 BBB 83 84 85
103 CCC 86 87 88
104 DDD 89 90 91
105 EEE 92 93 94
解题思路
这倒是挺简单的。
#include<cstdio> struct student{ int id; char name[20]; char score[3]; }; void scan(student *a){ for(int i = 0;i < 5;i++) scanf("%d %s %d %d %d",&a[i].id,a[i].name,&a[i].score[0],&a[i].score[1],&a[i].score[2]); } void print(student *a){ for(int i = 0;i < 5;i++) printf("%d %s %d %d %d\n",a[i].id,a[i].name,a[i].score[0],a[i].score[1],a[i].score[2]); } int main(){ student stu[5]; scan(stu); print(stu); return 0; }
问题 E: C语言11.8
题目描述
有10个学生,每个学生的数据包括学号、姓名、3门课程的成绩。读入这10个学生的数据,要求输出3门课程的总平均成绩,以及个人平均分最高的学生的数据(包括学号、姓名、3门课程成绩、平均分数)。
输入
共有10行,每行包含了一个学生的学号(整数)、名字(长度不超过19的无空格字符串)和3门课程的成绩(0至100之间的整数),用空格隔开。
输出
第一行包含了3个实数,分别表示3门课程的总平均成绩,保留2位小数,每个数之后输出一个空格。
第二行输出个人平均分最高的学生的数据,与输入数据格式相同。如果有多位个人平均分最高的学生,输出按照输入顺序第一个最高分的学生数据。
请注意行尾输出换行。
样例输入
101 AAA 80 81 82
102 BBB 83 84 85
103 CCC 86 87 88
104 DDD 89 90 91
105 EEE 92 93 94
106 FFF 80 90 100
107 GGG 85 90 95
108 HHH 80 85 90
109 III 90 91 92
110 JJJ 91 88 87
样例输出
85.60 87.90 90.40
105 EEE 92 93 94
解题思路
这道题也是挺简单的。
#include<cstdio> struct student{ int id; char name[20]; int score[3]; }; void scan(student *a){ for(int i = 0;i < 10;i++) scanf("%d %s %d %d %d",&a[i].id,a[i].name,&a[i].score[0],&a[i].score[1],&a[i].score[2]); } void print(student *a){ printf("%d %s %d %d %d\n",a->id,a->name,a->score[0],a->score[1],a->score[2]); } int main(){ student stu[10]; scan(stu); double p_1 = 0,p_2 = 0,p_3 = 0; for(int i = 0;i < 10;i++) p_1 += stu[i].score[0],p_2 += stu[i].score[1],p_3 += stu[i].score[2]; printf("%.2f %.2f %.2f\n",p_1/10,p_2/10,p_3/10); int max = 0; for(int i = 0;i < 10;i++) if(max < stu[i].score[0]+stu[i].score[1]+stu[i].score[2]) max = stu[i].score[0]+stu[i].score[1]+stu[i].score[2]; for(int i = 0;i < 10;i++) if(max == stu[i].score[0]+stu[i].score[1]+stu[i].score[2]) { print(&stu[i]); break; } return 0; }
🥚2.10小节——C/C++快速入门->黑盒测试
问题 A: A+B 输入输出练习I
题目描述
你的任务是计算a+b。这是为了acm初学者专门设计的题目。你肯定发现还有其他题目跟这道题的标题类似,这些问题也都是专门为初学者提供的。
输入
输入包含一系列的a和b对,通过空格隔开。一对a和b占一行。
输出
对于输入的每对a和b,你需要依次输出a、b的和。
如对于输入中的第二对a和b,在输出中它们的和应该也在第二行。
样例输入
1 5
10 20
样例输出
6
30
解题思路
练习EOF的使用。
#include<cstdio> int main(){ int a,b; while(scanf("%d %d",&a,&b) != EOF){ printf("%d\n",a + b); } return 0; }