1.题目
输入两个整数序列,第一个序列表示栈的压入顺序,请判断第二个序列是否可能为该栈的弹出顺序。假设压入栈的所有数字均不相等。
示例
Input: pushed = [1,2,3,4,5], popped = [4,5,3,2,1]
Output: true
Explanation: We might do the following sequence:
push(1), push(2), push(3), push(4), pop() -> 4,
push(5), pop() -> 5, pop() -> 3, pop() -> 2, pop() -> 1
2.思路
模拟堆栈操作。pushed 压入序列 popped弹出序列
建立一个辅助栈,循环向辅助栈中push压入序列的元素
- 如果辅助栈中的栈顶元素与popped的当前元素不同,则继续将pushed中的元素压入辅助栈;
- 如果它与当前弹出的元素相同,则继续弹出栈顶元素;
- 循环后检查辅助栈是否为空。
3.实现
class Solution {
public:
bool validateStackSequences(vector<int>& pushed, vector<int>& popped) {
stack<int> s; //辅助栈
for(int i = 0, j = 0; i < pushed.size(); i++)
{
s.push(pushed[i]);
while(!s.empty() && s.top() == popped[j])
{
s.pop();
j++;
}
}
return s.empty();
}
};