剑指 Offer(第2版)面试题 31:栈的压入、弹出序列
- 剑指 Offer(第2版)面试题 31:栈的压入、弹出序列
- 解法1:模拟
 
剑指 Offer(第2版)面试题 31:栈的压入、弹出序列
题目来源:42. 栈的压入、弹出序列
解法1:模拟
用一个栈 stk 来模拟实时进出栈操作:
在 for 循环里依次向栈 stk 插入数组 pushV 中的元素,每插入一个数字就检查有没有能 pop 出来的,具体做法是对比 stk.top() 和 popV[indexOfPop],若相等,则弹出元素,indexOfPop++;反正,不做操作。
如果最后栈 stk 为空,说明第二个序列是否可能为该栈的弹出顺序。
代码:
class Solution
{
public:bool isPopOrder(vector<int> pushV, vector<int> popV){// 特判if (pushV.size() != popV.size())return false;if (pushV.empty() || popV.empty())return true;stack<int> stk;int n = pushV.size(), indexOfPush = 0, indexOfPop = 0;for (indexOfPush = 0; indexOfPush < n; indexOfPush++){stk.push(pushV[indexOfPush]);while (!stk.empty() && stk.top() == popV[indexOfPop]){stk.pop();indexOfPop++;}}return stk.empty();}
};
复杂度分析:
时间复杂度:O(n),其中 n 是数组 pushV 和 popV 的长度。push 和 pop 各有 n 次。
空间复杂度:O(n),其中 n 是数组 pushV 和 popV 的长度。栈最多要存储 n 个元素,此时 popV 是 pushV 的倒序序列。