0

我正在编写将中缀表达式转换为反向表示法的代码,但我的程序在执行文件时崩溃

typedef struct stack
 {
   char a[400];
   int top;
 }
 stack;
 stack s;
 void push(char *,int);
 int pop();

 int main()
  {
    char x[400];
    int len,i,y;
    puts("Enter string");
    scanf("%s",x);
    len=strlen(x);
    for(i=0;i<len;i++)
      {
//considering user is entering only the small alphabets 

      if((x[i])>=97&&x[i]<=122)
      printf("%s",x[i]);

      else
//if encountering the operator then pushing it into stack

      if(x[i]=='/'||x[i]=='*'||x[i]=='+'||x[i]=='-')
        {
        push(x,i);
        }

      else if(x[i]=='(')
      continue;
//When encountering the ')' then popping the operator

      else
        {
        y=pop();
        printf("%c",y);
        }
    }

  return 0;
 }

传递数组及其大小作为参数

void push(char *x,int i)
{
  stack s;
  s.top++;
  s.a[s.top]=x[i];
}

在找出“)”时返回弹出的运算符

int pop()
 {
   stack s;
   int temp;
   temp=s.a[s.top];
   s.top--;
   return temp;
 }
4

1 回答 1

1

在您的代码中

printf("%s",x[i]);

是错的。你想要的是

printf("%c",x[i]);

按照C11标准、章节7.21.6.1%s格式说明符

如果不存在 l 长度修饰符,则参数应是指向字符类型数组的初始元素的指针。...

但这里x[i]是类型char

此外,从第 9 段开始,

如果任何参数不是相应转换规范的正确类型,则行为未定义。

因此,您的代码会调用未定义的行为

接下来,对于函数push()pop(),您要定义一个局部变量stack s; 它在每次调用这些函数时创建,并在完成执行时销毁。您可能想改用 gloabl 变量。删除局部变量,它们不是必需的。

此外,对于这两个函数,您都使用s.topvalue 作为s.a数组的索引,但没有对其进行任何边界检查。在将值用作索引之前,您应该检查堆栈满情况 ( push()) 和堆栈空情况 ( ) 的数组索引值。的增量和减量也应该放在检查下。pop()s.tops.top


编辑:

对于逻辑部分,在解析完所有输入后,您应该检查堆栈上是否还有要弹出的元素。您应该打印堆栈包含,直到堆栈变空以获得完整的符号。检查我下面的评论以了解伪代码的想法。


注:按C标准,int main()int main(void)

于 2015-03-24T10:23:02.407 回答