id
int64
1
3.64k
title
stringlengths
3
79
difficulty
stringclasses
3 values
description
stringlengths
430
25.4k
tags
stringlengths
0
131
language
stringclasses
19 values
solution
stringlengths
47
20.6k
142
Linked List Cycle II
Medium
<p>Given the <code>head</code> of a linked list, return <em>the node where the cycle begins. If there is no cycle, return </em><code>null</code>.</p> <p>There is a cycle in a linked list if there is some node in the list that can be reached again by continuously following the <code>next</code> pointer. Internally, <code>pos</code> is used to denote the index of the node that tail&#39;s <code>next</code> pointer is connected to (<strong>0-indexed</strong>). It is <code>-1</code> if there is no cycle. <strong>Note that</strong> <code>pos</code> <strong>is not passed as a parameter</strong>.</p> <p><strong>Do not modify</strong> the linked list.</p> <p>&nbsp;</p> <p><strong class="example">Example 1:</strong></p> <img alt="" src="https://fastly.jsdelivr.net/gh/doocs/leetcode@main/solution/0100-0199/0142.Linked%20List%20Cycle%20II/images/circularlinkedlist.png" style="height: 145px; width: 450px;" /> <pre> <strong>Input:</strong> head = [3,2,0,-4], pos = 1 <strong>Output:</strong> tail connects to node index 1 <strong>Explanation:</strong> There is a cycle in the linked list, where tail connects to the second node. </pre> <p><strong class="example">Example 2:</strong></p> <img alt="" src="https://fastly.jsdelivr.net/gh/doocs/leetcode@main/solution/0100-0199/0142.Linked%20List%20Cycle%20II/images/circularlinkedlist_test2.png" style="height: 105px; width: 201px;" /> <pre> <strong>Input:</strong> head = [1,2], pos = 0 <strong>Output:</strong> tail connects to node index 0 <strong>Explanation:</strong> There is a cycle in the linked list, where tail connects to the first node. </pre> <p><strong class="example">Example 3:</strong></p> <img alt="" src="https://fastly.jsdelivr.net/gh/doocs/leetcode@main/solution/0100-0199/0142.Linked%20List%20Cycle%20II/images/circularlinkedlist_test3.png" style="height: 65px; width: 65px;" /> <pre> <strong>Input:</strong> head = [1], pos = -1 <strong>Output:</strong> no cycle <strong>Explanation:</strong> There is no cycle in the linked list. </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li>The number of the nodes in the list is in the range <code>[0, 10<sup>4</sup>]</code>.</li> <li><code>-10<sup>5</sup> &lt;= Node.val &lt;= 10<sup>5</sup></code></li> <li><code>pos</code> is <code>-1</code> or a <strong>valid index</strong> in the linked-list.</li> </ul> <p>&nbsp;</p> <p><strong>Follow up:</strong> Can you solve it using <code>O(1)</code> (i.e. constant) memory?</p>
Hash Table; Linked List; Two Pointers
Go
/** * Definition for singly-linked list. * type ListNode struct { * Val int * Next *ListNode * } */ func detectCycle(head *ListNode) *ListNode { fast, slow := head, head for fast != nil && fast.Next != nil { slow = slow.Next fast = fast.Next.Next if slow == fast { ans := head for ans != slow { ans = ans.Next slow = slow.Next } return ans } } return nil }
142
Linked List Cycle II
Medium
<p>Given the <code>head</code> of a linked list, return <em>the node where the cycle begins. If there is no cycle, return </em><code>null</code>.</p> <p>There is a cycle in a linked list if there is some node in the list that can be reached again by continuously following the <code>next</code> pointer. Internally, <code>pos</code> is used to denote the index of the node that tail&#39;s <code>next</code> pointer is connected to (<strong>0-indexed</strong>). It is <code>-1</code> if there is no cycle. <strong>Note that</strong> <code>pos</code> <strong>is not passed as a parameter</strong>.</p> <p><strong>Do not modify</strong> the linked list.</p> <p>&nbsp;</p> <p><strong class="example">Example 1:</strong></p> <img alt="" src="https://fastly.jsdelivr.net/gh/doocs/leetcode@main/solution/0100-0199/0142.Linked%20List%20Cycle%20II/images/circularlinkedlist.png" style="height: 145px; width: 450px;" /> <pre> <strong>Input:</strong> head = [3,2,0,-4], pos = 1 <strong>Output:</strong> tail connects to node index 1 <strong>Explanation:</strong> There is a cycle in the linked list, where tail connects to the second node. </pre> <p><strong class="example">Example 2:</strong></p> <img alt="" src="https://fastly.jsdelivr.net/gh/doocs/leetcode@main/solution/0100-0199/0142.Linked%20List%20Cycle%20II/images/circularlinkedlist_test2.png" style="height: 105px; width: 201px;" /> <pre> <strong>Input:</strong> head = [1,2], pos = 0 <strong>Output:</strong> tail connects to node index 0 <strong>Explanation:</strong> There is a cycle in the linked list, where tail connects to the first node. </pre> <p><strong class="example">Example 3:</strong></p> <img alt="" src="https://fastly.jsdelivr.net/gh/doocs/leetcode@main/solution/0100-0199/0142.Linked%20List%20Cycle%20II/images/circularlinkedlist_test3.png" style="height: 65px; width: 65px;" /> <pre> <strong>Input:</strong> head = [1], pos = -1 <strong>Output:</strong> no cycle <strong>Explanation:</strong> There is no cycle in the linked list. </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li>The number of the nodes in the list is in the range <code>[0, 10<sup>4</sup>]</code>.</li> <li><code>-10<sup>5</sup> &lt;= Node.val &lt;= 10<sup>5</sup></code></li> <li><code>pos</code> is <code>-1</code> or a <strong>valid index</strong> in the linked-list.</li> </ul> <p>&nbsp;</p> <p><strong>Follow up:</strong> Can you solve it using <code>O(1)</code> (i.e. constant) memory?</p>
Hash Table; Linked List; Two Pointers
Java
/** * Definition for singly-linked list. * class ListNode { * int val; * ListNode next; * ListNode(int x) { * val = x; * next = null; * } * } */ public class Solution { public ListNode detectCycle(ListNode head) { ListNode fast = head, slow = head; while (fast != null && fast.next != null) { slow = slow.next; fast = fast.next.next; if (slow == fast) { ListNode ans = head; while (ans != slow) { ans = ans.next; slow = slow.next; } return ans; } } return null; } }
142
Linked List Cycle II
Medium
<p>Given the <code>head</code> of a linked list, return <em>the node where the cycle begins. If there is no cycle, return </em><code>null</code>.</p> <p>There is a cycle in a linked list if there is some node in the list that can be reached again by continuously following the <code>next</code> pointer. Internally, <code>pos</code> is used to denote the index of the node that tail&#39;s <code>next</code> pointer is connected to (<strong>0-indexed</strong>). It is <code>-1</code> if there is no cycle. <strong>Note that</strong> <code>pos</code> <strong>is not passed as a parameter</strong>.</p> <p><strong>Do not modify</strong> the linked list.</p> <p>&nbsp;</p> <p><strong class="example">Example 1:</strong></p> <img alt="" src="https://fastly.jsdelivr.net/gh/doocs/leetcode@main/solution/0100-0199/0142.Linked%20List%20Cycle%20II/images/circularlinkedlist.png" style="height: 145px; width: 450px;" /> <pre> <strong>Input:</strong> head = [3,2,0,-4], pos = 1 <strong>Output:</strong> tail connects to node index 1 <strong>Explanation:</strong> There is a cycle in the linked list, where tail connects to the second node. </pre> <p><strong class="example">Example 2:</strong></p> <img alt="" src="https://fastly.jsdelivr.net/gh/doocs/leetcode@main/solution/0100-0199/0142.Linked%20List%20Cycle%20II/images/circularlinkedlist_test2.png" style="height: 105px; width: 201px;" /> <pre> <strong>Input:</strong> head = [1,2], pos = 0 <strong>Output:</strong> tail connects to node index 0 <strong>Explanation:</strong> There is a cycle in the linked list, where tail connects to the first node. </pre> <p><strong class="example">Example 3:</strong></p> <img alt="" src="https://fastly.jsdelivr.net/gh/doocs/leetcode@main/solution/0100-0199/0142.Linked%20List%20Cycle%20II/images/circularlinkedlist_test3.png" style="height: 65px; width: 65px;" /> <pre> <strong>Input:</strong> head = [1], pos = -1 <strong>Output:</strong> no cycle <strong>Explanation:</strong> There is no cycle in the linked list. </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li>The number of the nodes in the list is in the range <code>[0, 10<sup>4</sup>]</code>.</li> <li><code>-10<sup>5</sup> &lt;= Node.val &lt;= 10<sup>5</sup></code></li> <li><code>pos</code> is <code>-1</code> or a <strong>valid index</strong> in the linked-list.</li> </ul> <p>&nbsp;</p> <p><strong>Follow up:</strong> Can you solve it using <code>O(1)</code> (i.e. constant) memory?</p>
Hash Table; Linked List; Two Pointers
JavaScript
/** * Definition for singly-linked list. * function ListNode(val) { * this.val = val; * this.next = null; * } */ /** * @param {ListNode} head * @return {ListNode} */ var detectCycle = function (head) { let [slow, fast] = [head, head]; while (fast && fast.next) { slow = slow.next; fast = fast.next.next; if (slow === fast) { let ans = head; while (ans !== slow) { ans = ans.next; slow = slow.next; } return ans; } } return null; };
142
Linked List Cycle II
Medium
<p>Given the <code>head</code> of a linked list, return <em>the node where the cycle begins. If there is no cycle, return </em><code>null</code>.</p> <p>There is a cycle in a linked list if there is some node in the list that can be reached again by continuously following the <code>next</code> pointer. Internally, <code>pos</code> is used to denote the index of the node that tail&#39;s <code>next</code> pointer is connected to (<strong>0-indexed</strong>). It is <code>-1</code> if there is no cycle. <strong>Note that</strong> <code>pos</code> <strong>is not passed as a parameter</strong>.</p> <p><strong>Do not modify</strong> the linked list.</p> <p>&nbsp;</p> <p><strong class="example">Example 1:</strong></p> <img alt="" src="https://fastly.jsdelivr.net/gh/doocs/leetcode@main/solution/0100-0199/0142.Linked%20List%20Cycle%20II/images/circularlinkedlist.png" style="height: 145px; width: 450px;" /> <pre> <strong>Input:</strong> head = [3,2,0,-4], pos = 1 <strong>Output:</strong> tail connects to node index 1 <strong>Explanation:</strong> There is a cycle in the linked list, where tail connects to the second node. </pre> <p><strong class="example">Example 2:</strong></p> <img alt="" src="https://fastly.jsdelivr.net/gh/doocs/leetcode@main/solution/0100-0199/0142.Linked%20List%20Cycle%20II/images/circularlinkedlist_test2.png" style="height: 105px; width: 201px;" /> <pre> <strong>Input:</strong> head = [1,2], pos = 0 <strong>Output:</strong> tail connects to node index 0 <strong>Explanation:</strong> There is a cycle in the linked list, where tail connects to the first node. </pre> <p><strong class="example">Example 3:</strong></p> <img alt="" src="https://fastly.jsdelivr.net/gh/doocs/leetcode@main/solution/0100-0199/0142.Linked%20List%20Cycle%20II/images/circularlinkedlist_test3.png" style="height: 65px; width: 65px;" /> <pre> <strong>Input:</strong> head = [1], pos = -1 <strong>Output:</strong> no cycle <strong>Explanation:</strong> There is no cycle in the linked list. </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li>The number of the nodes in the list is in the range <code>[0, 10<sup>4</sup>]</code>.</li> <li><code>-10<sup>5</sup> &lt;= Node.val &lt;= 10<sup>5</sup></code></li> <li><code>pos</code> is <code>-1</code> or a <strong>valid index</strong> in the linked-list.</li> </ul> <p>&nbsp;</p> <p><strong>Follow up:</strong> Can you solve it using <code>O(1)</code> (i.e. constant) memory?</p>
Hash Table; Linked List; Two Pointers
Python
# Definition for singly-linked list. # class ListNode: # def __init__(self, x): # self.val = x # self.next = None class Solution: def detectCycle(self, head: Optional[ListNode]) -> Optional[ListNode]: fast = slow = head while fast and fast.next: slow = slow.next fast = fast.next.next if slow == fast: ans = head while ans != slow: ans = ans.next slow = slow.next return ans
142
Linked List Cycle II
Medium
<p>Given the <code>head</code> of a linked list, return <em>the node where the cycle begins. If there is no cycle, return </em><code>null</code>.</p> <p>There is a cycle in a linked list if there is some node in the list that can be reached again by continuously following the <code>next</code> pointer. Internally, <code>pos</code> is used to denote the index of the node that tail&#39;s <code>next</code> pointer is connected to (<strong>0-indexed</strong>). It is <code>-1</code> if there is no cycle. <strong>Note that</strong> <code>pos</code> <strong>is not passed as a parameter</strong>.</p> <p><strong>Do not modify</strong> the linked list.</p> <p>&nbsp;</p> <p><strong class="example">Example 1:</strong></p> <img alt="" src="https://fastly.jsdelivr.net/gh/doocs/leetcode@main/solution/0100-0199/0142.Linked%20List%20Cycle%20II/images/circularlinkedlist.png" style="height: 145px; width: 450px;" /> <pre> <strong>Input:</strong> head = [3,2,0,-4], pos = 1 <strong>Output:</strong> tail connects to node index 1 <strong>Explanation:</strong> There is a cycle in the linked list, where tail connects to the second node. </pre> <p><strong class="example">Example 2:</strong></p> <img alt="" src="https://fastly.jsdelivr.net/gh/doocs/leetcode@main/solution/0100-0199/0142.Linked%20List%20Cycle%20II/images/circularlinkedlist_test2.png" style="height: 105px; width: 201px;" /> <pre> <strong>Input:</strong> head = [1,2], pos = 0 <strong>Output:</strong> tail connects to node index 0 <strong>Explanation:</strong> There is a cycle in the linked list, where tail connects to the first node. </pre> <p><strong class="example">Example 3:</strong></p> <img alt="" src="https://fastly.jsdelivr.net/gh/doocs/leetcode@main/solution/0100-0199/0142.Linked%20List%20Cycle%20II/images/circularlinkedlist_test3.png" style="height: 65px; width: 65px;" /> <pre> <strong>Input:</strong> head = [1], pos = -1 <strong>Output:</strong> no cycle <strong>Explanation:</strong> There is no cycle in the linked list. </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li>The number of the nodes in the list is in the range <code>[0, 10<sup>4</sup>]</code>.</li> <li><code>-10<sup>5</sup> &lt;= Node.val &lt;= 10<sup>5</sup></code></li> <li><code>pos</code> is <code>-1</code> or a <strong>valid index</strong> in the linked-list.</li> </ul> <p>&nbsp;</p> <p><strong>Follow up:</strong> Can you solve it using <code>O(1)</code> (i.e. constant) memory?</p>
Hash Table; Linked List; Two Pointers
TypeScript
/** * Definition for singly-linked list. * class ListNode { * val: number * next: ListNode | null * constructor(val?: number, next?: ListNode | null) { * this.val = (val===undefined ? 0 : val) * this.next = (next===undefined ? null : next) * } * } */ function detectCycle(head: ListNode | null): ListNode | null { let [slow, fast] = [head, head]; while (fast && fast.next) { slow = slow.next; fast = fast.next.next; if (slow === fast) { let ans = head; while (ans !== slow) { ans = ans.next; slow = slow.next; } return ans; } } return null; }
143
Reorder List
Medium
<p>You are given the head of a singly linked-list. The list can be represented as:</p> <pre> L<sub>0</sub> &rarr; L<sub>1</sub> &rarr; &hellip; &rarr; L<sub>n - 1</sub> &rarr; L<sub>n</sub> </pre> <p><em>Reorder the list to be on the following form:</em></p> <pre> L<sub>0</sub> &rarr; L<sub>n</sub> &rarr; L<sub>1</sub> &rarr; L<sub>n - 1</sub> &rarr; L<sub>2</sub> &rarr; L<sub>n - 2</sub> &rarr; &hellip; </pre> <p>You may not modify the values in the list&#39;s nodes. Only nodes themselves may be changed.</p> <p>&nbsp;</p> <p><strong class="example">Example 1:</strong></p> <img alt="" src="https://fastly.jsdelivr.net/gh/doocs/leetcode@main/solution/0100-0199/0143.Reorder%20List/images/reorder1linked-list.jpg" style="width: 422px; height: 222px;" /> <pre> <strong>Input:</strong> head = [1,2,3,4] <strong>Output:</strong> [1,4,2,3] </pre> <p><strong class="example">Example 2:</strong></p> <img alt="" src="https://fastly.jsdelivr.net/gh/doocs/leetcode@main/solution/0100-0199/0143.Reorder%20List/images/reorder2-linked-list.jpg" style="width: 542px; height: 222px;" /> <pre> <strong>Input:</strong> head = [1,2,3,4,5] <strong>Output:</strong> [1,5,2,4,3] </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li>The number of nodes in the list is in the range <code>[1, 5 * 10<sup>4</sup>]</code>.</li> <li><code>1 &lt;= Node.val &lt;= 1000</code></li> </ul>
Stack; Recursion; Linked List; Two Pointers
C++
/** * Definition for singly-linked list. * struct ListNode { * int val; * ListNode *next; * ListNode() : val(0), next(nullptr) {} * ListNode(int x) : val(x), next(nullptr) {} * ListNode(int x, ListNode *next) : val(x), next(next) {} * }; */ class Solution { public: void reorderList(ListNode* head) { ListNode* fast = head; ListNode* slow = head; while (fast->next && fast->next->next) { slow = slow->next; fast = fast->next->next; } ListNode* cur = slow->next; slow->next = nullptr; ListNode* pre = nullptr; while (cur) { ListNode* t = cur->next; cur->next = pre; pre = cur; cur = t; } cur = head; while (pre) { ListNode* t = pre->next; pre->next = cur->next; cur->next = pre; cur = pre->next; pre = t; } } };
143
Reorder List
Medium
<p>You are given the head of a singly linked-list. The list can be represented as:</p> <pre> L<sub>0</sub> &rarr; L<sub>1</sub> &rarr; &hellip; &rarr; L<sub>n - 1</sub> &rarr; L<sub>n</sub> </pre> <p><em>Reorder the list to be on the following form:</em></p> <pre> L<sub>0</sub> &rarr; L<sub>n</sub> &rarr; L<sub>1</sub> &rarr; L<sub>n - 1</sub> &rarr; L<sub>2</sub> &rarr; L<sub>n - 2</sub> &rarr; &hellip; </pre> <p>You may not modify the values in the list&#39;s nodes. Only nodes themselves may be changed.</p> <p>&nbsp;</p> <p><strong class="example">Example 1:</strong></p> <img alt="" src="https://fastly.jsdelivr.net/gh/doocs/leetcode@main/solution/0100-0199/0143.Reorder%20List/images/reorder1linked-list.jpg" style="width: 422px; height: 222px;" /> <pre> <strong>Input:</strong> head = [1,2,3,4] <strong>Output:</strong> [1,4,2,3] </pre> <p><strong class="example">Example 2:</strong></p> <img alt="" src="https://fastly.jsdelivr.net/gh/doocs/leetcode@main/solution/0100-0199/0143.Reorder%20List/images/reorder2-linked-list.jpg" style="width: 542px; height: 222px;" /> <pre> <strong>Input:</strong> head = [1,2,3,4,5] <strong>Output:</strong> [1,5,2,4,3] </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li>The number of nodes in the list is in the range <code>[1, 5 * 10<sup>4</sup>]</code>.</li> <li><code>1 &lt;= Node.val &lt;= 1000</code></li> </ul>
Stack; Recursion; Linked List; Two Pointers
C#
/** * Definition for singly-linked list. * public class ListNode { * public int val; * public ListNode next; * public ListNode(int val=0, ListNode next=null) { * this.val = val; * this.next = next; * } * } */ public class Solution { public void ReorderList(ListNode head) { ListNode slow = head; ListNode fast = head; while (fast.next != null && fast.next.next != null) { slow = slow.next; fast = fast.next.next; } ListNode cur = slow.next; slow.next = null; ListNode pre = null; while (cur != null) { ListNode t = cur.next; cur.next = pre; pre = cur; cur = t; } cur = head; while (pre != null) { ListNode t = pre.next; pre.next = cur.next; cur.next = pre; cur = pre.next; pre = t; } } }
143
Reorder List
Medium
<p>You are given the head of a singly linked-list. The list can be represented as:</p> <pre> L<sub>0</sub> &rarr; L<sub>1</sub> &rarr; &hellip; &rarr; L<sub>n - 1</sub> &rarr; L<sub>n</sub> </pre> <p><em>Reorder the list to be on the following form:</em></p> <pre> L<sub>0</sub> &rarr; L<sub>n</sub> &rarr; L<sub>1</sub> &rarr; L<sub>n - 1</sub> &rarr; L<sub>2</sub> &rarr; L<sub>n - 2</sub> &rarr; &hellip; </pre> <p>You may not modify the values in the list&#39;s nodes. Only nodes themselves may be changed.</p> <p>&nbsp;</p> <p><strong class="example">Example 1:</strong></p> <img alt="" src="https://fastly.jsdelivr.net/gh/doocs/leetcode@main/solution/0100-0199/0143.Reorder%20List/images/reorder1linked-list.jpg" style="width: 422px; height: 222px;" /> <pre> <strong>Input:</strong> head = [1,2,3,4] <strong>Output:</strong> [1,4,2,3] </pre> <p><strong class="example">Example 2:</strong></p> <img alt="" src="https://fastly.jsdelivr.net/gh/doocs/leetcode@main/solution/0100-0199/0143.Reorder%20List/images/reorder2-linked-list.jpg" style="width: 542px; height: 222px;" /> <pre> <strong>Input:</strong> head = [1,2,3,4,5] <strong>Output:</strong> [1,5,2,4,3] </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li>The number of nodes in the list is in the range <code>[1, 5 * 10<sup>4</sup>]</code>.</li> <li><code>1 &lt;= Node.val &lt;= 1000</code></li> </ul>
Stack; Recursion; Linked List; Two Pointers
Go
/** * Definition for singly-linked list. * type ListNode struct { * Val int * Next *ListNode * } */ func reorderList(head *ListNode) { fast, slow := head, head for fast.Next != nil && fast.Next.Next != nil { slow, fast = slow.Next, fast.Next.Next } cur := slow.Next slow.Next = nil var pre *ListNode for cur != nil { t := cur.Next cur.Next = pre pre, cur = cur, t } cur = head for pre != nil { t := pre.Next pre.Next = cur.Next cur.Next = pre cur, pre = pre.Next, t } }
143
Reorder List
Medium
<p>You are given the head of a singly linked-list. The list can be represented as:</p> <pre> L<sub>0</sub> &rarr; L<sub>1</sub> &rarr; &hellip; &rarr; L<sub>n - 1</sub> &rarr; L<sub>n</sub> </pre> <p><em>Reorder the list to be on the following form:</em></p> <pre> L<sub>0</sub> &rarr; L<sub>n</sub> &rarr; L<sub>1</sub> &rarr; L<sub>n - 1</sub> &rarr; L<sub>2</sub> &rarr; L<sub>n - 2</sub> &rarr; &hellip; </pre> <p>You may not modify the values in the list&#39;s nodes. Only nodes themselves may be changed.</p> <p>&nbsp;</p> <p><strong class="example">Example 1:</strong></p> <img alt="" src="https://fastly.jsdelivr.net/gh/doocs/leetcode@main/solution/0100-0199/0143.Reorder%20List/images/reorder1linked-list.jpg" style="width: 422px; height: 222px;" /> <pre> <strong>Input:</strong> head = [1,2,3,4] <strong>Output:</strong> [1,4,2,3] </pre> <p><strong class="example">Example 2:</strong></p> <img alt="" src="https://fastly.jsdelivr.net/gh/doocs/leetcode@main/solution/0100-0199/0143.Reorder%20List/images/reorder2-linked-list.jpg" style="width: 542px; height: 222px;" /> <pre> <strong>Input:</strong> head = [1,2,3,4,5] <strong>Output:</strong> [1,5,2,4,3] </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li>The number of nodes in the list is in the range <code>[1, 5 * 10<sup>4</sup>]</code>.</li> <li><code>1 &lt;= Node.val &lt;= 1000</code></li> </ul>
Stack; Recursion; Linked List; Two Pointers
Java
/** * Definition for singly-linked list. * public class ListNode { * int val; * ListNode next; * ListNode() {} * ListNode(int val) { this.val = val; } * ListNode(int val, ListNode next) { this.val = val; this.next = next; } * } */ class Solution { public void reorderList(ListNode head) { ListNode fast = head, slow = head; while (fast.next != null && fast.next.next != null) { slow = slow.next; fast = fast.next.next; } ListNode cur = slow.next; slow.next = null; ListNode pre = null; while (cur != null) { ListNode t = cur.next; cur.next = pre; pre = cur; cur = t; } cur = head; while (pre != null) { ListNode t = pre.next; pre.next = cur.next; cur.next = pre; cur = pre.next; pre = t; } } }
143
Reorder List
Medium
<p>You are given the head of a singly linked-list. The list can be represented as:</p> <pre> L<sub>0</sub> &rarr; L<sub>1</sub> &rarr; &hellip; &rarr; L<sub>n - 1</sub> &rarr; L<sub>n</sub> </pre> <p><em>Reorder the list to be on the following form:</em></p> <pre> L<sub>0</sub> &rarr; L<sub>n</sub> &rarr; L<sub>1</sub> &rarr; L<sub>n - 1</sub> &rarr; L<sub>2</sub> &rarr; L<sub>n - 2</sub> &rarr; &hellip; </pre> <p>You may not modify the values in the list&#39;s nodes. Only nodes themselves may be changed.</p> <p>&nbsp;</p> <p><strong class="example">Example 1:</strong></p> <img alt="" src="https://fastly.jsdelivr.net/gh/doocs/leetcode@main/solution/0100-0199/0143.Reorder%20List/images/reorder1linked-list.jpg" style="width: 422px; height: 222px;" /> <pre> <strong>Input:</strong> head = [1,2,3,4] <strong>Output:</strong> [1,4,2,3] </pre> <p><strong class="example">Example 2:</strong></p> <img alt="" src="https://fastly.jsdelivr.net/gh/doocs/leetcode@main/solution/0100-0199/0143.Reorder%20List/images/reorder2-linked-list.jpg" style="width: 542px; height: 222px;" /> <pre> <strong>Input:</strong> head = [1,2,3,4,5] <strong>Output:</strong> [1,5,2,4,3] </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li>The number of nodes in the list is in the range <code>[1, 5 * 10<sup>4</sup>]</code>.</li> <li><code>1 &lt;= Node.val &lt;= 1000</code></li> </ul>
Stack; Recursion; Linked List; Two Pointers
JavaScript
/** * 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 {void} Do not return anything, modify head in-place instead. */ var reorderList = function (head) { let slow = head; let fast = head; while (fast.next && fast.next.next) { slow = slow.next; fast = fast.next.next; } let cur = slow.next; slow.next = null; let pre = null; while (cur) { const t = cur.next; cur.next = pre; pre = cur; cur = t; } cur = head; while (pre) { const t = pre.next; pre.next = cur.next; cur.next = pre; cur = pre.next; pre = t; } };
143
Reorder List
Medium
<p>You are given the head of a singly linked-list. The list can be represented as:</p> <pre> L<sub>0</sub> &rarr; L<sub>1</sub> &rarr; &hellip; &rarr; L<sub>n - 1</sub> &rarr; L<sub>n</sub> </pre> <p><em>Reorder the list to be on the following form:</em></p> <pre> L<sub>0</sub> &rarr; L<sub>n</sub> &rarr; L<sub>1</sub> &rarr; L<sub>n - 1</sub> &rarr; L<sub>2</sub> &rarr; L<sub>n - 2</sub> &rarr; &hellip; </pre> <p>You may not modify the values in the list&#39;s nodes. Only nodes themselves may be changed.</p> <p>&nbsp;</p> <p><strong class="example">Example 1:</strong></p> <img alt="" src="https://fastly.jsdelivr.net/gh/doocs/leetcode@main/solution/0100-0199/0143.Reorder%20List/images/reorder1linked-list.jpg" style="width: 422px; height: 222px;" /> <pre> <strong>Input:</strong> head = [1,2,3,4] <strong>Output:</strong> [1,4,2,3] </pre> <p><strong class="example">Example 2:</strong></p> <img alt="" src="https://fastly.jsdelivr.net/gh/doocs/leetcode@main/solution/0100-0199/0143.Reorder%20List/images/reorder2-linked-list.jpg" style="width: 542px; height: 222px;" /> <pre> <strong>Input:</strong> head = [1,2,3,4,5] <strong>Output:</strong> [1,5,2,4,3] </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li>The number of nodes in the list is in the range <code>[1, 5 * 10<sup>4</sup>]</code>.</li> <li><code>1 &lt;= Node.val &lt;= 1000</code></li> </ul>
Stack; Recursion; Linked List; Two Pointers
Python
# Definition for singly-linked list. # class ListNode: # def __init__(self, val=0, next=None): # self.val = val # self.next = next class Solution: def reorderList(self, head: Optional[ListNode]) -> None: fast = slow = head while fast.next and fast.next.next: slow = slow.next fast = fast.next.next cur = slow.next slow.next = None pre = None while cur: t = cur.next cur.next = pre pre, cur = cur, t cur = head while pre: t = pre.next pre.next = cur.next cur.next = pre cur, pre = pre.next, t
143
Reorder List
Medium
<p>You are given the head of a singly linked-list. The list can be represented as:</p> <pre> L<sub>0</sub> &rarr; L<sub>1</sub> &rarr; &hellip; &rarr; L<sub>n - 1</sub> &rarr; L<sub>n</sub> </pre> <p><em>Reorder the list to be on the following form:</em></p> <pre> L<sub>0</sub> &rarr; L<sub>n</sub> &rarr; L<sub>1</sub> &rarr; L<sub>n - 1</sub> &rarr; L<sub>2</sub> &rarr; L<sub>n - 2</sub> &rarr; &hellip; </pre> <p>You may not modify the values in the list&#39;s nodes. Only nodes themselves may be changed.</p> <p>&nbsp;</p> <p><strong class="example">Example 1:</strong></p> <img alt="" src="https://fastly.jsdelivr.net/gh/doocs/leetcode@main/solution/0100-0199/0143.Reorder%20List/images/reorder1linked-list.jpg" style="width: 422px; height: 222px;" /> <pre> <strong>Input:</strong> head = [1,2,3,4] <strong>Output:</strong> [1,4,2,3] </pre> <p><strong class="example">Example 2:</strong></p> <img alt="" src="https://fastly.jsdelivr.net/gh/doocs/leetcode@main/solution/0100-0199/0143.Reorder%20List/images/reorder2-linked-list.jpg" style="width: 542px; height: 222px;" /> <pre> <strong>Input:</strong> head = [1,2,3,4,5] <strong>Output:</strong> [1,5,2,4,3] </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li>The number of nodes in the list is in the range <code>[1, 5 * 10<sup>4</sup>]</code>.</li> <li><code>1 &lt;= Node.val &lt;= 1000</code></li> </ul>
Stack; Recursion; Linked List; Two Pointers
Rust
// Definition for singly-linked list. // #[derive(PartialEq, Eq, Clone, Debug)] // pub struct ListNode { // pub val: i32, // pub next: Option<Box<ListNode>> // } // // impl ListNode { // #[inline] // fn new(val: i32) -> Self { // ListNode { // next: None, // val // } // } // } use std::collections::VecDeque; impl Solution { pub fn reorder_list(head: &mut Option<Box<ListNode>>) { let mut tail = &mut head.as_mut().unwrap().next; let mut head = tail.take(); let mut deque = VecDeque::new(); while head.is_some() { let next = head.as_mut().unwrap().next.take(); deque.push_back(head); head = next; } let mut flag = false; while !deque.is_empty() { *tail = if flag { deque.pop_front().unwrap() } else { deque.pop_back().unwrap() }; tail = &mut tail.as_mut().unwrap().next; flag = !flag; } } }
143
Reorder List
Medium
<p>You are given the head of a singly linked-list. The list can be represented as:</p> <pre> L<sub>0</sub> &rarr; L<sub>1</sub> &rarr; &hellip; &rarr; L<sub>n - 1</sub> &rarr; L<sub>n</sub> </pre> <p><em>Reorder the list to be on the following form:</em></p> <pre> L<sub>0</sub> &rarr; L<sub>n</sub> &rarr; L<sub>1</sub> &rarr; L<sub>n - 1</sub> &rarr; L<sub>2</sub> &rarr; L<sub>n - 2</sub> &rarr; &hellip; </pre> <p>You may not modify the values in the list&#39;s nodes. Only nodes themselves may be changed.</p> <p>&nbsp;</p> <p><strong class="example">Example 1:</strong></p> <img alt="" src="https://fastly.jsdelivr.net/gh/doocs/leetcode@main/solution/0100-0199/0143.Reorder%20List/images/reorder1linked-list.jpg" style="width: 422px; height: 222px;" /> <pre> <strong>Input:</strong> head = [1,2,3,4] <strong>Output:</strong> [1,4,2,3] </pre> <p><strong class="example">Example 2:</strong></p> <img alt="" src="https://fastly.jsdelivr.net/gh/doocs/leetcode@main/solution/0100-0199/0143.Reorder%20List/images/reorder2-linked-list.jpg" style="width: 542px; height: 222px;" /> <pre> <strong>Input:</strong> head = [1,2,3,4,5] <strong>Output:</strong> [1,5,2,4,3] </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li>The number of nodes in the list is in the range <code>[1, 5 * 10<sup>4</sup>]</code>.</li> <li><code>1 &lt;= Node.val &lt;= 1000</code></li> </ul>
Stack; Recursion; Linked List; Two Pointers
TypeScript
/** * Definition for singly-linked list. * class ListNode { * val: number * next: ListNode | null * constructor(val?: number, next?: ListNode | null) { * this.val = (val===undefined ? 0 : val) * this.next = (next===undefined ? null : next) * } * } */ /** Do not return anything, modify head in-place instead. */ function reorderList(head: ListNode | null): void { let slow = head; let fast = head; while (fast && fast.next) { slow = slow.next; fast = fast.next.next; } let next = slow.next; slow.next = null; while (next) { [next.next, slow, next] = [slow, next, next.next]; } let left = head; let right = slow; while (right.next) { const next = left.next; left.next = right; right = right.next; left.next.next = next; left = left.next.next; } }
144
Binary Tree Preorder Traversal
Easy
<p>Given the <code>root</code> of a binary tree, return <em>the preorder traversal of its nodes&#39; values</em>.</p> <p>&nbsp;</p> <p><strong class="example">Example 1:</strong></p> <div class="example-block"> <p><strong>Input:</strong> <span class="example-io">root = [1,null,2,3]</span></p> <p><strong>Output:</strong> <span class="example-io">[1,2,3]</span></p> <p><strong>Explanation:</strong></p> <p><img alt="" src="https://fastly.jsdelivr.net/gh/doocs/leetcode@main/solution/0100-0199/0144.Binary%20Tree%20Preorder%20Traversal/images/screenshot-2024-08-29-202743.png" style="width: 200px; height: 264px;" /></p> </div> <p><strong class="example">Example 2:</strong></p> <div class="example-block"> <p><strong>Input:</strong> <span class="example-io">root = [1,2,3,4,5,null,8,null,null,6,7,9]</span></p> <p><strong>Output:</strong> <span class="example-io">[1,2,4,5,6,7,3,8,9]</span></p> <p><strong>Explanation:</strong></p> <p><img alt="" src="https://fastly.jsdelivr.net/gh/doocs/leetcode@main/solution/0100-0199/0144.Binary%20Tree%20Preorder%20Traversal/images/tree_2.png" style="width: 350px; height: 286px;" /></p> </div> <p><strong class="example">Example 3:</strong></p> <div class="example-block"> <p><strong>Input:</strong> <span class="example-io">root = []</span></p> <p><strong>Output:</strong> <span class="example-io">[]</span></p> </div> <p><strong class="example">Example 4:</strong></p> <div class="example-block"> <p><strong>Input:</strong> <span class="example-io">root = [1]</span></p> <p><strong>Output:</strong> <span class="example-io">[1]</span></p> </div> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li>The number of nodes in the tree is in the range <code>[0, 100]</code>.</li> <li><code>-100 &lt;= Node.val &lt;= 100</code></li> </ul> <p>&nbsp;</p> <p><strong>Follow up:</strong> Recursive solution is trivial, could you do it iteratively?</p>
Stack; Tree; Depth-First Search; Binary Tree
C++
/** * Definition for a binary tree node. * struct TreeNode { * int val; * TreeNode *left; * TreeNode *right; * TreeNode() : val(0), left(nullptr), right(nullptr) {} * TreeNode(int x) : val(x), left(nullptr), right(nullptr) {} * TreeNode(int x, TreeNode *left, TreeNode *right) : val(x), left(left), right(right) {} * }; */ class Solution { public: vector<int> preorderTraversal(TreeNode* root) { vector<int> ans; function<void(TreeNode*)> dfs = [&](TreeNode* root) { if (!root) { return; } ans.push_back(root->val); dfs(root->left); dfs(root->right); }; dfs(root); return ans; } };
144
Binary Tree Preorder Traversal
Easy
<p>Given the <code>root</code> of a binary tree, return <em>the preorder traversal of its nodes&#39; values</em>.</p> <p>&nbsp;</p> <p><strong class="example">Example 1:</strong></p> <div class="example-block"> <p><strong>Input:</strong> <span class="example-io">root = [1,null,2,3]</span></p> <p><strong>Output:</strong> <span class="example-io">[1,2,3]</span></p> <p><strong>Explanation:</strong></p> <p><img alt="" src="https://fastly.jsdelivr.net/gh/doocs/leetcode@main/solution/0100-0199/0144.Binary%20Tree%20Preorder%20Traversal/images/screenshot-2024-08-29-202743.png" style="width: 200px; height: 264px;" /></p> </div> <p><strong class="example">Example 2:</strong></p> <div class="example-block"> <p><strong>Input:</strong> <span class="example-io">root = [1,2,3,4,5,null,8,null,null,6,7,9]</span></p> <p><strong>Output:</strong> <span class="example-io">[1,2,4,5,6,7,3,8,9]</span></p> <p><strong>Explanation:</strong></p> <p><img alt="" src="https://fastly.jsdelivr.net/gh/doocs/leetcode@main/solution/0100-0199/0144.Binary%20Tree%20Preorder%20Traversal/images/tree_2.png" style="width: 350px; height: 286px;" /></p> </div> <p><strong class="example">Example 3:</strong></p> <div class="example-block"> <p><strong>Input:</strong> <span class="example-io">root = []</span></p> <p><strong>Output:</strong> <span class="example-io">[]</span></p> </div> <p><strong class="example">Example 4:</strong></p> <div class="example-block"> <p><strong>Input:</strong> <span class="example-io">root = [1]</span></p> <p><strong>Output:</strong> <span class="example-io">[1]</span></p> </div> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li>The number of nodes in the tree is in the range <code>[0, 100]</code>.</li> <li><code>-100 &lt;= Node.val &lt;= 100</code></li> </ul> <p>&nbsp;</p> <p><strong>Follow up:</strong> Recursive solution is trivial, could you do it iteratively?</p>
Stack; Tree; Depth-First Search; Binary Tree
Go
/** * Definition for a binary tree node. * type TreeNode struct { * Val int * Left *TreeNode * Right *TreeNode * } */ func preorderTraversal(root *TreeNode) (ans []int) { var dfs func(*TreeNode) dfs = func(root *TreeNode) { if root == nil { return } ans = append(ans, root.Val) dfs(root.Left) dfs(root.Right) } dfs(root) return }
144
Binary Tree Preorder Traversal
Easy
<p>Given the <code>root</code> of a binary tree, return <em>the preorder traversal of its nodes&#39; values</em>.</p> <p>&nbsp;</p> <p><strong class="example">Example 1:</strong></p> <div class="example-block"> <p><strong>Input:</strong> <span class="example-io">root = [1,null,2,3]</span></p> <p><strong>Output:</strong> <span class="example-io">[1,2,3]</span></p> <p><strong>Explanation:</strong></p> <p><img alt="" src="https://fastly.jsdelivr.net/gh/doocs/leetcode@main/solution/0100-0199/0144.Binary%20Tree%20Preorder%20Traversal/images/screenshot-2024-08-29-202743.png" style="width: 200px; height: 264px;" /></p> </div> <p><strong class="example">Example 2:</strong></p> <div class="example-block"> <p><strong>Input:</strong> <span class="example-io">root = [1,2,3,4,5,null,8,null,null,6,7,9]</span></p> <p><strong>Output:</strong> <span class="example-io">[1,2,4,5,6,7,3,8,9]</span></p> <p><strong>Explanation:</strong></p> <p><img alt="" src="https://fastly.jsdelivr.net/gh/doocs/leetcode@main/solution/0100-0199/0144.Binary%20Tree%20Preorder%20Traversal/images/tree_2.png" style="width: 350px; height: 286px;" /></p> </div> <p><strong class="example">Example 3:</strong></p> <div class="example-block"> <p><strong>Input:</strong> <span class="example-io">root = []</span></p> <p><strong>Output:</strong> <span class="example-io">[]</span></p> </div> <p><strong class="example">Example 4:</strong></p> <div class="example-block"> <p><strong>Input:</strong> <span class="example-io">root = [1]</span></p> <p><strong>Output:</strong> <span class="example-io">[1]</span></p> </div> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li>The number of nodes in the tree is in the range <code>[0, 100]</code>.</li> <li><code>-100 &lt;= Node.val &lt;= 100</code></li> </ul> <p>&nbsp;</p> <p><strong>Follow up:</strong> Recursive solution is trivial, could you do it iteratively?</p>
Stack; Tree; Depth-First Search; Binary Tree
Java
/** * Definition for a binary tree node. * public class TreeNode { * int val; * TreeNode left; * TreeNode right; * TreeNode() {} * TreeNode(int val) { this.val = val; } * TreeNode(int val, TreeNode left, TreeNode right) { * this.val = val; * this.left = left; * this.right = right; * } * } */ class Solution { private List<Integer> ans = new ArrayList<>(); public List<Integer> preorderTraversal(TreeNode root) { dfs(root); return ans; } private void dfs(TreeNode root) { if (root == null) { return; } ans.add(root.val); dfs(root.left); dfs(root.right); } }
144
Binary Tree Preorder Traversal
Easy
<p>Given the <code>root</code> of a binary tree, return <em>the preorder traversal of its nodes&#39; values</em>.</p> <p>&nbsp;</p> <p><strong class="example">Example 1:</strong></p> <div class="example-block"> <p><strong>Input:</strong> <span class="example-io">root = [1,null,2,3]</span></p> <p><strong>Output:</strong> <span class="example-io">[1,2,3]</span></p> <p><strong>Explanation:</strong></p> <p><img alt="" src="https://fastly.jsdelivr.net/gh/doocs/leetcode@main/solution/0100-0199/0144.Binary%20Tree%20Preorder%20Traversal/images/screenshot-2024-08-29-202743.png" style="width: 200px; height: 264px;" /></p> </div> <p><strong class="example">Example 2:</strong></p> <div class="example-block"> <p><strong>Input:</strong> <span class="example-io">root = [1,2,3,4,5,null,8,null,null,6,7,9]</span></p> <p><strong>Output:</strong> <span class="example-io">[1,2,4,5,6,7,3,8,9]</span></p> <p><strong>Explanation:</strong></p> <p><img alt="" src="https://fastly.jsdelivr.net/gh/doocs/leetcode@main/solution/0100-0199/0144.Binary%20Tree%20Preorder%20Traversal/images/tree_2.png" style="width: 350px; height: 286px;" /></p> </div> <p><strong class="example">Example 3:</strong></p> <div class="example-block"> <p><strong>Input:</strong> <span class="example-io">root = []</span></p> <p><strong>Output:</strong> <span class="example-io">[]</span></p> </div> <p><strong class="example">Example 4:</strong></p> <div class="example-block"> <p><strong>Input:</strong> <span class="example-io">root = [1]</span></p> <p><strong>Output:</strong> <span class="example-io">[1]</span></p> </div> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li>The number of nodes in the tree is in the range <code>[0, 100]</code>.</li> <li><code>-100 &lt;= Node.val &lt;= 100</code></li> </ul> <p>&nbsp;</p> <p><strong>Follow up:</strong> Recursive solution is trivial, could you do it iteratively?</p>
Stack; Tree; Depth-First Search; Binary Tree
Python
# Definition for a binary tree node. # class TreeNode: # def __init__(self, val=0, left=None, right=None): # self.val = val # self.left = left # self.right = right class Solution: def preorderTraversal(self, root: Optional[TreeNode]) -> List[int]: def dfs(root): if root is None: return ans.append(root.val) dfs(root.left) dfs(root.right) ans = [] dfs(root) return ans
144
Binary Tree Preorder Traversal
Easy
<p>Given the <code>root</code> of a binary tree, return <em>the preorder traversal of its nodes&#39; values</em>.</p> <p>&nbsp;</p> <p><strong class="example">Example 1:</strong></p> <div class="example-block"> <p><strong>Input:</strong> <span class="example-io">root = [1,null,2,3]</span></p> <p><strong>Output:</strong> <span class="example-io">[1,2,3]</span></p> <p><strong>Explanation:</strong></p> <p><img alt="" src="https://fastly.jsdelivr.net/gh/doocs/leetcode@main/solution/0100-0199/0144.Binary%20Tree%20Preorder%20Traversal/images/screenshot-2024-08-29-202743.png" style="width: 200px; height: 264px;" /></p> </div> <p><strong class="example">Example 2:</strong></p> <div class="example-block"> <p><strong>Input:</strong> <span class="example-io">root = [1,2,3,4,5,null,8,null,null,6,7,9]</span></p> <p><strong>Output:</strong> <span class="example-io">[1,2,4,5,6,7,3,8,9]</span></p> <p><strong>Explanation:</strong></p> <p><img alt="" src="https://fastly.jsdelivr.net/gh/doocs/leetcode@main/solution/0100-0199/0144.Binary%20Tree%20Preorder%20Traversal/images/tree_2.png" style="width: 350px; height: 286px;" /></p> </div> <p><strong class="example">Example 3:</strong></p> <div class="example-block"> <p><strong>Input:</strong> <span class="example-io">root = []</span></p> <p><strong>Output:</strong> <span class="example-io">[]</span></p> </div> <p><strong class="example">Example 4:</strong></p> <div class="example-block"> <p><strong>Input:</strong> <span class="example-io">root = [1]</span></p> <p><strong>Output:</strong> <span class="example-io">[1]</span></p> </div> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li>The number of nodes in the tree is in the range <code>[0, 100]</code>.</li> <li><code>-100 &lt;= Node.val &lt;= 100</code></li> </ul> <p>&nbsp;</p> <p><strong>Follow up:</strong> Recursive solution is trivial, could you do it iteratively?</p>
Stack; Tree; Depth-First Search; Binary Tree
Rust
// Definition for a binary tree node. // #[derive(Debug, PartialEq, Eq)] // pub struct TreeNode { // pub val: i32, // pub left: Option<Rc<RefCell<TreeNode>>>, // pub right: Option<Rc<RefCell<TreeNode>>>, // } // // impl TreeNode { // #[inline] // pub fn new(val: i32) -> Self { // TreeNode { // val, // left: None, // right: None // } // } // } use std::cell::RefCell; use std::rc::Rc; impl Solution { fn dfs(root: &Option<Rc<RefCell<TreeNode>>>, ans: &mut Vec<i32>) { if root.is_none() { return; } let node = root.as_ref().unwrap().borrow(); ans.push(node.val); Self::dfs(&node.left, ans); Self::dfs(&node.right, ans); } pub fn preorder_traversal(root: Option<Rc<RefCell<TreeNode>>>) -> Vec<i32> { let mut ans = vec![]; Self::dfs(&root, &mut ans); ans } }
144
Binary Tree Preorder Traversal
Easy
<p>Given the <code>root</code> of a binary tree, return <em>the preorder traversal of its nodes&#39; values</em>.</p> <p>&nbsp;</p> <p><strong class="example">Example 1:</strong></p> <div class="example-block"> <p><strong>Input:</strong> <span class="example-io">root = [1,null,2,3]</span></p> <p><strong>Output:</strong> <span class="example-io">[1,2,3]</span></p> <p><strong>Explanation:</strong></p> <p><img alt="" src="https://fastly.jsdelivr.net/gh/doocs/leetcode@main/solution/0100-0199/0144.Binary%20Tree%20Preorder%20Traversal/images/screenshot-2024-08-29-202743.png" style="width: 200px; height: 264px;" /></p> </div> <p><strong class="example">Example 2:</strong></p> <div class="example-block"> <p><strong>Input:</strong> <span class="example-io">root = [1,2,3,4,5,null,8,null,null,6,7,9]</span></p> <p><strong>Output:</strong> <span class="example-io">[1,2,4,5,6,7,3,8,9]</span></p> <p><strong>Explanation:</strong></p> <p><img alt="" src="https://fastly.jsdelivr.net/gh/doocs/leetcode@main/solution/0100-0199/0144.Binary%20Tree%20Preorder%20Traversal/images/tree_2.png" style="width: 350px; height: 286px;" /></p> </div> <p><strong class="example">Example 3:</strong></p> <div class="example-block"> <p><strong>Input:</strong> <span class="example-io">root = []</span></p> <p><strong>Output:</strong> <span class="example-io">[]</span></p> </div> <p><strong class="example">Example 4:</strong></p> <div class="example-block"> <p><strong>Input:</strong> <span class="example-io">root = [1]</span></p> <p><strong>Output:</strong> <span class="example-io">[1]</span></p> </div> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li>The number of nodes in the tree is in the range <code>[0, 100]</code>.</li> <li><code>-100 &lt;= Node.val &lt;= 100</code></li> </ul> <p>&nbsp;</p> <p><strong>Follow up:</strong> Recursive solution is trivial, could you do it iteratively?</p>
Stack; Tree; Depth-First Search; Binary Tree
TypeScript
/** * Definition for a binary tree node. * class TreeNode { * val: number * left: TreeNode | null * right: TreeNode | null * constructor(val?: number, left?: TreeNode | null, right?: TreeNode | null) { * this.val = (val===undefined ? 0 : val) * this.left = (left===undefined ? null : left) * this.right = (right===undefined ? null : right) * } * } */ function preorderTraversal(root: TreeNode | null): number[] { const ans: number[] = []; const dfs = (root: TreeNode | null) => { if (!root) { return; } ans.push(root.val); dfs(root.left); dfs(root.right); }; dfs(root); return ans; }
145
Binary Tree Postorder Traversal
Easy
<p>Given the <code>root</code> of a&nbsp;binary tree, return <em>the postorder traversal of its nodes&#39; values</em>.</p> <p>&nbsp;</p> <p><strong class="example">Example 1:</strong></p> <div class="example-block"> <p><strong>Input:</strong> <span class="example-io">root = [1,null,2,3]</span></p> <p><strong>Output:</strong> <span class="example-io">[3,2,1]</span></p> <p><strong>Explanation:</strong></p> <p><img alt="" src="https://fastly.jsdelivr.net/gh/doocs/leetcode@main/solution/0100-0199/0145.Binary%20Tree%20Postorder%20Traversal/images/screenshot-2024-08-29-202743.png" style="width: 200px; height: 264px;" /></p> </div> <p><strong class="example">Example 2:</strong></p> <div class="example-block"> <p><strong>Input:</strong> <span class="example-io">root = [1,2,3,4,5,null,8,null,null,6,7,9]</span></p> <p><strong>Output:</strong> <span class="example-io">[4,6,7,5,2,9,8,3,1]</span></p> <p><strong>Explanation:</strong></p> <p><img alt="" src="https://fastly.jsdelivr.net/gh/doocs/leetcode@main/solution/0100-0199/0145.Binary%20Tree%20Postorder%20Traversal/images/tree_2.png" style="width: 350px; height: 286px;" /></p> </div> <p><strong class="example">Example 3:</strong></p> <div class="example-block"> <p><strong>Input:</strong> <span class="example-io">root = []</span></p> <p><strong>Output:</strong> <span class="example-io">[]</span></p> </div> <p><strong class="example">Example 4:</strong></p> <div class="example-block"> <p><strong>Input:</strong> <span class="example-io">root = [1]</span></p> <p><strong>Output:</strong> <span class="example-io">[1]</span></p> </div> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li>The number of the nodes in the tree is in the range <code>[0, 100]</code>.</li> <li><code>-100 &lt;= Node.val &lt;= 100</code></li> </ul> <p>&nbsp;</p> <strong>Follow up:</strong> Recursive solution is trivial, could you do it iteratively?
Stack; Tree; Depth-First Search; Binary Tree
C++
/** * Definition for a binary tree node. * struct TreeNode { * int val; * TreeNode *left; * TreeNode *right; * TreeNode() : val(0), left(nullptr), right(nullptr) {} * TreeNode(int x) : val(x), left(nullptr), right(nullptr) {} * TreeNode(int x, TreeNode *left, TreeNode *right) : val(x), left(left), right(right) {} * }; */ class Solution { public: vector<int> postorderTraversal(TreeNode* root) { vector<int> ans; function<void(TreeNode*)> dfs = [&](TreeNode* root) { if (!root) { return; } dfs(root->left); dfs(root->right); ans.push_back(root->val); }; dfs(root); return ans; } };
145
Binary Tree Postorder Traversal
Easy
<p>Given the <code>root</code> of a&nbsp;binary tree, return <em>the postorder traversal of its nodes&#39; values</em>.</p> <p>&nbsp;</p> <p><strong class="example">Example 1:</strong></p> <div class="example-block"> <p><strong>Input:</strong> <span class="example-io">root = [1,null,2,3]</span></p> <p><strong>Output:</strong> <span class="example-io">[3,2,1]</span></p> <p><strong>Explanation:</strong></p> <p><img alt="" src="https://fastly.jsdelivr.net/gh/doocs/leetcode@main/solution/0100-0199/0145.Binary%20Tree%20Postorder%20Traversal/images/screenshot-2024-08-29-202743.png" style="width: 200px; height: 264px;" /></p> </div> <p><strong class="example">Example 2:</strong></p> <div class="example-block"> <p><strong>Input:</strong> <span class="example-io">root = [1,2,3,4,5,null,8,null,null,6,7,9]</span></p> <p><strong>Output:</strong> <span class="example-io">[4,6,7,5,2,9,8,3,1]</span></p> <p><strong>Explanation:</strong></p> <p><img alt="" src="https://fastly.jsdelivr.net/gh/doocs/leetcode@main/solution/0100-0199/0145.Binary%20Tree%20Postorder%20Traversal/images/tree_2.png" style="width: 350px; height: 286px;" /></p> </div> <p><strong class="example">Example 3:</strong></p> <div class="example-block"> <p><strong>Input:</strong> <span class="example-io">root = []</span></p> <p><strong>Output:</strong> <span class="example-io">[]</span></p> </div> <p><strong class="example">Example 4:</strong></p> <div class="example-block"> <p><strong>Input:</strong> <span class="example-io">root = [1]</span></p> <p><strong>Output:</strong> <span class="example-io">[1]</span></p> </div> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li>The number of the nodes in the tree is in the range <code>[0, 100]</code>.</li> <li><code>-100 &lt;= Node.val &lt;= 100</code></li> </ul> <p>&nbsp;</p> <strong>Follow up:</strong> Recursive solution is trivial, could you do it iteratively?
Stack; Tree; Depth-First Search; Binary Tree
Go
/** * Definition for a binary tree node. * type TreeNode struct { * Val int * Left *TreeNode * Right *TreeNode * } */ func postorderTraversal(root *TreeNode) (ans []int) { var dfs func(*TreeNode) dfs = func(root *TreeNode) { if root == nil { return } dfs(root.Left) dfs(root.Right) ans = append(ans, root.Val) } dfs(root) return }
145
Binary Tree Postorder Traversal
Easy
<p>Given the <code>root</code> of a&nbsp;binary tree, return <em>the postorder traversal of its nodes&#39; values</em>.</p> <p>&nbsp;</p> <p><strong class="example">Example 1:</strong></p> <div class="example-block"> <p><strong>Input:</strong> <span class="example-io">root = [1,null,2,3]</span></p> <p><strong>Output:</strong> <span class="example-io">[3,2,1]</span></p> <p><strong>Explanation:</strong></p> <p><img alt="" src="https://fastly.jsdelivr.net/gh/doocs/leetcode@main/solution/0100-0199/0145.Binary%20Tree%20Postorder%20Traversal/images/screenshot-2024-08-29-202743.png" style="width: 200px; height: 264px;" /></p> </div> <p><strong class="example">Example 2:</strong></p> <div class="example-block"> <p><strong>Input:</strong> <span class="example-io">root = [1,2,3,4,5,null,8,null,null,6,7,9]</span></p> <p><strong>Output:</strong> <span class="example-io">[4,6,7,5,2,9,8,3,1]</span></p> <p><strong>Explanation:</strong></p> <p><img alt="" src="https://fastly.jsdelivr.net/gh/doocs/leetcode@main/solution/0100-0199/0145.Binary%20Tree%20Postorder%20Traversal/images/tree_2.png" style="width: 350px; height: 286px;" /></p> </div> <p><strong class="example">Example 3:</strong></p> <div class="example-block"> <p><strong>Input:</strong> <span class="example-io">root = []</span></p> <p><strong>Output:</strong> <span class="example-io">[]</span></p> </div> <p><strong class="example">Example 4:</strong></p> <div class="example-block"> <p><strong>Input:</strong> <span class="example-io">root = [1]</span></p> <p><strong>Output:</strong> <span class="example-io">[1]</span></p> </div> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li>The number of the nodes in the tree is in the range <code>[0, 100]</code>.</li> <li><code>-100 &lt;= Node.val &lt;= 100</code></li> </ul> <p>&nbsp;</p> <strong>Follow up:</strong> Recursive solution is trivial, could you do it iteratively?
Stack; Tree; Depth-First Search; Binary Tree
Java
/** * Definition for a binary tree node. * public class TreeNode { * int val; * TreeNode left; * TreeNode right; * TreeNode() {} * TreeNode(int val) { this.val = val; } * TreeNode(int val, TreeNode left, TreeNode right) { * this.val = val; * this.left = left; * this.right = right; * } * } */ class Solution { private List<Integer> ans = new ArrayList<>(); public List<Integer> postorderTraversal(TreeNode root) { dfs(root); return ans; } private void dfs(TreeNode root) { if (root == null) { return; } dfs(root.left); dfs(root.right); ans.add(root.val); } }
145
Binary Tree Postorder Traversal
Easy
<p>Given the <code>root</code> of a&nbsp;binary tree, return <em>the postorder traversal of its nodes&#39; values</em>.</p> <p>&nbsp;</p> <p><strong class="example">Example 1:</strong></p> <div class="example-block"> <p><strong>Input:</strong> <span class="example-io">root = [1,null,2,3]</span></p> <p><strong>Output:</strong> <span class="example-io">[3,2,1]</span></p> <p><strong>Explanation:</strong></p> <p><img alt="" src="https://fastly.jsdelivr.net/gh/doocs/leetcode@main/solution/0100-0199/0145.Binary%20Tree%20Postorder%20Traversal/images/screenshot-2024-08-29-202743.png" style="width: 200px; height: 264px;" /></p> </div> <p><strong class="example">Example 2:</strong></p> <div class="example-block"> <p><strong>Input:</strong> <span class="example-io">root = [1,2,3,4,5,null,8,null,null,6,7,9]</span></p> <p><strong>Output:</strong> <span class="example-io">[4,6,7,5,2,9,8,3,1]</span></p> <p><strong>Explanation:</strong></p> <p><img alt="" src="https://fastly.jsdelivr.net/gh/doocs/leetcode@main/solution/0100-0199/0145.Binary%20Tree%20Postorder%20Traversal/images/tree_2.png" style="width: 350px; height: 286px;" /></p> </div> <p><strong class="example">Example 3:</strong></p> <div class="example-block"> <p><strong>Input:</strong> <span class="example-io">root = []</span></p> <p><strong>Output:</strong> <span class="example-io">[]</span></p> </div> <p><strong class="example">Example 4:</strong></p> <div class="example-block"> <p><strong>Input:</strong> <span class="example-io">root = [1]</span></p> <p><strong>Output:</strong> <span class="example-io">[1]</span></p> </div> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li>The number of the nodes in the tree is in the range <code>[0, 100]</code>.</li> <li><code>-100 &lt;= Node.val &lt;= 100</code></li> </ul> <p>&nbsp;</p> <strong>Follow up:</strong> Recursive solution is trivial, could you do it iteratively?
Stack; Tree; Depth-First Search; Binary Tree
Python
# Definition for a binary tree node. # class TreeNode: # def __init__(self, val=0, left=None, right=None): # self.val = val # self.left = left # self.right = right class Solution: def postorderTraversal(self, root: Optional[TreeNode]) -> List[int]: def dfs(root): if root is None: return dfs(root.left) dfs(root.right) ans.append(root.val) ans = [] dfs(root) return ans
145
Binary Tree Postorder Traversal
Easy
<p>Given the <code>root</code> of a&nbsp;binary tree, return <em>the postorder traversal of its nodes&#39; values</em>.</p> <p>&nbsp;</p> <p><strong class="example">Example 1:</strong></p> <div class="example-block"> <p><strong>Input:</strong> <span class="example-io">root = [1,null,2,3]</span></p> <p><strong>Output:</strong> <span class="example-io">[3,2,1]</span></p> <p><strong>Explanation:</strong></p> <p><img alt="" src="https://fastly.jsdelivr.net/gh/doocs/leetcode@main/solution/0100-0199/0145.Binary%20Tree%20Postorder%20Traversal/images/screenshot-2024-08-29-202743.png" style="width: 200px; height: 264px;" /></p> </div> <p><strong class="example">Example 2:</strong></p> <div class="example-block"> <p><strong>Input:</strong> <span class="example-io">root = [1,2,3,4,5,null,8,null,null,6,7,9]</span></p> <p><strong>Output:</strong> <span class="example-io">[4,6,7,5,2,9,8,3,1]</span></p> <p><strong>Explanation:</strong></p> <p><img alt="" src="https://fastly.jsdelivr.net/gh/doocs/leetcode@main/solution/0100-0199/0145.Binary%20Tree%20Postorder%20Traversal/images/tree_2.png" style="width: 350px; height: 286px;" /></p> </div> <p><strong class="example">Example 3:</strong></p> <div class="example-block"> <p><strong>Input:</strong> <span class="example-io">root = []</span></p> <p><strong>Output:</strong> <span class="example-io">[]</span></p> </div> <p><strong class="example">Example 4:</strong></p> <div class="example-block"> <p><strong>Input:</strong> <span class="example-io">root = [1]</span></p> <p><strong>Output:</strong> <span class="example-io">[1]</span></p> </div> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li>The number of the nodes in the tree is in the range <code>[0, 100]</code>.</li> <li><code>-100 &lt;= Node.val &lt;= 100</code></li> </ul> <p>&nbsp;</p> <strong>Follow up:</strong> Recursive solution is trivial, could you do it iteratively?
Stack; Tree; Depth-First Search; Binary Tree
Rust
// Definition for a binary tree node. // #[derive(Debug, PartialEq, Eq)] // pub struct TreeNode { // pub val: i32, // pub left: Option<Rc<RefCell<TreeNode>>>, // pub right: Option<Rc<RefCell<TreeNode>>>, // } // // impl TreeNode { // #[inline] // pub fn new(val: i32) -> Self { // TreeNode { // val, // left: None, // right: None // } // } // } use std::cell::RefCell; use std::rc::Rc; impl Solution { fn dfs(root: &Option<Rc<RefCell<TreeNode>>>, ans: &mut Vec<i32>) { if root.is_none() { return; } let node = root.as_ref().unwrap().borrow(); Self::dfs(&node.left, ans); Self::dfs(&node.right, ans); ans.push(node.val); } pub fn postorder_traversal(root: Option<Rc<RefCell<TreeNode>>>) -> Vec<i32> { let mut ans = vec![]; Self::dfs(&root, &mut ans); ans } }
145
Binary Tree Postorder Traversal
Easy
<p>Given the <code>root</code> of a&nbsp;binary tree, return <em>the postorder traversal of its nodes&#39; values</em>.</p> <p>&nbsp;</p> <p><strong class="example">Example 1:</strong></p> <div class="example-block"> <p><strong>Input:</strong> <span class="example-io">root = [1,null,2,3]</span></p> <p><strong>Output:</strong> <span class="example-io">[3,2,1]</span></p> <p><strong>Explanation:</strong></p> <p><img alt="" src="https://fastly.jsdelivr.net/gh/doocs/leetcode@main/solution/0100-0199/0145.Binary%20Tree%20Postorder%20Traversal/images/screenshot-2024-08-29-202743.png" style="width: 200px; height: 264px;" /></p> </div> <p><strong class="example">Example 2:</strong></p> <div class="example-block"> <p><strong>Input:</strong> <span class="example-io">root = [1,2,3,4,5,null,8,null,null,6,7,9]</span></p> <p><strong>Output:</strong> <span class="example-io">[4,6,7,5,2,9,8,3,1]</span></p> <p><strong>Explanation:</strong></p> <p><img alt="" src="https://fastly.jsdelivr.net/gh/doocs/leetcode@main/solution/0100-0199/0145.Binary%20Tree%20Postorder%20Traversal/images/tree_2.png" style="width: 350px; height: 286px;" /></p> </div> <p><strong class="example">Example 3:</strong></p> <div class="example-block"> <p><strong>Input:</strong> <span class="example-io">root = []</span></p> <p><strong>Output:</strong> <span class="example-io">[]</span></p> </div> <p><strong class="example">Example 4:</strong></p> <div class="example-block"> <p><strong>Input:</strong> <span class="example-io">root = [1]</span></p> <p><strong>Output:</strong> <span class="example-io">[1]</span></p> </div> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li>The number of the nodes in the tree is in the range <code>[0, 100]</code>.</li> <li><code>-100 &lt;= Node.val &lt;= 100</code></li> </ul> <p>&nbsp;</p> <strong>Follow up:</strong> Recursive solution is trivial, could you do it iteratively?
Stack; Tree; Depth-First Search; Binary Tree
TypeScript
/** * Definition for a binary tree node. * class TreeNode { * val: number * left: TreeNode | null * right: TreeNode | null * constructor(val?: number, left?: TreeNode | null, right?: TreeNode | null) { * this.val = (val===undefined ? 0 : val) * this.left = (left===undefined ? null : left) * this.right = (right===undefined ? null : right) * } * } */ function postorderTraversal(root: TreeNode | null): number[] { const ans: number[] = []; const dfs = (root: TreeNode | null) => { if (!root) { return; } dfs(root.left); dfs(root.right); ans.push(root.val); }; dfs(root); return ans; }
146
LRU Cache
Medium
<p>Design a data structure that follows the constraints of a <strong><a href="https://en.wikipedia.org/wiki/Cache_replacement_policies#LRU" target="_blank">Least Recently Used (LRU) cache</a></strong>.</p> <p>Implement the <code>LRUCache</code> class:</p> <ul> <li><code>LRUCache(int capacity)</code> Initialize the LRU cache with <strong>positive</strong> size <code>capacity</code>.</li> <li><code>int get(int key)</code> Return the value of the <code>key</code> if the key exists, otherwise return <code>-1</code>.</li> <li><code>void put(int key, int value)</code> Update the value of the <code>key</code> if the <code>key</code> exists. Otherwise, add the <code>key-value</code> pair to the cache. If the number of keys exceeds the <code>capacity</code> from this operation, <strong>evict</strong> the least recently used key.</li> </ul> <p>The functions <code>get</code> and <code>put</code> must each run in <code>O(1)</code> average time complexity.</p> <p>&nbsp;</p> <p><strong class="example">Example 1:</strong></p> <pre> <strong>Input</strong> [&quot;LRUCache&quot;, &quot;put&quot;, &quot;put&quot;, &quot;get&quot;, &quot;put&quot;, &quot;get&quot;, &quot;put&quot;, &quot;get&quot;, &quot;get&quot;, &quot;get&quot;] [[2], [1, 1], [2, 2], [1], [3, 3], [2], [4, 4], [1], [3], [4]] <strong>Output</strong> [null, null, null, 1, null, -1, null, -1, 3, 4] <strong>Explanation</strong> LRUCache lRUCache = new LRUCache(2); lRUCache.put(1, 1); // cache is {1=1} lRUCache.put(2, 2); // cache is {1=1, 2=2} lRUCache.get(1); // return 1 lRUCache.put(3, 3); // LRU key was 2, evicts key 2, cache is {1=1, 3=3} lRUCache.get(2); // returns -1 (not found) lRUCache.put(4, 4); // LRU key was 1, evicts key 1, cache is {4=4, 3=3} lRUCache.get(1); // return -1 (not found) lRUCache.get(3); // return 3 lRUCache.get(4); // return 4 </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li><code>1 &lt;= capacity &lt;= 3000</code></li> <li><code>0 &lt;= key &lt;= 10<sup>4</sup></code></li> <li><code>0 &lt;= value &lt;= 10<sup>5</sup></code></li> <li>At most <code>2 * 10<sup>5</sup></code> calls will be made to <code>get</code> and <code>put</code>.</li> </ul>
Design; Hash Table; Linked List; Doubly-Linked List
C++
class LRUCache { private: struct Node { int key, val; Node* prev; Node* next; Node(int key, int val) : key(key) , val(val) , prev(nullptr) , next(nullptr) {} }; int size; int capacity; Node* head; Node* tail; unordered_map<int, Node*> cache; void removeNode(Node* node) { node->prev->next = node->next; node->next->prev = node->prev; } void addToHead(Node* node) { node->next = head->next; node->prev = head; head->next->prev = node; head->next = node; } public: LRUCache(int capacity) : size(0) , capacity(capacity) { head = new Node(0, 0); tail = new Node(0, 0); head->next = tail; tail->prev = head; } int get(int key) { if (!cache.contains(key)) { return -1; } Node* node = cache[key]; removeNode(node); addToHead(node); return node->val; } void put(int key, int value) { if (cache.contains(key)) { Node* node = cache[key]; removeNode(node); node->val = value; addToHead(node); } else { Node* node = new Node(key, value); cache[key] = node; addToHead(node); if (++size > capacity) { node = tail->prev; cache.erase(node->key); removeNode(node); --size; } } } }; /** * Your LRUCache object will be instantiated and called as such: * LRUCache* obj = new LRUCache(capacity); * int param_1 = obj->get(key); * obj->put(key,value); */
146
LRU Cache
Medium
<p>Design a data structure that follows the constraints of a <strong><a href="https://en.wikipedia.org/wiki/Cache_replacement_policies#LRU" target="_blank">Least Recently Used (LRU) cache</a></strong>.</p> <p>Implement the <code>LRUCache</code> class:</p> <ul> <li><code>LRUCache(int capacity)</code> Initialize the LRU cache with <strong>positive</strong> size <code>capacity</code>.</li> <li><code>int get(int key)</code> Return the value of the <code>key</code> if the key exists, otherwise return <code>-1</code>.</li> <li><code>void put(int key, int value)</code> Update the value of the <code>key</code> if the <code>key</code> exists. Otherwise, add the <code>key-value</code> pair to the cache. If the number of keys exceeds the <code>capacity</code> from this operation, <strong>evict</strong> the least recently used key.</li> </ul> <p>The functions <code>get</code> and <code>put</code> must each run in <code>O(1)</code> average time complexity.</p> <p>&nbsp;</p> <p><strong class="example">Example 1:</strong></p> <pre> <strong>Input</strong> [&quot;LRUCache&quot;, &quot;put&quot;, &quot;put&quot;, &quot;get&quot;, &quot;put&quot;, &quot;get&quot;, &quot;put&quot;, &quot;get&quot;, &quot;get&quot;, &quot;get&quot;] [[2], [1, 1], [2, 2], [1], [3, 3], [2], [4, 4], [1], [3], [4]] <strong>Output</strong> [null, null, null, 1, null, -1, null, -1, 3, 4] <strong>Explanation</strong> LRUCache lRUCache = new LRUCache(2); lRUCache.put(1, 1); // cache is {1=1} lRUCache.put(2, 2); // cache is {1=1, 2=2} lRUCache.get(1); // return 1 lRUCache.put(3, 3); // LRU key was 2, evicts key 2, cache is {1=1, 3=3} lRUCache.get(2); // returns -1 (not found) lRUCache.put(4, 4); // LRU key was 1, evicts key 1, cache is {4=4, 3=3} lRUCache.get(1); // return -1 (not found) lRUCache.get(3); // return 3 lRUCache.get(4); // return 4 </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li><code>1 &lt;= capacity &lt;= 3000</code></li> <li><code>0 &lt;= key &lt;= 10<sup>4</sup></code></li> <li><code>0 &lt;= value &lt;= 10<sup>5</sup></code></li> <li>At most <code>2 * 10<sup>5</sup></code> calls will be made to <code>get</code> and <code>put</code>.</li> </ul>
Design; Hash Table; Linked List; Doubly-Linked List
C#
public class LRUCache { private int size; private int capacity; private Dictionary<int, Node> cache = new Dictionary<int, Node>(); private Node head = new Node(); private Node tail = new Node(); public LRUCache(int capacity) { this.capacity = capacity; head.Next = tail; tail.Prev = head; } public int Get(int key) { if (!cache.ContainsKey(key)) { return -1; } Node node = cache[key]; RemoveNode(node); AddToHead(node); return node.Val; } public void Put(int key, int value) { if (cache.ContainsKey(key)) { Node node = cache[key]; RemoveNode(node); node.Val = value; AddToHead(node); } else { Node node = new Node(key, value); cache[key] = node; AddToHead(node); if (++size > capacity) { node = tail.Prev; cache.Remove(node.Key); RemoveNode(node); --size; } } } private void RemoveNode(Node node) { node.Prev.Next = node.Next; node.Next.Prev = node.Prev; } private void AddToHead(Node node) { node.Next = head.Next; node.Prev = head; head.Next = node; node.Next.Prev = node; } // Node class to represent each entry in the cache. private class Node { public int Key; public int Val; public Node Prev; public Node Next; public Node() {} public Node(int key, int val) { Key = key; Val = val; } } } /** * Your LRUCache object will be instantiated and called as such: * LRUCache obj = new LRUCache(capacity); * int param_1 = obj.Get(key); * obj.Put(key,value); */
146
LRU Cache
Medium
<p>Design a data structure that follows the constraints of a <strong><a href="https://en.wikipedia.org/wiki/Cache_replacement_policies#LRU" target="_blank">Least Recently Used (LRU) cache</a></strong>.</p> <p>Implement the <code>LRUCache</code> class:</p> <ul> <li><code>LRUCache(int capacity)</code> Initialize the LRU cache with <strong>positive</strong> size <code>capacity</code>.</li> <li><code>int get(int key)</code> Return the value of the <code>key</code> if the key exists, otherwise return <code>-1</code>.</li> <li><code>void put(int key, int value)</code> Update the value of the <code>key</code> if the <code>key</code> exists. Otherwise, add the <code>key-value</code> pair to the cache. If the number of keys exceeds the <code>capacity</code> from this operation, <strong>evict</strong> the least recently used key.</li> </ul> <p>The functions <code>get</code> and <code>put</code> must each run in <code>O(1)</code> average time complexity.</p> <p>&nbsp;</p> <p><strong class="example">Example 1:</strong></p> <pre> <strong>Input</strong> [&quot;LRUCache&quot;, &quot;put&quot;, &quot;put&quot;, &quot;get&quot;, &quot;put&quot;, &quot;get&quot;, &quot;put&quot;, &quot;get&quot;, &quot;get&quot;, &quot;get&quot;] [[2], [1, 1], [2, 2], [1], [3, 3], [2], [4, 4], [1], [3], [4]] <strong>Output</strong> [null, null, null, 1, null, -1, null, -1, 3, 4] <strong>Explanation</strong> LRUCache lRUCache = new LRUCache(2); lRUCache.put(1, 1); // cache is {1=1} lRUCache.put(2, 2); // cache is {1=1, 2=2} lRUCache.get(1); // return 1 lRUCache.put(3, 3); // LRU key was 2, evicts key 2, cache is {1=1, 3=3} lRUCache.get(2); // returns -1 (not found) lRUCache.put(4, 4); // LRU key was 1, evicts key 1, cache is {4=4, 3=3} lRUCache.get(1); // return -1 (not found) lRUCache.get(3); // return 3 lRUCache.get(4); // return 4 </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li><code>1 &lt;= capacity &lt;= 3000</code></li> <li><code>0 &lt;= key &lt;= 10<sup>4</sup></code></li> <li><code>0 &lt;= value &lt;= 10<sup>5</sup></code></li> <li>At most <code>2 * 10<sup>5</sup></code> calls will be made to <code>get</code> and <code>put</code>.</li> </ul>
Design; Hash Table; Linked List; Doubly-Linked List
Go
type Node struct { key, val int prev, next *Node } type LRUCache struct { size, capacity int head, tail *Node cache map[int]*Node } func Constructor(capacity int) LRUCache { head := &Node{} tail := &Node{} head.next = tail tail.prev = head return LRUCache{ capacity: capacity, head: head, tail: tail, cache: make(map[int]*Node), } } func (this *LRUCache) Get(key int) int { if node, exists := this.cache[key]; exists { this.removeNode(node) this.addToHead(node) return node.val } return -1 } func (this *LRUCache) Put(key int, value int) { if node, exists := this.cache[key]; exists { this.removeNode(node) node.val = value this.addToHead(node) } else { node := &Node{key: key, val: value} this.cache[key] = node this.addToHead(node) if this.size++; this.size > this.capacity { node = this.tail.prev delete(this.cache, node.key) this.removeNode(node) this.size-- } } } func (this *LRUCache) removeNode(node *Node) { node.prev.next = node.next node.next.prev = node.prev } func (this *LRUCache) addToHead(node *Node) { node.next = this.head.next node.prev = this.head this.head.next = node node.next.prev = node } /** * Your LRUCache object will be instantiated and called as such: * obj := Constructor(capacity); * param_1 := obj.Get(key); * obj.Put(key,value); */ /** * Your LRUCache object will be instantiated and called as such: * obj := Constructor(capacity); * param_1 := obj.Get(key); * obj.Put(key,value); */
146
LRU Cache
Medium
<p>Design a data structure that follows the constraints of a <strong><a href="https://en.wikipedia.org/wiki/Cache_replacement_policies#LRU" target="_blank">Least Recently Used (LRU) cache</a></strong>.</p> <p>Implement the <code>LRUCache</code> class:</p> <ul> <li><code>LRUCache(int capacity)</code> Initialize the LRU cache with <strong>positive</strong> size <code>capacity</code>.</li> <li><code>int get(int key)</code> Return the value of the <code>key</code> if the key exists, otherwise return <code>-1</code>.</li> <li><code>void put(int key, int value)</code> Update the value of the <code>key</code> if the <code>key</code> exists. Otherwise, add the <code>key-value</code> pair to the cache. If the number of keys exceeds the <code>capacity</code> from this operation, <strong>evict</strong> the least recently used key.</li> </ul> <p>The functions <code>get</code> and <code>put</code> must each run in <code>O(1)</code> average time complexity.</p> <p>&nbsp;</p> <p><strong class="example">Example 1:</strong></p> <pre> <strong>Input</strong> [&quot;LRUCache&quot;, &quot;put&quot;, &quot;put&quot;, &quot;get&quot;, &quot;put&quot;, &quot;get&quot;, &quot;put&quot;, &quot;get&quot;, &quot;get&quot;, &quot;get&quot;] [[2], [1, 1], [2, 2], [1], [3, 3], [2], [4, 4], [1], [3], [4]] <strong>Output</strong> [null, null, null, 1, null, -1, null, -1, 3, 4] <strong>Explanation</strong> LRUCache lRUCache = new LRUCache(2); lRUCache.put(1, 1); // cache is {1=1} lRUCache.put(2, 2); // cache is {1=1, 2=2} lRUCache.get(1); // return 1 lRUCache.put(3, 3); // LRU key was 2, evicts key 2, cache is {1=1, 3=3} lRUCache.get(2); // returns -1 (not found) lRUCache.put(4, 4); // LRU key was 1, evicts key 1, cache is {4=4, 3=3} lRUCache.get(1); // return -1 (not found) lRUCache.get(3); // return 3 lRUCache.get(4); // return 4 </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li><code>1 &lt;= capacity &lt;= 3000</code></li> <li><code>0 &lt;= key &lt;= 10<sup>4</sup></code></li> <li><code>0 &lt;= value &lt;= 10<sup>5</sup></code></li> <li>At most <code>2 * 10<sup>5</sup></code> calls will be made to <code>get</code> and <code>put</code>.</li> </ul>
Design; Hash Table; Linked List; Doubly-Linked List
Java
class Node { int key, val; Node prev, next; Node() { } Node(int key, int val) { this.key = key; this.val = val; } } class LRUCache { private int size; private int capacity; private Node head = new Node(); private Node tail = new Node(); private Map<Integer, Node> cache = new HashMap<>(); public LRUCache(int capacity) { this.capacity = capacity; head.next = tail; tail.prev = head; } public int get(int key) { if (!cache.containsKey(key)) { return -1; } Node node = cache.get(key); removeNode(node); addToHead(node); return node.val; } public void put(int key, int value) { if (cache.containsKey(key)) { Node node = cache.get(key); removeNode(node); node.val = value; addToHead(node); } else { Node node = new Node(key, value); cache.put(key, node); addToHead(node); if (++size > capacity) { node = tail.prev; cache.remove(node.key); removeNode(node); --size; } } } private void removeNode(Node node) { node.prev.next = node.next; node.next.prev = node.prev; } private void addToHead(Node node) { node.next = head.next; node.prev = head; head.next = node; node.next.prev = node; } } /** * Your LRUCache object will be instantiated and called as such: * LRUCache obj = new LRUCache(capacity); * int param_1 = obj.get(key); * obj.put(key,value); */
146
LRU Cache
Medium
<p>Design a data structure that follows the constraints of a <strong><a href="https://en.wikipedia.org/wiki/Cache_replacement_policies#LRU" target="_blank">Least Recently Used (LRU) cache</a></strong>.</p> <p>Implement the <code>LRUCache</code> class:</p> <ul> <li><code>LRUCache(int capacity)</code> Initialize the LRU cache with <strong>positive</strong> size <code>capacity</code>.</li> <li><code>int get(int key)</code> Return the value of the <code>key</code> if the key exists, otherwise return <code>-1</code>.</li> <li><code>void put(int key, int value)</code> Update the value of the <code>key</code> if the <code>key</code> exists. Otherwise, add the <code>key-value</code> pair to the cache. If the number of keys exceeds the <code>capacity</code> from this operation, <strong>evict</strong> the least recently used key.</li> </ul> <p>The functions <code>get</code> and <code>put</code> must each run in <code>O(1)</code> average time complexity.</p> <p>&nbsp;</p> <p><strong class="example">Example 1:</strong></p> <pre> <strong>Input</strong> [&quot;LRUCache&quot;, &quot;put&quot;, &quot;put&quot;, &quot;get&quot;, &quot;put&quot;, &quot;get&quot;, &quot;put&quot;, &quot;get&quot;, &quot;get&quot;, &quot;get&quot;] [[2], [1, 1], [2, 2], [1], [3, 3], [2], [4, 4], [1], [3], [4]] <strong>Output</strong> [null, null, null, 1, null, -1, null, -1, 3, 4] <strong>Explanation</strong> LRUCache lRUCache = new LRUCache(2); lRUCache.put(1, 1); // cache is {1=1} lRUCache.put(2, 2); // cache is {1=1, 2=2} lRUCache.get(1); // return 1 lRUCache.put(3, 3); // LRU key was 2, evicts key 2, cache is {1=1, 3=3} lRUCache.get(2); // returns -1 (not found) lRUCache.put(4, 4); // LRU key was 1, evicts key 1, cache is {4=4, 3=3} lRUCache.get(1); // return -1 (not found) lRUCache.get(3); // return 3 lRUCache.get(4); // return 4 </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li><code>1 &lt;= capacity &lt;= 3000</code></li> <li><code>0 &lt;= key &lt;= 10<sup>4</sup></code></li> <li><code>0 &lt;= value &lt;= 10<sup>5</sup></code></li> <li>At most <code>2 * 10<sup>5</sup></code> calls will be made to <code>get</code> and <code>put</code>.</li> </ul>
Design; Hash Table; Linked List; Doubly-Linked List
JavaScript
/** * @param {number} capacity */ var LRUCache = function (capacity) { this.size = 0; this.capacity = capacity; this.cache = new Map(); this.head = new Node(0, 0); this.tail = new Node(0, 0); this.head.next = this.tail; this.tail.prev = this.head; }; /** * @param {number} key * @return {number} */ LRUCache.prototype.get = function (key) { if (!this.cache.has(key)) { return -1; } const node = this.cache.get(key); this.removeNode(node); this.addToHead(node); return node.val; }; /** * @param {number} key * @param {number} value * @return {void} */ LRUCache.prototype.put = function (key, value) { if (this.cache.has(key)) { const node = this.cache.get(key); this.removeNode(node); node.val = value; this.addToHead(node); } else { const node = new Node(key, value); this.cache.set(key, node); this.addToHead(node); if (++this.size > this.capacity) { const nodeToRemove = this.tail.prev; this.cache.delete(nodeToRemove.key); this.removeNode(nodeToRemove); --this.size; } } }; LRUCache.prototype.removeNode = function (node) { if (!node) return; node.prev.next = node.next; node.next.prev = node.prev; }; LRUCache.prototype.addToHead = function (node) { node.next = this.head.next; node.prev = this.head; this.head.next.prev = node; this.head.next = node; }; /** * @constructor * @param {number} key * @param {number} val */ function Node(key, val) { this.key = key; this.val = val; this.prev = null; this.next = null; } /** * Your LRUCache object will be instantiated and called as such: * var obj = new LRUCache(capacity) * var param_1 = obj.get(key) * obj.put(key,value) */
146
LRU Cache
Medium
<p>Design a data structure that follows the constraints of a <strong><a href="https://en.wikipedia.org/wiki/Cache_replacement_policies#LRU" target="_blank">Least Recently Used (LRU) cache</a></strong>.</p> <p>Implement the <code>LRUCache</code> class:</p> <ul> <li><code>LRUCache(int capacity)</code> Initialize the LRU cache with <strong>positive</strong> size <code>capacity</code>.</li> <li><code>int get(int key)</code> Return the value of the <code>key</code> if the key exists, otherwise return <code>-1</code>.</li> <li><code>void put(int key, int value)</code> Update the value of the <code>key</code> if the <code>key</code> exists. Otherwise, add the <code>key-value</code> pair to the cache. If the number of keys exceeds the <code>capacity</code> from this operation, <strong>evict</strong> the least recently used key.</li> </ul> <p>The functions <code>get</code> and <code>put</code> must each run in <code>O(1)</code> average time complexity.</p> <p>&nbsp;</p> <p><strong class="example">Example 1:</strong></p> <pre> <strong>Input</strong> [&quot;LRUCache&quot;, &quot;put&quot;, &quot;put&quot;, &quot;get&quot;, &quot;put&quot;, &quot;get&quot;, &quot;put&quot;, &quot;get&quot;, &quot;get&quot;, &quot;get&quot;] [[2], [1, 1], [2, 2], [1], [3, 3], [2], [4, 4], [1], [3], [4]] <strong>Output</strong> [null, null, null, 1, null, -1, null, -1, 3, 4] <strong>Explanation</strong> LRUCache lRUCache = new LRUCache(2); lRUCache.put(1, 1); // cache is {1=1} lRUCache.put(2, 2); // cache is {1=1, 2=2} lRUCache.get(1); // return 1 lRUCache.put(3, 3); // LRU key was 2, evicts key 2, cache is {1=1, 3=3} lRUCache.get(2); // returns -1 (not found) lRUCache.put(4, 4); // LRU key was 1, evicts key 1, cache is {4=4, 3=3} lRUCache.get(1); // return -1 (not found) lRUCache.get(3); // return 3 lRUCache.get(4); // return 4 </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li><code>1 &lt;= capacity &lt;= 3000</code></li> <li><code>0 &lt;= key &lt;= 10<sup>4</sup></code></li> <li><code>0 &lt;= value &lt;= 10<sup>5</sup></code></li> <li>At most <code>2 * 10<sup>5</sup></code> calls will be made to <code>get</code> and <code>put</code>.</li> </ul>
Design; Hash Table; Linked List; Doubly-Linked List
Python
class Node: def __init__(self, key: int = 0, val: int = 0): self.key = key self.val = val self.prev = None self.next = None class LRUCache: def __init__(self, capacity: int): self.size = 0 self.capacity = capacity self.cache = {} self.head = Node() self.tail = Node() self.head.next = self.tail self.tail.prev = self.head def get(self, key: int) -> int: if key not in self.cache: return -1 node = self.cache[key] self.remove_node(node) self.add_to_head(node) return node.val def put(self, key: int, value: int) -> None: if key in self.cache: node = self.cache[key] self.remove_node(node) node.val = value self.add_to_head(node) else: node = Node(key, value) self.cache[key] = node self.add_to_head(node) self.size += 1 if self.size > self.capacity: node = self.tail.prev self.cache.pop(node.key) self.remove_node(node) self.size -= 1 def remove_node(self, node): node.prev.next = node.next node.next.prev = node.prev def add_to_head(self, node): node.next = self.head.next node.prev = self.head self.head.next = node node.next.prev = node # Your LRUCache object will be instantiated and called as such: # obj = LRUCache(capacity) # param_1 = obj.get(key) # obj.put(key,value)
146
LRU Cache
Medium
<p>Design a data structure that follows the constraints of a <strong><a href="https://en.wikipedia.org/wiki/Cache_replacement_policies#LRU" target="_blank">Least Recently Used (LRU) cache</a></strong>.</p> <p>Implement the <code>LRUCache</code> class:</p> <ul> <li><code>LRUCache(int capacity)</code> Initialize the LRU cache with <strong>positive</strong> size <code>capacity</code>.</li> <li><code>int get(int key)</code> Return the value of the <code>key</code> if the key exists, otherwise return <code>-1</code>.</li> <li><code>void put(int key, int value)</code> Update the value of the <code>key</code> if the <code>key</code> exists. Otherwise, add the <code>key-value</code> pair to the cache. If the number of keys exceeds the <code>capacity</code> from this operation, <strong>evict</strong> the least recently used key.</li> </ul> <p>The functions <code>get</code> and <code>put</code> must each run in <code>O(1)</code> average time complexity.</p> <p>&nbsp;</p> <p><strong class="example">Example 1:</strong></p> <pre> <strong>Input</strong> [&quot;LRUCache&quot;, &quot;put&quot;, &quot;put&quot;, &quot;get&quot;, &quot;put&quot;, &quot;get&quot;, &quot;put&quot;, &quot;get&quot;, &quot;get&quot;, &quot;get&quot;] [[2], [1, 1], [2, 2], [1], [3, 3], [2], [4, 4], [1], [3], [4]] <strong>Output</strong> [null, null, null, 1, null, -1, null, -1, 3, 4] <strong>Explanation</strong> LRUCache lRUCache = new LRUCache(2); lRUCache.put(1, 1); // cache is {1=1} lRUCache.put(2, 2); // cache is {1=1, 2=2} lRUCache.get(1); // return 1 lRUCache.put(3, 3); // LRU key was 2, evicts key 2, cache is {1=1, 3=3} lRUCache.get(2); // returns -1 (not found) lRUCache.put(4, 4); // LRU key was 1, evicts key 1, cache is {4=4, 3=3} lRUCache.get(1); // return -1 (not found) lRUCache.get(3); // return 3 lRUCache.get(4); // return 4 </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li><code>1 &lt;= capacity &lt;= 3000</code></li> <li><code>0 &lt;= key &lt;= 10<sup>4</sup></code></li> <li><code>0 &lt;= value &lt;= 10<sup>5</sup></code></li> <li>At most <code>2 * 10<sup>5</sup></code> calls will be made to <code>get</code> and <code>put</code>.</li> </ul>
Design; Hash Table; Linked List; Doubly-Linked List
Rust
use std::cell::RefCell; use std::collections::HashMap; use std::rc::Rc; struct Node { key: i32, value: i32, prev: Option<Rc<RefCell<Node>>>, next: Option<Rc<RefCell<Node>>>, } impl Node { #[inline] fn new(key: i32, value: i32) -> Self { Self { key, value, prev: None, next: None, } } } struct LRUCache { capacity: usize, cache: HashMap<i32, Rc<RefCell<Node>>>, head: Option<Rc<RefCell<Node>>>, tail: Option<Rc<RefCell<Node>>>, } /** * `&self` means the method takes an immutable reference. * If you need a mutable reference, change it to `&mut self` instead. */ impl LRUCache { fn new(capacity: i32) -> Self { Self { capacity: capacity as usize, cache: HashMap::new(), head: None, tail: None, } } fn get(&mut self, key: i32) -> i32 { match self.cache.get(&key) { Some(node) => { let node = Rc::clone(node); self.remove(&node); self.push_front(&node); let value = node.borrow().value; value } None => -1, } } fn put(&mut self, key: i32, value: i32) { match self.cache.get(&key) { Some(node) => { let node = Rc::clone(node); node.borrow_mut().value = value; self.remove(&node); self.push_front(&node); } None => { let node = Rc::new(RefCell::new(Node::new(key, value))); self.cache.insert(key, Rc::clone(&node)); self.push_front(&node); if self.cache.len() > self.capacity { let back_key = self.pop_back().unwrap().borrow().key; self.cache.remove(&back_key); } } }; } fn push_front(&mut self, node: &Rc<RefCell<Node>>) { match self.head.take() { Some(head) => { head.borrow_mut().prev = Some(Rc::clone(node)); node.borrow_mut().prev = None; node.borrow_mut().next = Some(head); self.head = Some(Rc::clone(node)); } None => { self.head = Some(Rc::clone(node)); self.tail = Some(Rc::clone(node)); } }; } fn remove(&mut self, node: &Rc<RefCell<Node>>) { match (node.borrow().prev.as_ref(), node.borrow().next.as_ref()) { (None, None) => { self.head = None; self.tail = None; } (None, Some(next)) => { self.head = Some(Rc::clone(next)); next.borrow_mut().prev = None; } (Some(prev), None) => { self.tail = Some(Rc::clone(prev)); prev.borrow_mut().next = None; } (Some(prev), Some(next)) => { next.borrow_mut().prev = Some(Rc::clone(prev)); prev.borrow_mut().next = Some(Rc::clone(next)); } }; } fn pop_back(&mut self) -> Option<Rc<RefCell<Node>>> { match self.tail.take() { Some(tail) => { self.remove(&tail); Some(tail) } None => None, } } }
146
LRU Cache
Medium
<p>Design a data structure that follows the constraints of a <strong><a href="https://en.wikipedia.org/wiki/Cache_replacement_policies#LRU" target="_blank">Least Recently Used (LRU) cache</a></strong>.</p> <p>Implement the <code>LRUCache</code> class:</p> <ul> <li><code>LRUCache(int capacity)</code> Initialize the LRU cache with <strong>positive</strong> size <code>capacity</code>.</li> <li><code>int get(int key)</code> Return the value of the <code>key</code> if the key exists, otherwise return <code>-1</code>.</li> <li><code>void put(int key, int value)</code> Update the value of the <code>key</code> if the <code>key</code> exists. Otherwise, add the <code>key-value</code> pair to the cache. If the number of keys exceeds the <code>capacity</code> from this operation, <strong>evict</strong> the least recently used key.</li> </ul> <p>The functions <code>get</code> and <code>put</code> must each run in <code>O(1)</code> average time complexity.</p> <p>&nbsp;</p> <p><strong class="example">Example 1:</strong></p> <pre> <strong>Input</strong> [&quot;LRUCache&quot;, &quot;put&quot;, &quot;put&quot;, &quot;get&quot;, &quot;put&quot;, &quot;get&quot;, &quot;put&quot;, &quot;get&quot;, &quot;get&quot;, &quot;get&quot;] [[2], [1, 1], [2, 2], [1], [3, 3], [2], [4, 4], [1], [3], [4]] <strong>Output</strong> [null, null, null, 1, null, -1, null, -1, 3, 4] <strong>Explanation</strong> LRUCache lRUCache = new LRUCache(2); lRUCache.put(1, 1); // cache is {1=1} lRUCache.put(2, 2); // cache is {1=1, 2=2} lRUCache.get(1); // return 1 lRUCache.put(3, 3); // LRU key was 2, evicts key 2, cache is {1=1, 3=3} lRUCache.get(2); // returns -1 (not found) lRUCache.put(4, 4); // LRU key was 1, evicts key 1, cache is {4=4, 3=3} lRUCache.get(1); // return -1 (not found) lRUCache.get(3); // return 3 lRUCache.get(4); // return 4 </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li><code>1 &lt;= capacity &lt;= 3000</code></li> <li><code>0 &lt;= key &lt;= 10<sup>4</sup></code></li> <li><code>0 &lt;= value &lt;= 10<sup>5</sup></code></li> <li>At most <code>2 * 10<sup>5</sup></code> calls will be made to <code>get</code> and <code>put</code>.</li> </ul>
Design; Hash Table; Linked List; Doubly-Linked List
TypeScript
class Node { key: number; val: number; prev: Node | null; next: Node | null; constructor(key: number, val: number) { this.key = key; this.val = val; this.prev = null; this.next = null; } } class LRUCache { private size: number; private capacity: number; private head: Node; private tail: Node; private cache: Map<number, Node>; constructor(capacity: number) { this.size = 0; this.capacity = capacity; this.head = new Node(0, 0); this.tail = new Node(0, 0); this.head.next = this.tail; this.tail.prev = this.head; this.cache = new Map(); } get(key: number): number { if (!this.cache.has(key)) { return -1; } const node = this.cache.get(key)!; this.removeNode(node); this.addToHead(node); return node.val; } put(key: number, value: number): void { if (this.cache.has(key)) { const node = this.cache.get(key)!; this.removeNode(node); node.val = value; this.addToHead(node); } else { const node = new Node(key, value); this.cache.set(key, node); this.addToHead(node); if (++this.size > this.capacity) { const nodeToRemove = this.tail.prev!; this.cache.delete(nodeToRemove.key); this.removeNode(nodeToRemove); --this.size; } } } private removeNode(node: Node): void { if (!node) return; node.prev!.next = node.next; node.next!.prev = node.prev; } private addToHead(node: Node): void { node.next = this.head.next; node.prev = this.head; this.head.next!.prev = node; this.head.next = node; } } /** * Your LRUCache object will be instantiated and called as such: * var obj = new LRUCache(capacity) * var param_1 = obj.get(key) * obj.put(key,value) */
147
Insertion Sort List
Medium
<p>Given the <code>head</code> of a singly linked list, sort the list using <strong>insertion sort</strong>, and return <em>the sorted list&#39;s head</em>.</p> <p>The steps of the <strong>insertion sort</strong> algorithm:</p> <ol> <li>Insertion sort iterates, consuming one input element each repetition and growing a sorted output list.</li> <li>At each iteration, insertion sort removes one element from the input data, finds the location it belongs within the sorted list and inserts it there.</li> <li>It repeats until no input elements remain.</li> </ol> <p>The following is a graphical example of the insertion sort algorithm. The partially sorted list (black) initially contains only the first element in the list. One element (red) is removed from the input data and inserted in-place into the sorted list with each iteration.</p> <img alt="" src="https://fastly.jsdelivr.net/gh/doocs/leetcode@main/solution/0100-0199/0147.Insertion%20Sort%20List/images/Insertion-sort-example-300px.gif" style="height:180px; width:300px" /> <p>&nbsp;</p> <p><strong class="example">Example 1:</strong></p> <img alt="" src="https://fastly.jsdelivr.net/gh/doocs/leetcode@main/solution/0100-0199/0147.Insertion%20Sort%20List/images/sort1linked-list.jpg" style="width: 422px; height: 222px;" /> <pre> <strong>Input:</strong> head = [4,2,1,3] <strong>Output:</strong> [1,2,3,4] </pre> <p><strong class="example">Example 2:</strong></p> <img alt="" src="https://fastly.jsdelivr.net/gh/doocs/leetcode@main/solution/0100-0199/0147.Insertion%20Sort%20List/images/sort2linked-list.jpg" style="width: 542px; height: 222px;" /> <pre> <strong>Input:</strong> head = [-1,5,3,4,0] <strong>Output:</strong> [-1,0,3,4,5] </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li>The number of nodes in the list is in the range <code>[1, 5000]</code>.</li> <li><code>-5000 &lt;= Node.val &lt;= 5000</code></li> </ul>
Linked List; Sorting
Go
/** * Definition for singly-linked list. * type ListNode struct { * Val int * Next *ListNode * } */ func insertionSortList(head *ListNode) *ListNode { if head == nil || head.Next == nil { return head } dummy := &ListNode{head.Val, head} pre, cur := dummy, head for cur != nil { if pre.Val <= cur.Val { pre = cur cur = cur.Next continue } p := dummy for p.Next.Val <= cur.Val { p = p.Next } t := cur.Next cur.Next = p.Next p.Next = cur pre.Next = t cur = t } return dummy.Next }
147
Insertion Sort List
Medium
<p>Given the <code>head</code> of a singly linked list, sort the list using <strong>insertion sort</strong>, and return <em>the sorted list&#39;s head</em>.</p> <p>The steps of the <strong>insertion sort</strong> algorithm:</p> <ol> <li>Insertion sort iterates, consuming one input element each repetition and growing a sorted output list.</li> <li>At each iteration, insertion sort removes one element from the input data, finds the location it belongs within the sorted list and inserts it there.</li> <li>It repeats until no input elements remain.</li> </ol> <p>The following is a graphical example of the insertion sort algorithm. The partially sorted list (black) initially contains only the first element in the list. One element (red) is removed from the input data and inserted in-place into the sorted list with each iteration.</p> <img alt="" src="https://fastly.jsdelivr.net/gh/doocs/leetcode@main/solution/0100-0199/0147.Insertion%20Sort%20List/images/Insertion-sort-example-300px.gif" style="height:180px; width:300px" /> <p>&nbsp;</p> <p><strong class="example">Example 1:</strong></p> <img alt="" src="https://fastly.jsdelivr.net/gh/doocs/leetcode@main/solution/0100-0199/0147.Insertion%20Sort%20List/images/sort1linked-list.jpg" style="width: 422px; height: 222px;" /> <pre> <strong>Input:</strong> head = [4,2,1,3] <strong>Output:</strong> [1,2,3,4] </pre> <p><strong class="example">Example 2:</strong></p> <img alt="" src="https://fastly.jsdelivr.net/gh/doocs/leetcode@main/solution/0100-0199/0147.Insertion%20Sort%20List/images/sort2linked-list.jpg" style="width: 542px; height: 222px;" /> <pre> <strong>Input:</strong> head = [-1,5,3,4,0] <strong>Output:</strong> [-1,0,3,4,5] </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li>The number of nodes in the list is in the range <code>[1, 5000]</code>.</li> <li><code>-5000 &lt;= Node.val &lt;= 5000</code></li> </ul>
Linked List; Sorting
Java
/** * Definition for singly-linked list. * public class ListNode { * int val; * ListNode next; * ListNode() {} * ListNode(int val) { this.val = val; } * ListNode(int val, ListNode next) { this.val = val; this.next = next; } * } */ class Solution { public ListNode insertionSortList(ListNode head) { if (head == null || head.next == null) { return head; } ListNode dummy = new ListNode(head.val, head); ListNode pre = dummy, cur = head; while (cur != null) { if (pre.val <= cur.val) { pre = cur; cur = cur.next; continue; } ListNode p = dummy; while (p.next.val <= cur.val) { p = p.next; } ListNode t = cur.next; cur.next = p.next; p.next = cur; pre.next = t; cur = t; } return dummy.next; } }
147
Insertion Sort List
Medium
<p>Given the <code>head</code> of a singly linked list, sort the list using <strong>insertion sort</strong>, and return <em>the sorted list&#39;s head</em>.</p> <p>The steps of the <strong>insertion sort</strong> algorithm:</p> <ol> <li>Insertion sort iterates, consuming one input element each repetition and growing a sorted output list.</li> <li>At each iteration, insertion sort removes one element from the input data, finds the location it belongs within the sorted list and inserts it there.</li> <li>It repeats until no input elements remain.</li> </ol> <p>The following is a graphical example of the insertion sort algorithm. The partially sorted list (black) initially contains only the first element in the list. One element (red) is removed from the input data and inserted in-place into the sorted list with each iteration.</p> <img alt="" src="https://fastly.jsdelivr.net/gh/doocs/leetcode@main/solution/0100-0199/0147.Insertion%20Sort%20List/images/Insertion-sort-example-300px.gif" style="height:180px; width:300px" /> <p>&nbsp;</p> <p><strong class="example">Example 1:</strong></p> <img alt="" src="https://fastly.jsdelivr.net/gh/doocs/leetcode@main/solution/0100-0199/0147.Insertion%20Sort%20List/images/sort1linked-list.jpg" style="width: 422px; height: 222px;" /> <pre> <strong>Input:</strong> head = [4,2,1,3] <strong>Output:</strong> [1,2,3,4] </pre> <p><strong class="example">Example 2:</strong></p> <img alt="" src="https://fastly.jsdelivr.net/gh/doocs/leetcode@main/solution/0100-0199/0147.Insertion%20Sort%20List/images/sort2linked-list.jpg" style="width: 542px; height: 222px;" /> <pre> <strong>Input:</strong> head = [-1,5,3,4,0] <strong>Output:</strong> [-1,0,3,4,5] </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li>The number of nodes in the list is in the range <code>[1, 5000]</code>.</li> <li><code>-5000 &lt;= Node.val &lt;= 5000</code></li> </ul>
Linked List; Sorting
JavaScript
/** * 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 {ListNode} */ var insertionSortList = function (head) { if (head == null || head.next == null) return head; let dummy = new ListNode(head.val, head); let prev = dummy, cur = head; while (cur != null) { if (prev.val <= cur.val) { prev = cur; cur = cur.next; continue; } let p = dummy; while (p.next.val <= cur.val) { p = p.next; } let t = cur.next; cur.next = p.next; p.next = cur; prev.next = t; cur = t; } return dummy.next; };
147
Insertion Sort List
Medium
<p>Given the <code>head</code> of a singly linked list, sort the list using <strong>insertion sort</strong>, and return <em>the sorted list&#39;s head</em>.</p> <p>The steps of the <strong>insertion sort</strong> algorithm:</p> <ol> <li>Insertion sort iterates, consuming one input element each repetition and growing a sorted output list.</li> <li>At each iteration, insertion sort removes one element from the input data, finds the location it belongs within the sorted list and inserts it there.</li> <li>It repeats until no input elements remain.</li> </ol> <p>The following is a graphical example of the insertion sort algorithm. The partially sorted list (black) initially contains only the first element in the list. One element (red) is removed from the input data and inserted in-place into the sorted list with each iteration.</p> <img alt="" src="https://fastly.jsdelivr.net/gh/doocs/leetcode@main/solution/0100-0199/0147.Insertion%20Sort%20List/images/Insertion-sort-example-300px.gif" style="height:180px; width:300px" /> <p>&nbsp;</p> <p><strong class="example">Example 1:</strong></p> <img alt="" src="https://fastly.jsdelivr.net/gh/doocs/leetcode@main/solution/0100-0199/0147.Insertion%20Sort%20List/images/sort1linked-list.jpg" style="width: 422px; height: 222px;" /> <pre> <strong>Input:</strong> head = [4,2,1,3] <strong>Output:</strong> [1,2,3,4] </pre> <p><strong class="example">Example 2:</strong></p> <img alt="" src="https://fastly.jsdelivr.net/gh/doocs/leetcode@main/solution/0100-0199/0147.Insertion%20Sort%20List/images/sort2linked-list.jpg" style="width: 542px; height: 222px;" /> <pre> <strong>Input:</strong> head = [-1,5,3,4,0] <strong>Output:</strong> [-1,0,3,4,5] </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li>The number of nodes in the list is in the range <code>[1, 5000]</code>.</li> <li><code>-5000 &lt;= Node.val &lt;= 5000</code></li> </ul>
Linked List; Sorting
Python
# Definition for singly-linked list. # class ListNode: # def __init__(self, val=0, next=None): # self.val = val # self.next = next class Solution: def insertionSortList(self, head: ListNode) -> ListNode: if head is None or head.next is None: return head dummy = ListNode(head.val, head) pre, cur = dummy, head while cur: if pre.val <= cur.val: pre, cur = cur, cur.next continue p = dummy while p.next.val <= cur.val: p = p.next t = cur.next cur.next = p.next p.next = cur pre.next = t cur = t return dummy.next
148
Sort List
Medium
<p>Given the <code>head</code> of a linked list, return <em>the list after sorting it in <strong>ascending order</strong></em>.</p> <p>&nbsp;</p> <p><strong class="example">Example 1:</strong></p> <img alt="" src="https://fastly.jsdelivr.net/gh/doocs/leetcode@main/solution/0100-0199/0148.Sort%20List/images/sort_list_1.jpg" style="width: 450px; height: 194px;" /> <pre> <strong>Input:</strong> head = [4,2,1,3] <strong>Output:</strong> [1,2,3,4] </pre> <p><strong class="example">Example 2:</strong></p> <img alt="" src="https://fastly.jsdelivr.net/gh/doocs/leetcode@main/solution/0100-0199/0148.Sort%20List/images/sort_list_2.jpg" style="width: 550px; height: 184px;" /> <pre> <strong>Input:</strong> head = [-1,5,3,4,0] <strong>Output:</strong> [-1,0,3,4,5] </pre> <p><strong class="example">Example 3:</strong></p> <pre> <strong>Input:</strong> head = [] <strong>Output:</strong> [] </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li>The number of nodes in the list is in the range <code>[0, 5 * 10<sup>4</sup>]</code>.</li> <li><code>-10<sup>5</sup> &lt;= Node.val &lt;= 10<sup>5</sup></code></li> </ul> <p>&nbsp;</p> <p><strong>Follow up:</strong> Can you sort the linked list in <code>O(n logn)</code> time and <code>O(1)</code> memory (i.e. constant space)?</p>
Linked List; Two Pointers; Divide and Conquer; Sorting; Merge Sort
C++
/** * Definition for singly-linked list. * struct ListNode { * int val; * ListNode *next; * ListNode() : val(0), next(nullptr) {} * ListNode(int x) : val(x), next(nullptr) {} * ListNode(int x, ListNode *next) : val(x), next(next) {} * }; */ class Solution { public: ListNode* sortList(ListNode* head) { if (!head || !head->next) { return head; } ListNode* slow = head; ListNode* fast = head->next; while (fast && fast->next) { slow = slow->next; fast = fast->next->next; } ListNode* l1 = head; ListNode* l2 = slow->next; slow->next = nullptr; l1 = sortList(l1); l2 = sortList(l2); ListNode* dummy = new ListNode(); ListNode* tail = dummy; while (l1 && l2) { if (l1->val <= l2->val) { tail->next = l1; l1 = l1->next; } else { tail->next = l2; l2 = l2->next; } tail = tail->next; } tail->next = l1 ? l1 : l2; return dummy->next; } };
148
Sort List
Medium
<p>Given the <code>head</code> of a linked list, return <em>the list after sorting it in <strong>ascending order</strong></em>.</p> <p>&nbsp;</p> <p><strong class="example">Example 1:</strong></p> <img alt="" src="https://fastly.jsdelivr.net/gh/doocs/leetcode@main/solution/0100-0199/0148.Sort%20List/images/sort_list_1.jpg" style="width: 450px; height: 194px;" /> <pre> <strong>Input:</strong> head = [4,2,1,3] <strong>Output:</strong> [1,2,3,4] </pre> <p><strong class="example">Example 2:</strong></p> <img alt="" src="https://fastly.jsdelivr.net/gh/doocs/leetcode@main/solution/0100-0199/0148.Sort%20List/images/sort_list_2.jpg" style="width: 550px; height: 184px;" /> <pre> <strong>Input:</strong> head = [-1,5,3,4,0] <strong>Output:</strong> [-1,0,3,4,5] </pre> <p><strong class="example">Example 3:</strong></p> <pre> <strong>Input:</strong> head = [] <strong>Output:</strong> [] </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li>The number of nodes in the list is in the range <code>[0, 5 * 10<sup>4</sup>]</code>.</li> <li><code>-10<sup>5</sup> &lt;= Node.val &lt;= 10<sup>5</sup></code></li> </ul> <p>&nbsp;</p> <p><strong>Follow up:</strong> Can you sort the linked list in <code>O(n logn)</code> time and <code>O(1)</code> memory (i.e. constant space)?</p>
Linked List; Two Pointers; Divide and Conquer; Sorting; Merge Sort
C#
/** * Definition for singly-linked list. * public class ListNode { * public int val; * public ListNode next; * public ListNode(int val=0, ListNode next=null) { * this.val = val; * this.next = next; * } * } */ public class Solution { public ListNode SortList(ListNode head) { if (head == null || head.next == null) { return head; } ListNode slow = head, fast = head.next; while (fast != null && fast.next != null) { slow = slow.next; fast = fast.next.next; } ListNode l1 = head, l2 = slow.next; slow.next = null; l1 = SortList(l1); l2 = SortList(l2); ListNode dummy = new ListNode(); ListNode tail = dummy; while (l1 != null && l2 != null) { if (l1.val <= l2.val) { tail.next = l1; l1 = l1.next; } else { tail.next = l2; l2 = l2.next; } tail = tail.next; } tail.next = l1 != null ? l1 : l2; return dummy.next; } }
148
Sort List
Medium
<p>Given the <code>head</code> of a linked list, return <em>the list after sorting it in <strong>ascending order</strong></em>.</p> <p>&nbsp;</p> <p><strong class="example">Example 1:</strong></p> <img alt="" src="https://fastly.jsdelivr.net/gh/doocs/leetcode@main/solution/0100-0199/0148.Sort%20List/images/sort_list_1.jpg" style="width: 450px; height: 194px;" /> <pre> <strong>Input:</strong> head = [4,2,1,3] <strong>Output:</strong> [1,2,3,4] </pre> <p><strong class="example">Example 2:</strong></p> <img alt="" src="https://fastly.jsdelivr.net/gh/doocs/leetcode@main/solution/0100-0199/0148.Sort%20List/images/sort_list_2.jpg" style="width: 550px; height: 184px;" /> <pre> <strong>Input:</strong> head = [-1,5,3,4,0] <strong>Output:</strong> [-1,0,3,4,5] </pre> <p><strong class="example">Example 3:</strong></p> <pre> <strong>Input:</strong> head = [] <strong>Output:</strong> [] </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li>The number of nodes in the list is in the range <code>[0, 5 * 10<sup>4</sup>]</code>.</li> <li><code>-10<sup>5</sup> &lt;= Node.val &lt;= 10<sup>5</sup></code></li> </ul> <p>&nbsp;</p> <p><strong>Follow up:</strong> Can you sort the linked list in <code>O(n logn)</code> time and <code>O(1)</code> memory (i.e. constant space)?</p>
Linked List; Two Pointers; Divide and Conquer; Sorting; Merge Sort
Go
/** * Definition for singly-linked list. * type ListNode struct { * Val int * Next *ListNode * } */ func sortList(head *ListNode) *ListNode { if head == nil || head.Next == nil { return head } slow, fast := head, head.Next for fast != nil && fast.Next != nil { slow, fast = slow.Next, fast.Next.Next } l1 := head l2 := slow.Next slow.Next = nil l1 = sortList(l1) l2 = sortList(l2) dummy := &ListNode{} tail := dummy for l1 != nil && l2 != nil { if l1.Val <= l2.Val { tail.Next = l1 l1 = l1.Next } else { tail.Next = l2 l2 = l2.Next } tail = tail.Next } if l1 != nil { tail.Next = l1 } else { tail.Next = l2 } return dummy.Next }
148
Sort List
Medium
<p>Given the <code>head</code> of a linked list, return <em>the list after sorting it in <strong>ascending order</strong></em>.</p> <p>&nbsp;</p> <p><strong class="example">Example 1:</strong></p> <img alt="" src="https://fastly.jsdelivr.net/gh/doocs/leetcode@main/solution/0100-0199/0148.Sort%20List/images/sort_list_1.jpg" style="width: 450px; height: 194px;" /> <pre> <strong>Input:</strong> head = [4,2,1,3] <strong>Output:</strong> [1,2,3,4] </pre> <p><strong class="example">Example 2:</strong></p> <img alt="" src="https://fastly.jsdelivr.net/gh/doocs/leetcode@main/solution/0100-0199/0148.Sort%20List/images/sort_list_2.jpg" style="width: 550px; height: 184px;" /> <pre> <strong>Input:</strong> head = [-1,5,3,4,0] <strong>Output:</strong> [-1,0,3,4,5] </pre> <p><strong class="example">Example 3:</strong></p> <pre> <strong>Input:</strong> head = [] <strong>Output:</strong> [] </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li>The number of nodes in the list is in the range <code>[0, 5 * 10<sup>4</sup>]</code>.</li> <li><code>-10<sup>5</sup> &lt;= Node.val &lt;= 10<sup>5</sup></code></li> </ul> <p>&nbsp;</p> <p><strong>Follow up:</strong> Can you sort the linked list in <code>O(n logn)</code> time and <code>O(1)</code> memory (i.e. constant space)?</p>
Linked List; Two Pointers; Divide and Conquer; Sorting; Merge Sort
Java
/** * Definition for singly-linked list. * public class ListNode { * int val; * ListNode next; * ListNode() {} * ListNode(int val) { this.val = val; } * ListNode(int val, ListNode next) { this.val = val; this.next = next; } * } */ class Solution { public ListNode sortList(ListNode head) { if (head == null || head.next == null) { return head; } ListNode slow = head, fast = head.next; while (fast != null && fast.next != null) { slow = slow.next; fast = fast.next.next; } ListNode l1 = head, l2 = slow.next; slow.next = null; l1 = sortList(l1); l2 = sortList(l2); ListNode dummy = new ListNode(); ListNode tail = dummy; while (l1 != null && l2 != null) { if (l1.val <= l2.val) { tail.next = l1; l1 = l1.next; } else { tail.next = l2; l2 = l2.next; } tail = tail.next; } tail.next = l1 != null ? l1 : l2; return dummy.next; } }
148
Sort List
Medium
<p>Given the <code>head</code> of a linked list, return <em>the list after sorting it in <strong>ascending order</strong></em>.</p> <p>&nbsp;</p> <p><strong class="example">Example 1:</strong></p> <img alt="" src="https://fastly.jsdelivr.net/gh/doocs/leetcode@main/solution/0100-0199/0148.Sort%20List/images/sort_list_1.jpg" style="width: 450px; height: 194px;" /> <pre> <strong>Input:</strong> head = [4,2,1,3] <strong>Output:</strong> [1,2,3,4] </pre> <p><strong class="example">Example 2:</strong></p> <img alt="" src="https://fastly.jsdelivr.net/gh/doocs/leetcode@main/solution/0100-0199/0148.Sort%20List/images/sort_list_2.jpg" style="width: 550px; height: 184px;" /> <pre> <strong>Input:</strong> head = [-1,5,3,4,0] <strong>Output:</strong> [-1,0,3,4,5] </pre> <p><strong class="example">Example 3:</strong></p> <pre> <strong>Input:</strong> head = [] <strong>Output:</strong> [] </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li>The number of nodes in the list is in the range <code>[0, 5 * 10<sup>4</sup>]</code>.</li> <li><code>-10<sup>5</sup> &lt;= Node.val &lt;= 10<sup>5</sup></code></li> </ul> <p>&nbsp;</p> <p><strong>Follow up:</strong> Can you sort the linked list in <code>O(n logn)</code> time and <code>O(1)</code> memory (i.e. constant space)?</p>
Linked List; Two Pointers; Divide and Conquer; Sorting; Merge Sort
JavaScript
/** * 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 {ListNode} */ var sortList = function (head) { if (head === null || head.next === null) { return head; } let [slow, fast] = [head, head.next]; while (fast !== null && fast.next !== null) { slow = slow.next; fast = fast.next.next; } let [l1, l2] = [head, slow.next]; slow.next = null; l1 = sortList(l1); l2 = sortList(l2); const dummy = new ListNode(); let tail = dummy; while (l1 !== null && l2 !== null) { if (l1.val <= l2.val) { tail.next = l1; l1 = l1.next; } else { tail.next = l2; l2 = l2.next; } tail = tail.next; } tail.next = l1 ?? l2; return dummy.next; };
148
Sort List
Medium
<p>Given the <code>head</code> of a linked list, return <em>the list after sorting it in <strong>ascending order</strong></em>.</p> <p>&nbsp;</p> <p><strong class="example">Example 1:</strong></p> <img alt="" src="https://fastly.jsdelivr.net/gh/doocs/leetcode@main/solution/0100-0199/0148.Sort%20List/images/sort_list_1.jpg" style="width: 450px; height: 194px;" /> <pre> <strong>Input:</strong> head = [4,2,1,3] <strong>Output:</strong> [1,2,3,4] </pre> <p><strong class="example">Example 2:</strong></p> <img alt="" src="https://fastly.jsdelivr.net/gh/doocs/leetcode@main/solution/0100-0199/0148.Sort%20List/images/sort_list_2.jpg" style="width: 550px; height: 184px;" /> <pre> <strong>Input:</strong> head = [-1,5,3,4,0] <strong>Output:</strong> [-1,0,3,4,5] </pre> <p><strong class="example">Example 3:</strong></p> <pre> <strong>Input:</strong> head = [] <strong>Output:</strong> [] </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li>The number of nodes in the list is in the range <code>[0, 5 * 10<sup>4</sup>]</code>.</li> <li><code>-10<sup>5</sup> &lt;= Node.val &lt;= 10<sup>5</sup></code></li> </ul> <p>&nbsp;</p> <p><strong>Follow up:</strong> Can you sort the linked list in <code>O(n logn)</code> time and <code>O(1)</code> memory (i.e. constant space)?</p>
Linked List; Two Pointers; Divide and Conquer; Sorting; Merge Sort
Python
# Definition for singly-linked list. # class ListNode: # def __init__(self, val=0, next=None): # self.val = val # self.next = next class Solution: def sortList(self, head: Optional[ListNode]) -> Optional[ListNode]: if head is None or head.next is None: return head slow, fast = head, head.next while fast and fast.next: slow = slow.next fast = fast.next.next l1, l2 = head, slow.next slow.next = None l1, l2 = self.sortList(l1), self.sortList(l2) dummy = ListNode() tail = dummy while l1 and l2: if l1.val <= l2.val: tail.next = l1 l1 = l1.next else: tail.next = l2 l2 = l2.next tail = tail.next tail.next = l1 or l2 return dummy.next
148
Sort List
Medium
<p>Given the <code>head</code> of a linked list, return <em>the list after sorting it in <strong>ascending order</strong></em>.</p> <p>&nbsp;</p> <p><strong class="example">Example 1:</strong></p> <img alt="" src="https://fastly.jsdelivr.net/gh/doocs/leetcode@main/solution/0100-0199/0148.Sort%20List/images/sort_list_1.jpg" style="width: 450px; height: 194px;" /> <pre> <strong>Input:</strong> head = [4,2,1,3] <strong>Output:</strong> [1,2,3,4] </pre> <p><strong class="example">Example 2:</strong></p> <img alt="" src="https://fastly.jsdelivr.net/gh/doocs/leetcode@main/solution/0100-0199/0148.Sort%20List/images/sort_list_2.jpg" style="width: 550px; height: 184px;" /> <pre> <strong>Input:</strong> head = [-1,5,3,4,0] <strong>Output:</strong> [-1,0,3,4,5] </pre> <p><strong class="example">Example 3:</strong></p> <pre> <strong>Input:</strong> head = [] <strong>Output:</strong> [] </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li>The number of nodes in the list is in the range <code>[0, 5 * 10<sup>4</sup>]</code>.</li> <li><code>-10<sup>5</sup> &lt;= Node.val &lt;= 10<sup>5</sup></code></li> </ul> <p>&nbsp;</p> <p><strong>Follow up:</strong> Can you sort the linked list in <code>O(n logn)</code> time and <code>O(1)</code> memory (i.e. constant space)?</p>
Linked List; Two Pointers; Divide and Conquer; Sorting; Merge Sort
Rust
// Definition for singly-linked list. // #[derive(PartialEq, Eq, Clone, Debug)] // pub struct ListNode { // pub val: i32, // pub next: Option<Box<ListNode>> // } // // impl ListNode { // #[inline] // fn new(val: i32) -> Self { // ListNode { // next: None, // val // } // } // } impl Solution { pub fn sort_list(head: Option<Box<ListNode>>) -> Option<Box<ListNode>> { fn merge(l1: Option<Box<ListNode>>, l2: Option<Box<ListNode>>) -> Option<Box<ListNode>> { match (l1, l2) { (None, Some(node)) | (Some(node), None) => Some(node), (Some(mut node1), Some(mut node2)) => { if node1.val < node2.val { node1.next = merge(node1.next.take(), Some(node2)); Some(node1) } else { node2.next = merge(Some(node1), node2.next.take()); Some(node2) } } _ => None, } } fn sort(head: Option<Box<ListNode>>) -> Option<Box<ListNode>> { if head.is_none() || head.as_ref().unwrap().next.is_none() { return head; } let mut head = head; let mut length = 0; let mut cur = &head; while cur.is_some() { length += 1; cur = &cur.as_ref().unwrap().next; } let mut cur = &mut head; for _ in 0..length / 2 - 1 { cur = &mut cur.as_mut().unwrap().next; } let right = cur.as_mut().unwrap().next.take(); merge(sort(head), sort(right)) } sort(head) } }
148
Sort List
Medium
<p>Given the <code>head</code> of a linked list, return <em>the list after sorting it in <strong>ascending order</strong></em>.</p> <p>&nbsp;</p> <p><strong class="example">Example 1:</strong></p> <img alt="" src="https://fastly.jsdelivr.net/gh/doocs/leetcode@main/solution/0100-0199/0148.Sort%20List/images/sort_list_1.jpg" style="width: 450px; height: 194px;" /> <pre> <strong>Input:</strong> head = [4,2,1,3] <strong>Output:</strong> [1,2,3,4] </pre> <p><strong class="example">Example 2:</strong></p> <img alt="" src="https://fastly.jsdelivr.net/gh/doocs/leetcode@main/solution/0100-0199/0148.Sort%20List/images/sort_list_2.jpg" style="width: 550px; height: 184px;" /> <pre> <strong>Input:</strong> head = [-1,5,3,4,0] <strong>Output:</strong> [-1,0,3,4,5] </pre> <p><strong class="example">Example 3:</strong></p> <pre> <strong>Input:</strong> head = [] <strong>Output:</strong> [] </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li>The number of nodes in the list is in the range <code>[0, 5 * 10<sup>4</sup>]</code>.</li> <li><code>-10<sup>5</sup> &lt;= Node.val &lt;= 10<sup>5</sup></code></li> </ul> <p>&nbsp;</p> <p><strong>Follow up:</strong> Can you sort the linked list in <code>O(n logn)</code> time and <code>O(1)</code> memory (i.e. constant space)?</p>
Linked List; Two Pointers; Divide and Conquer; Sorting; Merge Sort
TypeScript
/** * Definition for singly-linked list. * class ListNode { * val: number * next: ListNode | null * constructor(val?: number, next?: ListNode | null) { * this.val = (val===undefined ? 0 : val) * this.next = (next===undefined ? null : next) * } * } */ function sortList(head: ListNode | null): ListNode | null { if (head === null || head.next === null) { return head; } let [slow, fast] = [head, head.next]; while (fast !== null && fast.next !== null) { slow = slow.next!; fast = fast.next.next; } let [l1, l2] = [head, slow.next]; slow.next = null; l1 = sortList(l1); l2 = sortList(l2); const dummy = new ListNode(); let tail = dummy; while (l1 !== null && l2 !== null) { if (l1.val <= l2.val) { tail.next = l1; l1 = l1.next; } else { tail.next = l2; l2 = l2.next; } tail = tail.next; } tail.next = l1 ?? l2; return dummy.next; }
149
Max Points on a Line
Hard
<p>Given an array of <code>points</code> where <code>points[i] = [x<sub>i</sub>, y<sub>i</sub>]</code> represents a point on the <strong>X-Y</strong> plane, return <em>the maximum number of points that lie on the same straight line</em>.</p> <p>&nbsp;</p> <p><strong class="example">Example 1:</strong></p> <img alt="" src="https://fastly.jsdelivr.net/gh/doocs/leetcode@main/solution/0100-0199/0149.Max%20Points%20on%20a%20Line/images/plane1.jpg" style="width: 300px; height: 294px;" /> <pre> <strong>Input:</strong> points = [[1,1],[2,2],[3,3]] <strong>Output:</strong> 3 </pre> <p><strong class="example">Example 2:</strong></p> <img alt="" src="https://fastly.jsdelivr.net/gh/doocs/leetcode@main/solution/0100-0199/0149.Max%20Points%20on%20a%20Line/images/plane2.jpg" style="width: 300px; height: 294px;" /> <pre> <strong>Input:</strong> points = [[1,1],[3,2],[5,3],[4,1],[2,3],[1,4]] <strong>Output:</strong> 4 </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li><code>1 &lt;= points.length &lt;= 300</code></li> <li><code>points[i].length == 2</code></li> <li><code>-10<sup>4</sup> &lt;= x<sub>i</sub>, y<sub>i</sub> &lt;= 10<sup>4</sup></code></li> <li>All the <code>points</code> are <strong>unique</strong>.</li> </ul>
Geometry; Array; Hash Table; Math
C++
class Solution { public: int maxPoints(vector<vector<int>>& points) { int n = points.size(); int ans = 1; for (int i = 0; i < n; ++i) { int x1 = points[i][0], y1 = points[i][1]; for (int j = i + 1; j < n; ++j) { int x2 = points[j][0], y2 = points[j][1]; int cnt = 2; for (int k = j + 1; k < n; ++k) { int x3 = points[k][0], y3 = points[k][1]; int a = (y2 - y1) * (x3 - x1); int b = (y3 - y1) * (x2 - x1); cnt += a == b; } ans = max(ans, cnt); } } return ans; } };
149
Max Points on a Line
Hard
<p>Given an array of <code>points</code> where <code>points[i] = [x<sub>i</sub>, y<sub>i</sub>]</code> represents a point on the <strong>X-Y</strong> plane, return <em>the maximum number of points that lie on the same straight line</em>.</p> <p>&nbsp;</p> <p><strong class="example">Example 1:</strong></p> <img alt="" src="https://fastly.jsdelivr.net/gh/doocs/leetcode@main/solution/0100-0199/0149.Max%20Points%20on%20a%20Line/images/plane1.jpg" style="width: 300px; height: 294px;" /> <pre> <strong>Input:</strong> points = [[1,1],[2,2],[3,3]] <strong>Output:</strong> 3 </pre> <p><strong class="example">Example 2:</strong></p> <img alt="" src="https://fastly.jsdelivr.net/gh/doocs/leetcode@main/solution/0100-0199/0149.Max%20Points%20on%20a%20Line/images/plane2.jpg" style="width: 300px; height: 294px;" /> <pre> <strong>Input:</strong> points = [[1,1],[3,2],[5,3],[4,1],[2,3],[1,4]] <strong>Output:</strong> 4 </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li><code>1 &lt;= points.length &lt;= 300</code></li> <li><code>points[i].length == 2</code></li> <li><code>-10<sup>4</sup> &lt;= x<sub>i</sub>, y<sub>i</sub> &lt;= 10<sup>4</sup></code></li> <li>All the <code>points</code> are <strong>unique</strong>.</li> </ul>
Geometry; Array; Hash Table; Math
C#
public class Solution { public int MaxPoints(int[][] points) { int n = points.Length; int ans = 1; for (int i = 0; i < n; ++i) { int x1 = points[i][0], y1 = points[i][1]; for (int j = i + 1; j < n; ++j) { int x2 = points[j][0], y2 = points[j][1]; int cnt = 2; for (int k = j + 1; k < n; ++k) { int x3 = points[k][0], y3 = points[k][1]; int a = (y2 - y1) * (x3 - x1); int b = (y3 - y1) * (x2 - x1); if (a == b) { ++cnt; } } if (ans < cnt) { ans = cnt; } } } return ans; } }
149
Max Points on a Line
Hard
<p>Given an array of <code>points</code> where <code>points[i] = [x<sub>i</sub>, y<sub>i</sub>]</code> represents a point on the <strong>X-Y</strong> plane, return <em>the maximum number of points that lie on the same straight line</em>.</p> <p>&nbsp;</p> <p><strong class="example">Example 1:</strong></p> <img alt="" src="https://fastly.jsdelivr.net/gh/doocs/leetcode@main/solution/0100-0199/0149.Max%20Points%20on%20a%20Line/images/plane1.jpg" style="width: 300px; height: 294px;" /> <pre> <strong>Input:</strong> points = [[1,1],[2,2],[3,3]] <strong>Output:</strong> 3 </pre> <p><strong class="example">Example 2:</strong></p> <img alt="" src="https://fastly.jsdelivr.net/gh/doocs/leetcode@main/solution/0100-0199/0149.Max%20Points%20on%20a%20Line/images/plane2.jpg" style="width: 300px; height: 294px;" /> <pre> <strong>Input:</strong> points = [[1,1],[3,2],[5,3],[4,1],[2,3],[1,4]] <strong>Output:</strong> 4 </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li><code>1 &lt;= points.length &lt;= 300</code></li> <li><code>points[i].length == 2</code></li> <li><code>-10<sup>4</sup> &lt;= x<sub>i</sub>, y<sub>i</sub> &lt;= 10<sup>4</sup></code></li> <li>All the <code>points</code> are <strong>unique</strong>.</li> </ul>
Geometry; Array; Hash Table; Math
Go
func maxPoints(points [][]int) int { n := len(points) ans := 1 for i := 0; i < n; i++ { x1, y1 := points[i][0], points[i][1] for j := i + 1; j < n; j++ { x2, y2 := points[j][0], points[j][1] cnt := 2 for k := j + 1; k < n; k++ { x3, y3 := points[k][0], points[k][1] a := (y2 - y1) * (x3 - x1) b := (y3 - y1) * (x2 - x1) if a == b { cnt++ } } if ans < cnt { ans = cnt } } } return ans }
149
Max Points on a Line
Hard
<p>Given an array of <code>points</code> where <code>points[i] = [x<sub>i</sub>, y<sub>i</sub>]</code> represents a point on the <strong>X-Y</strong> plane, return <em>the maximum number of points that lie on the same straight line</em>.</p> <p>&nbsp;</p> <p><strong class="example">Example 1:</strong></p> <img alt="" src="https://fastly.jsdelivr.net/gh/doocs/leetcode@main/solution/0100-0199/0149.Max%20Points%20on%20a%20Line/images/plane1.jpg" style="width: 300px; height: 294px;" /> <pre> <strong>Input:</strong> points = [[1,1],[2,2],[3,3]] <strong>Output:</strong> 3 </pre> <p><strong class="example">Example 2:</strong></p> <img alt="" src="https://fastly.jsdelivr.net/gh/doocs/leetcode@main/solution/0100-0199/0149.Max%20Points%20on%20a%20Line/images/plane2.jpg" style="width: 300px; height: 294px;" /> <pre> <strong>Input:</strong> points = [[1,1],[3,2],[5,3],[4,1],[2,3],[1,4]] <strong>Output:</strong> 4 </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li><code>1 &lt;= points.length &lt;= 300</code></li> <li><code>points[i].length == 2</code></li> <li><code>-10<sup>4</sup> &lt;= x<sub>i</sub>, y<sub>i</sub> &lt;= 10<sup>4</sup></code></li> <li>All the <code>points</code> are <strong>unique</strong>.</li> </ul>
Geometry; Array; Hash Table; Math
Java
class Solution { public int maxPoints(int[][] points) { int n = points.length; int ans = 1; for (int i = 0; i < n; ++i) { int x1 = points[i][0], y1 = points[i][1]; for (int j = i + 1; j < n; ++j) { int x2 = points[j][0], y2 = points[j][1]; int cnt = 2; for (int k = j + 1; k < n; ++k) { int x3 = points[k][0], y3 = points[k][1]; int a = (y2 - y1) * (x3 - x1); int b = (y3 - y1) * (x2 - x1); if (a == b) { ++cnt; } } ans = Math.max(ans, cnt); } } return ans; } }
149
Max Points on a Line
Hard
<p>Given an array of <code>points</code> where <code>points[i] = [x<sub>i</sub>, y<sub>i</sub>]</code> represents a point on the <strong>X-Y</strong> plane, return <em>the maximum number of points that lie on the same straight line</em>.</p> <p>&nbsp;</p> <p><strong class="example">Example 1:</strong></p> <img alt="" src="https://fastly.jsdelivr.net/gh/doocs/leetcode@main/solution/0100-0199/0149.Max%20Points%20on%20a%20Line/images/plane1.jpg" style="width: 300px; height: 294px;" /> <pre> <strong>Input:</strong> points = [[1,1],[2,2],[3,3]] <strong>Output:</strong> 3 </pre> <p><strong class="example">Example 2:</strong></p> <img alt="" src="https://fastly.jsdelivr.net/gh/doocs/leetcode@main/solution/0100-0199/0149.Max%20Points%20on%20a%20Line/images/plane2.jpg" style="width: 300px; height: 294px;" /> <pre> <strong>Input:</strong> points = [[1,1],[3,2],[5,3],[4,1],[2,3],[1,4]] <strong>Output:</strong> 4 </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li><code>1 &lt;= points.length &lt;= 300</code></li> <li><code>points[i].length == 2</code></li> <li><code>-10<sup>4</sup> &lt;= x<sub>i</sub>, y<sub>i</sub> &lt;= 10<sup>4</sup></code></li> <li>All the <code>points</code> are <strong>unique</strong>.</li> </ul>
Geometry; Array; Hash Table; Math
Python
class Solution: def maxPoints(self, points: List[List[int]]) -> int: n = len(points) ans = 1 for i in range(n): x1, y1 = points[i] for j in range(i + 1, n): x2, y2 = points[j] cnt = 2 for k in range(j + 1, n): x3, y3 = points[k] a = (y2 - y1) * (x3 - x1) b = (y3 - y1) * (x2 - x1) cnt += a == b ans = max(ans, cnt) return ans
150
Evaluate Reverse Polish Notation
Medium
<p>You are given an array of strings <code>tokens</code> that represents an arithmetic expression in a <a href="http://en.wikipedia.org/wiki/Reverse_Polish_notation" target="_blank">Reverse Polish Notation</a>.</p> <p>Evaluate the expression. Return <em>an integer that represents the value of the expression</em>.</p> <p><strong>Note</strong> that:</p> <ul> <li>The valid operators are <code>&#39;+&#39;</code>, <code>&#39;-&#39;</code>, <code>&#39;*&#39;</code>, and <code>&#39;/&#39;</code>.</li> <li>Each operand may be an integer or another expression.</li> <li>The division between two integers always <strong>truncates toward zero</strong>.</li> <li>There will not be any division by zero.</li> <li>The input represents a valid arithmetic expression in a reverse polish notation.</li> <li>The answer and all the intermediate calculations can be represented in a <strong>32-bit</strong> integer.</li> </ul> <p>&nbsp;</p> <p><strong class="example">Example 1:</strong></p> <pre> <strong>Input:</strong> tokens = [&quot;2&quot;,&quot;1&quot;,&quot;+&quot;,&quot;3&quot;,&quot;*&quot;] <strong>Output:</strong> 9 <strong>Explanation:</strong> ((2 + 1) * 3) = 9 </pre> <p><strong class="example">Example 2:</strong></p> <pre> <strong>Input:</strong> tokens = [&quot;4&quot;,&quot;13&quot;,&quot;5&quot;,&quot;/&quot;,&quot;+&quot;] <strong>Output:</strong> 6 <strong>Explanation:</strong> (4 + (13 / 5)) = 6 </pre> <p><strong class="example">Example 3:</strong></p> <pre> <strong>Input:</strong> tokens = [&quot;10&quot;,&quot;6&quot;,&quot;9&quot;,&quot;3&quot;,&quot;+&quot;,&quot;-11&quot;,&quot;*&quot;,&quot;/&quot;,&quot;*&quot;,&quot;17&quot;,&quot;+&quot;,&quot;5&quot;,&quot;+&quot;] <strong>Output:</strong> 22 <strong>Explanation:</strong> ((10 * (6 / ((9 + 3) * -11))) + 17) + 5 = ((10 * (6 / (12 * -11))) + 17) + 5 = ((10 * (6 / -132)) + 17) + 5 = ((10 * 0) + 17) + 5 = (0 + 17) + 5 = 17 + 5 = 22 </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li><code>1 &lt;= tokens.length &lt;= 10<sup>4</sup></code></li> <li><code>tokens[i]</code> is either an operator: <code>&quot;+&quot;</code>, <code>&quot;-&quot;</code>, <code>&quot;*&quot;</code>, or <code>&quot;/&quot;</code>, or an integer in the range <code>[-200, 200]</code>.</li> </ul>
Stack; Array; Math
C++
class Solution { public: int evalRPN(vector<string>& tokens) { stack<int> stk; for (auto& t : tokens) { if (t.size() > 1 || isdigit(t[0])) { stk.push(stoi(t)); } else { int y = stk.top(); stk.pop(); int x = stk.top(); stk.pop(); if (t[0] == '+') stk.push(x + y); else if (t[0] == '-') stk.push(x - y); else if (t[0] == '*') stk.push(x * y); else stk.push(x / y); } } return stk.top(); } };
150
Evaluate Reverse Polish Notation
Medium
<p>You are given an array of strings <code>tokens</code> that represents an arithmetic expression in a <a href="http://en.wikipedia.org/wiki/Reverse_Polish_notation" target="_blank">Reverse Polish Notation</a>.</p> <p>Evaluate the expression. Return <em>an integer that represents the value of the expression</em>.</p> <p><strong>Note</strong> that:</p> <ul> <li>The valid operators are <code>&#39;+&#39;</code>, <code>&#39;-&#39;</code>, <code>&#39;*&#39;</code>, and <code>&#39;/&#39;</code>.</li> <li>Each operand may be an integer or another expression.</li> <li>The division between two integers always <strong>truncates toward zero</strong>.</li> <li>There will not be any division by zero.</li> <li>The input represents a valid arithmetic expression in a reverse polish notation.</li> <li>The answer and all the intermediate calculations can be represented in a <strong>32-bit</strong> integer.</li> </ul> <p>&nbsp;</p> <p><strong class="example">Example 1:</strong></p> <pre> <strong>Input:</strong> tokens = [&quot;2&quot;,&quot;1&quot;,&quot;+&quot;,&quot;3&quot;,&quot;*&quot;] <strong>Output:</strong> 9 <strong>Explanation:</strong> ((2 + 1) * 3) = 9 </pre> <p><strong class="example">Example 2:</strong></p> <pre> <strong>Input:</strong> tokens = [&quot;4&quot;,&quot;13&quot;,&quot;5&quot;,&quot;/&quot;,&quot;+&quot;] <strong>Output:</strong> 6 <strong>Explanation:</strong> (4 + (13 / 5)) = 6 </pre> <p><strong class="example">Example 3:</strong></p> <pre> <strong>Input:</strong> tokens = [&quot;10&quot;,&quot;6&quot;,&quot;9&quot;,&quot;3&quot;,&quot;+&quot;,&quot;-11&quot;,&quot;*&quot;,&quot;/&quot;,&quot;*&quot;,&quot;17&quot;,&quot;+&quot;,&quot;5&quot;,&quot;+&quot;] <strong>Output:</strong> 22 <strong>Explanation:</strong> ((10 * (6 / ((9 + 3) * -11))) + 17) + 5 = ((10 * (6 / (12 * -11))) + 17) + 5 = ((10 * (6 / -132)) + 17) + 5 = ((10 * 0) + 17) + 5 = (0 + 17) + 5 = 17 + 5 = 22 </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li><code>1 &lt;= tokens.length &lt;= 10<sup>4</sup></code></li> <li><code>tokens[i]</code> is either an operator: <code>&quot;+&quot;</code>, <code>&quot;-&quot;</code>, <code>&quot;*&quot;</code>, or <code>&quot;/&quot;</code>, or an integer in the range <code>[-200, 200]</code>.</li> </ul>
Stack; Array; Math
C#
using System.Collections.Generic; public class Solution { public int EvalRPN(string[] tokens) { var stack = new Stack<int>(); foreach (var token in tokens) { switch (token) { case "+": stack.Push(stack.Pop() + stack.Pop()); break; case "-": stack.Push(-stack.Pop() + stack.Pop()); break; case "*": stack.Push(stack.Pop() * stack.Pop()); break; case "/": var right = stack.Pop(); stack.Push(stack.Pop() / right); break; default: stack.Push(int.Parse(token)); break; } } return stack.Pop(); } }
150
Evaluate Reverse Polish Notation
Medium
<p>You are given an array of strings <code>tokens</code> that represents an arithmetic expression in a <a href="http://en.wikipedia.org/wiki/Reverse_Polish_notation" target="_blank">Reverse Polish Notation</a>.</p> <p>Evaluate the expression. Return <em>an integer that represents the value of the expression</em>.</p> <p><strong>Note</strong> that:</p> <ul> <li>The valid operators are <code>&#39;+&#39;</code>, <code>&#39;-&#39;</code>, <code>&#39;*&#39;</code>, and <code>&#39;/&#39;</code>.</li> <li>Each operand may be an integer or another expression.</li> <li>The division between two integers always <strong>truncates toward zero</strong>.</li> <li>There will not be any division by zero.</li> <li>The input represents a valid arithmetic expression in a reverse polish notation.</li> <li>The answer and all the intermediate calculations can be represented in a <strong>32-bit</strong> integer.</li> </ul> <p>&nbsp;</p> <p><strong class="example">Example 1:</strong></p> <pre> <strong>Input:</strong> tokens = [&quot;2&quot;,&quot;1&quot;,&quot;+&quot;,&quot;3&quot;,&quot;*&quot;] <strong>Output:</strong> 9 <strong>Explanation:</strong> ((2 + 1) * 3) = 9 </pre> <p><strong class="example">Example 2:</strong></p> <pre> <strong>Input:</strong> tokens = [&quot;4&quot;,&quot;13&quot;,&quot;5&quot;,&quot;/&quot;,&quot;+&quot;] <strong>Output:</strong> 6 <strong>Explanation:</strong> (4 + (13 / 5)) = 6 </pre> <p><strong class="example">Example 3:</strong></p> <pre> <strong>Input:</strong> tokens = [&quot;10&quot;,&quot;6&quot;,&quot;9&quot;,&quot;3&quot;,&quot;+&quot;,&quot;-11&quot;,&quot;*&quot;,&quot;/&quot;,&quot;*&quot;,&quot;17&quot;,&quot;+&quot;,&quot;5&quot;,&quot;+&quot;] <strong>Output:</strong> 22 <strong>Explanation:</strong> ((10 * (6 / ((9 + 3) * -11))) + 17) + 5 = ((10 * (6 / (12 * -11))) + 17) + 5 = ((10 * (6 / -132)) + 17) + 5 = ((10 * 0) + 17) + 5 = (0 + 17) + 5 = 17 + 5 = 22 </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li><code>1 &lt;= tokens.length &lt;= 10<sup>4</sup></code></li> <li><code>tokens[i]</code> is either an operator: <code>&quot;+&quot;</code>, <code>&quot;-&quot;</code>, <code>&quot;*&quot;</code>, or <code>&quot;/&quot;</code>, or an integer in the range <code>[-200, 200]</code>.</li> </ul>
Stack; Array; Math
Go
func evalRPN(tokens []string) int { // https://github.com/emirpasic/gods#arraystack stk := arraystack.New() for _, token := range tokens { if len(token) > 1 || token[0] >= '0' && token[0] <= '9' { num, _ := strconv.Atoi(token) stk.Push(num) } else { y := popInt(stk) x := popInt(stk) switch token { case "+": stk.Push(x + y) case "-": stk.Push(x - y) case "*": stk.Push(x * y) default: stk.Push(x / y) } } } return popInt(stk) } func popInt(stack *arraystack.Stack) int { v, _ := stack.Pop() return v.(int) }
150
Evaluate Reverse Polish Notation
Medium
<p>You are given an array of strings <code>tokens</code> that represents an arithmetic expression in a <a href="http://en.wikipedia.org/wiki/Reverse_Polish_notation" target="_blank">Reverse Polish Notation</a>.</p> <p>Evaluate the expression. Return <em>an integer that represents the value of the expression</em>.</p> <p><strong>Note</strong> that:</p> <ul> <li>The valid operators are <code>&#39;+&#39;</code>, <code>&#39;-&#39;</code>, <code>&#39;*&#39;</code>, and <code>&#39;/&#39;</code>.</li> <li>Each operand may be an integer or another expression.</li> <li>The division between two integers always <strong>truncates toward zero</strong>.</li> <li>There will not be any division by zero.</li> <li>The input represents a valid arithmetic expression in a reverse polish notation.</li> <li>The answer and all the intermediate calculations can be represented in a <strong>32-bit</strong> integer.</li> </ul> <p>&nbsp;</p> <p><strong class="example">Example 1:</strong></p> <pre> <strong>Input:</strong> tokens = [&quot;2&quot;,&quot;1&quot;,&quot;+&quot;,&quot;3&quot;,&quot;*&quot;] <strong>Output:</strong> 9 <strong>Explanation:</strong> ((2 + 1) * 3) = 9 </pre> <p><strong class="example">Example 2:</strong></p> <pre> <strong>Input:</strong> tokens = [&quot;4&quot;,&quot;13&quot;,&quot;5&quot;,&quot;/&quot;,&quot;+&quot;] <strong>Output:</strong> 6 <strong>Explanation:</strong> (4 + (13 / 5)) = 6 </pre> <p><strong class="example">Example 3:</strong></p> <pre> <strong>Input:</strong> tokens = [&quot;10&quot;,&quot;6&quot;,&quot;9&quot;,&quot;3&quot;,&quot;+&quot;,&quot;-11&quot;,&quot;*&quot;,&quot;/&quot;,&quot;*&quot;,&quot;17&quot;,&quot;+&quot;,&quot;5&quot;,&quot;+&quot;] <strong>Output:</strong> 22 <strong>Explanation:</strong> ((10 * (6 / ((9 + 3) * -11))) + 17) + 5 = ((10 * (6 / (12 * -11))) + 17) + 5 = ((10 * (6 / -132)) + 17) + 5 = ((10 * 0) + 17) + 5 = (0 + 17) + 5 = 17 + 5 = 22 </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li><code>1 &lt;= tokens.length &lt;= 10<sup>4</sup></code></li> <li><code>tokens[i]</code> is either an operator: <code>&quot;+&quot;</code>, <code>&quot;-&quot;</code>, <code>&quot;*&quot;</code>, or <code>&quot;/&quot;</code>, or an integer in the range <code>[-200, 200]</code>.</li> </ul>
Stack; Array; Math
Java
class Solution { public int evalRPN(String[] tokens) { Deque<Integer> stk = new ArrayDeque<>(); for (String t : tokens) { if (t.length() > 1 || Character.isDigit(t.charAt(0))) { stk.push(Integer.parseInt(t)); } else { int y = stk.pop(); int x = stk.pop(); switch (t) { case "+": stk.push(x + y); break; case "-": stk.push(x - y); break; case "*": stk.push(x * y); break; default: stk.push(x / y); break; } } } return stk.pop(); } }
150
Evaluate Reverse Polish Notation
Medium
<p>You are given an array of strings <code>tokens</code> that represents an arithmetic expression in a <a href="http://en.wikipedia.org/wiki/Reverse_Polish_notation" target="_blank">Reverse Polish Notation</a>.</p> <p>Evaluate the expression. Return <em>an integer that represents the value of the expression</em>.</p> <p><strong>Note</strong> that:</p> <ul> <li>The valid operators are <code>&#39;+&#39;</code>, <code>&#39;-&#39;</code>, <code>&#39;*&#39;</code>, and <code>&#39;/&#39;</code>.</li> <li>Each operand may be an integer or another expression.</li> <li>The division between two integers always <strong>truncates toward zero</strong>.</li> <li>There will not be any division by zero.</li> <li>The input represents a valid arithmetic expression in a reverse polish notation.</li> <li>The answer and all the intermediate calculations can be represented in a <strong>32-bit</strong> integer.</li> </ul> <p>&nbsp;</p> <p><strong class="example">Example 1:</strong></p> <pre> <strong>Input:</strong> tokens = [&quot;2&quot;,&quot;1&quot;,&quot;+&quot;,&quot;3&quot;,&quot;*&quot;] <strong>Output:</strong> 9 <strong>Explanation:</strong> ((2 + 1) * 3) = 9 </pre> <p><strong class="example">Example 2:</strong></p> <pre> <strong>Input:</strong> tokens = [&quot;4&quot;,&quot;13&quot;,&quot;5&quot;,&quot;/&quot;,&quot;+&quot;] <strong>Output:</strong> 6 <strong>Explanation:</strong> (4 + (13 / 5)) = 6 </pre> <p><strong class="example">Example 3:</strong></p> <pre> <strong>Input:</strong> tokens = [&quot;10&quot;,&quot;6&quot;,&quot;9&quot;,&quot;3&quot;,&quot;+&quot;,&quot;-11&quot;,&quot;*&quot;,&quot;/&quot;,&quot;*&quot;,&quot;17&quot;,&quot;+&quot;,&quot;5&quot;,&quot;+&quot;] <strong>Output:</strong> 22 <strong>Explanation:</strong> ((10 * (6 / ((9 + 3) * -11))) + 17) + 5 = ((10 * (6 / (12 * -11))) + 17) + 5 = ((10 * (6 / -132)) + 17) + 5 = ((10 * 0) + 17) + 5 = (0 + 17) + 5 = 17 + 5 = 22 </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li><code>1 &lt;= tokens.length &lt;= 10<sup>4</sup></code></li> <li><code>tokens[i]</code> is either an operator: <code>&quot;+&quot;</code>, <code>&quot;-&quot;</code>, <code>&quot;*&quot;</code>, or <code>&quot;/&quot;</code>, or an integer in the range <code>[-200, 200]</code>.</li> </ul>
Stack; Array; Math
Python
import operator class Solution: def evalRPN(self, tokens: List[str]) -> int: opt = { "+": operator.add, "-": operator.sub, "*": operator.mul, "/": operator.truediv, } s = [] for token in tokens: if token in opt: s.append(int(opt[token](s.pop(-2), s.pop(-1)))) else: s.append(int(token)) return s[0]
150
Evaluate Reverse Polish Notation
Medium
<p>You are given an array of strings <code>tokens</code> that represents an arithmetic expression in a <a href="http://en.wikipedia.org/wiki/Reverse_Polish_notation" target="_blank">Reverse Polish Notation</a>.</p> <p>Evaluate the expression. Return <em>an integer that represents the value of the expression</em>.</p> <p><strong>Note</strong> that:</p> <ul> <li>The valid operators are <code>&#39;+&#39;</code>, <code>&#39;-&#39;</code>, <code>&#39;*&#39;</code>, and <code>&#39;/&#39;</code>.</li> <li>Each operand may be an integer or another expression.</li> <li>The division between two integers always <strong>truncates toward zero</strong>.</li> <li>There will not be any division by zero.</li> <li>The input represents a valid arithmetic expression in a reverse polish notation.</li> <li>The answer and all the intermediate calculations can be represented in a <strong>32-bit</strong> integer.</li> </ul> <p>&nbsp;</p> <p><strong class="example">Example 1:</strong></p> <pre> <strong>Input:</strong> tokens = [&quot;2&quot;,&quot;1&quot;,&quot;+&quot;,&quot;3&quot;,&quot;*&quot;] <strong>Output:</strong> 9 <strong>Explanation:</strong> ((2 + 1) * 3) = 9 </pre> <p><strong class="example">Example 2:</strong></p> <pre> <strong>Input:</strong> tokens = [&quot;4&quot;,&quot;13&quot;,&quot;5&quot;,&quot;/&quot;,&quot;+&quot;] <strong>Output:</strong> 6 <strong>Explanation:</strong> (4 + (13 / 5)) = 6 </pre> <p><strong class="example">Example 3:</strong></p> <pre> <strong>Input:</strong> tokens = [&quot;10&quot;,&quot;6&quot;,&quot;9&quot;,&quot;3&quot;,&quot;+&quot;,&quot;-11&quot;,&quot;*&quot;,&quot;/&quot;,&quot;*&quot;,&quot;17&quot;,&quot;+&quot;,&quot;5&quot;,&quot;+&quot;] <strong>Output:</strong> 22 <strong>Explanation:</strong> ((10 * (6 / ((9 + 3) * -11))) + 17) + 5 = ((10 * (6 / (12 * -11))) + 17) + 5 = ((10 * (6 / -132)) + 17) + 5 = ((10 * 0) + 17) + 5 = (0 + 17) + 5 = 17 + 5 = 22 </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li><code>1 &lt;= tokens.length &lt;= 10<sup>4</sup></code></li> <li><code>tokens[i]</code> is either an operator: <code>&quot;+&quot;</code>, <code>&quot;-&quot;</code>, <code>&quot;*&quot;</code>, or <code>&quot;/&quot;</code>, or an integer in the range <code>[-200, 200]</code>.</li> </ul>
Stack; Array; Math
Rust
impl Solution { pub fn eval_rpn(tokens: Vec<String>) -> i32 { let mut stack = vec![]; for token in tokens { match token.parse() { Ok(num) => stack.push(num), Err(_) => { let a = stack.pop().unwrap(); let b = stack.pop().unwrap(); stack.push(match token.as_str() { "+" => b + a, "-" => b - a, "*" => b * a, "/" => b / a, _ => 0, }); } } } stack[0] } }
150
Evaluate Reverse Polish Notation
Medium
<p>You are given an array of strings <code>tokens</code> that represents an arithmetic expression in a <a href="http://en.wikipedia.org/wiki/Reverse_Polish_notation" target="_blank">Reverse Polish Notation</a>.</p> <p>Evaluate the expression. Return <em>an integer that represents the value of the expression</em>.</p> <p><strong>Note</strong> that:</p> <ul> <li>The valid operators are <code>&#39;+&#39;</code>, <code>&#39;-&#39;</code>, <code>&#39;*&#39;</code>, and <code>&#39;/&#39;</code>.</li> <li>Each operand may be an integer or another expression.</li> <li>The division between two integers always <strong>truncates toward zero</strong>.</li> <li>There will not be any division by zero.</li> <li>The input represents a valid arithmetic expression in a reverse polish notation.</li> <li>The answer and all the intermediate calculations can be represented in a <strong>32-bit</strong> integer.</li> </ul> <p>&nbsp;</p> <p><strong class="example">Example 1:</strong></p> <pre> <strong>Input:</strong> tokens = [&quot;2&quot;,&quot;1&quot;,&quot;+&quot;,&quot;3&quot;,&quot;*&quot;] <strong>Output:</strong> 9 <strong>Explanation:</strong> ((2 + 1) * 3) = 9 </pre> <p><strong class="example">Example 2:</strong></p> <pre> <strong>Input:</strong> tokens = [&quot;4&quot;,&quot;13&quot;,&quot;5&quot;,&quot;/&quot;,&quot;+&quot;] <strong>Output:</strong> 6 <strong>Explanation:</strong> (4 + (13 / 5)) = 6 </pre> <p><strong class="example">Example 3:</strong></p> <pre> <strong>Input:</strong> tokens = [&quot;10&quot;,&quot;6&quot;,&quot;9&quot;,&quot;3&quot;,&quot;+&quot;,&quot;-11&quot;,&quot;*&quot;,&quot;/&quot;,&quot;*&quot;,&quot;17&quot;,&quot;+&quot;,&quot;5&quot;,&quot;+&quot;] <strong>Output:</strong> 22 <strong>Explanation:</strong> ((10 * (6 / ((9 + 3) * -11))) + 17) + 5 = ((10 * (6 / (12 * -11))) + 17) + 5 = ((10 * (6 / -132)) + 17) + 5 = ((10 * 0) + 17) + 5 = (0 + 17) + 5 = 17 + 5 = 22 </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li><code>1 &lt;= tokens.length &lt;= 10<sup>4</sup></code></li> <li><code>tokens[i]</code> is either an operator: <code>&quot;+&quot;</code>, <code>&quot;-&quot;</code>, <code>&quot;*&quot;</code>, or <code>&quot;/&quot;</code>, or an integer in the range <code>[-200, 200]</code>.</li> </ul>
Stack; Array; Math
TypeScript
function evalRPN(tokens: string[]): number { const stack = []; for (const token of tokens) { if (/\d/.test(token)) { stack.push(Number(token)); } else { const a = stack.pop(); const b = stack.pop(); switch (token) { case '+': stack.push(b + a); break; case '-': stack.push(b - a); break; case '*': stack.push(b * a); break; case '/': stack.push(~~(b / a)); break; } } } return stack[0]; }
151
Reverse Words in a String
Medium
<p>Given an input string <code>s</code>, reverse the order of the <strong>words</strong>.</p> <p>A <strong>word</strong> is defined as a sequence of non-space characters. The <strong>words</strong> in <code>s</code> will be separated by at least one space.</p> <p>Return <em>a string of the words in reverse order concatenated by a single space.</em></p> <p><b>Note</b> that <code>s</code> may contain leading or trailing spaces or multiple spaces between two words. The returned string should only have a single space separating the words. Do not include any extra spaces.</p> <p>&nbsp;</p> <p><strong class="example">Example 1:</strong></p> <pre> <strong>Input:</strong> s = &quot;the sky is blue&quot; <strong>Output:</strong> &quot;blue is sky the&quot; </pre> <p><strong class="example">Example 2:</strong></p> <pre> <strong>Input:</strong> s = &quot; hello world &quot; <strong>Output:</strong> &quot;world hello&quot; <strong>Explanation:</strong> Your reversed string should not contain leading or trailing spaces. </pre> <p><strong class="example">Example 3:</strong></p> <pre> <strong>Input:</strong> s = &quot;a good example&quot; <strong>Output:</strong> &quot;example good a&quot; <strong>Explanation:</strong> You need to reduce multiple spaces between two words to a single space in the reversed string. </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li><code>1 &lt;= s.length &lt;= 10<sup>4</sup></code></li> <li><code>s</code> contains English letters (upper-case and lower-case), digits, and spaces <code>&#39; &#39;</code>.</li> <li>There is <strong>at least one</strong> word in <code>s</code>.</li> </ul> <p>&nbsp;</p> <p><b data-stringify-type="bold">Follow-up:&nbsp;</b>If the string data type is mutable in your language, can&nbsp;you solve it&nbsp;<b data-stringify-type="bold">in-place</b>&nbsp;with&nbsp;<code data-stringify-type="code">O(1)</code>&nbsp;extra space?</p>
Two Pointers; String
C++
class Solution { public: string reverseWords(string s) { int i = 0; int j = 0; int n = s.size(); while (i < n) { while (i < n && s[i] == ' ') { ++i; } if (i < n) { if (j != 0) { s[j++] = ' '; } int k = i; while (k < n && s[k] != ' ') { s[j++] = s[k++]; } reverse(s.begin() + j - (k - i), s.begin() + j); i = k; } } s.erase(s.begin() + j, s.end()); reverse(s.begin(), s.end()); return s; } };
151
Reverse Words in a String
Medium
<p>Given an input string <code>s</code>, reverse the order of the <strong>words</strong>.</p> <p>A <strong>word</strong> is defined as a sequence of non-space characters. The <strong>words</strong> in <code>s</code> will be separated by at least one space.</p> <p>Return <em>a string of the words in reverse order concatenated by a single space.</em></p> <p><b>Note</b> that <code>s</code> may contain leading or trailing spaces or multiple spaces between two words. The returned string should only have a single space separating the words. Do not include any extra spaces.</p> <p>&nbsp;</p> <p><strong class="example">Example 1:</strong></p> <pre> <strong>Input:</strong> s = &quot;the sky is blue&quot; <strong>Output:</strong> &quot;blue is sky the&quot; </pre> <p><strong class="example">Example 2:</strong></p> <pre> <strong>Input:</strong> s = &quot; hello world &quot; <strong>Output:</strong> &quot;world hello&quot; <strong>Explanation:</strong> Your reversed string should not contain leading or trailing spaces. </pre> <p><strong class="example">Example 3:</strong></p> <pre> <strong>Input:</strong> s = &quot;a good example&quot; <strong>Output:</strong> &quot;example good a&quot; <strong>Explanation:</strong> You need to reduce multiple spaces between two words to a single space in the reversed string. </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li><code>1 &lt;= s.length &lt;= 10<sup>4</sup></code></li> <li><code>s</code> contains English letters (upper-case and lower-case), digits, and spaces <code>&#39; &#39;</code>.</li> <li>There is <strong>at least one</strong> word in <code>s</code>.</li> </ul> <p>&nbsp;</p> <p><b data-stringify-type="bold">Follow-up:&nbsp;</b>If the string data type is mutable in your language, can&nbsp;you solve it&nbsp;<b data-stringify-type="bold">in-place</b>&nbsp;with&nbsp;<code data-stringify-type="code">O(1)</code>&nbsp;extra space?</p>
Two Pointers; String
C#
public class Solution { public string ReverseWords(string s) { List<string> words = new List<string>(); int n = s.Length; for (int i = 0; i < n;) { while (i < n && s[i] == ' ') { ++i; } if (i < n) { System.Text.StringBuilder t = new System.Text.StringBuilder(); int j = i; while (j < n && s[j] != ' ') { t.Append(s[j++]); } words.Add(t.ToString()); i = j; } } words.Reverse(); return string.Join(" ", words); } }
151
Reverse Words in a String
Medium
<p>Given an input string <code>s</code>, reverse the order of the <strong>words</strong>.</p> <p>A <strong>word</strong> is defined as a sequence of non-space characters. The <strong>words</strong> in <code>s</code> will be separated by at least one space.</p> <p>Return <em>a string of the words in reverse order concatenated by a single space.</em></p> <p><b>Note</b> that <code>s</code> may contain leading or trailing spaces or multiple spaces between two words. The returned string should only have a single space separating the words. Do not include any extra spaces.</p> <p>&nbsp;</p> <p><strong class="example">Example 1:</strong></p> <pre> <strong>Input:</strong> s = &quot;the sky is blue&quot; <strong>Output:</strong> &quot;blue is sky the&quot; </pre> <p><strong class="example">Example 2:</strong></p> <pre> <strong>Input:</strong> s = &quot; hello world &quot; <strong>Output:</strong> &quot;world hello&quot; <strong>Explanation:</strong> Your reversed string should not contain leading or trailing spaces. </pre> <p><strong class="example">Example 3:</strong></p> <pre> <strong>Input:</strong> s = &quot;a good example&quot; <strong>Output:</strong> &quot;example good a&quot; <strong>Explanation:</strong> You need to reduce multiple spaces between two words to a single space in the reversed string. </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li><code>1 &lt;= s.length &lt;= 10<sup>4</sup></code></li> <li><code>s</code> contains English letters (upper-case and lower-case), digits, and spaces <code>&#39; &#39;</code>.</li> <li>There is <strong>at least one</strong> word in <code>s</code>.</li> </ul> <p>&nbsp;</p> <p><b data-stringify-type="bold">Follow-up:&nbsp;</b>If the string data type is mutable in your language, can&nbsp;you solve it&nbsp;<b data-stringify-type="bold">in-place</b>&nbsp;with&nbsp;<code data-stringify-type="code">O(1)</code>&nbsp;extra space?</p>
Two Pointers; String
Go
func reverseWords(s string) string { words := []string{} i, n := 0, len(s) for i < n { for i < n && s[i] == ' ' { i++ } if i < n { j := i t := []byte{} for j < n && s[j] != ' ' { t = append(t, s[j]) j++ } words = append(words, string(t)) i = j } } for i, j := 0, len(words)-1; i < j; i, j = i+1, j-1 { words[i], words[j] = words[j], words[i] } return strings.Join(words, " ") }
151
Reverse Words in a String
Medium
<p>Given an input string <code>s</code>, reverse the order of the <strong>words</strong>.</p> <p>A <strong>word</strong> is defined as a sequence of non-space characters. The <strong>words</strong> in <code>s</code> will be separated by at least one space.</p> <p>Return <em>a string of the words in reverse order concatenated by a single space.</em></p> <p><b>Note</b> that <code>s</code> may contain leading or trailing spaces or multiple spaces between two words. The returned string should only have a single space separating the words. Do not include any extra spaces.</p> <p>&nbsp;</p> <p><strong class="example">Example 1:</strong></p> <pre> <strong>Input:</strong> s = &quot;the sky is blue&quot; <strong>Output:</strong> &quot;blue is sky the&quot; </pre> <p><strong class="example">Example 2:</strong></p> <pre> <strong>Input:</strong> s = &quot; hello world &quot; <strong>Output:</strong> &quot;world hello&quot; <strong>Explanation:</strong> Your reversed string should not contain leading or trailing spaces. </pre> <p><strong class="example">Example 3:</strong></p> <pre> <strong>Input:</strong> s = &quot;a good example&quot; <strong>Output:</strong> &quot;example good a&quot; <strong>Explanation:</strong> You need to reduce multiple spaces between two words to a single space in the reversed string. </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li><code>1 &lt;= s.length &lt;= 10<sup>4</sup></code></li> <li><code>s</code> contains English letters (upper-case and lower-case), digits, and spaces <code>&#39; &#39;</code>.</li> <li>There is <strong>at least one</strong> word in <code>s</code>.</li> </ul> <p>&nbsp;</p> <p><b data-stringify-type="bold">Follow-up:&nbsp;</b>If the string data type is mutable in your language, can&nbsp;you solve it&nbsp;<b data-stringify-type="bold">in-place</b>&nbsp;with&nbsp;<code data-stringify-type="code">O(1)</code>&nbsp;extra space?</p>
Two Pointers; String
Java
class Solution { public String reverseWords(String s) { List<String> words = new ArrayList<>(); int n = s.length(); for (int i = 0; i < n;) { while (i < n && s.charAt(i) == ' ') { ++i; } if (i < n) { StringBuilder t = new StringBuilder(); int j = i; while (j < n && s.charAt(j) != ' ') { t.append(s.charAt(j++)); } words.add(t.toString()); i = j; } } Collections.reverse(words); return String.join(" ", words); } }
151
Reverse Words in a String
Medium
<p>Given an input string <code>s</code>, reverse the order of the <strong>words</strong>.</p> <p>A <strong>word</strong> is defined as a sequence of non-space characters. The <strong>words</strong> in <code>s</code> will be separated by at least one space.</p> <p>Return <em>a string of the words in reverse order concatenated by a single space.</em></p> <p><b>Note</b> that <code>s</code> may contain leading or trailing spaces or multiple spaces between two words. The returned string should only have a single space separating the words. Do not include any extra spaces.</p> <p>&nbsp;</p> <p><strong class="example">Example 1:</strong></p> <pre> <strong>Input:</strong> s = &quot;the sky is blue&quot; <strong>Output:</strong> &quot;blue is sky the&quot; </pre> <p><strong class="example">Example 2:</strong></p> <pre> <strong>Input:</strong> s = &quot; hello world &quot; <strong>Output:</strong> &quot;world hello&quot; <strong>Explanation:</strong> Your reversed string should not contain leading or trailing spaces. </pre> <p><strong class="example">Example 3:</strong></p> <pre> <strong>Input:</strong> s = &quot;a good example&quot; <strong>Output:</strong> &quot;example good a&quot; <strong>Explanation:</strong> You need to reduce multiple spaces between two words to a single space in the reversed string. </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li><code>1 &lt;= s.length &lt;= 10<sup>4</sup></code></li> <li><code>s</code> contains English letters (upper-case and lower-case), digits, and spaces <code>&#39; &#39;</code>.</li> <li>There is <strong>at least one</strong> word in <code>s</code>.</li> </ul> <p>&nbsp;</p> <p><b data-stringify-type="bold">Follow-up:&nbsp;</b>If the string data type is mutable in your language, can&nbsp;you solve it&nbsp;<b data-stringify-type="bold">in-place</b>&nbsp;with&nbsp;<code data-stringify-type="code">O(1)</code>&nbsp;extra space?</p>
Two Pointers; String
Python
class Solution: def reverseWords(self, s: str) -> str: words = [] i, n = 0, len(s) while i < n: while i < n and s[i] == " ": i += 1 if i < n: j = i while j < n and s[j] != " ": j += 1 words.append(s[i:j]) i = j return " ".join(words[::-1])
151
Reverse Words in a String
Medium
<p>Given an input string <code>s</code>, reverse the order of the <strong>words</strong>.</p> <p>A <strong>word</strong> is defined as a sequence of non-space characters. The <strong>words</strong> in <code>s</code> will be separated by at least one space.</p> <p>Return <em>a string of the words in reverse order concatenated by a single space.</em></p> <p><b>Note</b> that <code>s</code> may contain leading or trailing spaces or multiple spaces between two words. The returned string should only have a single space separating the words. Do not include any extra spaces.</p> <p>&nbsp;</p> <p><strong class="example">Example 1:</strong></p> <pre> <strong>Input:</strong> s = &quot;the sky is blue&quot; <strong>Output:</strong> &quot;blue is sky the&quot; </pre> <p><strong class="example">Example 2:</strong></p> <pre> <strong>Input:</strong> s = &quot; hello world &quot; <strong>Output:</strong> &quot;world hello&quot; <strong>Explanation:</strong> Your reversed string should not contain leading or trailing spaces. </pre> <p><strong class="example">Example 3:</strong></p> <pre> <strong>Input:</strong> s = &quot;a good example&quot; <strong>Output:</strong> &quot;example good a&quot; <strong>Explanation:</strong> You need to reduce multiple spaces between two words to a single space in the reversed string. </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li><code>1 &lt;= s.length &lt;= 10<sup>4</sup></code></li> <li><code>s</code> contains English letters (upper-case and lower-case), digits, and spaces <code>&#39; &#39;</code>.</li> <li>There is <strong>at least one</strong> word in <code>s</code>.</li> </ul> <p>&nbsp;</p> <p><b data-stringify-type="bold">Follow-up:&nbsp;</b>If the string data type is mutable in your language, can&nbsp;you solve it&nbsp;<b data-stringify-type="bold">in-place</b>&nbsp;with&nbsp;<code data-stringify-type="code">O(1)</code>&nbsp;extra space?</p>
Two Pointers; String
Rust
impl Solution { pub fn reverse_words(s: String) -> String { let mut words = Vec::new(); let s: Vec<char> = s.chars().collect(); let mut i = 0; let n = s.len(); while i < n { while i < n && s[i] == ' ' { i += 1; } if i < n { let mut j = i; while j < n && s[j] != ' ' { j += 1; } words.push(s[i..j].iter().collect::<String>()); i = j; } } words.reverse(); words.join(" ") } }
151
Reverse Words in a String
Medium
<p>Given an input string <code>s</code>, reverse the order of the <strong>words</strong>.</p> <p>A <strong>word</strong> is defined as a sequence of non-space characters. The <strong>words</strong> in <code>s</code> will be separated by at least one space.</p> <p>Return <em>a string of the words in reverse order concatenated by a single space.</em></p> <p><b>Note</b> that <code>s</code> may contain leading or trailing spaces or multiple spaces between two words. The returned string should only have a single space separating the words. Do not include any extra spaces.</p> <p>&nbsp;</p> <p><strong class="example">Example 1:</strong></p> <pre> <strong>Input:</strong> s = &quot;the sky is blue&quot; <strong>Output:</strong> &quot;blue is sky the&quot; </pre> <p><strong class="example">Example 2:</strong></p> <pre> <strong>Input:</strong> s = &quot; hello world &quot; <strong>Output:</strong> &quot;world hello&quot; <strong>Explanation:</strong> Your reversed string should not contain leading or trailing spaces. </pre> <p><strong class="example">Example 3:</strong></p> <pre> <strong>Input:</strong> s = &quot;a good example&quot; <strong>Output:</strong> &quot;example good a&quot; <strong>Explanation:</strong> You need to reduce multiple spaces between two words to a single space in the reversed string. </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li><code>1 &lt;= s.length &lt;= 10<sup>4</sup></code></li> <li><code>s</code> contains English letters (upper-case and lower-case), digits, and spaces <code>&#39; &#39;</code>.</li> <li>There is <strong>at least one</strong> word in <code>s</code>.</li> </ul> <p>&nbsp;</p> <p><b data-stringify-type="bold">Follow-up:&nbsp;</b>If the string data type is mutable in your language, can&nbsp;you solve it&nbsp;<b data-stringify-type="bold">in-place</b>&nbsp;with&nbsp;<code data-stringify-type="code">O(1)</code>&nbsp;extra space?</p>
Two Pointers; String
TypeScript
function reverseWords(s: string): string { const words: string[] = []; const n = s.length; let i = 0; while (i < n) { while (i < n && s[i] === ' ') { i++; } if (i < n) { let j = i; while (j < n && s[j] !== ' ') { j++; } words.push(s.slice(i, j)); i = j; } } return words.reverse().join(' '); }
152
Maximum Product Subarray
Medium
<p>Given an integer array <code>nums</code>, find a <span data-keyword="subarray-nonempty">subarray</span> that has the largest product, and return <em>the product</em>.</p> <p>The test cases are generated so that the answer will fit in a <strong>32-bit</strong> integer.</p> <p>&nbsp;</p> <p><strong class="example">Example 1:</strong></p> <pre> <strong>Input:</strong> nums = [2,3,-2,4] <strong>Output:</strong> 6 <strong>Explanation:</strong> [2,3] has the largest product 6. </pre> <p><strong class="example">Example 2:</strong></p> <pre> <strong>Input:</strong> nums = [-2,0,-1] <strong>Output:</strong> 0 <strong>Explanation:</strong> The result cannot be 2, because [-2,-1] is not a subarray. </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li><code>1 &lt;= nums.length &lt;= 2 * 10<sup>4</sup></code></li> <li><code>-10 &lt;= nums[i] &lt;= 10</code></li> <li>The product of any subarray of <code>nums</code> is <strong>guaranteed</strong> to fit in a <strong>32-bit</strong> integer.</li> </ul>
Array; Dynamic Programming
C++
class Solution { public: int maxProduct(vector<int>& nums) { int f = nums[0], g = nums[0], ans = nums[0]; for (int i = 1; i < nums.size(); ++i) { int ff = f, gg = g; f = max({nums[i], ff * nums[i], gg * nums[i]}); g = min({nums[i], ff * nums[i], gg * nums[i]}); ans = max(ans, f); } return ans; } };
152
Maximum Product Subarray
Medium
<p>Given an integer array <code>nums</code>, find a <span data-keyword="subarray-nonempty">subarray</span> that has the largest product, and return <em>the product</em>.</p> <p>The test cases are generated so that the answer will fit in a <strong>32-bit</strong> integer.</p> <p>&nbsp;</p> <p><strong class="example">Example 1:</strong></p> <pre> <strong>Input:</strong> nums = [2,3,-2,4] <strong>Output:</strong> 6 <strong>Explanation:</strong> [2,3] has the largest product 6. </pre> <p><strong class="example">Example 2:</strong></p> <pre> <strong>Input:</strong> nums = [-2,0,-1] <strong>Output:</strong> 0 <strong>Explanation:</strong> The result cannot be 2, because [-2,-1] is not a subarray. </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li><code>1 &lt;= nums.length &lt;= 2 * 10<sup>4</sup></code></li> <li><code>-10 &lt;= nums[i] &lt;= 10</code></li> <li>The product of any subarray of <code>nums</code> is <strong>guaranteed</strong> to fit in a <strong>32-bit</strong> integer.</li> </ul>
Array; Dynamic Programming
C#
public class Solution { public int MaxProduct(int[] nums) { int f = nums[0], g = nums[0], ans = nums[0]; for (int i = 1; i < nums.Length; ++i) { int ff = f, gg = g; f = Math.Max(nums[i], Math.Max(ff * nums[i], gg * nums[i])); g = Math.Min(nums[i], Math.Min(ff * nums[i], gg * nums[i])); ans = Math.Max(ans, f); } return ans; } }
152
Maximum Product Subarray
Medium
<p>Given an integer array <code>nums</code>, find a <span data-keyword="subarray-nonempty">subarray</span> that has the largest product, and return <em>the product</em>.</p> <p>The test cases are generated so that the answer will fit in a <strong>32-bit</strong> integer.</p> <p>&nbsp;</p> <p><strong class="example">Example 1:</strong></p> <pre> <strong>Input:</strong> nums = [2,3,-2,4] <strong>Output:</strong> 6 <strong>Explanation:</strong> [2,3] has the largest product 6. </pre> <p><strong class="example">Example 2:</strong></p> <pre> <strong>Input:</strong> nums = [-2,0,-1] <strong>Output:</strong> 0 <strong>Explanation:</strong> The result cannot be 2, because [-2,-1] is not a subarray. </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li><code>1 &lt;= nums.length &lt;= 2 * 10<sup>4</sup></code></li> <li><code>-10 &lt;= nums[i] &lt;= 10</code></li> <li>The product of any subarray of <code>nums</code> is <strong>guaranteed</strong> to fit in a <strong>32-bit</strong> integer.</li> </ul>
Array; Dynamic Programming
Go
func maxProduct(nums []int) int { f, g, ans := nums[0], nums[0], nums[0] for _, x := range nums[1:] { ff, gg := f, g f = max(x, max(ff*x, gg*x)) g = min(x, min(ff*x, gg*x)) ans = max(ans, f) } return ans }
152
Maximum Product Subarray
Medium
<p>Given an integer array <code>nums</code>, find a <span data-keyword="subarray-nonempty">subarray</span> that has the largest product, and return <em>the product</em>.</p> <p>The test cases are generated so that the answer will fit in a <strong>32-bit</strong> integer.</p> <p>&nbsp;</p> <p><strong class="example">Example 1:</strong></p> <pre> <strong>Input:</strong> nums = [2,3,-2,4] <strong>Output:</strong> 6 <strong>Explanation:</strong> [2,3] has the largest product 6. </pre> <p><strong class="example">Example 2:</strong></p> <pre> <strong>Input:</strong> nums = [-2,0,-1] <strong>Output:</strong> 0 <strong>Explanation:</strong> The result cannot be 2, because [-2,-1] is not a subarray. </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li><code>1 &lt;= nums.length &lt;= 2 * 10<sup>4</sup></code></li> <li><code>-10 &lt;= nums[i] &lt;= 10</code></li> <li>The product of any subarray of <code>nums</code> is <strong>guaranteed</strong> to fit in a <strong>32-bit</strong> integer.</li> </ul>
Array; Dynamic Programming
Java
class Solution { public int maxProduct(int[] nums) { int f = nums[0], g = nums[0], ans = nums[0]; for (int i = 1; i < nums.length; ++i) { int ff = f, gg = g; f = Math.max(nums[i], Math.max(ff * nums[i], gg * nums[i])); g = Math.min(nums[i], Math.min(ff * nums[i], gg * nums[i])); ans = Math.max(ans, f); } return ans; } }
152
Maximum Product Subarray
Medium
<p>Given an integer array <code>nums</code>, find a <span data-keyword="subarray-nonempty">subarray</span> that has the largest product, and return <em>the product</em>.</p> <p>The test cases are generated so that the answer will fit in a <strong>32-bit</strong> integer.</p> <p>&nbsp;</p> <p><strong class="example">Example 1:</strong></p> <pre> <strong>Input:</strong> nums = [2,3,-2,4] <strong>Output:</strong> 6 <strong>Explanation:</strong> [2,3] has the largest product 6. </pre> <p><strong class="example">Example 2:</strong></p> <pre> <strong>Input:</strong> nums = [-2,0,-1] <strong>Output:</strong> 0 <strong>Explanation:</strong> The result cannot be 2, because [-2,-1] is not a subarray. </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li><code>1 &lt;= nums.length &lt;= 2 * 10<sup>4</sup></code></li> <li><code>-10 &lt;= nums[i] &lt;= 10</code></li> <li>The product of any subarray of <code>nums</code> is <strong>guaranteed</strong> to fit in a <strong>32-bit</strong> integer.</li> </ul>
Array; Dynamic Programming
JavaScript
/** * @param {number[]} nums * @return {number} */ var maxProduct = function (nums) { let [f, g, ans] = [nums[0], nums[0], nums[0]]; for (let i = 1; i < nums.length; ++i) { const [ff, gg] = [f, g]; f = Math.max(nums[i], ff * nums[i], gg * nums[i]); g = Math.min(nums[i], ff * nums[i], gg * nums[i]); ans = Math.max(ans, f); } return ans; };
152
Maximum Product Subarray
Medium
<p>Given an integer array <code>nums</code>, find a <span data-keyword="subarray-nonempty">subarray</span> that has the largest product, and return <em>the product</em>.</p> <p>The test cases are generated so that the answer will fit in a <strong>32-bit</strong> integer.</p> <p>&nbsp;</p> <p><strong class="example">Example 1:</strong></p> <pre> <strong>Input:</strong> nums = [2,3,-2,4] <strong>Output:</strong> 6 <strong>Explanation:</strong> [2,3] has the largest product 6. </pre> <p><strong class="example">Example 2:</strong></p> <pre> <strong>Input:</strong> nums = [-2,0,-1] <strong>Output:</strong> 0 <strong>Explanation:</strong> The result cannot be 2, because [-2,-1] is not a subarray. </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li><code>1 &lt;= nums.length &lt;= 2 * 10<sup>4</sup></code></li> <li><code>-10 &lt;= nums[i] &lt;= 10</code></li> <li>The product of any subarray of <code>nums</code> is <strong>guaranteed</strong> to fit in a <strong>32-bit</strong> integer.</li> </ul>
Array; Dynamic Programming
Python
class Solution: def maxProduct(self, nums: List[int]) -> int: ans = f = g = nums[0] for x in nums[1:]: ff, gg = f, g f = max(x, ff * x, gg * x) g = min(x, ff * x, gg * x) ans = max(ans, f) return ans
152
Maximum Product Subarray
Medium
<p>Given an integer array <code>nums</code>, find a <span data-keyword="subarray-nonempty">subarray</span> that has the largest product, and return <em>the product</em>.</p> <p>The test cases are generated so that the answer will fit in a <strong>32-bit</strong> integer.</p> <p>&nbsp;</p> <p><strong class="example">Example 1:</strong></p> <pre> <strong>Input:</strong> nums = [2,3,-2,4] <strong>Output:</strong> 6 <strong>Explanation:</strong> [2,3] has the largest product 6. </pre> <p><strong class="example">Example 2:</strong></p> <pre> <strong>Input:</strong> nums = [-2,0,-1] <strong>Output:</strong> 0 <strong>Explanation:</strong> The result cannot be 2, because [-2,-1] is not a subarray. </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li><code>1 &lt;= nums.length &lt;= 2 * 10<sup>4</sup></code></li> <li><code>-10 &lt;= nums[i] &lt;= 10</code></li> <li>The product of any subarray of <code>nums</code> is <strong>guaranteed</strong> to fit in a <strong>32-bit</strong> integer.</li> </ul>
Array; Dynamic Programming
Rust
impl Solution { pub fn max_product(nums: Vec<i32>) -> i32 { let mut f = nums[0]; let mut g = nums[0]; let mut ans = nums[0]; for &x in nums.iter().skip(1) { let (ff, gg) = (f, g); f = x.max(x * ff).max(x * gg); g = x.min(x * ff).min(x * gg); ans = ans.max(f); } ans } }
152
Maximum Product Subarray
Medium
<p>Given an integer array <code>nums</code>, find a <span data-keyword="subarray-nonempty">subarray</span> that has the largest product, and return <em>the product</em>.</p> <p>The test cases are generated so that the answer will fit in a <strong>32-bit</strong> integer.</p> <p>&nbsp;</p> <p><strong class="example">Example 1:</strong></p> <pre> <strong>Input:</strong> nums = [2,3,-2,4] <strong>Output:</strong> 6 <strong>Explanation:</strong> [2,3] has the largest product 6. </pre> <p><strong class="example">Example 2:</strong></p> <pre> <strong>Input:</strong> nums = [-2,0,-1] <strong>Output:</strong> 0 <strong>Explanation:</strong> The result cannot be 2, because [-2,-1] is not a subarray. </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li><code>1 &lt;= nums.length &lt;= 2 * 10<sup>4</sup></code></li> <li><code>-10 &lt;= nums[i] &lt;= 10</code></li> <li>The product of any subarray of <code>nums</code> is <strong>guaranteed</strong> to fit in a <strong>32-bit</strong> integer.</li> </ul>
Array; Dynamic Programming
TypeScript
function maxProduct(nums: number[]): number { let [f, g, ans] = [nums[0], nums[0], nums[0]]; for (let i = 1; i < nums.length; ++i) { const [ff, gg] = [f, g]; f = Math.max(nums[i], ff * nums[i], gg * nums[i]); g = Math.min(nums[i], ff * nums[i], gg * nums[i]); ans = Math.max(ans, f); } return ans; }
153
Find Minimum in Rotated Sorted Array
Medium
<p>Suppose an array of length <code>n</code> sorted in ascending order is <strong>rotated</strong> between <code>1</code> and <code>n</code> times. For example, the array <code>nums = [0,1,2,4,5,6,7]</code> might become:</p> <ul> <li><code>[4,5,6,7,0,1,2]</code> if it was rotated <code>4</code> times.</li> <li><code>[0,1,2,4,5,6,7]</code> if it was rotated <code>7</code> times.</li> </ul> <p>Notice that <strong>rotating</strong> an array <code>[a[0], a[1], a[2], ..., a[n-1]]</code> 1 time results in the array <code>[a[n-1], a[0], a[1], a[2], ..., a[n-2]]</code>.</p> <p>Given the sorted rotated array <code>nums</code> of <strong>unique</strong> elements, return <em>the minimum element of this array</em>.</p> <p>You must write an algorithm that runs in&nbsp;<code>O(log n) time</code>.</p> <p>&nbsp;</p> <p><strong class="example">Example 1:</strong></p> <pre> <strong>Input:</strong> nums = [3,4,5,1,2] <strong>Output:</strong> 1 <strong>Explanation:</strong> The original array was [1,2,3,4,5] rotated 3 times. </pre> <p><strong class="example">Example 2:</strong></p> <pre> <strong>Input:</strong> nums = [4,5,6,7,0,1,2] <strong>Output:</strong> 0 <strong>Explanation:</strong> The original array was [0,1,2,4,5,6,7] and it was rotated 4 times. </pre> <p><strong class="example">Example 3:</strong></p> <pre> <strong>Input:</strong> nums = [11,13,15,17] <strong>Output:</strong> 11 <strong>Explanation:</strong> The original array was [11,13,15,17] and it was rotated 4 times. </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li><code>n == nums.length</code></li> <li><code>1 &lt;= n &lt;= 5000</code></li> <li><code>-5000 &lt;= nums[i] &lt;= 5000</code></li> <li>All the integers of <code>nums</code> are <strong>unique</strong>.</li> <li><code>nums</code> is sorted and rotated between <code>1</code> and <code>n</code> times.</li> </ul>
Array; Binary Search
C++
class Solution { public: int findMin(vector<int>& nums) { int n = nums.size(); if (nums[0] <= nums[n - 1]) return nums[0]; int left = 0, right = n - 1; while (left < right) { int mid = (left + right) >> 1; if (nums[0] <= nums[mid]) left = mid + 1; else right = mid; } return nums[left]; } };
153
Find Minimum in Rotated Sorted Array
Medium
<p>Suppose an array of length <code>n</code> sorted in ascending order is <strong>rotated</strong> between <code>1</code> and <code>n</code> times. For example, the array <code>nums = [0,1,2,4,5,6,7]</code> might become:</p> <ul> <li><code>[4,5,6,7,0,1,2]</code> if it was rotated <code>4</code> times.</li> <li><code>[0,1,2,4,5,6,7]</code> if it was rotated <code>7</code> times.</li> </ul> <p>Notice that <strong>rotating</strong> an array <code>[a[0], a[1], a[2], ..., a[n-1]]</code> 1 time results in the array <code>[a[n-1], a[0], a[1], a[2], ..., a[n-2]]</code>.</p> <p>Given the sorted rotated array <code>nums</code> of <strong>unique</strong> elements, return <em>the minimum element of this array</em>.</p> <p>You must write an algorithm that runs in&nbsp;<code>O(log n) time</code>.</p> <p>&nbsp;</p> <p><strong class="example">Example 1:</strong></p> <pre> <strong>Input:</strong> nums = [3,4,5,1,2] <strong>Output:</strong> 1 <strong>Explanation:</strong> The original array was [1,2,3,4,5] rotated 3 times. </pre> <p><strong class="example">Example 2:</strong></p> <pre> <strong>Input:</strong> nums = [4,5,6,7,0,1,2] <strong>Output:</strong> 0 <strong>Explanation:</strong> The original array was [0,1,2,4,5,6,7] and it was rotated 4 times. </pre> <p><strong class="example">Example 3:</strong></p> <pre> <strong>Input:</strong> nums = [11,13,15,17] <strong>Output:</strong> 11 <strong>Explanation:</strong> The original array was [11,13,15,17] and it was rotated 4 times. </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li><code>n == nums.length</code></li> <li><code>1 &lt;= n &lt;= 5000</code></li> <li><code>-5000 &lt;= nums[i] &lt;= 5000</code></li> <li>All the integers of <code>nums</code> are <strong>unique</strong>.</li> <li><code>nums</code> is sorted and rotated between <code>1</code> and <code>n</code> times.</li> </ul>
Array; Binary Search
Go
func findMin(nums []int) int { n := len(nums) if nums[0] <= nums[n-1] { return nums[0] } left, right := 0, n-1 for left < right { mid := (left + right) >> 1 if nums[0] <= nums[mid] { left = mid + 1 } else { right = mid } } return nums[left] }
153
Find Minimum in Rotated Sorted Array
Medium
<p>Suppose an array of length <code>n</code> sorted in ascending order is <strong>rotated</strong> between <code>1</code> and <code>n</code> times. For example, the array <code>nums = [0,1,2,4,5,6,7]</code> might become:</p> <ul> <li><code>[4,5,6,7,0,1,2]</code> if it was rotated <code>4</code> times.</li> <li><code>[0,1,2,4,5,6,7]</code> if it was rotated <code>7</code> times.</li> </ul> <p>Notice that <strong>rotating</strong> an array <code>[a[0], a[1], a[2], ..., a[n-1]]</code> 1 time results in the array <code>[a[n-1], a[0], a[1], a[2], ..., a[n-2]]</code>.</p> <p>Given the sorted rotated array <code>nums</code> of <strong>unique</strong> elements, return <em>the minimum element of this array</em>.</p> <p>You must write an algorithm that runs in&nbsp;<code>O(log n) time</code>.</p> <p>&nbsp;</p> <p><strong class="example">Example 1:</strong></p> <pre> <strong>Input:</strong> nums = [3,4,5,1,2] <strong>Output:</strong> 1 <strong>Explanation:</strong> The original array was [1,2,3,4,5] rotated 3 times. </pre> <p><strong class="example">Example 2:</strong></p> <pre> <strong>Input:</strong> nums = [4,5,6,7,0,1,2] <strong>Output:</strong> 0 <strong>Explanation:</strong> The original array was [0,1,2,4,5,6,7] and it was rotated 4 times. </pre> <p><strong class="example">Example 3:</strong></p> <pre> <strong>Input:</strong> nums = [11,13,15,17] <strong>Output:</strong> 11 <strong>Explanation:</strong> The original array was [11,13,15,17] and it was rotated 4 times. </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li><code>n == nums.length</code></li> <li><code>1 &lt;= n &lt;= 5000</code></li> <li><code>-5000 &lt;= nums[i] &lt;= 5000</code></li> <li>All the integers of <code>nums</code> are <strong>unique</strong>.</li> <li><code>nums</code> is sorted and rotated between <code>1</code> and <code>n</code> times.</li> </ul>
Array; Binary Search
Java
class Solution { public int findMin(int[] nums) { int n = nums.length; if (nums[0] <= nums[n - 1]) { return nums[0]; } int left = 0, right = n - 1; while (left < right) { int mid = (left + right) >> 1; if (nums[0] <= nums[mid]) { left = mid + 1; } else { right = mid; } } return nums[left]; } }
153
Find Minimum in Rotated Sorted Array
Medium
<p>Suppose an array of length <code>n</code> sorted in ascending order is <strong>rotated</strong> between <code>1</code> and <code>n</code> times. For example, the array <code>nums = [0,1,2,4,5,6,7]</code> might become:</p> <ul> <li><code>[4,5,6,7,0,1,2]</code> if it was rotated <code>4</code> times.</li> <li><code>[0,1,2,4,5,6,7]</code> if it was rotated <code>7</code> times.</li> </ul> <p>Notice that <strong>rotating</strong> an array <code>[a[0], a[1], a[2], ..., a[n-1]]</code> 1 time results in the array <code>[a[n-1], a[0], a[1], a[2], ..., a[n-2]]</code>.</p> <p>Given the sorted rotated array <code>nums</code> of <strong>unique</strong> elements, return <em>the minimum element of this array</em>.</p> <p>You must write an algorithm that runs in&nbsp;<code>O(log n) time</code>.</p> <p>&nbsp;</p> <p><strong class="example">Example 1:</strong></p> <pre> <strong>Input:</strong> nums = [3,4,5,1,2] <strong>Output:</strong> 1 <strong>Explanation:</strong> The original array was [1,2,3,4,5] rotated 3 times. </pre> <p><strong class="example">Example 2:</strong></p> <pre> <strong>Input:</strong> nums = [4,5,6,7,0,1,2] <strong>Output:</strong> 0 <strong>Explanation:</strong> The original array was [0,1,2,4,5,6,7] and it was rotated 4 times. </pre> <p><strong class="example">Example 3:</strong></p> <pre> <strong>Input:</strong> nums = [11,13,15,17] <strong>Output:</strong> 11 <strong>Explanation:</strong> The original array was [11,13,15,17] and it was rotated 4 times. </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li><code>n == nums.length</code></li> <li><code>1 &lt;= n &lt;= 5000</code></li> <li><code>-5000 &lt;= nums[i] &lt;= 5000</code></li> <li>All the integers of <code>nums</code> are <strong>unique</strong>.</li> <li><code>nums</code> is sorted and rotated between <code>1</code> and <code>n</code> times.</li> </ul>
Array; Binary Search
JavaScript
/** * @param {number[]} nums * @return {number} */ var findMin = function (nums) { let l = 0, r = nums.length - 1; if (nums[l] < nums[r]) return nums[0]; while (l < r) { const m = (l + r) >> 1; if (nums[m] > nums[r]) l = m + 1; else r = m; } return nums[l]; };
153
Find Minimum in Rotated Sorted Array
Medium
<p>Suppose an array of length <code>n</code> sorted in ascending order is <strong>rotated</strong> between <code>1</code> and <code>n</code> times. For example, the array <code>nums = [0,1,2,4,5,6,7]</code> might become:</p> <ul> <li><code>[4,5,6,7,0,1,2]</code> if it was rotated <code>4</code> times.</li> <li><code>[0,1,2,4,5,6,7]</code> if it was rotated <code>7</code> times.</li> </ul> <p>Notice that <strong>rotating</strong> an array <code>[a[0], a[1], a[2], ..., a[n-1]]</code> 1 time results in the array <code>[a[n-1], a[0], a[1], a[2], ..., a[n-2]]</code>.</p> <p>Given the sorted rotated array <code>nums</code> of <strong>unique</strong> elements, return <em>the minimum element of this array</em>.</p> <p>You must write an algorithm that runs in&nbsp;<code>O(log n) time</code>.</p> <p>&nbsp;</p> <p><strong class="example">Example 1:</strong></p> <pre> <strong>Input:</strong> nums = [3,4,5,1,2] <strong>Output:</strong> 1 <strong>Explanation:</strong> The original array was [1,2,3,4,5] rotated 3 times. </pre> <p><strong class="example">Example 2:</strong></p> <pre> <strong>Input:</strong> nums = [4,5,6,7,0,1,2] <strong>Output:</strong> 0 <strong>Explanation:</strong> The original array was [0,1,2,4,5,6,7] and it was rotated 4 times. </pre> <p><strong class="example">Example 3:</strong></p> <pre> <strong>Input:</strong> nums = [11,13,15,17] <strong>Output:</strong> 11 <strong>Explanation:</strong> The original array was [11,13,15,17] and it was rotated 4 times. </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li><code>n == nums.length</code></li> <li><code>1 &lt;= n &lt;= 5000</code></li> <li><code>-5000 &lt;= nums[i] &lt;= 5000</code></li> <li>All the integers of <code>nums</code> are <strong>unique</strong>.</li> <li><code>nums</code> is sorted and rotated between <code>1</code> and <code>n</code> times.</li> </ul>
Array; Binary Search
Python
class Solution: def findMin(self, nums: List[int]) -> int: if nums[0] <= nums[-1]: return nums[0] left, right = 0, len(nums) - 1 while left < right: mid = (left + right) >> 1 if nums[0] <= nums[mid]: left = mid + 1 else: right = mid return nums[left]
153
Find Minimum in Rotated Sorted Array
Medium
<p>Suppose an array of length <code>n</code> sorted in ascending order is <strong>rotated</strong> between <code>1</code> and <code>n</code> times. For example, the array <code>nums = [0,1,2,4,5,6,7]</code> might become:</p> <ul> <li><code>[4,5,6,7,0,1,2]</code> if it was rotated <code>4</code> times.</li> <li><code>[0,1,2,4,5,6,7]</code> if it was rotated <code>7</code> times.</li> </ul> <p>Notice that <strong>rotating</strong> an array <code>[a[0], a[1], a[2], ..., a[n-1]]</code> 1 time results in the array <code>[a[n-1], a[0], a[1], a[2], ..., a[n-2]]</code>.</p> <p>Given the sorted rotated array <code>nums</code> of <strong>unique</strong> elements, return <em>the minimum element of this array</em>.</p> <p>You must write an algorithm that runs in&nbsp;<code>O(log n) time</code>.</p> <p>&nbsp;</p> <p><strong class="example">Example 1:</strong></p> <pre> <strong>Input:</strong> nums = [3,4,5,1,2] <strong>Output:</strong> 1 <strong>Explanation:</strong> The original array was [1,2,3,4,5] rotated 3 times. </pre> <p><strong class="example">Example 2:</strong></p> <pre> <strong>Input:</strong> nums = [4,5,6,7,0,1,2] <strong>Output:</strong> 0 <strong>Explanation:</strong> The original array was [0,1,2,4,5,6,7] and it was rotated 4 times. </pre> <p><strong class="example">Example 3:</strong></p> <pre> <strong>Input:</strong> nums = [11,13,15,17] <strong>Output:</strong> 11 <strong>Explanation:</strong> The original array was [11,13,15,17] and it was rotated 4 times. </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li><code>n == nums.length</code></li> <li><code>1 &lt;= n &lt;= 5000</code></li> <li><code>-5000 &lt;= nums[i] &lt;= 5000</code></li> <li>All the integers of <code>nums</code> are <strong>unique</strong>.</li> <li><code>nums</code> is sorted and rotated between <code>1</code> and <code>n</code> times.</li> </ul>
Array; Binary Search
Rust
impl Solution { pub fn find_min(nums: Vec<i32>) -> i32 { let mut left = 0; let mut right = nums.len() - 1; while left < right { let mid = left + (right - left) / 2; if nums[mid] > nums[right] { left = mid + 1; } else { right = mid; } } nums[left] } }
153
Find Minimum in Rotated Sorted Array
Medium
<p>Suppose an array of length <code>n</code> sorted in ascending order is <strong>rotated</strong> between <code>1</code> and <code>n</code> times. For example, the array <code>nums = [0,1,2,4,5,6,7]</code> might become:</p> <ul> <li><code>[4,5,6,7,0,1,2]</code> if it was rotated <code>4</code> times.</li> <li><code>[0,1,2,4,5,6,7]</code> if it was rotated <code>7</code> times.</li> </ul> <p>Notice that <strong>rotating</strong> an array <code>[a[0], a[1], a[2], ..., a[n-1]]</code> 1 time results in the array <code>[a[n-1], a[0], a[1], a[2], ..., a[n-2]]</code>.</p> <p>Given the sorted rotated array <code>nums</code> of <strong>unique</strong> elements, return <em>the minimum element of this array</em>.</p> <p>You must write an algorithm that runs in&nbsp;<code>O(log n) time</code>.</p> <p>&nbsp;</p> <p><strong class="example">Example 1:</strong></p> <pre> <strong>Input:</strong> nums = [3,4,5,1,2] <strong>Output:</strong> 1 <strong>Explanation:</strong> The original array was [1,2,3,4,5] rotated 3 times. </pre> <p><strong class="example">Example 2:</strong></p> <pre> <strong>Input:</strong> nums = [4,5,6,7,0,1,2] <strong>Output:</strong> 0 <strong>Explanation:</strong> The original array was [0,1,2,4,5,6,7] and it was rotated 4 times. </pre> <p><strong class="example">Example 3:</strong></p> <pre> <strong>Input:</strong> nums = [11,13,15,17] <strong>Output:</strong> 11 <strong>Explanation:</strong> The original array was [11,13,15,17] and it was rotated 4 times. </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li><code>n == nums.length</code></li> <li><code>1 &lt;= n &lt;= 5000</code></li> <li><code>-5000 &lt;= nums[i] &lt;= 5000</code></li> <li>All the integers of <code>nums</code> are <strong>unique</strong>.</li> <li><code>nums</code> is sorted and rotated between <code>1</code> and <code>n</code> times.</li> </ul>
Array; Binary Search
TypeScript
function findMin(nums: number[]): number { let left = 0; let right = nums.length - 1; while (left < right) { const mid = (left + right) >>> 1; if (nums[mid] > nums[right]) { left = mid + 1; } else { right = mid; } } return nums[left]; }
154
Find Minimum in Rotated Sorted Array II
Hard
<p>Suppose an array of length <code>n</code> sorted in ascending order is <strong>rotated</strong> between <code>1</code> and <code>n</code> times. For example, the array <code>nums = [0,1,4,4,5,6,7]</code> might become:</p> <ul> <li><code>[4,5,6,7,0,1,4]</code> if it was rotated <code>4</code> times.</li> <li><code>[0,1,4,4,5,6,7]</code> if it was rotated <code>7</code> times.</li> </ul> <p>Notice that <strong>rotating</strong> an array <code>[a[0], a[1], a[2], ..., a[n-1]]</code> 1 time results in the array <code>[a[n-1], a[0], a[1], a[2], ..., a[n-2]]</code>.</p> <p>Given the sorted rotated array <code>nums</code> that may contain <strong>duplicates</strong>, return <em>the minimum element of this array</em>.</p> <p>You must decrease the overall operation steps as much as possible.</p> <p>&nbsp;</p> <p><strong class="example">Example 1:</strong></p> <pre><strong>Input:</strong> nums = [1,3,5] <strong>Output:</strong> 1 </pre><p><strong class="example">Example 2:</strong></p> <pre><strong>Input:</strong> nums = [2,2,2,0,1] <strong>Output:</strong> 0 </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li><code>n == nums.length</code></li> <li><code>1 &lt;= n &lt;= 5000</code></li> <li><code>-5000 &lt;= nums[i] &lt;= 5000</code></li> <li><code>nums</code> is sorted and rotated between <code>1</code> and <code>n</code> times.</li> </ul> <p>&nbsp;</p> <p><strong>Follow up:</strong> This problem is similar to&nbsp;<a href="https://leetcode.com/problems/find-minimum-in-rotated-sorted-array/description/" target="_blank">Find Minimum in Rotated Sorted Array</a>, but&nbsp;<code>nums</code> may contain <strong>duplicates</strong>. Would this affect the runtime complexity? How and why?</p> <p>&nbsp;</p>
Array; Binary Search
C++
class Solution { public: int findMin(vector<int>& nums) { int left = 0, right = nums.size() - 1; while (left < right) { int mid = (left + right) >> 1; if (nums[mid] > nums[right]) left = mid + 1; else if (nums[mid] < nums[right]) right = mid; else --right; } return nums[left]; } };
154
Find Minimum in Rotated Sorted Array II
Hard
<p>Suppose an array of length <code>n</code> sorted in ascending order is <strong>rotated</strong> between <code>1</code> and <code>n</code> times. For example, the array <code>nums = [0,1,4,4,5,6,7]</code> might become:</p> <ul> <li><code>[4,5,6,7,0,1,4]</code> if it was rotated <code>4</code> times.</li> <li><code>[0,1,4,4,5,6,7]</code> if it was rotated <code>7</code> times.</li> </ul> <p>Notice that <strong>rotating</strong> an array <code>[a[0], a[1], a[2], ..., a[n-1]]</code> 1 time results in the array <code>[a[n-1], a[0], a[1], a[2], ..., a[n-2]]</code>.</p> <p>Given the sorted rotated array <code>nums</code> that may contain <strong>duplicates</strong>, return <em>the minimum element of this array</em>.</p> <p>You must decrease the overall operation steps as much as possible.</p> <p>&nbsp;</p> <p><strong class="example">Example 1:</strong></p> <pre><strong>Input:</strong> nums = [1,3,5] <strong>Output:</strong> 1 </pre><p><strong class="example">Example 2:</strong></p> <pre><strong>Input:</strong> nums = [2,2,2,0,1] <strong>Output:</strong> 0 </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li><code>n == nums.length</code></li> <li><code>1 &lt;= n &lt;= 5000</code></li> <li><code>-5000 &lt;= nums[i] &lt;= 5000</code></li> <li><code>nums</code> is sorted and rotated between <code>1</code> and <code>n</code> times.</li> </ul> <p>&nbsp;</p> <p><strong>Follow up:</strong> This problem is similar to&nbsp;<a href="https://leetcode.com/problems/find-minimum-in-rotated-sorted-array/description/" target="_blank">Find Minimum in Rotated Sorted Array</a>, but&nbsp;<code>nums</code> may contain <strong>duplicates</strong>. Would this affect the runtime complexity? How and why?</p> <p>&nbsp;</p>
Array; Binary Search
Go
func findMin(nums []int) int { left, right := 0, len(nums)-1 for left < right { mid := (left + right) >> 1 if nums[mid] > nums[right] { left = mid + 1 } else if nums[mid] < nums[right] { right = mid } else { right-- } } return nums[left] }
154
Find Minimum in Rotated Sorted Array II
Hard
<p>Suppose an array of length <code>n</code> sorted in ascending order is <strong>rotated</strong> between <code>1</code> and <code>n</code> times. For example, the array <code>nums = [0,1,4,4,5,6,7]</code> might become:</p> <ul> <li><code>[4,5,6,7,0,1,4]</code> if it was rotated <code>4</code> times.</li> <li><code>[0,1,4,4,5,6,7]</code> if it was rotated <code>7</code> times.</li> </ul> <p>Notice that <strong>rotating</strong> an array <code>[a[0], a[1], a[2], ..., a[n-1]]</code> 1 time results in the array <code>[a[n-1], a[0], a[1], a[2], ..., a[n-2]]</code>.</p> <p>Given the sorted rotated array <code>nums</code> that may contain <strong>duplicates</strong>, return <em>the minimum element of this array</em>.</p> <p>You must decrease the overall operation steps as much as possible.</p> <p>&nbsp;</p> <p><strong class="example">Example 1:</strong></p> <pre><strong>Input:</strong> nums = [1,3,5] <strong>Output:</strong> 1 </pre><p><strong class="example">Example 2:</strong></p> <pre><strong>Input:</strong> nums = [2,2,2,0,1] <strong>Output:</strong> 0 </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li><code>n == nums.length</code></li> <li><code>1 &lt;= n &lt;= 5000</code></li> <li><code>-5000 &lt;= nums[i] &lt;= 5000</code></li> <li><code>nums</code> is sorted and rotated between <code>1</code> and <code>n</code> times.</li> </ul> <p>&nbsp;</p> <p><strong>Follow up:</strong> This problem is similar to&nbsp;<a href="https://leetcode.com/problems/find-minimum-in-rotated-sorted-array/description/" target="_blank">Find Minimum in Rotated Sorted Array</a>, but&nbsp;<code>nums</code> may contain <strong>duplicates</strong>. Would this affect the runtime complexity? How and why?</p> <p>&nbsp;</p>
Array; Binary Search
Java
class Solution { public int findMin(int[] nums) { int left = 0, right = nums.length - 1; while (left < right) { int mid = (left + right) >> 1; if (nums[mid] > nums[right]) { left = mid + 1; } else if (nums[mid] < nums[right]) { right = mid; } else { --right; } } return nums[left]; } }
154
Find Minimum in Rotated Sorted Array II
Hard
<p>Suppose an array of length <code>n</code> sorted in ascending order is <strong>rotated</strong> between <code>1</code> and <code>n</code> times. For example, the array <code>nums = [0,1,4,4,5,6,7]</code> might become:</p> <ul> <li><code>[4,5,6,7,0,1,4]</code> if it was rotated <code>4</code> times.</li> <li><code>[0,1,4,4,5,6,7]</code> if it was rotated <code>7</code> times.</li> </ul> <p>Notice that <strong>rotating</strong> an array <code>[a[0], a[1], a[2], ..., a[n-1]]</code> 1 time results in the array <code>[a[n-1], a[0], a[1], a[2], ..., a[n-2]]</code>.</p> <p>Given the sorted rotated array <code>nums</code> that may contain <strong>duplicates</strong>, return <em>the minimum element of this array</em>.</p> <p>You must decrease the overall operation steps as much as possible.</p> <p>&nbsp;</p> <p><strong class="example">Example 1:</strong></p> <pre><strong>Input:</strong> nums = [1,3,5] <strong>Output:</strong> 1 </pre><p><strong class="example">Example 2:</strong></p> <pre><strong>Input:</strong> nums = [2,2,2,0,1] <strong>Output:</strong> 0 </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li><code>n == nums.length</code></li> <li><code>1 &lt;= n &lt;= 5000</code></li> <li><code>-5000 &lt;= nums[i] &lt;= 5000</code></li> <li><code>nums</code> is sorted and rotated between <code>1</code> and <code>n</code> times.</li> </ul> <p>&nbsp;</p> <p><strong>Follow up:</strong> This problem is similar to&nbsp;<a href="https://leetcode.com/problems/find-minimum-in-rotated-sorted-array/description/" target="_blank">Find Minimum in Rotated Sorted Array</a>, but&nbsp;<code>nums</code> may contain <strong>duplicates</strong>. Would this affect the runtime complexity? How and why?</p> <p>&nbsp;</p>
Array; Binary Search
JavaScript
/** * @param {number[]} nums * @return {number} */ var findMin = function (nums) { let left = 0, right = nums.length - 1; while (left < right) { const mid = (left + right) >> 1; if (nums[mid] > nums[right]) { left = mid + 1; } else if (nums[mid] < nums[right]) { right = mid; } else { --right; } } return nums[left]; };
154
Find Minimum in Rotated Sorted Array II
Hard
<p>Suppose an array of length <code>n</code> sorted in ascending order is <strong>rotated</strong> between <code>1</code> and <code>n</code> times. For example, the array <code>nums = [0,1,4,4,5,6,7]</code> might become:</p> <ul> <li><code>[4,5,6,7,0,1,4]</code> if it was rotated <code>4</code> times.</li> <li><code>[0,1,4,4,5,6,7]</code> if it was rotated <code>7</code> times.</li> </ul> <p>Notice that <strong>rotating</strong> an array <code>[a[0], a[1], a[2], ..., a[n-1]]</code> 1 time results in the array <code>[a[n-1], a[0], a[1], a[2], ..., a[n-2]]</code>.</p> <p>Given the sorted rotated array <code>nums</code> that may contain <strong>duplicates</strong>, return <em>the minimum element of this array</em>.</p> <p>You must decrease the overall operation steps as much as possible.</p> <p>&nbsp;</p> <p><strong class="example">Example 1:</strong></p> <pre><strong>Input:</strong> nums = [1,3,5] <strong>Output:</strong> 1 </pre><p><strong class="example">Example 2:</strong></p> <pre><strong>Input:</strong> nums = [2,2,2,0,1] <strong>Output:</strong> 0 </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li><code>n == nums.length</code></li> <li><code>1 &lt;= n &lt;= 5000</code></li> <li><code>-5000 &lt;= nums[i] &lt;= 5000</code></li> <li><code>nums</code> is sorted and rotated between <code>1</code> and <code>n</code> times.</li> </ul> <p>&nbsp;</p> <p><strong>Follow up:</strong> This problem is similar to&nbsp;<a href="https://leetcode.com/problems/find-minimum-in-rotated-sorted-array/description/" target="_blank">Find Minimum in Rotated Sorted Array</a>, but&nbsp;<code>nums</code> may contain <strong>duplicates</strong>. Would this affect the runtime complexity? How and why?</p> <p>&nbsp;</p>
Array; Binary Search
Python
class Solution: def findMin(self, nums: List[int]) -> int: left, right = 0, len(nums) - 1 while left < right: mid = (left + right) >> 1 if nums[mid] > nums[right]: left = mid + 1 elif nums[mid] < nums[right]: right = mid else: right -= 1 return nums[left]
154
Find Minimum in Rotated Sorted Array II
Hard
<p>Suppose an array of length <code>n</code> sorted in ascending order is <strong>rotated</strong> between <code>1</code> and <code>n</code> times. For example, the array <code>nums = [0,1,4,4,5,6,7]</code> might become:</p> <ul> <li><code>[4,5,6,7,0,1,4]</code> if it was rotated <code>4</code> times.</li> <li><code>[0,1,4,4,5,6,7]</code> if it was rotated <code>7</code> times.</li> </ul> <p>Notice that <strong>rotating</strong> an array <code>[a[0], a[1], a[2], ..., a[n-1]]</code> 1 time results in the array <code>[a[n-1], a[0], a[1], a[2], ..., a[n-2]]</code>.</p> <p>Given the sorted rotated array <code>nums</code> that may contain <strong>duplicates</strong>, return <em>the minimum element of this array</em>.</p> <p>You must decrease the overall operation steps as much as possible.</p> <p>&nbsp;</p> <p><strong class="example">Example 1:</strong></p> <pre><strong>Input:</strong> nums = [1,3,5] <strong>Output:</strong> 1 </pre><p><strong class="example">Example 2:</strong></p> <pre><strong>Input:</strong> nums = [2,2,2,0,1] <strong>Output:</strong> 0 </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li><code>n == nums.length</code></li> <li><code>1 &lt;= n &lt;= 5000</code></li> <li><code>-5000 &lt;= nums[i] &lt;= 5000</code></li> <li><code>nums</code> is sorted and rotated between <code>1</code> and <code>n</code> times.</li> </ul> <p>&nbsp;</p> <p><strong>Follow up:</strong> This problem is similar to&nbsp;<a href="https://leetcode.com/problems/find-minimum-in-rotated-sorted-array/description/" target="_blank">Find Minimum in Rotated Sorted Array</a>, but&nbsp;<code>nums</code> may contain <strong>duplicates</strong>. Would this affect the runtime complexity? How and why?</p> <p>&nbsp;</p>
Array; Binary Search
TypeScript
function findMin(nums: number[]): number { let left = 0, right = nums.length - 1; while (left < right) { const mid = (left + right) >> 1; if (nums[mid] > nums[right]) { left = mid + 1; } else if (nums[mid] < nums[right]) { right = mid; } else { --right; } } return nums[left]; }
155
Min Stack
Medium
<p>Design a stack that supports push, pop, top, and retrieving the minimum element in constant time.</p> <p>Implement the <code>MinStack</code> class:</p> <ul> <li><code>MinStack()</code> initializes the stack object.</li> <li><code>void push(int val)</code> pushes the element <code>val</code> onto the stack.</li> <li><code>void pop()</code> removes the element on the top of the stack.</li> <li><code>int top()</code> gets the top element of the stack.</li> <li><code>int getMin()</code> retrieves the minimum element in the stack.</li> </ul> <p>You must implement a solution with <code>O(1)</code> time complexity for each function.</p> <p>&nbsp;</p> <p><strong class="example">Example 1:</strong></p> <pre> <strong>Input</strong> [&quot;MinStack&quot;,&quot;push&quot;,&quot;push&quot;,&quot;push&quot;,&quot;getMin&quot;,&quot;pop&quot;,&quot;top&quot;,&quot;getMin&quot;] [[],[-2],[0],[-3],[],[],[],[]] <strong>Output</strong> [null,null,null,null,-3,null,0,-2] <strong>Explanation</strong> MinStack minStack = new MinStack(); minStack.push(-2); minStack.push(0); minStack.push(-3); minStack.getMin(); // return -3 minStack.pop(); minStack.top(); // return 0 minStack.getMin(); // return -2 </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li><code>-2<sup>31</sup> &lt;= val &lt;= 2<sup>31</sup> - 1</code></li> <li>Methods <code>pop</code>, <code>top</code> and <code>getMin</code> operations will always be called on <strong>non-empty</strong> stacks.</li> <li>At most <code>3 * 10<sup>4</sup></code> calls will be made to <code>push</code>, <code>pop</code>, <code>top</code>, and <code>getMin</code>.</li> </ul>
Stack; Design
C++
class MinStack { public: MinStack() { stk2.push(INT_MAX); } void push(int val) { stk1.push(val); stk2.push(min(val, stk2.top())); } void pop() { stk1.pop(); stk2.pop(); } int top() { return stk1.top(); } int getMin() { return stk2.top(); } private: stack<int> stk1; stack<int> stk2; }; /** * Your MinStack object will be instantiated and called as such: * MinStack* obj = new MinStack(); * obj->push(val); * obj->pop(); * int param_3 = obj->top(); * int param_4 = obj->getMin(); */
155
Min Stack
Medium
<p>Design a stack that supports push, pop, top, and retrieving the minimum element in constant time.</p> <p>Implement the <code>MinStack</code> class:</p> <ul> <li><code>MinStack()</code> initializes the stack object.</li> <li><code>void push(int val)</code> pushes the element <code>val</code> onto the stack.</li> <li><code>void pop()</code> removes the element on the top of the stack.</li> <li><code>int top()</code> gets the top element of the stack.</li> <li><code>int getMin()</code> retrieves the minimum element in the stack.</li> </ul> <p>You must implement a solution with <code>O(1)</code> time complexity for each function.</p> <p>&nbsp;</p> <p><strong class="example">Example 1:</strong></p> <pre> <strong>Input</strong> [&quot;MinStack&quot;,&quot;push&quot;,&quot;push&quot;,&quot;push&quot;,&quot;getMin&quot;,&quot;pop&quot;,&quot;top&quot;,&quot;getMin&quot;] [[],[-2],[0],[-3],[],[],[],[]] <strong>Output</strong> [null,null,null,null,-3,null,0,-2] <strong>Explanation</strong> MinStack minStack = new MinStack(); minStack.push(-2); minStack.push(0); minStack.push(-3); minStack.getMin(); // return -3 minStack.pop(); minStack.top(); // return 0 minStack.getMin(); // return -2 </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li><code>-2<sup>31</sup> &lt;= val &lt;= 2<sup>31</sup> - 1</code></li> <li>Methods <code>pop</code>, <code>top</code> and <code>getMin</code> operations will always be called on <strong>non-empty</strong> stacks.</li> <li>At most <code>3 * 10<sup>4</sup></code> calls will be made to <code>push</code>, <code>pop</code>, <code>top</code>, and <code>getMin</code>.</li> </ul>
Stack; Design
C#
public class MinStack { private Stack<int> stk1 = new Stack<int>(); private Stack<int> stk2 = new Stack<int>(); public MinStack() { stk2.Push(int.MaxValue); } public void Push(int x) { stk1.Push(x); stk2.Push(Math.Min(x, GetMin())); } public void Pop() { stk1.Pop(); stk2.Pop(); } public int Top() { return stk1.Peek(); } public int GetMin() { return stk2.Peek(); } } /** * Your MinStack object will be instantiated and called as such: * MinStack obj = new MinStack(); * obj.Push(x); * obj.Pop(); * int param_3 = obj.Top(); * int param_4 = obj.GetMin(); */
155
Min Stack
Medium
<p>Design a stack that supports push, pop, top, and retrieving the minimum element in constant time.</p> <p>Implement the <code>MinStack</code> class:</p> <ul> <li><code>MinStack()</code> initializes the stack object.</li> <li><code>void push(int val)</code> pushes the element <code>val</code> onto the stack.</li> <li><code>void pop()</code> removes the element on the top of the stack.</li> <li><code>int top()</code> gets the top element of the stack.</li> <li><code>int getMin()</code> retrieves the minimum element in the stack.</li> </ul> <p>You must implement a solution with <code>O(1)</code> time complexity for each function.</p> <p>&nbsp;</p> <p><strong class="example">Example 1:</strong></p> <pre> <strong>Input</strong> [&quot;MinStack&quot;,&quot;push&quot;,&quot;push&quot;,&quot;push&quot;,&quot;getMin&quot;,&quot;pop&quot;,&quot;top&quot;,&quot;getMin&quot;] [[],[-2],[0],[-3],[],[],[],[]] <strong>Output</strong> [null,null,null,null,-3,null,0,-2] <strong>Explanation</strong> MinStack minStack = new MinStack(); minStack.push(-2); minStack.push(0); minStack.push(-3); minStack.getMin(); // return -3 minStack.pop(); minStack.top(); // return 0 minStack.getMin(); // return -2 </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li><code>-2<sup>31</sup> &lt;= val &lt;= 2<sup>31</sup> - 1</code></li> <li>Methods <code>pop</code>, <code>top</code> and <code>getMin</code> operations will always be called on <strong>non-empty</strong> stacks.</li> <li>At most <code>3 * 10<sup>4</sup></code> calls will be made to <code>push</code>, <code>pop</code>, <code>top</code>, and <code>getMin</code>.</li> </ul>
Stack; Design
Go
type MinStack struct { stk1 []int stk2 []int } func Constructor() MinStack { return MinStack{[]int{}, []int{math.MaxInt32}} } func (this *MinStack) Push(val int) { this.stk1 = append(this.stk1, val) this.stk2 = append(this.stk2, min(val, this.stk2[len(this.stk2)-1])) } func (this *MinStack) Pop() { this.stk1 = this.stk1[:len(this.stk1)-1] this.stk2 = this.stk2[:len(this.stk2)-1] } func (this *MinStack) Top() int { return this.stk1[len(this.stk1)-1] } func (this *MinStack) GetMin() int { return this.stk2[len(this.stk2)-1] } /** * Your MinStack object will be instantiated and called as such: * obj := Constructor(); * obj.Push(val); * obj.Pop(); * param_3 := obj.Top(); * param_4 := obj.GetMin(); */
155
Min Stack
Medium
<p>Design a stack that supports push, pop, top, and retrieving the minimum element in constant time.</p> <p>Implement the <code>MinStack</code> class:</p> <ul> <li><code>MinStack()</code> initializes the stack object.</li> <li><code>void push(int val)</code> pushes the element <code>val</code> onto the stack.</li> <li><code>void pop()</code> removes the element on the top of the stack.</li> <li><code>int top()</code> gets the top element of the stack.</li> <li><code>int getMin()</code> retrieves the minimum element in the stack.</li> </ul> <p>You must implement a solution with <code>O(1)</code> time complexity for each function.</p> <p>&nbsp;</p> <p><strong class="example">Example 1:</strong></p> <pre> <strong>Input</strong> [&quot;MinStack&quot;,&quot;push&quot;,&quot;push&quot;,&quot;push&quot;,&quot;getMin&quot;,&quot;pop&quot;,&quot;top&quot;,&quot;getMin&quot;] [[],[-2],[0],[-3],[],[],[],[]] <strong>Output</strong> [null,null,null,null,-3,null,0,-2] <strong>Explanation</strong> MinStack minStack = new MinStack(); minStack.push(-2); minStack.push(0); minStack.push(-3); minStack.getMin(); // return -3 minStack.pop(); minStack.top(); // return 0 minStack.getMin(); // return -2 </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li><code>-2<sup>31</sup> &lt;= val &lt;= 2<sup>31</sup> - 1</code></li> <li>Methods <code>pop</code>, <code>top</code> and <code>getMin</code> operations will always be called on <strong>non-empty</strong> stacks.</li> <li>At most <code>3 * 10<sup>4</sup></code> calls will be made to <code>push</code>, <code>pop</code>, <code>top</code>, and <code>getMin</code>.</li> </ul>
Stack; Design
Java
class MinStack { private Deque<Integer> stk1 = new ArrayDeque<>(); private Deque<Integer> stk2 = new ArrayDeque<>(); public MinStack() { stk2.push(Integer.MAX_VALUE); } public void push(int val) { stk1.push(val); stk2.push(Math.min(val, stk2.peek())); } public void pop() { stk1.pop(); stk2.pop(); } public int top() { return stk1.peek(); } public int getMin() { return stk2.peek(); } } /** * Your MinStack object will be instantiated and called as such: * MinStack obj = new MinStack(); * obj.push(val); * obj.pop(); * int param_3 = obj.top(); * int param_4 = obj.getMin(); */
155
Min Stack
Medium
<p>Design a stack that supports push, pop, top, and retrieving the minimum element in constant time.</p> <p>Implement the <code>MinStack</code> class:</p> <ul> <li><code>MinStack()</code> initializes the stack object.</li> <li><code>void push(int val)</code> pushes the element <code>val</code> onto the stack.</li> <li><code>void pop()</code> removes the element on the top of the stack.</li> <li><code>int top()</code> gets the top element of the stack.</li> <li><code>int getMin()</code> retrieves the minimum element in the stack.</li> </ul> <p>You must implement a solution with <code>O(1)</code> time complexity for each function.</p> <p>&nbsp;</p> <p><strong class="example">Example 1:</strong></p> <pre> <strong>Input</strong> [&quot;MinStack&quot;,&quot;push&quot;,&quot;push&quot;,&quot;push&quot;,&quot;getMin&quot;,&quot;pop&quot;,&quot;top&quot;,&quot;getMin&quot;] [[],[-2],[0],[-3],[],[],[],[]] <strong>Output</strong> [null,null,null,null,-3,null,0,-2] <strong>Explanation</strong> MinStack minStack = new MinStack(); minStack.push(-2); minStack.push(0); minStack.push(-3); minStack.getMin(); // return -3 minStack.pop(); minStack.top(); // return 0 minStack.getMin(); // return -2 </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li><code>-2<sup>31</sup> &lt;= val &lt;= 2<sup>31</sup> - 1</code></li> <li>Methods <code>pop</code>, <code>top</code> and <code>getMin</code> operations will always be called on <strong>non-empty</strong> stacks.</li> <li>At most <code>3 * 10<sup>4</sup></code> calls will be made to <code>push</code>, <code>pop</code>, <code>top</code>, and <code>getMin</code>.</li> </ul>
Stack; Design
JavaScript
var MinStack = function () { this.stk1 = []; this.stk2 = [Infinity]; }; /** * @param {number} val * @return {void} */ MinStack.prototype.push = function (val) { this.stk1.push(val); this.stk2.push(Math.min(this.stk2[this.stk2.length - 1], val)); }; /** * @return {void} */ MinStack.prototype.pop = function () { this.stk1.pop(); this.stk2.pop(); }; /** * @return {number} */ MinStack.prototype.top = function () { return this.stk1[this.stk1.length - 1]; }; /** * @return {number} */ MinStack.prototype.getMin = function () { return this.stk2[this.stk2.length - 1]; }; /** * Your MinStack object will be instantiated and called as such: * var obj = new MinStack() * obj.push(val) * obj.pop() * var param_3 = obj.top() * var param_4 = obj.getMin() */
155
Min Stack
Medium
<p>Design a stack that supports push, pop, top, and retrieving the minimum element in constant time.</p> <p>Implement the <code>MinStack</code> class:</p> <ul> <li><code>MinStack()</code> initializes the stack object.</li> <li><code>void push(int val)</code> pushes the element <code>val</code> onto the stack.</li> <li><code>void pop()</code> removes the element on the top of the stack.</li> <li><code>int top()</code> gets the top element of the stack.</li> <li><code>int getMin()</code> retrieves the minimum element in the stack.</li> </ul> <p>You must implement a solution with <code>O(1)</code> time complexity for each function.</p> <p>&nbsp;</p> <p><strong class="example">Example 1:</strong></p> <pre> <strong>Input</strong> [&quot;MinStack&quot;,&quot;push&quot;,&quot;push&quot;,&quot;push&quot;,&quot;getMin&quot;,&quot;pop&quot;,&quot;top&quot;,&quot;getMin&quot;] [[],[-2],[0],[-3],[],[],[],[]] <strong>Output</strong> [null,null,null,null,-3,null,0,-2] <strong>Explanation</strong> MinStack minStack = new MinStack(); minStack.push(-2); minStack.push(0); minStack.push(-3); minStack.getMin(); // return -3 minStack.pop(); minStack.top(); // return 0 minStack.getMin(); // return -2 </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li><code>-2<sup>31</sup> &lt;= val &lt;= 2<sup>31</sup> - 1</code></li> <li>Methods <code>pop</code>, <code>top</code> and <code>getMin</code> operations will always be called on <strong>non-empty</strong> stacks.</li> <li>At most <code>3 * 10<sup>4</sup></code> calls will be made to <code>push</code>, <code>pop</code>, <code>top</code>, and <code>getMin</code>.</li> </ul>
Stack; Design
Python
class MinStack: def __init__(self): self.stk1 = [] self.stk2 = [inf] def push(self, val: int) -> None: self.stk1.append(val) self.stk2.append(min(val, self.stk2[-1])) def pop(self) -> None: self.stk1.pop() self.stk2.pop() def top(self) -> int: return self.stk1[-1] def getMin(self) -> int: return self.stk2[-1] # Your MinStack object will be instantiated and called as such: # obj = MinStack() # obj.push(val) # obj.pop() # param_3 = obj.top() # param_4 = obj.getMin()
155
Min Stack
Medium
<p>Design a stack that supports push, pop, top, and retrieving the minimum element in constant time.</p> <p>Implement the <code>MinStack</code> class:</p> <ul> <li><code>MinStack()</code> initializes the stack object.</li> <li><code>void push(int val)</code> pushes the element <code>val</code> onto the stack.</li> <li><code>void pop()</code> removes the element on the top of the stack.</li> <li><code>int top()</code> gets the top element of the stack.</li> <li><code>int getMin()</code> retrieves the minimum element in the stack.</li> </ul> <p>You must implement a solution with <code>O(1)</code> time complexity for each function.</p> <p>&nbsp;</p> <p><strong class="example">Example 1:</strong></p> <pre> <strong>Input</strong> [&quot;MinStack&quot;,&quot;push&quot;,&quot;push&quot;,&quot;push&quot;,&quot;getMin&quot;,&quot;pop&quot;,&quot;top&quot;,&quot;getMin&quot;] [[],[-2],[0],[-3],[],[],[],[]] <strong>Output</strong> [null,null,null,null,-3,null,0,-2] <strong>Explanation</strong> MinStack minStack = new MinStack(); minStack.push(-2); minStack.push(0); minStack.push(-3); minStack.getMin(); // return -3 minStack.pop(); minStack.top(); // return 0 minStack.getMin(); // return -2 </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li><code>-2<sup>31</sup> &lt;= val &lt;= 2<sup>31</sup> - 1</code></li> <li>Methods <code>pop</code>, <code>top</code> and <code>getMin</code> operations will always be called on <strong>non-empty</strong> stacks.</li> <li>At most <code>3 * 10<sup>4</sup></code> calls will be made to <code>push</code>, <code>pop</code>, <code>top</code>, and <code>getMin</code>.</li> </ul>
Stack; Design
Rust
use std::collections::VecDeque; struct MinStack { stk1: VecDeque<i32>, stk2: VecDeque<i32>, } /** * `&self` means the method takes an immutable reference. * If you need a mutable reference, change it to `&mut self` instead. */ impl MinStack { fn new() -> Self { Self { stk1: VecDeque::new(), stk2: VecDeque::new(), } } fn push(&mut self, x: i32) { self.stk1.push_back(x); if self.stk2.is_empty() || *self.stk2.back().unwrap() >= x { self.stk2.push_back(x); } } fn pop(&mut self) { let val = self.stk1.pop_back().unwrap(); if *self.stk2.back().unwrap() == val { self.stk2.pop_back(); } } fn top(&self) -> i32 { *self.stk1.back().unwrap() } fn get_min(&self) -> i32 { *self.stk2.back().unwrap() } }
155
Min Stack
Medium
<p>Design a stack that supports push, pop, top, and retrieving the minimum element in constant time.</p> <p>Implement the <code>MinStack</code> class:</p> <ul> <li><code>MinStack()</code> initializes the stack object.</li> <li><code>void push(int val)</code> pushes the element <code>val</code> onto the stack.</li> <li><code>void pop()</code> removes the element on the top of the stack.</li> <li><code>int top()</code> gets the top element of the stack.</li> <li><code>int getMin()</code> retrieves the minimum element in the stack.</li> </ul> <p>You must implement a solution with <code>O(1)</code> time complexity for each function.</p> <p>&nbsp;</p> <p><strong class="example">Example 1:</strong></p> <pre> <strong>Input</strong> [&quot;MinStack&quot;,&quot;push&quot;,&quot;push&quot;,&quot;push&quot;,&quot;getMin&quot;,&quot;pop&quot;,&quot;top&quot;,&quot;getMin&quot;] [[],[-2],[0],[-3],[],[],[],[]] <strong>Output</strong> [null,null,null,null,-3,null,0,-2] <strong>Explanation</strong> MinStack minStack = new MinStack(); minStack.push(-2); minStack.push(0); minStack.push(-3); minStack.getMin(); // return -3 minStack.pop(); minStack.top(); // return 0 minStack.getMin(); // return -2 </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li><code>-2<sup>31</sup> &lt;= val &lt;= 2<sup>31</sup> - 1</code></li> <li>Methods <code>pop</code>, <code>top</code> and <code>getMin</code> operations will always be called on <strong>non-empty</strong> stacks.</li> <li>At most <code>3 * 10<sup>4</sup></code> calls will be made to <code>push</code>, <code>pop</code>, <code>top</code>, and <code>getMin</code>.</li> </ul>
Stack; Design
TypeScript
class MinStack { stk1: number[]; stk2: number[]; constructor() { this.stk1 = []; this.stk2 = [Infinity]; } push(val: number): void { this.stk1.push(val); this.stk2.push(Math.min(val, this.stk2[this.stk2.length - 1])); } pop(): void { this.stk1.pop(); this.stk2.pop(); } top(): number { return this.stk1[this.stk1.length - 1]; } getMin(): number { return this.stk2[this.stk2.length - 1]; } } /** * Your MinStack object will be instantiated and called as such: * var obj = new MinStack() * obj.push(x) * obj.pop() * var param_3 = obj.top() * var param_4 = obj.getMin() */
156
Binary Tree Upside Down
Medium
<p>Given the <code>root</code> of a binary tree, turn the tree upside down and return <em>the new root</em>.</p> <p>You can turn a binary tree upside down with the following steps:</p> <ol> <li>The original left child becomes the new root.</li> <li>The original root becomes the new right child.</li> <li>The original right child becomes the new left child.</li> </ol> <img alt="" src="https://fastly.jsdelivr.net/gh/doocs/leetcode@main/solution/0100-0199/0156.Binary%20Tree%20Upside%20Down/images/main.jpg" style="width: 600px; height: 95px;" /> <p>The mentioned steps are done level by level. It is <strong>guaranteed</strong> that every right node has a sibling (a left node with the same parent) and has no children.</p> <p>&nbsp;</p> <p><strong class="example">Example 1:</strong></p> <img alt="" src="https://fastly.jsdelivr.net/gh/doocs/leetcode@main/solution/0100-0199/0156.Binary%20Tree%20Upside%20Down/images/updown.jpg" style="width: 800px; height: 161px;" /> <pre> <strong>Input:</strong> root = [1,2,3,4,5] <strong>Output:</strong> [4,5,2,null,null,3,1] </pre> <p><strong class="example">Example 2:</strong></p> <pre> <strong>Input:</strong> root = [] <strong>Output:</strong> [] </pre> <p><strong class="example">Example 3:</strong></p> <pre> <strong>Input:</strong> root = [1] <strong>Output:</strong> [1] </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li>The number of nodes in the tree will be in the range <code>[0, 10]</code>.</li> <li><code>1 &lt;= Node.val &lt;= 10</code></li> <li>Every right node in the tree has a sibling (a left node that shares the same parent).</li> <li>Every right node in the tree has no children.</li> </ul>
Tree; Depth-First Search; Binary Tree
C++
/** * Definition for a binary tree node. * struct TreeNode { * int val; * TreeNode *left; * TreeNode *right; * TreeNode() : val(0), left(nullptr), right(nullptr) {} * TreeNode(int x) : val(x), left(nullptr), right(nullptr) {} * TreeNode(int x, TreeNode *left, TreeNode *right) : val(x), left(left), right(right) {} * }; */ class Solution { public: TreeNode* upsideDownBinaryTree(TreeNode* root) { if (!root || !root->left) return root; TreeNode* newRoot = upsideDownBinaryTree(root->left); root->left->right = root; root->left->left = root->right; root->left = nullptr; root->right = nullptr; return newRoot; } };
156
Binary Tree Upside Down
Medium
<p>Given the <code>root</code> of a binary tree, turn the tree upside down and return <em>the new root</em>.</p> <p>You can turn a binary tree upside down with the following steps:</p> <ol> <li>The original left child becomes the new root.</li> <li>The original root becomes the new right child.</li> <li>The original right child becomes the new left child.</li> </ol> <img alt="" src="https://fastly.jsdelivr.net/gh/doocs/leetcode@main/solution/0100-0199/0156.Binary%20Tree%20Upside%20Down/images/main.jpg" style="width: 600px; height: 95px;" /> <p>The mentioned steps are done level by level. It is <strong>guaranteed</strong> that every right node has a sibling (a left node with the same parent) and has no children.</p> <p>&nbsp;</p> <p><strong class="example">Example 1:</strong></p> <img alt="" src="https://fastly.jsdelivr.net/gh/doocs/leetcode@main/solution/0100-0199/0156.Binary%20Tree%20Upside%20Down/images/updown.jpg" style="width: 800px; height: 161px;" /> <pre> <strong>Input:</strong> root = [1,2,3,4,5] <strong>Output:</strong> [4,5,2,null,null,3,1] </pre> <p><strong class="example">Example 2:</strong></p> <pre> <strong>Input:</strong> root = [] <strong>Output:</strong> [] </pre> <p><strong class="example">Example 3:</strong></p> <pre> <strong>Input:</strong> root = [1] <strong>Output:</strong> [1] </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li>The number of nodes in the tree will be in the range <code>[0, 10]</code>.</li> <li><code>1 &lt;= Node.val &lt;= 10</code></li> <li>Every right node in the tree has a sibling (a left node that shares the same parent).</li> <li>Every right node in the tree has no children.</li> </ul>
Tree; Depth-First Search; Binary Tree
Go
/** * Definition for a binary tree node. * type TreeNode struct { * Val int * Left *TreeNode * Right *TreeNode * } */ func upsideDownBinaryTree(root *TreeNode) *TreeNode { if root == nil || root.Left == nil { return root } newRoot := upsideDownBinaryTree(root.Left) root.Left.Right = root root.Left.Left = root.Right root.Left = nil root.Right = nil return newRoot }
156
Binary Tree Upside Down
Medium
<p>Given the <code>root</code> of a binary tree, turn the tree upside down and return <em>the new root</em>.</p> <p>You can turn a binary tree upside down with the following steps:</p> <ol> <li>The original left child becomes the new root.</li> <li>The original root becomes the new right child.</li> <li>The original right child becomes the new left child.</li> </ol> <img alt="" src="https://fastly.jsdelivr.net/gh/doocs/leetcode@main/solution/0100-0199/0156.Binary%20Tree%20Upside%20Down/images/main.jpg" style="width: 600px; height: 95px;" /> <p>The mentioned steps are done level by level. It is <strong>guaranteed</strong> that every right node has a sibling (a left node with the same parent) and has no children.</p> <p>&nbsp;</p> <p><strong class="example">Example 1:</strong></p> <img alt="" src="https://fastly.jsdelivr.net/gh/doocs/leetcode@main/solution/0100-0199/0156.Binary%20Tree%20Upside%20Down/images/updown.jpg" style="width: 800px; height: 161px;" /> <pre> <strong>Input:</strong> root = [1,2,3,4,5] <strong>Output:</strong> [4,5,2,null,null,3,1] </pre> <p><strong class="example">Example 2:</strong></p> <pre> <strong>Input:</strong> root = [] <strong>Output:</strong> [] </pre> <p><strong class="example">Example 3:</strong></p> <pre> <strong>Input:</strong> root = [1] <strong>Output:</strong> [1] </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li>The number of nodes in the tree will be in the range <code>[0, 10]</code>.</li> <li><code>1 &lt;= Node.val &lt;= 10</code></li> <li>Every right node in the tree has a sibling (a left node that shares the same parent).</li> <li>Every right node in the tree has no children.</li> </ul>
Tree; Depth-First Search; Binary Tree
Java
/** * Definition for a binary tree node. * public class TreeNode { * int val; * TreeNode left; * TreeNode right; * TreeNode() {} * TreeNode(int val) { this.val = val; } * TreeNode(int val, TreeNode left, TreeNode right) { * this.val = val; * this.left = left; * this.right = right; * } * } */ class Solution { public TreeNode upsideDownBinaryTree(TreeNode root) { if (root == null || root.left == null) { return root; } TreeNode newRoot = upsideDownBinaryTree(root.left); root.left.right = root; root.left.left = root.right; root.left = null; root.right = null; return newRoot; } }
156
Binary Tree Upside Down
Medium
<p>Given the <code>root</code> of a binary tree, turn the tree upside down and return <em>the new root</em>.</p> <p>You can turn a binary tree upside down with the following steps:</p> <ol> <li>The original left child becomes the new root.</li> <li>The original root becomes the new right child.</li> <li>The original right child becomes the new left child.</li> </ol> <img alt="" src="https://fastly.jsdelivr.net/gh/doocs/leetcode@main/solution/0100-0199/0156.Binary%20Tree%20Upside%20Down/images/main.jpg" style="width: 600px; height: 95px;" /> <p>The mentioned steps are done level by level. It is <strong>guaranteed</strong> that every right node has a sibling (a left node with the same parent) and has no children.</p> <p>&nbsp;</p> <p><strong class="example">Example 1:</strong></p> <img alt="" src="https://fastly.jsdelivr.net/gh/doocs/leetcode@main/solution/0100-0199/0156.Binary%20Tree%20Upside%20Down/images/updown.jpg" style="width: 800px; height: 161px;" /> <pre> <strong>Input:</strong> root = [1,2,3,4,5] <strong>Output:</strong> [4,5,2,null,null,3,1] </pre> <p><strong class="example">Example 2:</strong></p> <pre> <strong>Input:</strong> root = [] <strong>Output:</strong> [] </pre> <p><strong class="example">Example 3:</strong></p> <pre> <strong>Input:</strong> root = [1] <strong>Output:</strong> [1] </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li>The number of nodes in the tree will be in the range <code>[0, 10]</code>.</li> <li><code>1 &lt;= Node.val &lt;= 10</code></li> <li>Every right node in the tree has a sibling (a left node that shares the same parent).</li> <li>Every right node in the tree has no children.</li> </ul>
Tree; Depth-First Search; Binary Tree
Python
# Definition for a binary tree node. # class TreeNode: # def __init__(self, val=0, left=None, right=None): # self.val = val # self.left = left # self.right = right class Solution: def upsideDownBinaryTree(self, root: Optional[TreeNode]) -> Optional[TreeNode]: if root is None or root.left is None: return root new_root = self.upsideDownBinaryTree(root.left) root.left.right = root root.left.left = root.right root.left = None root.right = None return new_root
157
Read N Characters Given Read4
Easy
<p>Given a <code>file</code> and assume that you can only read the file using a given method <code>read4</code>, implement a method to read <code>n</code> characters.</p> <p><strong>Method read4: </strong></p> <p>The API <code>read4</code> reads <strong>four consecutive characters</strong> from <code>file</code>, then writes those characters into the buffer array <code>buf4</code>.</p> <p>The return value is the number of actual characters read.</p> <p>Note that <code>read4()</code> has its own file pointer, much like <code>FILE *fp</code> in C.</p> <p><strong>Definition of read4:</strong></p> <pre> Parameter: char[] buf4 Returns: int buf4[] is a destination, not a source. The results from read4 will be copied to buf4[]. </pre> <p>Below is a high-level example of how <code>read4</code> works:</p> <img alt="" src="https://fastly.jsdelivr.net/gh/doocs/leetcode@main/solution/0100-0199/0157.Read%20N%20Characters%20Given%20Read4/images/157_example.png" style="width: 600px; height: 403px;" /> <pre> File file(&quot;abcde<code>&quot;); // File is &quot;</code>abcde<code>&quot;, initially file pointer (fp) points to &#39;a&#39; char[] buf4 = new char[4]; // Create buffer with enough space to store characters read4(buf4); // read4 returns 4. Now buf4 = &quot;abcd&quot;, fp points to &#39;e&#39; read4(buf4); // read4 returns 1. Now buf4 = &quot;e&quot;, fp points to end of file read4(buf4); // read4 returns 0. Now buf4 = &quot;&quot;, fp points to end of file</code> </pre> <p>&nbsp;</p> <p><strong>Method read:</strong></p> <p>By using the <code>read4</code> method, implement the method read that reads <code>n</code> characters from <code>file</code> and store it in the buffer array <code>buf</code>. Consider that you cannot manipulate <code>file</code> directly.</p> <p>The return value is the number of actual characters read.</p> <p><strong>Definition of read: </strong></p> <pre> Parameters: char[] buf, int n Returns: int buf[] is a destination, not a source. You will need to write the results to buf[]. </pre> <p><strong>Note:</strong></p> <ul> <li>Consider that you cannot manipulate the file directly. The file is only accessible for <code>read4</code> but not for <code>read</code>.</li> <li>The <code>read</code> function will only be called once for each test case.</li> <li>You may assume the destination buffer array, <code>buf</code>, is guaranteed to have enough space for storing <code>n</code> characters.</li> </ul> <p>&nbsp;</p> <p><strong class="example">Example 1:</strong></p> <pre> <strong>Input:</strong> file = &quot;abc&quot;, n = 4 <strong>Output:</strong> 3 <strong>Explanation:</strong> After calling your read method, buf should contain &quot;abc&quot;. We read a total of 3 characters from the file, so return 3. Note that &quot;abc&quot; is the file&#39;s content, not buf. buf is the destination buffer that you will have to write the results to. </pre> <p><strong class="example">Example 2:</strong></p> <pre> <strong>Input:</strong> file = &quot;abcde&quot;, n = 5 <strong>Output:</strong> 5 <strong>Explanation:</strong> After calling your read method, buf should contain &quot;abcde&quot;. We read a total of 5 characters from the file, so return 5. </pre> <p><strong class="example">Example 3:</strong></p> <pre> <strong>Input:</strong> file = &quot;abcdABCD1234&quot;, n = 12 <strong>Output:</strong> 12 <strong>Explanation:</strong> After calling your read method, buf should contain &quot;abcdABCD1234&quot;. We read a total of 12 characters from the file, so return 12. </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li><code>1 &lt;= file.length &lt;= 500</code></li> <li><code>file</code> consist of English letters and digits.</li> <li><code>1 &lt;= n &lt;= 1000</code></li> </ul>
Array; Interactive; Simulation
C++
/** * The read4 API is defined in the parent class Reader4. * int read4(char *buf4); */ class Solution { public: /** * @param buf Destination buffer * @param n Number of characters to read * @return The number of actual characters read */ int read(char* buf, int n) { char buf4[4]; int i = 0, v = 5; while (v >= 4) { v = read4(buf4); for (int j = 0; j < v; ++j) { buf[i++] = buf4[j]; if (i >= n) { return n; } } } return i; } };
157
Read N Characters Given Read4
Easy
<p>Given a <code>file</code> and assume that you can only read the file using a given method <code>read4</code>, implement a method to read <code>n</code> characters.</p> <p><strong>Method read4: </strong></p> <p>The API <code>read4</code> reads <strong>four consecutive characters</strong> from <code>file</code>, then writes those characters into the buffer array <code>buf4</code>.</p> <p>The return value is the number of actual characters read.</p> <p>Note that <code>read4()</code> has its own file pointer, much like <code>FILE *fp</code> in C.</p> <p><strong>Definition of read4:</strong></p> <pre> Parameter: char[] buf4 Returns: int buf4[] is a destination, not a source. The results from read4 will be copied to buf4[]. </pre> <p>Below is a high-level example of how <code>read4</code> works:</p> <img alt="" src="https://fastly.jsdelivr.net/gh/doocs/leetcode@main/solution/0100-0199/0157.Read%20N%20Characters%20Given%20Read4/images/157_example.png" style="width: 600px; height: 403px;" /> <pre> File file(&quot;abcde<code>&quot;); // File is &quot;</code>abcde<code>&quot;, initially file pointer (fp) points to &#39;a&#39; char[] buf4 = new char[4]; // Create buffer with enough space to store characters read4(buf4); // read4 returns 4. Now buf4 = &quot;abcd&quot;, fp points to &#39;e&#39; read4(buf4); // read4 returns 1. Now buf4 = &quot;e&quot;, fp points to end of file read4(buf4); // read4 returns 0. Now buf4 = &quot;&quot;, fp points to end of file</code> </pre> <p>&nbsp;</p> <p><strong>Method read:</strong></p> <p>By using the <code>read4</code> method, implement the method read that reads <code>n</code> characters from <code>file</code> and store it in the buffer array <code>buf</code>. Consider that you cannot manipulate <code>file</code> directly.</p> <p>The return value is the number of actual characters read.</p> <p><strong>Definition of read: </strong></p> <pre> Parameters: char[] buf, int n Returns: int buf[] is a destination, not a source. You will need to write the results to buf[]. </pre> <p><strong>Note:</strong></p> <ul> <li>Consider that you cannot manipulate the file directly. The file is only accessible for <code>read4</code> but not for <code>read</code>.</li> <li>The <code>read</code> function will only be called once for each test case.</li> <li>You may assume the destination buffer array, <code>buf</code>, is guaranteed to have enough space for storing <code>n</code> characters.</li> </ul> <p>&nbsp;</p> <p><strong class="example">Example 1:</strong></p> <pre> <strong>Input:</strong> file = &quot;abc&quot;, n = 4 <strong>Output:</strong> 3 <strong>Explanation:</strong> After calling your read method, buf should contain &quot;abc&quot;. We read a total of 3 characters from the file, so return 3. Note that &quot;abc&quot; is the file&#39;s content, not buf. buf is the destination buffer that you will have to write the results to. </pre> <p><strong class="example">Example 2:</strong></p> <pre> <strong>Input:</strong> file = &quot;abcde&quot;, n = 5 <strong>Output:</strong> 5 <strong>Explanation:</strong> After calling your read method, buf should contain &quot;abcde&quot;. We read a total of 5 characters from the file, so return 5. </pre> <p><strong class="example">Example 3:</strong></p> <pre> <strong>Input:</strong> file = &quot;abcdABCD1234&quot;, n = 12 <strong>Output:</strong> 12 <strong>Explanation:</strong> After calling your read method, buf should contain &quot;abcdABCD1234&quot;. We read a total of 12 characters from the file, so return 12. </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li><code>1 &lt;= file.length &lt;= 500</code></li> <li><code>file</code> consist of English letters and digits.</li> <li><code>1 &lt;= n &lt;= 1000</code></li> </ul>
Array; Interactive; Simulation
Go
/** * The read4 API is already defined for you. * * read4 := func(buf4 []byte) int * * // Below is an example of how the read4 API can be called. * file := File("abcdefghijk") // File is "abcdefghijk", initially file pointer (fp) points to 'a' * buf4 := make([]byte, 4) // Create buffer with enough space to store characters * read4(buf4) // read4 returns 4. Now buf = ['a','b','c','d'], fp points to 'e' * read4(buf4) // read4 returns 4. Now buf = ['e','f','g','h'], fp points to 'i' * read4(buf4) // read4 returns 3. Now buf = ['i','j','k',...], fp points to end of file */ var solution = func(read4 func([]byte) int) func([]byte, int) int { // implement read below. return func(buf []byte, n int) int { buf4 := make([]byte, 4) i, v := 0, 5 for v >= 4 { v = read4(buf4) for j := 0; j < v; j++ { buf[i] = buf4[j] i++ if i >= n { return n } } } return i } }
157
Read N Characters Given Read4
Easy
<p>Given a <code>file</code> and assume that you can only read the file using a given method <code>read4</code>, implement a method to read <code>n</code> characters.</p> <p><strong>Method read4: </strong></p> <p>The API <code>read4</code> reads <strong>four consecutive characters</strong> from <code>file</code>, then writes those characters into the buffer array <code>buf4</code>.</p> <p>The return value is the number of actual characters read.</p> <p>Note that <code>read4()</code> has its own file pointer, much like <code>FILE *fp</code> in C.</p> <p><strong>Definition of read4:</strong></p> <pre> Parameter: char[] buf4 Returns: int buf4[] is a destination, not a source. The results from read4 will be copied to buf4[]. </pre> <p>Below is a high-level example of how <code>read4</code> works:</p> <img alt="" src="https://fastly.jsdelivr.net/gh/doocs/leetcode@main/solution/0100-0199/0157.Read%20N%20Characters%20Given%20Read4/images/157_example.png" style="width: 600px; height: 403px;" /> <pre> File file(&quot;abcde<code>&quot;); // File is &quot;</code>abcde<code>&quot;, initially file pointer (fp) points to &#39;a&#39; char[] buf4 = new char[4]; // Create buffer with enough space to store characters read4(buf4); // read4 returns 4. Now buf4 = &quot;abcd&quot;, fp points to &#39;e&#39; read4(buf4); // read4 returns 1. Now buf4 = &quot;e&quot;, fp points to end of file read4(buf4); // read4 returns 0. Now buf4 = &quot;&quot;, fp points to end of file</code> </pre> <p>&nbsp;</p> <p><strong>Method read:</strong></p> <p>By using the <code>read4</code> method, implement the method read that reads <code>n</code> characters from <code>file</code> and store it in the buffer array <code>buf</code>. Consider that you cannot manipulate <code>file</code> directly.</p> <p>The return value is the number of actual characters read.</p> <p><strong>Definition of read: </strong></p> <pre> Parameters: char[] buf, int n Returns: int buf[] is a destination, not a source. You will need to write the results to buf[]. </pre> <p><strong>Note:</strong></p> <ul> <li>Consider that you cannot manipulate the file directly. The file is only accessible for <code>read4</code> but not for <code>read</code>.</li> <li>The <code>read</code> function will only be called once for each test case.</li> <li>You may assume the destination buffer array, <code>buf</code>, is guaranteed to have enough space for storing <code>n</code> characters.</li> </ul> <p>&nbsp;</p> <p><strong class="example">Example 1:</strong></p> <pre> <strong>Input:</strong> file = &quot;abc&quot;, n = 4 <strong>Output:</strong> 3 <strong>Explanation:</strong> After calling your read method, buf should contain &quot;abc&quot;. We read a total of 3 characters from the file, so return 3. Note that &quot;abc&quot; is the file&#39;s content, not buf. buf is the destination buffer that you will have to write the results to. </pre> <p><strong class="example">Example 2:</strong></p> <pre> <strong>Input:</strong> file = &quot;abcde&quot;, n = 5 <strong>Output:</strong> 5 <strong>Explanation:</strong> After calling your read method, buf should contain &quot;abcde&quot;. We read a total of 5 characters from the file, so return 5. </pre> <p><strong class="example">Example 3:</strong></p> <pre> <strong>Input:</strong> file = &quot;abcdABCD1234&quot;, n = 12 <strong>Output:</strong> 12 <strong>Explanation:</strong> After calling your read method, buf should contain &quot;abcdABCD1234&quot;. We read a total of 12 characters from the file, so return 12. </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li><code>1 &lt;= file.length &lt;= 500</code></li> <li><code>file</code> consist of English letters and digits.</li> <li><code>1 &lt;= n &lt;= 1000</code></li> </ul>
Array; Interactive; Simulation
Java
/** * The read4 API is defined in the parent class Reader4. * int read4(char[] buf4); */ public class Solution extends Reader4 { /** * @param buf Destination buffer * @param n Number of characters to read * @return The number of actual characters read */ public int read(char[] buf, int n) { char[] buf4 = new char[4]; int i = 0, v = 5; while (v >= 4) { v = read4(buf4); for (int j = 0; j < v; ++j) { buf[i++] = buf4[j]; if (i >= n) { return n; } } } return i; } }