456. 132 模式(单调栈)
难度中等
给你一个整数数组 nums
,数组中共有 n
个整数。132 模式的子序列 由三个整数 nums[i]
、nums[j]
和 nums[k]
组成,并同时满足:i < j < k
和 nums[i] < nums[k] < nums[j]
。
如果 nums
中存在 132 模式的子序列 ,返回 true
;否则,返回 false
。
示例 1:
输入:nums = [1,2,3,4] 输出:false 解释:序列中不存在 132 模式的子序列。
示例 2:
输入:nums = [3,1,4,2] 输出:true 解释:序列中有 1 个 132 模式的子序列: [1, 4, 2] 。
示例 3:
输入:nums = [-1,3,2,0] 输出:true 解释:序列中有 3 个 132 模式的的子序列:[-1, 3, 2]、[-1, 3, 0] 和 [-1, 2, 0] 。
class Solution { public: bool find132pattern(vector<int>& nums) { stack<int> stk; int top = INT_MIN; // 栈顶存的是最大值, // s1 s3 s2 //keep the value of s3 as big as possible //use a "sorted" stack to maintain the candidates of s2 and s3. for(int i =nums.size()-1; i >=0;i--) { if (top>nums[i]) return true; while(!stk.empty() && nums[i] > stk.top()) { top = stk.top(); stk.pop(); } stk.push(nums[i]); } return false; } };