基本上我正在编写一个实现累加器的简单命令行计算器。我觉得这段代码逻辑结构正确,我不明白为什么它会在进入无限循环的print语句之前冻结大约3秒钟。任何帮助表示赞赏。
void mycalc() {
printf("Begin Calculations\n\n");
printf("Initialize your Accumulator with data of the form \"number\" \"S\" which\
sets the Accumulator to the value of your number\n");
/* Initialize Variables */
float accumulator, num;
char op;
/* Ask for input */
scanf("%f %c\n", &num, &op);
while (op != 'E') {
if(op == 'S' || op == 's'){
accumulator = num;
printf("Value in the Accumulator = %f\n", accumulator);
} else if(op == '+'){
accumulator = accumulator + num;
printf("Value in the Accumulator = %f\n", accumulator);
} else if(op == '*'){
accumulator = accumulator * num;
printf("Value in the Accumulator = %f\n", accumulator);
} else if(op == '/'){
if (num == 0) {
printf("Can not divide by 0.\n");
} else {
accumulator = accumulator / num;
printf("Value in the Accumulator = %f\n", accumulator);
}
} else if(op == '-'){
accumulator = accumulator - num;
printf("Value in the Accumulator = %f\n", accumulator);
} else if(op == 'E' || op == 'e'){
printf("Value in the Accumulator = %f\n", accumulator);
break;
} else {
printf("Unknown operator. \n");
}
scanf("%f %c\n", &num, &op);
}
}
使用while(1)技术会更好吗?任何和所有的帮助表示赞赏!谢谢!
答案 0 :(得分:1)
代码不能很好地处理错误的输入。
如果输入了非数字输入,scanf("%f %c\n", &num, &op)
会在两个地方出现问题。 scanf()
失败,因此num
和op
会保留旧值。基于op
的操作再次发生,下一个scanf()
再次使用相同的数据进行尝试。
{2}中的"%f %c\n"
具有误导性,因为\n
的表现与OP期望不同。改为
scanf("%f %c", &num, &op);
而不是使用scanf()
,建议使用
char buf[100];
if (fgets(buf, sizeof(buf), stdin) == NULL) {
exit(-1); // handle EOF or error
}
if (sscanf(buf, "%f %c", &num, &op) != 2) {
exit(-1); // syntax error.
}
或者可以使用以下内容。糟糕的输入最终会消耗掉但不那么容易。
if (2 != scanf(" %c %f", &op, &num)) {
; // syntax error.
}
其他问题:累加器未初始化
float accumulator = 0.0;