题目描述
编写一个 StockSpanner 类,它收集某些股票的每日报价,并返回该股票当日价格的跨度。
今天股票价格的跨度被定义为股票价格小于或等于今天价格的最大连续日数(从今天开始往回数,包括今天)。
例如,如果未来7天股票的价格是 [100, 80, 60, 70, 60, 75, 85],那么股票跨度将是 [1, 1, 1, 2, 1, 4, 6]。
示例:
输入:["StockSpanner","next","next","next","next","next","next","next"], [[],[100],[80],[60],[70],[60],[75],[85]]
输出:[null,1,1,1,2,1,4,6]
解释:
首先,初始化 S = StockSpanner(),然后:
S.next(100) 被调用并返回 1,
S.next(80) 被调用并返回 1,
S.next(60) 被调用并返回 1,
S.next(70) 被调用并返回 2,
S.next(60) 被调用并返回 1,
S.next(75) 被调用并返回 4,
S.next(85) 被调用并返回 6。
注意 (例如) S.next(75) 返回 4,因为截至今天的最后 4 个价格
(包括今天的价格 75) 小于或等于今天的价格。
提示:
调用 StockSpanner.next(int price) 时,将有 1 <= price <= 10^5。
每个测试用例最多可以调用 10000 次 StockSpanner.next。
在所有测试用例中,最多调用 150000 次 StockSpanner.next。
此问题的总时间限制减少了 50%。
解题思路
思路1:使用了来个队列时间超限,根据题目的给定的要求也可以看出来,但是这一步是必须的,你不可能一下就想到最优解,循序渐进,慢慢来。
思路2:使用了动态数组ArrayList,遍历一遍,勉强通过。
思路3:上菜,该我们重量级嘉宾上场了,来到了我们最优雅的算法,单调栈。来找到每个元素左边位置第一个比自身大的元素。
实现代码
实现思路1:通过使用俩个队列来进行模拟整个过程,找到小于当前数字的最小数字连续个数。(时间超限)
class StockSpanner {
Deque<Integer> queue;
public StockSpanner() {
queue=new LinkedList<Integer>();
}
public int next(int price) {
int cnt=1;
Deque<Integer> temp=new LinkedList<>();
while(!queue.isEmpty()&&queue.peekLast()<=price){
temp.addLast(queue.pollLast());
cnt++;
}
while(!temp.isEmpty()){
queue.addLast(temp.pollLast());
}
queue.addLast(price);
return cnt;
}
}
/**
* Your StockSpanner object will be instantiated and called as such:
* StockSpanner obj = new StockSpanner();
* int param_1 = obj.next(price);
*/
实现思路2:通过动态数组的方式,遍历一遍,勉强通过。
class StockSpanner {
List<Integer> res;
public StockSpanner() {
res = new ArrayList<>();
}
public int next(int price) {
res.add(price);
int ans = 1;
for (int i = res.size() - 2; i >= 0; i--) {
if (res.get(i) <= price) {
ans++;
} else {
break;
}
}
return ans;
}
}
/**
* Your StockSpanner object will be instantiated and called as such:
* StockSpanner obj = new StockSpanner();
* int param_1 = obj.next(price);
*/
思想思路3:单调栈,快速找到当前元素左边比它大的元素所在的位置。
class StockSpanner {
Stack<int[]> stack;
int index;
public StockSpanner() {
stack=new Stack<>();
}
public int next(int price) {
while(!stack.isEmpty()&&stack.peek()[0]<=price){
stack.pop();
}
// 栈顶元素即为当前元素左边第一个最大元素
int ans=index-(!stack.isEmpty()?stack.peek()[1]:-1);
stack.push(new int[]{price, index++});
return ans;
}
}
/**
* Your StockSpanner object will be instantiated and called as such:
* StockSpanner obj = new StockSpanner();
* int param_1 = obj.next(price);
*/