gpt4 book ai didi

c++ - 后缀评价算法

转载 作者:太空宇宙 更新时间:2023-11-04 12:05:25 25 4
gpt4 key购买 nike

这是我对评估后缀评估的尝试

#include<iostream>
#include<string>
using namespace std;
template<class T>
class Stack
{
private:
T *s;int N;
public:
Stack(int maxn)
{
s=new T[maxn];
N=0;
}
int empty()const
{
return N==0;
}
void push(T k)
{
s[N++]=k;
}
T pop()
{
return s[--N];
}
};

int main()
{
//postfix evaluation
char *a="3+4*5";
int N=strlen(a);
Stack<int>save(N);
for(int i=0;i<N;i++)
{
if(a[i]=='+')
save.push(save.pop()+save.pop());
if(a[i]=='*')
save.push(save.pop()*save.pop());
if((a[i]>='0' && a[i]<='9'))
save.push(0);
while((a[i]>='0' && a[i]<='9'))
save.push(10*save.pop()+(a[i++]-'0'));
}
cout<<save.pop()<<" "<<endl;
return 0;
}

但是因为 4*5+3=23 而不是答案 23,它给了我答案 5,据我所知,这段代码给了我这个结果,因为,首先它检查是否有 i=0 的 + 标记,这是不是,然后检查是否是*,这也不是,所以它先压0,然后计算10*0+'3'-'0',等于3,(它会被压入堆栈), 因为 i=1,a[i] 等于 3, 所以打印 3+, 第二个 pop 是未定义的, 所以我认为这是错误的, 请帮我修复它

最佳答案

这需要一点点修复:

#include <iostream>
#include <cstring>

using namespace std;

template<class T>
class Stack
{
private:
T *s;
int N;

public:
Stack(int maxn)
{
s = new T[maxn];
N = 0;
}
int empty()const
{
return N == 0;
}
void push(T k)
{
s[N++] = k;
}
T pop()
{
return s[--N];
}
};

int main()
{
//postfix evaluation
const char *a = "3 4 5*+";
int N = strlen(a);

Stack<int>save(N);

for (int i = 0; i < N; i++)
{
if (a[i]=='+')
save.push(save.pop() + save.pop());

if (a[i]=='*')
save.push(save.pop() * save.pop());

if (a[i] >= '0' && a[i] <= '9')
{
save.push(0);
while (a[i] >= '0' && a[i] <= '9')
save.push(10 * save.pop() + a[i++] - '0');
i--;
}
}

cout << save.pop() << " " << endl;

return 0;
}

输出(ideone):

23

现在,如果您删除 i--;我添加的代码将跳过 a[] 中的字符因为 i 的 2 个增量, 在 a[i++]for (int i = 0; i < N; i++) .

没有i--;输出是(ideone):

9

关于c++ - 后缀评价算法,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/12347335/

25 4 0
Copyright 2021 - 2024 cfsdn All Rights Reserved 蜀ICP备2022000587号
广告合作:1813099741@qq.com 6ren.com