-
Notifications
You must be signed in to change notification settings - Fork 23
/
Copy path1019-next-greater-node-in-linked-list.js
46 lines (41 loc) · 1.24 KB
/
1019-next-greater-node-in-linked-list.js
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
/**
* 1019. Next Greater Node In Linked List
* https://leetcode.com/problems/next-greater-node-in-linked-list/
* Difficulty: Medium
*
* You are given the head of a linked list with n nodes.
*
* For each node in the list, find the value of the next greater node. That is, for each node,
* find the value of the first node that is next to it and has a strictly larger value than it.
*
* Return an integer array answer where answer[i] is the value of the next greater node of the
* ith node (1-indexed). If the ith node does not have a next greater node, set answer[i] = 0.
*/
/**
* Definition for singly-linked list.
* function ListNode(val, next) {
* this.val = (val===undefined ? 0 : val)
* this.next = (next===undefined ? null : next)
* }
*/
/**
* @param {ListNode} head
* @return {number[]}
*/
var nextLargerNodes = function(head) {
const values = [];
let current = head;
while (current) {
values.push(current.val);
current = current.next;
}
const result = new Array(values.length).fill(0);
const stack = [];
for (let i = 0; i < values.length; i++) {
while (stack.length && values[stack[stack.length - 1]] < values[i]) {
result[stack.pop()] = values[i];
}
stack.push(i);
}
return result;
};