我在2020年5月19日进行了Leetcode挑战,这是在线股票跨度。 其描述如下:
”编写一个StockSpanner类,该类收集某些股票的每日价格报价,并返回该股票当天的价格跨度。 今天股票价格的跨度被定义为股票价格小于或等于今天价格的连续连续天数(从今天开始并向后倒退)。”
我使用一种使用堆栈的方法,该堆栈容纳大小为2的int数组,其中索引0存储价格,索引1存储该价格的跨度。我提交并通过了,但仅超过Java提交的30%。但是,在YouTube上找到的解决方案使用的方法与我使用的方法相同,包括Java和Python等几种不同的语言。
链接到YouTube解决方案: https://www.youtube.com/watch?v=lGWLBgwd-cw&t=64s
链接到LeetCode: https://leetcode.com/explore/challenge/card/may-leetcoding-challenge/536/week-3-may-15th-may-21st/3334/
有人能更好地解决这个问题吗?
下面是我的代码:
public class StockSpanner1 {
Stack<int[]> prices;
public StockSpanner1() {
prices = new Stack<>();
}
public int next(int price) {
int span = 1; // All inputs will start with span of 1
// While the top price is less than the new price, sum the spans
while (!prices.isEmpty() && prices.peek()[0] <= price) {
span += prices.pop()[1]; // Sum the spans and pop the top
}
prices.push(new int[]{price, span}); // Add the new price with its span
return span; // Return the span
}
}
答案 0 :(得分:0)
public class StockSpanner {
Stack<Node> stack;
int index;
public StockSpanner() //default constructor
{
this.stack=new Stack<>();
this.index=0;
}
public int next(int price) {
while(!stack.isEmpty() && stack.peek().val<=price){
stack.pop();
}
int span=0;
if(stack.isEmpty())
span = index+1;
else
span = index-stack.peek().index+1;
stack.push(new Node(price,++index));
return span;
}
}
class Node {
int val;
int index;
public Node(int val,int index){
this.val=val;
this.index=index;
}
}
这是我的解决方案,希望对您有帮助。
答案 1 :(得分:0)
class solve {
// Function to calculate span
// price[]: input array
public static int[] calculateSpan(int price[], int n) {
Stack<Integer> stk = new Stack<>();
HashMap<Integer, Integer> hs = new HashMap<>();
int ngli[] = new int[n];
for (int i = 0; i < n; i++) {
hs.put(price[i], i);
}
ngli[0] = -1;
for (int i = 0; i < n; i++) {
if (!stk.isEmpty() && stk.peek() > price[i]) {
ngli[i] = hs.get(stk.peek());
} else if (!stk.isEmpty() && stk.peek() < price[i]) {
while (!stk.isEmpty() && stk.peek() < price[i]) {
stk.pop();
}
if (stk.isEmpty()) {
ngli[i] = -1;
} else {
ngli[i] = hs.get(stk.peek());
}
}
stk.push(price[i]);
}
for (int i = 0; i < n; i++) {
if ((i - ngli[i]) > 0) ngli[i] = i - ngli[i];
}
return ngli;
}
}