编写一个练习计算的小程序,要求: 编写加减乘除4个自定义函数add,sub,mul,div,在主函数中调用这4个函数去完成以下功能: (1)随机生成5道四则运算题,题目的类型自加,减,乘,除中任意混合出题(即5道题目中有各种类型的题目),每个题目的2个整数是20以内的随机数,题目显示在屏幕上,由用户输入答案(如下图所示)。 (2)程序判断用户输入的答案是否正确,统计答题的正确率。运行结束时,询问是否继续练习,如果回答“Y”则继续进行练习,如果回答“N”则退出练习。C语言
时间: 2024-03-05 07:52:03 浏览: 59
好的,以下是一个C语言的代码实现,希望能够帮到您:
```c
#include <stdio.h>
#include <stdlib.h>
#include <time.h>
int add(int x, int y) {
return x + y;
}
int sub(int x, int y) {
return x - y;
}
int mul(int x, int y) {
return x * y;
}
float div(int x, int y) {
return (float)x / y;
}
int main() {
srand(time(NULL));
char operators[] = {'+', '-', '*', '/'};
int correct_answers = 0;
int total_questions = 0;
while (1) {
printf("==========\n");
for (int i = 0; i < 5; i++) {
char op = operators[rand() % 4];
int x = rand() % 21;
int y = rand() % 21;
int ans;
switch (op) {
case '+':
ans = add(x, y);
break;
case '-':
ans = sub(x, y);
break;
case '*':
ans = mul(x, y);
break;
case '/':
while (y == 0) {
y = rand() % 21;
}
x = y * (rand() % 21);
ans = div(x, y);
break;
}
printf("%d. %d %c %d = ?", i+1, x, op, y);
float user_ans;
scanf("%f", &user_ans);
if (user_ans == ans) {
correct_answers++;
}
total_questions++;
}
float score = (float)correct_answers / total_questions * 100;
printf("你做对了%d道题,得分是%.2f%%。\n", correct_answers, score);
FILE* fp = fopen("result.txt", "a");
fprintf(fp, "你做对了%d道题,得分是%.2f%%。\n", correct_answers, score);
fclose(fp);
char ans;
printf("是否继续练习(Y/N)?");
scanf(" %c", &ans);
if (ans == 'n' || ans == 'N') {
break;
}
correct_answers = 0;
total_questions = 0;
}
return 0;
}
```
说明:
1. `add`、`sub`、`mul`、`div` 是四个自定义函数,分别用来进行加、减、乘、除运算。
2. `operators` 是一个包含加减乘除运算符的字符数组,用于随机选择运算符。
3. 在主循环中,每次循环生成一个随机运算符和两个随机数,根据运算符选择对应的函数进行计算,并输出题目,要求用户输入答案。
4. 判断用户输入的答案是否正确,正确则计数器加1。
5. 统计答题正确率,并将每次答题结果和正确率输出到屏幕上和result.txt文件中。
6. 询问用户是否继续练习,如果回答“Y”则继续进行练习,如果回答“N”则退出练习。
希望这个程序能够满足您的需求。
阅读全文