这是一个使用堆栈的后缀计算器的简单程序,但是atoi()导致其崩溃。为什么会这样呢? 我已经尝试使用ch-'0'将char转换为字符串,并且可以工作,但是atoi()函数将char转换为int在这种情况下似乎不起作用。
是因为ch是一个字符也不是字符串 例如。 char ch;而不是char ch [20];
#include <stdio.h>
#include <stdlib.h>
#include <string.h>
#define MAX 100
int num[MAX],tos=-1;
push(int x)
{
if(tos==MAX)
{
printf("the stack is full");
}
else
{
printf(" l");
tos++;
num[tos]=x;
}
}
int pop()
{
if(tos<0)
{
printf("stack underflow");
}
else
return num[tos--];
}
int main()
{
char postfix[MAX],exp[MAX],ch,val;
int a,b;
printf("enter the postfix expression");
fgets(postfix,MAX,stdin);
strcpy(exp,postfix);
for(int i=0;i<strlen(postfix);i++)
{
printf(" xox ");
ch=postfix[i];
if(isdigit(ch))
{
push(ch - '0');
printf(" %d ",atoi(ch));
}
else
{
printf("%d",tos);
a=pop();
b=pop();
switch(ch)
{
case '+':
val=a+b;
break;
case '-':
val=a-b;
break;
case '*':
val=a*b;
break;
case '/':
val=a/b;
break;
}
printf("%d",val);
push(val);
}
}
printf("the result of the expression %s = %d",exp,num[0]);
return 0;
}
答案 0 :(得分:2)
是因为ch是char还是string等。 char ch;而不是char ch [20];
是的。 atoi(ch)
甚至不是有效的C语言,并且不允许干净地编译。
在这种情况下,您可以基于ch
和空终止符创建一个临时字符串。例如,通过复合文字:(char[2]){ch, '\0'}
。
并且您永远不应出于任何目的使用atoi
,因为它的错误处理能力很差并且是完全多余的功能。请改用strtol
函数家族。
您可以像这样呼叫strtol
:
strtol( (char[2]){ch, '\0'}, // string to convert from
NULL, // end pointer, not used, set to NULL
10 ); // base 10 = decimal
示例:
printf(" %d ", (int)strtol( (char[2]){ch, '\0'}, NULL, 10) );
完全等同于更具可读性的
char tmp[2] = { ch, '\0' };
int result = (int) strtol(tmp, NULL, 10);
printf(" %d ", result);