2024-10-18 06:57:15
基本思路OK。
对于连加、连乘处理不对,每次计算后还要循环,不是直接跳出。去了break,应该对了。
#include <stdlib.h>
#include <math.h>
int mid(void);
int high(void);
char wm;
void match(char expectedwm) /*对当前的标志进行匹配*/
{
if (wm == expectedwm) wm = getchar(); /*匹配成功,获取下一个标志*/
else
{
printf("cannot match\n");
exit(1); /*匹配不成功,退出程序*/
}
}
int low(void)/*用于计算表达式中级别最低的运算*/
{
int result = mid(); /*计算比加减运算优先级别高的部分*/
while ((wm == '+') || (wm == '-'))
if (wm == '+')
{
match('+'); /*进行加法运算*/
result += mid();
}
else if (wm == '-')
{
match('-'); /*进行减法运算*/
result -= mid();
}
return result;
}
int mid(void)
{
int div;
int result = high();
while ((wm == '*') || (wm == '/'))
if (wm == '*')
{
match('*');
result *= high();
}
else if (wm == '/')
{
match('/');
div = high();
if (div == 0)
{
printf("除数为0.\n");
exit(1);
}
result /= div;
}
return result;
}
int high(void)/*用于计算表达式中级别最高的运算,即带()的运算*/
{
int result;
if (wm == '(') /*带有括号的运算*/
{
match('(');
result = low();/*递归计算表达式*/
match(')');
}
else if (wm >= '0'&&wm <= '9') /*实际的数字*/
{
ungetc(wm, stdin); /*将读入的字符退还给输入流,为读取整个数*/
scanf("%d", &result); /*读出数字*/
wm = getchar(); /*读出当前的标志*/
}
else
{
printf("The input has unexpected char\n"); /*不是括号也不是数字*/
exit(1);
}
return result;
}
int main()
{
int result; /*运算的结果*/
printf("*****************************************\n");
printf("**Welcome to use this simple calculator**\n");
printf("**Please input a multinomial like **\n");
printf("** 6-3*(5-1)/2+14/7 **\n");
printf("*****************************************\n");
wm = getchar(); /*载入第一个符号*/
result = low(); /*进行计算*/
if (wm == '\n') /* 是否一行结束 */
printf("The answer is : %d\n", result);
else
{
printf("Unexpected char!");
exit(1); /* 出现了例外的字符 */
}
scanf("%d", &result);
return 0;
}
2024-10-18 06:13:49
6-3*(5-1)/2+14/7这个算式就无法运行。同级运算无法进行
这是你程序的逻辑问题 , 你还是自己改吧,慢慢调试
2024-10-18 03:56:10