解题思路
算法流程:
- 初始化,辅助栈tempS和弹出序列的索引i
- 遍历压入序列pushed
- 压入pushed的元素e
- 判断tempS是否为空且栈顶元素和popped[i]相等
- tempS出栈
- i++
3.返回tempS.empty(),如果其为空,说明合法,反之不合法
代码
class Solution {
public:
bool validateStackSequences(vector<int>& pushed, vector<int>& popped) {
stack<int> tempS;//辅助栈
int i = 0;//弹出序列的索引i
for (auto e : pushed) {
tempS.push(e);//入栈
while (!tempS.empty()&&tempS.top()==popped[i]){//栈顶元素,相等,弹出序列元素popped[i]
tempS.pop();//出栈
i++;//i++
}
}
return tempS.empty();//如果为空,说明合法
}
};