id
int64
1
3.63k
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
70
Climbing Stairs
Easy
<p>You are climbing a staircase. It takes <code>n</code> steps to reach the top.</p> <p>Each time you can either climb <code>1</code> or <code>2</code> steps. In how many distinct ways can you climb to the top?</p> <p>&nbsp;</p> <p><strong class="example">Example 1:</strong></p> <pre> <strong>Input:</strong> n = 2 <strong>Output:</strong> 2 <strong>Explanation:</strong> There are two ways to climb to the top. 1. 1 step + 1 step 2. 2 steps </pre> <p><strong class="example">Example 2:</strong></p> <pre> <strong>Input:</strong> n = 3 <strong>Output:</strong> 3 <strong>Explanation:</strong> There are three ways to climb to the top. 1. 1 step + 1 step + 1 step 2. 1 step + 2 steps 3. 2 steps + 1 step </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li><code>1 &lt;= n &lt;= 45</code></li> </ul>
Memoization; Math; Dynamic Programming
Java
class Solution { public int climbStairs(int n) { int a = 0, b = 1; for (int i = 0; i < n; ++i) { int c = a + b; a = b; b = c; } return b; } }
70
Climbing Stairs
Easy
<p>You are climbing a staircase. It takes <code>n</code> steps to reach the top.</p> <p>Each time you can either climb <code>1</code> or <code>2</code> steps. In how many distinct ways can you climb to the top?</p> <p>&nbsp;</p> <p><strong class="example">Example 1:</strong></p> <pre> <strong>Input:</strong> n = 2 <strong>Output:</strong> 2 <strong>Explanation:</strong> There are two ways to climb to the top. 1. 1 step + 1 step 2. 2 steps </pre> <p><strong class="example">Example 2:</strong></p> <pre> <strong>Input:</strong> n = 3 <strong>Output:</strong> 3 <strong>Explanation:</strong> There are three ways to climb to the top. 1. 1 step + 1 step + 1 step 2. 1 step + 2 steps 3. 2 steps + 1 step </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li><code>1 &lt;= n &lt;= 45</code></li> </ul>
Memoization; Math; Dynamic Programming
JavaScript
/** * @param {number} n * @return {number} */ var climbStairs = function (n) { let a = 0, b = 1; for (let i = 0; i < n; ++i) { const c = a + b; a = b; b = c; } return b; };
70
Climbing Stairs
Easy
<p>You are climbing a staircase. It takes <code>n</code> steps to reach the top.</p> <p>Each time you can either climb <code>1</code> or <code>2</code> steps. In how many distinct ways can you climb to the top?</p> <p>&nbsp;</p> <p><strong class="example">Example 1:</strong></p> <pre> <strong>Input:</strong> n = 2 <strong>Output:</strong> 2 <strong>Explanation:</strong> There are two ways to climb to the top. 1. 1 step + 1 step 2. 2 steps </pre> <p><strong class="example">Example 2:</strong></p> <pre> <strong>Input:</strong> n = 3 <strong>Output:</strong> 3 <strong>Explanation:</strong> There are three ways to climb to the top. 1. 1 step + 1 step + 1 step 2. 1 step + 2 steps 3. 2 steps + 1 step </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li><code>1 &lt;= n &lt;= 45</code></li> </ul>
Memoization; Math; Dynamic Programming
PHP
class Solution { /** * @param Integer $n * @return Integer */ function climbStairs($n) { if ($n <= 2) { return $n; } $dp = [0, 1, 2]; for ($i = 3; $i <= $n; $i++) { $dp[$i] = $dp[$i - 2] + $dp[$i - 1]; } return $dp[$n]; } }
70
Climbing Stairs
Easy
<p>You are climbing a staircase. It takes <code>n</code> steps to reach the top.</p> <p>Each time you can either climb <code>1</code> or <code>2</code> steps. In how many distinct ways can you climb to the top?</p> <p>&nbsp;</p> <p><strong class="example">Example 1:</strong></p> <pre> <strong>Input:</strong> n = 2 <strong>Output:</strong> 2 <strong>Explanation:</strong> There are two ways to climb to the top. 1. 1 step + 1 step 2. 2 steps </pre> <p><strong class="example">Example 2:</strong></p> <pre> <strong>Input:</strong> n = 3 <strong>Output:</strong> 3 <strong>Explanation:</strong> There are three ways to climb to the top. 1. 1 step + 1 step + 1 step 2. 1 step + 2 steps 3. 2 steps + 1 step </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li><code>1 &lt;= n &lt;= 45</code></li> </ul>
Memoization; Math; Dynamic Programming
Python
class Solution: def climbStairs(self, n: int) -> int: a, b = 0, 1 for _ in range(n): a, b = b, a + b return b
70
Climbing Stairs
Easy
<p>You are climbing a staircase. It takes <code>n</code> steps to reach the top.</p> <p>Each time you can either climb <code>1</code> or <code>2</code> steps. In how many distinct ways can you climb to the top?</p> <p>&nbsp;</p> <p><strong class="example">Example 1:</strong></p> <pre> <strong>Input:</strong> n = 2 <strong>Output:</strong> 2 <strong>Explanation:</strong> There are two ways to climb to the top. 1. 1 step + 1 step 2. 2 steps </pre> <p><strong class="example">Example 2:</strong></p> <pre> <strong>Input:</strong> n = 3 <strong>Output:</strong> 3 <strong>Explanation:</strong> There are three ways to climb to the top. 1. 1 step + 1 step + 1 step 2. 1 step + 2 steps 3. 2 steps + 1 step </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li><code>1 &lt;= n &lt;= 45</code></li> </ul>
Memoization; Math; Dynamic Programming
Rust
impl Solution { pub fn climb_stairs(n: i32) -> i32 { let (mut p, mut q) = (1, 1); for i in 1..n { let t = p + q; p = q; q = t; } q } }
70
Climbing Stairs
Easy
<p>You are climbing a staircase. It takes <code>n</code> steps to reach the top.</p> <p>Each time you can either climb <code>1</code> or <code>2</code> steps. In how many distinct ways can you climb to the top?</p> <p>&nbsp;</p> <p><strong class="example">Example 1:</strong></p> <pre> <strong>Input:</strong> n = 2 <strong>Output:</strong> 2 <strong>Explanation:</strong> There are two ways to climb to the top. 1. 1 step + 1 step 2. 2 steps </pre> <p><strong class="example">Example 2:</strong></p> <pre> <strong>Input:</strong> n = 3 <strong>Output:</strong> 3 <strong>Explanation:</strong> There are three ways to climb to the top. 1. 1 step + 1 step + 1 step 2. 1 step + 2 steps 3. 2 steps + 1 step </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li><code>1 &lt;= n &lt;= 45</code></li> </ul>
Memoization; Math; Dynamic Programming
TypeScript
function climbStairs(n: number): number { let p = 1; let q = 1; for (let i = 1; i < n; i++) { [p, q] = [q, p + q]; } return q; }
71
Simplify Path
Medium
<p>You are given an <em>absolute</em> path for a Unix-style file system, which always begins with a slash <code>&#39;/&#39;</code>. Your task is to transform this absolute path into its <strong>simplified canonical path</strong>.</p> <p>The <em>rules</em> of a Unix-style file system are as follows:</p> <ul> <li>A single period <code>&#39;.&#39;</code> represents the current directory.</li> <li>A double period <code>&#39;..&#39;</code> represents the previous/parent directory.</li> <li>Multiple consecutive slashes such as <code>&#39;//&#39;</code> and <code>&#39;///&#39;</code> are treated as a single slash <code>&#39;/&#39;</code>.</li> <li>Any sequence of periods that does <strong>not match</strong> the rules above should be treated as a <strong>valid directory or</strong> <strong>file </strong><strong>name</strong>. For example, <code>&#39;...&#39; </code>and <code>&#39;....&#39;</code> are valid directory or file names.</li> </ul> <p>The simplified canonical path should follow these <em>rules</em>:</p> <ul> <li>The path must start with a single slash <code>&#39;/&#39;</code>.</li> <li>Directories within the path must be separated by exactly one slash <code>&#39;/&#39;</code>.</li> <li>The path must not end with a slash <code>&#39;/&#39;</code>, unless it is the root directory.</li> <li>The path must not have any single or double periods (<code>&#39;.&#39;</code> and <code>&#39;..&#39;</code>) used to denote current or parent directories.</li> </ul> <p>Return the <strong>simplified canonical path</strong>.</p> <p>&nbsp;</p> <p><strong class="example">Example 1:</strong></p> <div class="example-block"> <p><strong>Input:</strong> <span class="example-io">path = &quot;/home/&quot;</span></p> <p><strong>Output:</strong> <span class="example-io">&quot;/home&quot;</span></p> <p><strong>Explanation:</strong></p> <p>The trailing slash should be removed.</p> </div> <p><strong class="example">Example 2:</strong></p> <div class="example-block"> <p><strong>Input:</strong> <span class="example-io">path = &quot;/home//foo/&quot;</span></p> <p><strong>Output:</strong> <span class="example-io">&quot;/home/foo&quot;</span></p> <p><strong>Explanation:</strong></p> <p>Multiple consecutive slashes are replaced by a single one.</p> </div> <p><strong class="example">Example 3:</strong></p> <div class="example-block"> <p><strong>Input:</strong> <span class="example-io">path = &quot;/home/user/Documents/../Pictures&quot;</span></p> <p><strong>Output:</strong> <span class="example-io">&quot;/home/user/Pictures&quot;</span></p> <p><strong>Explanation:</strong></p> <p>A double period <code>&quot;..&quot;</code> refers to the directory up a level (the parent directory).</p> </div> <p><strong class="example">Example 4:</strong></p> <div class="example-block"> <p><strong>Input:</strong> <span class="example-io">path = &quot;/../&quot;</span></p> <p><strong>Output:</strong> <span class="example-io">&quot;/&quot;</span></p> <p><strong>Explanation:</strong></p> <p>Going one level up from the root directory is not possible.</p> </div> <p><strong class="example">Example 5:</strong></p> <div class="example-block"> <p><strong>Input:</strong> <span class="example-io">path = &quot;/.../a/../b/c/../d/./&quot;</span></p> <p><strong>Output:</strong> <span class="example-io">&quot;/.../b/d&quot;</span></p> <p><strong>Explanation:</strong></p> <p><code>&quot;...&quot;</code> is a valid name for a directory in this problem.</p> </div> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li><code>1 &lt;= path.length &lt;= 3000</code></li> <li><code>path</code> consists of English letters, digits, period <code>&#39;.&#39;</code>, slash <code>&#39;/&#39;</code> or <code>&#39;_&#39;</code>.</li> <li><code>path</code> is a valid absolute Unix path.</li> </ul>
Stack; String
C++
class Solution { public: string simplifyPath(string path) { deque<string> stk; stringstream ss(path); string t; while (getline(ss, t, '/')) { if (t == "" || t == ".") { continue; } if (t == "..") { if (!stk.empty()) { stk.pop_back(); } } else { stk.push_back(t); } } if (stk.empty()) { return "/"; } string ans; for (auto& s : stk) { ans += "/" + s; } return ans; } };
71
Simplify Path
Medium
<p>You are given an <em>absolute</em> path for a Unix-style file system, which always begins with a slash <code>&#39;/&#39;</code>. Your task is to transform this absolute path into its <strong>simplified canonical path</strong>.</p> <p>The <em>rules</em> of a Unix-style file system are as follows:</p> <ul> <li>A single period <code>&#39;.&#39;</code> represents the current directory.</li> <li>A double period <code>&#39;..&#39;</code> represents the previous/parent directory.</li> <li>Multiple consecutive slashes such as <code>&#39;//&#39;</code> and <code>&#39;///&#39;</code> are treated as a single slash <code>&#39;/&#39;</code>.</li> <li>Any sequence of periods that does <strong>not match</strong> the rules above should be treated as a <strong>valid directory or</strong> <strong>file </strong><strong>name</strong>. For example, <code>&#39;...&#39; </code>and <code>&#39;....&#39;</code> are valid directory or file names.</li> </ul> <p>The simplified canonical path should follow these <em>rules</em>:</p> <ul> <li>The path must start with a single slash <code>&#39;/&#39;</code>.</li> <li>Directories within the path must be separated by exactly one slash <code>&#39;/&#39;</code>.</li> <li>The path must not end with a slash <code>&#39;/&#39;</code>, unless it is the root directory.</li> <li>The path must not have any single or double periods (<code>&#39;.&#39;</code> and <code>&#39;..&#39;</code>) used to denote current or parent directories.</li> </ul> <p>Return the <strong>simplified canonical path</strong>.</p> <p>&nbsp;</p> <p><strong class="example">Example 1:</strong></p> <div class="example-block"> <p><strong>Input:</strong> <span class="example-io">path = &quot;/home/&quot;</span></p> <p><strong>Output:</strong> <span class="example-io">&quot;/home&quot;</span></p> <p><strong>Explanation:</strong></p> <p>The trailing slash should be removed.</p> </div> <p><strong class="example">Example 2:</strong></p> <div class="example-block"> <p><strong>Input:</strong> <span class="example-io">path = &quot;/home//foo/&quot;</span></p> <p><strong>Output:</strong> <span class="example-io">&quot;/home/foo&quot;</span></p> <p><strong>Explanation:</strong></p> <p>Multiple consecutive slashes are replaced by a single one.</p> </div> <p><strong class="example">Example 3:</strong></p> <div class="example-block"> <p><strong>Input:</strong> <span class="example-io">path = &quot;/home/user/Documents/../Pictures&quot;</span></p> <p><strong>Output:</strong> <span class="example-io">&quot;/home/user/Pictures&quot;</span></p> <p><strong>Explanation:</strong></p> <p>A double period <code>&quot;..&quot;</code> refers to the directory up a level (the parent directory).</p> </div> <p><strong class="example">Example 4:</strong></p> <div class="example-block"> <p><strong>Input:</strong> <span class="example-io">path = &quot;/../&quot;</span></p> <p><strong>Output:</strong> <span class="example-io">&quot;/&quot;</span></p> <p><strong>Explanation:</strong></p> <p>Going one level up from the root directory is not possible.</p> </div> <p><strong class="example">Example 5:</strong></p> <div class="example-block"> <p><strong>Input:</strong> <span class="example-io">path = &quot;/.../a/../b/c/../d/./&quot;</span></p> <p><strong>Output:</strong> <span class="example-io">&quot;/.../b/d&quot;</span></p> <p><strong>Explanation:</strong></p> <p><code>&quot;...&quot;</code> is a valid name for a directory in this problem.</p> </div> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li><code>1 &lt;= path.length &lt;= 3000</code></li> <li><code>path</code> consists of English letters, digits, period <code>&#39;.&#39;</code>, slash <code>&#39;/&#39;</code> or <code>&#39;_&#39;</code>.</li> <li><code>path</code> is a valid absolute Unix path.</li> </ul>
Stack; String
C#
public class Solution { public string SimplifyPath(string path) { var stk = new Stack<string>(); foreach (var s in path.Split('/')) { if (s == "" || s == ".") { continue; } if (s == "..") { if (stk.Count > 0) { stk.Pop(); } } else { stk.Push(s); } } var sb = new StringBuilder(); while (stk.Count > 0) { sb.Insert(0, "/" + stk.Pop()); } return sb.Length == 0 ? "/" : sb.ToString(); } }
71
Simplify Path
Medium
<p>You are given an <em>absolute</em> path for a Unix-style file system, which always begins with a slash <code>&#39;/&#39;</code>. Your task is to transform this absolute path into its <strong>simplified canonical path</strong>.</p> <p>The <em>rules</em> of a Unix-style file system are as follows:</p> <ul> <li>A single period <code>&#39;.&#39;</code> represents the current directory.</li> <li>A double period <code>&#39;..&#39;</code> represents the previous/parent directory.</li> <li>Multiple consecutive slashes such as <code>&#39;//&#39;</code> and <code>&#39;///&#39;</code> are treated as a single slash <code>&#39;/&#39;</code>.</li> <li>Any sequence of periods that does <strong>not match</strong> the rules above should be treated as a <strong>valid directory or</strong> <strong>file </strong><strong>name</strong>. For example, <code>&#39;...&#39; </code>and <code>&#39;....&#39;</code> are valid directory or file names.</li> </ul> <p>The simplified canonical path should follow these <em>rules</em>:</p> <ul> <li>The path must start with a single slash <code>&#39;/&#39;</code>.</li> <li>Directories within the path must be separated by exactly one slash <code>&#39;/&#39;</code>.</li> <li>The path must not end with a slash <code>&#39;/&#39;</code>, unless it is the root directory.</li> <li>The path must not have any single or double periods (<code>&#39;.&#39;</code> and <code>&#39;..&#39;</code>) used to denote current or parent directories.</li> </ul> <p>Return the <strong>simplified canonical path</strong>.</p> <p>&nbsp;</p> <p><strong class="example">Example 1:</strong></p> <div class="example-block"> <p><strong>Input:</strong> <span class="example-io">path = &quot;/home/&quot;</span></p> <p><strong>Output:</strong> <span class="example-io">&quot;/home&quot;</span></p> <p><strong>Explanation:</strong></p> <p>The trailing slash should be removed.</p> </div> <p><strong class="example">Example 2:</strong></p> <div class="example-block"> <p><strong>Input:</strong> <span class="example-io">path = &quot;/home//foo/&quot;</span></p> <p><strong>Output:</strong> <span class="example-io">&quot;/home/foo&quot;</span></p> <p><strong>Explanation:</strong></p> <p>Multiple consecutive slashes are replaced by a single one.</p> </div> <p><strong class="example">Example 3:</strong></p> <div class="example-block"> <p><strong>Input:</strong> <span class="example-io">path = &quot;/home/user/Documents/../Pictures&quot;</span></p> <p><strong>Output:</strong> <span class="example-io">&quot;/home/user/Pictures&quot;</span></p> <p><strong>Explanation:</strong></p> <p>A double period <code>&quot;..&quot;</code> refers to the directory up a level (the parent directory).</p> </div> <p><strong class="example">Example 4:</strong></p> <div class="example-block"> <p><strong>Input:</strong> <span class="example-io">path = &quot;/../&quot;</span></p> <p><strong>Output:</strong> <span class="example-io">&quot;/&quot;</span></p> <p><strong>Explanation:</strong></p> <p>Going one level up from the root directory is not possible.</p> </div> <p><strong class="example">Example 5:</strong></p> <div class="example-block"> <p><strong>Input:</strong> <span class="example-io">path = &quot;/.../a/../b/c/../d/./&quot;</span></p> <p><strong>Output:</strong> <span class="example-io">&quot;/.../b/d&quot;</span></p> <p><strong>Explanation:</strong></p> <p><code>&quot;...&quot;</code> is a valid name for a directory in this problem.</p> </div> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li><code>1 &lt;= path.length &lt;= 3000</code></li> <li><code>path</code> consists of English letters, digits, period <code>&#39;.&#39;</code>, slash <code>&#39;/&#39;</code> or <code>&#39;_&#39;</code>.</li> <li><code>path</code> is a valid absolute Unix path.</li> </ul>
Stack; String
Go
func simplifyPath(path string) string { var stk []string for _, s := range strings.Split(path, "/") { if s == "" || s == "." { continue } if s == ".." { if len(stk) > 0 { stk = stk[0 : len(stk)-1] } } else { stk = append(stk, s) } } return "/" + strings.Join(stk, "/") }
71
Simplify Path
Medium
<p>You are given an <em>absolute</em> path for a Unix-style file system, which always begins with a slash <code>&#39;/&#39;</code>. Your task is to transform this absolute path into its <strong>simplified canonical path</strong>.</p> <p>The <em>rules</em> of a Unix-style file system are as follows:</p> <ul> <li>A single period <code>&#39;.&#39;</code> represents the current directory.</li> <li>A double period <code>&#39;..&#39;</code> represents the previous/parent directory.</li> <li>Multiple consecutive slashes such as <code>&#39;//&#39;</code> and <code>&#39;///&#39;</code> are treated as a single slash <code>&#39;/&#39;</code>.</li> <li>Any sequence of periods that does <strong>not match</strong> the rules above should be treated as a <strong>valid directory or</strong> <strong>file </strong><strong>name</strong>. For example, <code>&#39;...&#39; </code>and <code>&#39;....&#39;</code> are valid directory or file names.</li> </ul> <p>The simplified canonical path should follow these <em>rules</em>:</p> <ul> <li>The path must start with a single slash <code>&#39;/&#39;</code>.</li> <li>Directories within the path must be separated by exactly one slash <code>&#39;/&#39;</code>.</li> <li>The path must not end with a slash <code>&#39;/&#39;</code>, unless it is the root directory.</li> <li>The path must not have any single or double periods (<code>&#39;.&#39;</code> and <code>&#39;..&#39;</code>) used to denote current or parent directories.</li> </ul> <p>Return the <strong>simplified canonical path</strong>.</p> <p>&nbsp;</p> <p><strong class="example">Example 1:</strong></p> <div class="example-block"> <p><strong>Input:</strong> <span class="example-io">path = &quot;/home/&quot;</span></p> <p><strong>Output:</strong> <span class="example-io">&quot;/home&quot;</span></p> <p><strong>Explanation:</strong></p> <p>The trailing slash should be removed.</p> </div> <p><strong class="example">Example 2:</strong></p> <div class="example-block"> <p><strong>Input:</strong> <span class="example-io">path = &quot;/home//foo/&quot;</span></p> <p><strong>Output:</strong> <span class="example-io">&quot;/home/foo&quot;</span></p> <p><strong>Explanation:</strong></p> <p>Multiple consecutive slashes are replaced by a single one.</p> </div> <p><strong class="example">Example 3:</strong></p> <div class="example-block"> <p><strong>Input:</strong> <span class="example-io">path = &quot;/home/user/Documents/../Pictures&quot;</span></p> <p><strong>Output:</strong> <span class="example-io">&quot;/home/user/Pictures&quot;</span></p> <p><strong>Explanation:</strong></p> <p>A double period <code>&quot;..&quot;</code> refers to the directory up a level (the parent directory).</p> </div> <p><strong class="example">Example 4:</strong></p> <div class="example-block"> <p><strong>Input:</strong> <span class="example-io">path = &quot;/../&quot;</span></p> <p><strong>Output:</strong> <span class="example-io">&quot;/&quot;</span></p> <p><strong>Explanation:</strong></p> <p>Going one level up from the root directory is not possible.</p> </div> <p><strong class="example">Example 5:</strong></p> <div class="example-block"> <p><strong>Input:</strong> <span class="example-io">path = &quot;/.../a/../b/c/../d/./&quot;</span></p> <p><strong>Output:</strong> <span class="example-io">&quot;/.../b/d&quot;</span></p> <p><strong>Explanation:</strong></p> <p><code>&quot;...&quot;</code> is a valid name for a directory in this problem.</p> </div> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li><code>1 &lt;= path.length &lt;= 3000</code></li> <li><code>path</code> consists of English letters, digits, period <code>&#39;.&#39;</code>, slash <code>&#39;/&#39;</code> or <code>&#39;_&#39;</code>.</li> <li><code>path</code> is a valid absolute Unix path.</li> </ul>
Stack; String
Java
class Solution { public String simplifyPath(String path) { Deque<String> stk = new ArrayDeque<>(); for (String s : path.split("/")) { if ("".equals(s) || ".".equals(s)) { continue; } if ("..".equals(s)) { stk.pollLast(); } else { stk.offerLast(s); } } return "/" + String.join("/", stk); } }
71
Simplify Path
Medium
<p>You are given an <em>absolute</em> path for a Unix-style file system, which always begins with a slash <code>&#39;/&#39;</code>. Your task is to transform this absolute path into its <strong>simplified canonical path</strong>.</p> <p>The <em>rules</em> of a Unix-style file system are as follows:</p> <ul> <li>A single period <code>&#39;.&#39;</code> represents the current directory.</li> <li>A double period <code>&#39;..&#39;</code> represents the previous/parent directory.</li> <li>Multiple consecutive slashes such as <code>&#39;//&#39;</code> and <code>&#39;///&#39;</code> are treated as a single slash <code>&#39;/&#39;</code>.</li> <li>Any sequence of periods that does <strong>not match</strong> the rules above should be treated as a <strong>valid directory or</strong> <strong>file </strong><strong>name</strong>. For example, <code>&#39;...&#39; </code>and <code>&#39;....&#39;</code> are valid directory or file names.</li> </ul> <p>The simplified canonical path should follow these <em>rules</em>:</p> <ul> <li>The path must start with a single slash <code>&#39;/&#39;</code>.</li> <li>Directories within the path must be separated by exactly one slash <code>&#39;/&#39;</code>.</li> <li>The path must not end with a slash <code>&#39;/&#39;</code>, unless it is the root directory.</li> <li>The path must not have any single or double periods (<code>&#39;.&#39;</code> and <code>&#39;..&#39;</code>) used to denote current or parent directories.</li> </ul> <p>Return the <strong>simplified canonical path</strong>.</p> <p>&nbsp;</p> <p><strong class="example">Example 1:</strong></p> <div class="example-block"> <p><strong>Input:</strong> <span class="example-io">path = &quot;/home/&quot;</span></p> <p><strong>Output:</strong> <span class="example-io">&quot;/home&quot;</span></p> <p><strong>Explanation:</strong></p> <p>The trailing slash should be removed.</p> </div> <p><strong class="example">Example 2:</strong></p> <div class="example-block"> <p><strong>Input:</strong> <span class="example-io">path = &quot;/home//foo/&quot;</span></p> <p><strong>Output:</strong> <span class="example-io">&quot;/home/foo&quot;</span></p> <p><strong>Explanation:</strong></p> <p>Multiple consecutive slashes are replaced by a single one.</p> </div> <p><strong class="example">Example 3:</strong></p> <div class="example-block"> <p><strong>Input:</strong> <span class="example-io">path = &quot;/home/user/Documents/../Pictures&quot;</span></p> <p><strong>Output:</strong> <span class="example-io">&quot;/home/user/Pictures&quot;</span></p> <p><strong>Explanation:</strong></p> <p>A double period <code>&quot;..&quot;</code> refers to the directory up a level (the parent directory).</p> </div> <p><strong class="example">Example 4:</strong></p> <div class="example-block"> <p><strong>Input:</strong> <span class="example-io">path = &quot;/../&quot;</span></p> <p><strong>Output:</strong> <span class="example-io">&quot;/&quot;</span></p> <p><strong>Explanation:</strong></p> <p>Going one level up from the root directory is not possible.</p> </div> <p><strong class="example">Example 5:</strong></p> <div class="example-block"> <p><strong>Input:</strong> <span class="example-io">path = &quot;/.../a/../b/c/../d/./&quot;</span></p> <p><strong>Output:</strong> <span class="example-io">&quot;/.../b/d&quot;</span></p> <p><strong>Explanation:</strong></p> <p><code>&quot;...&quot;</code> is a valid name for a directory in this problem.</p> </div> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li><code>1 &lt;= path.length &lt;= 3000</code></li> <li><code>path</code> consists of English letters, digits, period <code>&#39;.&#39;</code>, slash <code>&#39;/&#39;</code> or <code>&#39;_&#39;</code>.</li> <li><code>path</code> is a valid absolute Unix path.</li> </ul>
Stack; String
Python
class Solution: def simplifyPath(self, path: str) -> str: stk = [] for s in path.split('/'): if not s or s == '.': continue if s == '..': if stk: stk.pop() else: stk.append(s) return '/' + '/'.join(stk)
71
Simplify Path
Medium
<p>You are given an <em>absolute</em> path for a Unix-style file system, which always begins with a slash <code>&#39;/&#39;</code>. Your task is to transform this absolute path into its <strong>simplified canonical path</strong>.</p> <p>The <em>rules</em> of a Unix-style file system are as follows:</p> <ul> <li>A single period <code>&#39;.&#39;</code> represents the current directory.</li> <li>A double period <code>&#39;..&#39;</code> represents the previous/parent directory.</li> <li>Multiple consecutive slashes such as <code>&#39;//&#39;</code> and <code>&#39;///&#39;</code> are treated as a single slash <code>&#39;/&#39;</code>.</li> <li>Any sequence of periods that does <strong>not match</strong> the rules above should be treated as a <strong>valid directory or</strong> <strong>file </strong><strong>name</strong>. For example, <code>&#39;...&#39; </code>and <code>&#39;....&#39;</code> are valid directory or file names.</li> </ul> <p>The simplified canonical path should follow these <em>rules</em>:</p> <ul> <li>The path must start with a single slash <code>&#39;/&#39;</code>.</li> <li>Directories within the path must be separated by exactly one slash <code>&#39;/&#39;</code>.</li> <li>The path must not end with a slash <code>&#39;/&#39;</code>, unless it is the root directory.</li> <li>The path must not have any single or double periods (<code>&#39;.&#39;</code> and <code>&#39;..&#39;</code>) used to denote current or parent directories.</li> </ul> <p>Return the <strong>simplified canonical path</strong>.</p> <p>&nbsp;</p> <p><strong class="example">Example 1:</strong></p> <div class="example-block"> <p><strong>Input:</strong> <span class="example-io">path = &quot;/home/&quot;</span></p> <p><strong>Output:</strong> <span class="example-io">&quot;/home&quot;</span></p> <p><strong>Explanation:</strong></p> <p>The trailing slash should be removed.</p> </div> <p><strong class="example">Example 2:</strong></p> <div class="example-block"> <p><strong>Input:</strong> <span class="example-io">path = &quot;/home//foo/&quot;</span></p> <p><strong>Output:</strong> <span class="example-io">&quot;/home/foo&quot;</span></p> <p><strong>Explanation:</strong></p> <p>Multiple consecutive slashes are replaced by a single one.</p> </div> <p><strong class="example">Example 3:</strong></p> <div class="example-block"> <p><strong>Input:</strong> <span class="example-io">path = &quot;/home/user/Documents/../Pictures&quot;</span></p> <p><strong>Output:</strong> <span class="example-io">&quot;/home/user/Pictures&quot;</span></p> <p><strong>Explanation:</strong></p> <p>A double period <code>&quot;..&quot;</code> refers to the directory up a level (the parent directory).</p> </div> <p><strong class="example">Example 4:</strong></p> <div class="example-block"> <p><strong>Input:</strong> <span class="example-io">path = &quot;/../&quot;</span></p> <p><strong>Output:</strong> <span class="example-io">&quot;/&quot;</span></p> <p><strong>Explanation:</strong></p> <p>Going one level up from the root directory is not possible.</p> </div> <p><strong class="example">Example 5:</strong></p> <div class="example-block"> <p><strong>Input:</strong> <span class="example-io">path = &quot;/.../a/../b/c/../d/./&quot;</span></p> <p><strong>Output:</strong> <span class="example-io">&quot;/.../b/d&quot;</span></p> <p><strong>Explanation:</strong></p> <p><code>&quot;...&quot;</code> is a valid name for a directory in this problem.</p> </div> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li><code>1 &lt;= path.length &lt;= 3000</code></li> <li><code>path</code> consists of English letters, digits, period <code>&#39;.&#39;</code>, slash <code>&#39;/&#39;</code> or <code>&#39;_&#39;</code>.</li> <li><code>path</code> is a valid absolute Unix path.</li> </ul>
Stack; String
Rust
impl Solution { #[allow(dead_code)] pub fn simplify_path(path: String) -> String { let mut s: Vec<&str> = Vec::new(); // Split the path let p_vec = path.split("/").collect::<Vec<&str>>(); // Traverse the path vector for p in p_vec { match p { // Do nothing for "" or "." "" | "." => { continue; } ".." => { if !s.is_empty() { s.pop(); } } _ => s.push(p), } } "/".to_string() + &s.join("/") } }
71
Simplify Path
Medium
<p>You are given an <em>absolute</em> path for a Unix-style file system, which always begins with a slash <code>&#39;/&#39;</code>. Your task is to transform this absolute path into its <strong>simplified canonical path</strong>.</p> <p>The <em>rules</em> of a Unix-style file system are as follows:</p> <ul> <li>A single period <code>&#39;.&#39;</code> represents the current directory.</li> <li>A double period <code>&#39;..&#39;</code> represents the previous/parent directory.</li> <li>Multiple consecutive slashes such as <code>&#39;//&#39;</code> and <code>&#39;///&#39;</code> are treated as a single slash <code>&#39;/&#39;</code>.</li> <li>Any sequence of periods that does <strong>not match</strong> the rules above should be treated as a <strong>valid directory or</strong> <strong>file </strong><strong>name</strong>. For example, <code>&#39;...&#39; </code>and <code>&#39;....&#39;</code> are valid directory or file names.</li> </ul> <p>The simplified canonical path should follow these <em>rules</em>:</p> <ul> <li>The path must start with a single slash <code>&#39;/&#39;</code>.</li> <li>Directories within the path must be separated by exactly one slash <code>&#39;/&#39;</code>.</li> <li>The path must not end with a slash <code>&#39;/&#39;</code>, unless it is the root directory.</li> <li>The path must not have any single or double periods (<code>&#39;.&#39;</code> and <code>&#39;..&#39;</code>) used to denote current or parent directories.</li> </ul> <p>Return the <strong>simplified canonical path</strong>.</p> <p>&nbsp;</p> <p><strong class="example">Example 1:</strong></p> <div class="example-block"> <p><strong>Input:</strong> <span class="example-io">path = &quot;/home/&quot;</span></p> <p><strong>Output:</strong> <span class="example-io">&quot;/home&quot;</span></p> <p><strong>Explanation:</strong></p> <p>The trailing slash should be removed.</p> </div> <p><strong class="example">Example 2:</strong></p> <div class="example-block"> <p><strong>Input:</strong> <span class="example-io">path = &quot;/home//foo/&quot;</span></p> <p><strong>Output:</strong> <span class="example-io">&quot;/home/foo&quot;</span></p> <p><strong>Explanation:</strong></p> <p>Multiple consecutive slashes are replaced by a single one.</p> </div> <p><strong class="example">Example 3:</strong></p> <div class="example-block"> <p><strong>Input:</strong> <span class="example-io">path = &quot;/home/user/Documents/../Pictures&quot;</span></p> <p><strong>Output:</strong> <span class="example-io">&quot;/home/user/Pictures&quot;</span></p> <p><strong>Explanation:</strong></p> <p>A double period <code>&quot;..&quot;</code> refers to the directory up a level (the parent directory).</p> </div> <p><strong class="example">Example 4:</strong></p> <div class="example-block"> <p><strong>Input:</strong> <span class="example-io">path = &quot;/../&quot;</span></p> <p><strong>Output:</strong> <span class="example-io">&quot;/&quot;</span></p> <p><strong>Explanation:</strong></p> <p>Going one level up from the root directory is not possible.</p> </div> <p><strong class="example">Example 5:</strong></p> <div class="example-block"> <p><strong>Input:</strong> <span class="example-io">path = &quot;/.../a/../b/c/../d/./&quot;</span></p> <p><strong>Output:</strong> <span class="example-io">&quot;/.../b/d&quot;</span></p> <p><strong>Explanation:</strong></p> <p><code>&quot;...&quot;</code> is a valid name for a directory in this problem.</p> </div> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li><code>1 &lt;= path.length &lt;= 3000</code></li> <li><code>path</code> consists of English letters, digits, period <code>&#39;.&#39;</code>, slash <code>&#39;/&#39;</code> or <code>&#39;_&#39;</code>.</li> <li><code>path</code> is a valid absolute Unix path.</li> </ul>
Stack; String
TypeScript
function simplifyPath(path: string): string { const stk: string[] = []; for (const s of path.split('/')) { if (s === '' || s === '.') { continue; } if (s === '..') { if (stk.length) { stk.pop(); } } else { stk.push(s); } } return '/' + stk.join('/'); }
72
Edit Distance
Medium
<p>Given two strings <code>word1</code> and <code>word2</code>, return <em>the minimum number of operations required to convert <code>word1</code> to <code>word2</code></em>.</p> <p>You have the following three operations permitted on a word:</p> <ul> <li>Insert a character</li> <li>Delete a character</li> <li>Replace a character</li> </ul> <p>&nbsp;</p> <p><strong class="example">Example 1:</strong></p> <pre> <strong>Input:</strong> word1 = &quot;horse&quot;, word2 = &quot;ros&quot; <strong>Output:</strong> 3 <strong>Explanation:</strong> horse -&gt; rorse (replace &#39;h&#39; with &#39;r&#39;) rorse -&gt; rose (remove &#39;r&#39;) rose -&gt; ros (remove &#39;e&#39;) </pre> <p><strong class="example">Example 2:</strong></p> <pre> <strong>Input:</strong> word1 = &quot;intention&quot;, word2 = &quot;execution&quot; <strong>Output:</strong> 5 <strong>Explanation:</strong> intention -&gt; inention (remove &#39;t&#39;) inention -&gt; enention (replace &#39;i&#39; with &#39;e&#39;) enention -&gt; exention (replace &#39;n&#39; with &#39;x&#39;) exention -&gt; exection (replace &#39;n&#39; with &#39;c&#39;) exection -&gt; execution (insert &#39;u&#39;) </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li><code>0 &lt;= word1.length, word2.length &lt;= 500</code></li> <li><code>word1</code> and <code>word2</code> consist of lowercase English letters.</li> </ul>
String; Dynamic Programming
C++
class Solution { public: int minDistance(string word1, string word2) { int m = word1.size(), n = word2.size(); int f[m + 1][n + 1]; for (int j = 0; j <= n; ++j) { f[0][j] = j; } for (int i = 1; i <= m; ++i) { f[i][0] = i; for (int j = 1; j <= n; ++j) { if (word1[i - 1] == word2[j - 1]) { f[i][j] = f[i - 1][j - 1]; } else { f[i][j] = min({f[i - 1][j], f[i][j - 1], f[i - 1][j - 1]}) + 1; } } } return f[m][n]; } };
72
Edit Distance
Medium
<p>Given two strings <code>word1</code> and <code>word2</code>, return <em>the minimum number of operations required to convert <code>word1</code> to <code>word2</code></em>.</p> <p>You have the following three operations permitted on a word:</p> <ul> <li>Insert a character</li> <li>Delete a character</li> <li>Replace a character</li> </ul> <p>&nbsp;</p> <p><strong class="example">Example 1:</strong></p> <pre> <strong>Input:</strong> word1 = &quot;horse&quot;, word2 = &quot;ros&quot; <strong>Output:</strong> 3 <strong>Explanation:</strong> horse -&gt; rorse (replace &#39;h&#39; with &#39;r&#39;) rorse -&gt; rose (remove &#39;r&#39;) rose -&gt; ros (remove &#39;e&#39;) </pre> <p><strong class="example">Example 2:</strong></p> <pre> <strong>Input:</strong> word1 = &quot;intention&quot;, word2 = &quot;execution&quot; <strong>Output:</strong> 5 <strong>Explanation:</strong> intention -&gt; inention (remove &#39;t&#39;) inention -&gt; enention (replace &#39;i&#39; with &#39;e&#39;) enention -&gt; exention (replace &#39;n&#39; with &#39;x&#39;) exention -&gt; exection (replace &#39;n&#39; with &#39;c&#39;) exection -&gt; execution (insert &#39;u&#39;) </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li><code>0 &lt;= word1.length, word2.length &lt;= 500</code></li> <li><code>word1</code> and <code>word2</code> consist of lowercase English letters.</li> </ul>
String; Dynamic Programming
Go
func minDistance(word1 string, word2 string) int { m, n := len(word1), len(word2) f := make([][]int, m+1) for i := range f { f[i] = make([]int, n+1) } for j := 1; j <= n; j++ { f[0][j] = j } for i := 1; i <= m; i++ { f[i][0] = i for j := 1; j <= n; j++ { if word1[i-1] == word2[j-1] { f[i][j] = f[i-1][j-1] } else { f[i][j] = min(f[i-1][j], min(f[i][j-1], f[i-1][j-1])) + 1 } } } return f[m][n] }
72
Edit Distance
Medium
<p>Given two strings <code>word1</code> and <code>word2</code>, return <em>the minimum number of operations required to convert <code>word1</code> to <code>word2</code></em>.</p> <p>You have the following three operations permitted on a word:</p> <ul> <li>Insert a character</li> <li>Delete a character</li> <li>Replace a character</li> </ul> <p>&nbsp;</p> <p><strong class="example">Example 1:</strong></p> <pre> <strong>Input:</strong> word1 = &quot;horse&quot;, word2 = &quot;ros&quot; <strong>Output:</strong> 3 <strong>Explanation:</strong> horse -&gt; rorse (replace &#39;h&#39; with &#39;r&#39;) rorse -&gt; rose (remove &#39;r&#39;) rose -&gt; ros (remove &#39;e&#39;) </pre> <p><strong class="example">Example 2:</strong></p> <pre> <strong>Input:</strong> word1 = &quot;intention&quot;, word2 = &quot;execution&quot; <strong>Output:</strong> 5 <strong>Explanation:</strong> intention -&gt; inention (remove &#39;t&#39;) inention -&gt; enention (replace &#39;i&#39; with &#39;e&#39;) enention -&gt; exention (replace &#39;n&#39; with &#39;x&#39;) exention -&gt; exection (replace &#39;n&#39; with &#39;c&#39;) exection -&gt; execution (insert &#39;u&#39;) </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li><code>0 &lt;= word1.length, word2.length &lt;= 500</code></li> <li><code>word1</code> and <code>word2</code> consist of lowercase English letters.</li> </ul>
String; Dynamic Programming
Java
class Solution { public int minDistance(String word1, String word2) { int m = word1.length(), n = word2.length(); int[][] f = new int[m + 1][n + 1]; for (int j = 1; j <= n; ++j) { f[0][j] = j; } for (int i = 1; i <= m; ++i) { f[i][0] = i; for (int j = 1; j <= n; ++j) { if (word1.charAt(i - 1) == word2.charAt(j - 1)) { f[i][j] = f[i - 1][j - 1]; } else { f[i][j] = Math.min(f[i - 1][j], Math.min(f[i][j - 1], f[i - 1][j - 1])) + 1; } } } return f[m][n]; } }
72
Edit Distance
Medium
<p>Given two strings <code>word1</code> and <code>word2</code>, return <em>the minimum number of operations required to convert <code>word1</code> to <code>word2</code></em>.</p> <p>You have the following three operations permitted on a word:</p> <ul> <li>Insert a character</li> <li>Delete a character</li> <li>Replace a character</li> </ul> <p>&nbsp;</p> <p><strong class="example">Example 1:</strong></p> <pre> <strong>Input:</strong> word1 = &quot;horse&quot;, word2 = &quot;ros&quot; <strong>Output:</strong> 3 <strong>Explanation:</strong> horse -&gt; rorse (replace &#39;h&#39; with &#39;r&#39;) rorse -&gt; rose (remove &#39;r&#39;) rose -&gt; ros (remove &#39;e&#39;) </pre> <p><strong class="example">Example 2:</strong></p> <pre> <strong>Input:</strong> word1 = &quot;intention&quot;, word2 = &quot;execution&quot; <strong>Output:</strong> 5 <strong>Explanation:</strong> intention -&gt; inention (remove &#39;t&#39;) inention -&gt; enention (replace &#39;i&#39; with &#39;e&#39;) enention -&gt; exention (replace &#39;n&#39; with &#39;x&#39;) exention -&gt; exection (replace &#39;n&#39; with &#39;c&#39;) exection -&gt; execution (insert &#39;u&#39;) </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li><code>0 &lt;= word1.length, word2.length &lt;= 500</code></li> <li><code>word1</code> and <code>word2</code> consist of lowercase English letters.</li> </ul>
String; Dynamic Programming
JavaScript
/** * @param {string} word1 * @param {string} word2 * @return {number} */ var minDistance = function (word1, word2) { const m = word1.length; const n = word2.length; const f = Array(m + 1) .fill(0) .map(() => Array(n + 1).fill(0)); for (let j = 1; j <= n; ++j) { f[0][j] = j; } for (let i = 1; i <= m; ++i) { f[i][0] = i; for (let j = 1; j <= n; ++j) { if (word1[i - 1] === word2[j - 1]) { f[i][j] = f[i - 1][j - 1]; } else { f[i][j] = Math.min(f[i - 1][j], f[i][j - 1], f[i - 1][j - 1]) + 1; } } } return f[m][n]; };
72
Edit Distance
Medium
<p>Given two strings <code>word1</code> and <code>word2</code>, return <em>the minimum number of operations required to convert <code>word1</code> to <code>word2</code></em>.</p> <p>You have the following three operations permitted on a word:</p> <ul> <li>Insert a character</li> <li>Delete a character</li> <li>Replace a character</li> </ul> <p>&nbsp;</p> <p><strong class="example">Example 1:</strong></p> <pre> <strong>Input:</strong> word1 = &quot;horse&quot;, word2 = &quot;ros&quot; <strong>Output:</strong> 3 <strong>Explanation:</strong> horse -&gt; rorse (replace &#39;h&#39; with &#39;r&#39;) rorse -&gt; rose (remove &#39;r&#39;) rose -&gt; ros (remove &#39;e&#39;) </pre> <p><strong class="example">Example 2:</strong></p> <pre> <strong>Input:</strong> word1 = &quot;intention&quot;, word2 = &quot;execution&quot; <strong>Output:</strong> 5 <strong>Explanation:</strong> intention -&gt; inention (remove &#39;t&#39;) inention -&gt; enention (replace &#39;i&#39; with &#39;e&#39;) enention -&gt; exention (replace &#39;n&#39; with &#39;x&#39;) exention -&gt; exection (replace &#39;n&#39; with &#39;c&#39;) exection -&gt; execution (insert &#39;u&#39;) </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li><code>0 &lt;= word1.length, word2.length &lt;= 500</code></li> <li><code>word1</code> and <code>word2</code> consist of lowercase English letters.</li> </ul>
String; Dynamic Programming
Python
class Solution: def minDistance(self, word1: str, word2: str) -> int: m, n = len(word1), len(word2) f = [[0] * (n + 1) for _ in range(m + 1)] for j in range(1, n + 1): f[0][j] = j for i, a in enumerate(word1, 1): f[i][0] = i for j, b in enumerate(word2, 1): if a == b: f[i][j] = f[i - 1][j - 1] else: f[i][j] = min(f[i - 1][j], f[i][j - 1], f[i - 1][j - 1]) + 1 return f[m][n]
72
Edit Distance
Medium
<p>Given two strings <code>word1</code> and <code>word2</code>, return <em>the minimum number of operations required to convert <code>word1</code> to <code>word2</code></em>.</p> <p>You have the following three operations permitted on a word:</p> <ul> <li>Insert a character</li> <li>Delete a character</li> <li>Replace a character</li> </ul> <p>&nbsp;</p> <p><strong class="example">Example 1:</strong></p> <pre> <strong>Input:</strong> word1 = &quot;horse&quot;, word2 = &quot;ros&quot; <strong>Output:</strong> 3 <strong>Explanation:</strong> horse -&gt; rorse (replace &#39;h&#39; with &#39;r&#39;) rorse -&gt; rose (remove &#39;r&#39;) rose -&gt; ros (remove &#39;e&#39;) </pre> <p><strong class="example">Example 2:</strong></p> <pre> <strong>Input:</strong> word1 = &quot;intention&quot;, word2 = &quot;execution&quot; <strong>Output:</strong> 5 <strong>Explanation:</strong> intention -&gt; inention (remove &#39;t&#39;) inention -&gt; enention (replace &#39;i&#39; with &#39;e&#39;) enention -&gt; exention (replace &#39;n&#39; with &#39;x&#39;) exention -&gt; exection (replace &#39;n&#39; with &#39;c&#39;) exection -&gt; execution (insert &#39;u&#39;) </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li><code>0 &lt;= word1.length, word2.length &lt;= 500</code></li> <li><code>word1</code> and <code>word2</code> consist of lowercase English letters.</li> </ul>
String; Dynamic Programming
TypeScript
function minDistance(word1: string, word2: string): number { const m = word1.length; const n = word2.length; const f: number[][] = Array(m + 1) .fill(0) .map(() => Array(n + 1).fill(0)); for (let j = 1; j <= n; ++j) { f[0][j] = j; } for (let i = 1; i <= m; ++i) { f[i][0] = i; for (let j = 1; j <= n; ++j) { if (word1[i - 1] === word2[j - 1]) { f[i][j] = f[i - 1][j - 1]; } else { f[i][j] = Math.min(f[i - 1][j], f[i][j - 1], f[i - 1][j - 1]) + 1; } } } return f[m][n]; }
73
Set Matrix Zeroes
Medium
<p>Given an <code>m x n</code> integer matrix <code>matrix</code>, if an element is <code>0</code>, set its entire row and column to <code>0</code>&#39;s.</p> <p>You must do it <a href="https://en.wikipedia.org/wiki/In-place_algorithm" target="_blank">in place</a>.</p> <p>&nbsp;</p> <p><strong class="example">Example 1:</strong></p> <img alt="" src="https://fastly.jsdelivr.net/gh/doocs/leetcode@main/solution/0000-0099/0073.Set%20Matrix%20Zeroes/images/mat1.jpg" style="width: 450px; height: 169px;" /> <pre> <strong>Input:</strong> matrix = [[1,1,1],[1,0,1],[1,1,1]] <strong>Output:</strong> [[1,0,1],[0,0,0],[1,0,1]] </pre> <p><strong class="example">Example 2:</strong></p> <img alt="" src="https://fastly.jsdelivr.net/gh/doocs/leetcode@main/solution/0000-0099/0073.Set%20Matrix%20Zeroes/images/mat2.jpg" style="width: 450px; height: 137px;" /> <pre> <strong>Input:</strong> matrix = [[0,1,2,0],[3,4,5,2],[1,3,1,5]] <strong>Output:</strong> [[0,0,0,0],[0,4,5,0],[0,3,1,0]] </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li><code>m == matrix.length</code></li> <li><code>n == matrix[0].length</code></li> <li><code>1 &lt;= m, n &lt;= 200</code></li> <li><code>-2<sup>31</sup> &lt;= matrix[i][j] &lt;= 2<sup>31</sup> - 1</code></li> </ul> <p>&nbsp;</p> <p><strong>Follow up:</strong></p> <ul> <li>A straightforward solution using <code>O(mn)</code> space is probably a bad idea.</li> <li>A simple improvement uses <code>O(m + n)</code> space, but still not the best solution.</li> <li>Could you devise a constant space solution?</li> </ul>
Array; Hash Table; Matrix
C++
class Solution { public: void setZeroes(vector<vector<int>>& matrix) { int m = matrix.size(), n = matrix[0].size(); vector<bool> row(m); vector<bool> col(n); for (int i = 0; i < m; ++i) { for (int j = 0; j < n; ++j) { if (matrix[i][j] == 0) { row[i] = col[j] = true; } } } for (int i = 0; i < m; ++i) { for (int j = 0; j < n; ++j) { if (row[i] || col[j]) { matrix[i][j] = 0; } } } } };
73
Set Matrix Zeroes
Medium
<p>Given an <code>m x n</code> integer matrix <code>matrix</code>, if an element is <code>0</code>, set its entire row and column to <code>0</code>&#39;s.</p> <p>You must do it <a href="https://en.wikipedia.org/wiki/In-place_algorithm" target="_blank">in place</a>.</p> <p>&nbsp;</p> <p><strong class="example">Example 1:</strong></p> <img alt="" src="https://fastly.jsdelivr.net/gh/doocs/leetcode@main/solution/0000-0099/0073.Set%20Matrix%20Zeroes/images/mat1.jpg" style="width: 450px; height: 169px;" /> <pre> <strong>Input:</strong> matrix = [[1,1,1],[1,0,1],[1,1,1]] <strong>Output:</strong> [[1,0,1],[0,0,0],[1,0,1]] </pre> <p><strong class="example">Example 2:</strong></p> <img alt="" src="https://fastly.jsdelivr.net/gh/doocs/leetcode@main/solution/0000-0099/0073.Set%20Matrix%20Zeroes/images/mat2.jpg" style="width: 450px; height: 137px;" /> <pre> <strong>Input:</strong> matrix = [[0,1,2,0],[3,4,5,2],[1,3,1,5]] <strong>Output:</strong> [[0,0,0,0],[0,4,5,0],[0,3,1,0]] </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li><code>m == matrix.length</code></li> <li><code>n == matrix[0].length</code></li> <li><code>1 &lt;= m, n &lt;= 200</code></li> <li><code>-2<sup>31</sup> &lt;= matrix[i][j] &lt;= 2<sup>31</sup> - 1</code></li> </ul> <p>&nbsp;</p> <p><strong>Follow up:</strong></p> <ul> <li>A straightforward solution using <code>O(mn)</code> space is probably a bad idea.</li> <li>A simple improvement uses <code>O(m + n)</code> space, but still not the best solution.</li> <li>Could you devise a constant space solution?</li> </ul>
Array; Hash Table; Matrix
C#
public class Solution { public void SetZeroes(int[][] matrix) { int m = matrix.Length, n = matrix[0].Length; bool[] row = new bool[m], col = new bool[n]; for (int i = 0; i < m; ++i) { for (int j = 0; j < n; ++j) { if (matrix[i][j] == 0) { row[i] = true; col[j] = true; } } } for (int i = 0; i < m; ++i) { for (int j = 0; j < n; ++j) { if (row[i] || col[j]) { matrix[i][j] = 0; } } } } }
73
Set Matrix Zeroes
Medium
<p>Given an <code>m x n</code> integer matrix <code>matrix</code>, if an element is <code>0</code>, set its entire row and column to <code>0</code>&#39;s.</p> <p>You must do it <a href="https://en.wikipedia.org/wiki/In-place_algorithm" target="_blank">in place</a>.</p> <p>&nbsp;</p> <p><strong class="example">Example 1:</strong></p> <img alt="" src="https://fastly.jsdelivr.net/gh/doocs/leetcode@main/solution/0000-0099/0073.Set%20Matrix%20Zeroes/images/mat1.jpg" style="width: 450px; height: 169px;" /> <pre> <strong>Input:</strong> matrix = [[1,1,1],[1,0,1],[1,1,1]] <strong>Output:</strong> [[1,0,1],[0,0,0],[1,0,1]] </pre> <p><strong class="example">Example 2:</strong></p> <img alt="" src="https://fastly.jsdelivr.net/gh/doocs/leetcode@main/solution/0000-0099/0073.Set%20Matrix%20Zeroes/images/mat2.jpg" style="width: 450px; height: 137px;" /> <pre> <strong>Input:</strong> matrix = [[0,1,2,0],[3,4,5,2],[1,3,1,5]] <strong>Output:</strong> [[0,0,0,0],[0,4,5,0],[0,3,1,0]] </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li><code>m == matrix.length</code></li> <li><code>n == matrix[0].length</code></li> <li><code>1 &lt;= m, n &lt;= 200</code></li> <li><code>-2<sup>31</sup> &lt;= matrix[i][j] &lt;= 2<sup>31</sup> - 1</code></li> </ul> <p>&nbsp;</p> <p><strong>Follow up:</strong></p> <ul> <li>A straightforward solution using <code>O(mn)</code> space is probably a bad idea.</li> <li>A simple improvement uses <code>O(m + n)</code> space, but still not the best solution.</li> <li>Could you devise a constant space solution?</li> </ul>
Array; Hash Table; Matrix
Go
func setZeroes(matrix [][]int) { row := make([]bool, len(matrix)) col := make([]bool, len(matrix[0])) for i := range matrix { for j, x := range matrix[i] { if x == 0 { row[i] = true col[j] = true } } } for i := range matrix { for j := range matrix[i] { if row[i] || col[j] { matrix[i][j] = 0 } } } }
73
Set Matrix Zeroes
Medium
<p>Given an <code>m x n</code> integer matrix <code>matrix</code>, if an element is <code>0</code>, set its entire row and column to <code>0</code>&#39;s.</p> <p>You must do it <a href="https://en.wikipedia.org/wiki/In-place_algorithm" target="_blank">in place</a>.</p> <p>&nbsp;</p> <p><strong class="example">Example 1:</strong></p> <img alt="" src="https://fastly.jsdelivr.net/gh/doocs/leetcode@main/solution/0000-0099/0073.Set%20Matrix%20Zeroes/images/mat1.jpg" style="width: 450px; height: 169px;" /> <pre> <strong>Input:</strong> matrix = [[1,1,1],[1,0,1],[1,1,1]] <strong>Output:</strong> [[1,0,1],[0,0,0],[1,0,1]] </pre> <p><strong class="example">Example 2:</strong></p> <img alt="" src="https://fastly.jsdelivr.net/gh/doocs/leetcode@main/solution/0000-0099/0073.Set%20Matrix%20Zeroes/images/mat2.jpg" style="width: 450px; height: 137px;" /> <pre> <strong>Input:</strong> matrix = [[0,1,2,0],[3,4,5,2],[1,3,1,5]] <strong>Output:</strong> [[0,0,0,0],[0,4,5,0],[0,3,1,0]] </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li><code>m == matrix.length</code></li> <li><code>n == matrix[0].length</code></li> <li><code>1 &lt;= m, n &lt;= 200</code></li> <li><code>-2<sup>31</sup> &lt;= matrix[i][j] &lt;= 2<sup>31</sup> - 1</code></li> </ul> <p>&nbsp;</p> <p><strong>Follow up:</strong></p> <ul> <li>A straightforward solution using <code>O(mn)</code> space is probably a bad idea.</li> <li>A simple improvement uses <code>O(m + n)</code> space, but still not the best solution.</li> <li>Could you devise a constant space solution?</li> </ul>
Array; Hash Table; Matrix
Java
class Solution { public void setZeroes(int[][] matrix) { int m = matrix.length, n = matrix[0].length; boolean[] row = new boolean[m]; boolean[] col = new boolean[n]; for (int i = 0; i < m; ++i) { for (int j = 0; j < n; ++j) { if (matrix[i][j] == 0) { row[i] = col[j] = true; } } } for (int i = 0; i < m; ++i) { for (int j = 0; j < n; ++j) { if (row[i] || col[j]) { matrix[i][j] = 0; } } } } }
73
Set Matrix Zeroes
Medium
<p>Given an <code>m x n</code> integer matrix <code>matrix</code>, if an element is <code>0</code>, set its entire row and column to <code>0</code>&#39;s.</p> <p>You must do it <a href="https://en.wikipedia.org/wiki/In-place_algorithm" target="_blank">in place</a>.</p> <p>&nbsp;</p> <p><strong class="example">Example 1:</strong></p> <img alt="" src="https://fastly.jsdelivr.net/gh/doocs/leetcode@main/solution/0000-0099/0073.Set%20Matrix%20Zeroes/images/mat1.jpg" style="width: 450px; height: 169px;" /> <pre> <strong>Input:</strong> matrix = [[1,1,1],[1,0,1],[1,1,1]] <strong>Output:</strong> [[1,0,1],[0,0,0],[1,0,1]] </pre> <p><strong class="example">Example 2:</strong></p> <img alt="" src="https://fastly.jsdelivr.net/gh/doocs/leetcode@main/solution/0000-0099/0073.Set%20Matrix%20Zeroes/images/mat2.jpg" style="width: 450px; height: 137px;" /> <pre> <strong>Input:</strong> matrix = [[0,1,2,0],[3,4,5,2],[1,3,1,5]] <strong>Output:</strong> [[0,0,0,0],[0,4,5,0],[0,3,1,0]] </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li><code>m == matrix.length</code></li> <li><code>n == matrix[0].length</code></li> <li><code>1 &lt;= m, n &lt;= 200</code></li> <li><code>-2<sup>31</sup> &lt;= matrix[i][j] &lt;= 2<sup>31</sup> - 1</code></li> </ul> <p>&nbsp;</p> <p><strong>Follow up:</strong></p> <ul> <li>A straightforward solution using <code>O(mn)</code> space is probably a bad idea.</li> <li>A simple improvement uses <code>O(m + n)</code> space, but still not the best solution.</li> <li>Could you devise a constant space solution?</li> </ul>
Array; Hash Table; Matrix
JavaScript
/** * @param {number[][]} matrix * @return {void} Do not return anything, modify matrix in-place instead. */ var setZeroes = function (matrix) { const m = matrix.length; const n = matrix[0].length; const row = Array(m).fill(false); const col = Array(n).fill(false); for (let i = 0; i < m; ++i) { for (let j = 0; j < n; ++j) { if (matrix[i][j] === 0) { row[i] = col[j] = true; } } } for (let i = 0; i < m; ++i) { for (let j = 0; j < n; ++j) { if (row[i] || col[j]) { matrix[i][j] = 0; } } } };
73
Set Matrix Zeroes
Medium
<p>Given an <code>m x n</code> integer matrix <code>matrix</code>, if an element is <code>0</code>, set its entire row and column to <code>0</code>&#39;s.</p> <p>You must do it <a href="https://en.wikipedia.org/wiki/In-place_algorithm" target="_blank">in place</a>.</p> <p>&nbsp;</p> <p><strong class="example">Example 1:</strong></p> <img alt="" src="https://fastly.jsdelivr.net/gh/doocs/leetcode@main/solution/0000-0099/0073.Set%20Matrix%20Zeroes/images/mat1.jpg" style="width: 450px; height: 169px;" /> <pre> <strong>Input:</strong> matrix = [[1,1,1],[1,0,1],[1,1,1]] <strong>Output:</strong> [[1,0,1],[0,0,0],[1,0,1]] </pre> <p><strong class="example">Example 2:</strong></p> <img alt="" src="https://fastly.jsdelivr.net/gh/doocs/leetcode@main/solution/0000-0099/0073.Set%20Matrix%20Zeroes/images/mat2.jpg" style="width: 450px; height: 137px;" /> <pre> <strong>Input:</strong> matrix = [[0,1,2,0],[3,4,5,2],[1,3,1,5]] <strong>Output:</strong> [[0,0,0,0],[0,4,5,0],[0,3,1,0]] </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li><code>m == matrix.length</code></li> <li><code>n == matrix[0].length</code></li> <li><code>1 &lt;= m, n &lt;= 200</code></li> <li><code>-2<sup>31</sup> &lt;= matrix[i][j] &lt;= 2<sup>31</sup> - 1</code></li> </ul> <p>&nbsp;</p> <p><strong>Follow up:</strong></p> <ul> <li>A straightforward solution using <code>O(mn)</code> space is probably a bad idea.</li> <li>A simple improvement uses <code>O(m + n)</code> space, but still not the best solution.</li> <li>Could you devise a constant space solution?</li> </ul>
Array; Hash Table; Matrix
Python
class Solution: def setZeroes(self, matrix: List[List[int]]) -> None: m, n = len(matrix), len(matrix[0]) row = [False] * m col = [False] * n for i in range(m): for j in range(n): if matrix[i][j] == 0: row[i] = col[j] = True for i in range(m): for j in range(n): if row[i] or col[j]: matrix[i][j] = 0
73
Set Matrix Zeroes
Medium
<p>Given an <code>m x n</code> integer matrix <code>matrix</code>, if an element is <code>0</code>, set its entire row and column to <code>0</code>&#39;s.</p> <p>You must do it <a href="https://en.wikipedia.org/wiki/In-place_algorithm" target="_blank">in place</a>.</p> <p>&nbsp;</p> <p><strong class="example">Example 1:</strong></p> <img alt="" src="https://fastly.jsdelivr.net/gh/doocs/leetcode@main/solution/0000-0099/0073.Set%20Matrix%20Zeroes/images/mat1.jpg" style="width: 450px; height: 169px;" /> <pre> <strong>Input:</strong> matrix = [[1,1,1],[1,0,1],[1,1,1]] <strong>Output:</strong> [[1,0,1],[0,0,0],[1,0,1]] </pre> <p><strong class="example">Example 2:</strong></p> <img alt="" src="https://fastly.jsdelivr.net/gh/doocs/leetcode@main/solution/0000-0099/0073.Set%20Matrix%20Zeroes/images/mat2.jpg" style="width: 450px; height: 137px;" /> <pre> <strong>Input:</strong> matrix = [[0,1,2,0],[3,4,5,2],[1,3,1,5]] <strong>Output:</strong> [[0,0,0,0],[0,4,5,0],[0,3,1,0]] </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li><code>m == matrix.length</code></li> <li><code>n == matrix[0].length</code></li> <li><code>1 &lt;= m, n &lt;= 200</code></li> <li><code>-2<sup>31</sup> &lt;= matrix[i][j] &lt;= 2<sup>31</sup> - 1</code></li> </ul> <p>&nbsp;</p> <p><strong>Follow up:</strong></p> <ul> <li>A straightforward solution using <code>O(mn)</code> space is probably a bad idea.</li> <li>A simple improvement uses <code>O(m + n)</code> space, but still not the best solution.</li> <li>Could you devise a constant space solution?</li> </ul>
Array; Hash Table; Matrix
Rust
impl Solution { pub fn set_zeroes(matrix: &mut Vec<Vec<i32>>) { let m = matrix.len(); let n = matrix[0].len(); let mut row = vec![false; m]; let mut col = vec![false; n]; for i in 0..m { for j in 0..n { if matrix[i][j] == 0 { row[i] = true; col[j] = true; } } } for i in 0..m { for j in 0..n { if row[i] || col[j] { matrix[i][j] = 0; } } } } }
73
Set Matrix Zeroes
Medium
<p>Given an <code>m x n</code> integer matrix <code>matrix</code>, if an element is <code>0</code>, set its entire row and column to <code>0</code>&#39;s.</p> <p>You must do it <a href="https://en.wikipedia.org/wiki/In-place_algorithm" target="_blank">in place</a>.</p> <p>&nbsp;</p> <p><strong class="example">Example 1:</strong></p> <img alt="" src="https://fastly.jsdelivr.net/gh/doocs/leetcode@main/solution/0000-0099/0073.Set%20Matrix%20Zeroes/images/mat1.jpg" style="width: 450px; height: 169px;" /> <pre> <strong>Input:</strong> matrix = [[1,1,1],[1,0,1],[1,1,1]] <strong>Output:</strong> [[1,0,1],[0,0,0],[1,0,1]] </pre> <p><strong class="example">Example 2:</strong></p> <img alt="" src="https://fastly.jsdelivr.net/gh/doocs/leetcode@main/solution/0000-0099/0073.Set%20Matrix%20Zeroes/images/mat2.jpg" style="width: 450px; height: 137px;" /> <pre> <strong>Input:</strong> matrix = [[0,1,2,0],[3,4,5,2],[1,3,1,5]] <strong>Output:</strong> [[0,0,0,0],[0,4,5,0],[0,3,1,0]] </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li><code>m == matrix.length</code></li> <li><code>n == matrix[0].length</code></li> <li><code>1 &lt;= m, n &lt;= 200</code></li> <li><code>-2<sup>31</sup> &lt;= matrix[i][j] &lt;= 2<sup>31</sup> - 1</code></li> </ul> <p>&nbsp;</p> <p><strong>Follow up:</strong></p> <ul> <li>A straightforward solution using <code>O(mn)</code> space is probably a bad idea.</li> <li>A simple improvement uses <code>O(m + n)</code> space, but still not the best solution.</li> <li>Could you devise a constant space solution?</li> </ul>
Array; Hash Table; Matrix
TypeScript
/** Do not return anything, modify matrix in-place instead. */ function setZeroes(matrix: number[][]): void { const m = matrix.length; const n = matrix[0].length; const row: boolean[] = Array(m).fill(false); const col: boolean[] = Array(n).fill(false); for (let i = 0; i < m; ++i) { for (let j = 0; j < n; ++j) { if (matrix[i][j] === 0) { row[i] = col[j] = true; } } } for (let i = 0; i < m; ++i) { for (let j = 0; j < n; ++j) { if (row[i] || col[j]) { matrix[i][j] = 0; } } } }
74
Search a 2D Matrix
Medium
<p>You are given an <code>m x n</code> integer matrix <code>matrix</code> with the following two properties:</p> <ul> <li>Each row is sorted in non-decreasing order.</li> <li>The first integer of each row is greater than the last integer of the previous row.</li> </ul> <p>Given an integer <code>target</code>, return <code>true</code> <em>if</em> <code>target</code> <em>is in</em> <code>matrix</code> <em>or</em> <code>false</code> <em>otherwise</em>.</p> <p>You must write a solution in <code>O(log(m * n))</code> time complexity.</p> <p>&nbsp;</p> <p><strong class="example">Example 1:</strong></p> <img alt="" src="https://fastly.jsdelivr.net/gh/doocs/leetcode@main/solution/0000-0099/0074.Search%20a%202D%20Matrix/images/mat.jpg" style="width: 322px; height: 242px;" /> <pre> <strong>Input:</strong> matrix = [[1,3,5,7],[10,11,16,20],[23,30,34,60]], target = 3 <strong>Output:</strong> true </pre> <p><strong class="example">Example 2:</strong></p> <img alt="" src="https://fastly.jsdelivr.net/gh/doocs/leetcode@main/solution/0000-0099/0074.Search%20a%202D%20Matrix/images/mat2.jpg" style="width: 322px; height: 242px;" /> <pre> <strong>Input:</strong> matrix = [[1,3,5,7],[10,11,16,20],[23,30,34,60]], target = 13 <strong>Output:</strong> false </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li><code>m == matrix.length</code></li> <li><code>n == matrix[i].length</code></li> <li><code>1 &lt;= m, n &lt;= 100</code></li> <li><code>-10<sup>4</sup> &lt;= matrix[i][j], target &lt;= 10<sup>4</sup></code></li> </ul>
Array; Binary Search; Matrix
C++
class Solution { public: bool searchMatrix(vector<vector<int>>& matrix, int target) { int m = matrix.size(), n = matrix[0].size(); int left = 0, right = m * n - 1; while (left < right) { int mid = left + right >> 1; int x = mid / n, y = mid % n; if (matrix[x][y] >= target) { right = mid; } else { left = mid + 1; } } return matrix[left / n][left % n] == target; } };
74
Search a 2D Matrix
Medium
<p>You are given an <code>m x n</code> integer matrix <code>matrix</code> with the following two properties:</p> <ul> <li>Each row is sorted in non-decreasing order.</li> <li>The first integer of each row is greater than the last integer of the previous row.</li> </ul> <p>Given an integer <code>target</code>, return <code>true</code> <em>if</em> <code>target</code> <em>is in</em> <code>matrix</code> <em>or</em> <code>false</code> <em>otherwise</em>.</p> <p>You must write a solution in <code>O(log(m * n))</code> time complexity.</p> <p>&nbsp;</p> <p><strong class="example">Example 1:</strong></p> <img alt="" src="https://fastly.jsdelivr.net/gh/doocs/leetcode@main/solution/0000-0099/0074.Search%20a%202D%20Matrix/images/mat.jpg" style="width: 322px; height: 242px;" /> <pre> <strong>Input:</strong> matrix = [[1,3,5,7],[10,11,16,20],[23,30,34,60]], target = 3 <strong>Output:</strong> true </pre> <p><strong class="example">Example 2:</strong></p> <img alt="" src="https://fastly.jsdelivr.net/gh/doocs/leetcode@main/solution/0000-0099/0074.Search%20a%202D%20Matrix/images/mat2.jpg" style="width: 322px; height: 242px;" /> <pre> <strong>Input:</strong> matrix = [[1,3,5,7],[10,11,16,20],[23,30,34,60]], target = 13 <strong>Output:</strong> false </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li><code>m == matrix.length</code></li> <li><code>n == matrix[i].length</code></li> <li><code>1 &lt;= m, n &lt;= 100</code></li> <li><code>-10<sup>4</sup> &lt;= matrix[i][j], target &lt;= 10<sup>4</sup></code></li> </ul>
Array; Binary Search; Matrix
Go
func searchMatrix(matrix [][]int, target int) bool { m, n := len(matrix), len(matrix[0]) left, right := 0, m*n-1 for left < right { mid := (left + right) >> 1 x, y := mid/n, mid%n if matrix[x][y] >= target { right = mid } else { left = mid + 1 } } return matrix[left/n][left%n] == target }
74
Search a 2D Matrix
Medium
<p>You are given an <code>m x n</code> integer matrix <code>matrix</code> with the following two properties:</p> <ul> <li>Each row is sorted in non-decreasing order.</li> <li>The first integer of each row is greater than the last integer of the previous row.</li> </ul> <p>Given an integer <code>target</code>, return <code>true</code> <em>if</em> <code>target</code> <em>is in</em> <code>matrix</code> <em>or</em> <code>false</code> <em>otherwise</em>.</p> <p>You must write a solution in <code>O(log(m * n))</code> time complexity.</p> <p>&nbsp;</p> <p><strong class="example">Example 1:</strong></p> <img alt="" src="https://fastly.jsdelivr.net/gh/doocs/leetcode@main/solution/0000-0099/0074.Search%20a%202D%20Matrix/images/mat.jpg" style="width: 322px; height: 242px;" /> <pre> <strong>Input:</strong> matrix = [[1,3,5,7],[10,11,16,20],[23,30,34,60]], target = 3 <strong>Output:</strong> true </pre> <p><strong class="example">Example 2:</strong></p> <img alt="" src="https://fastly.jsdelivr.net/gh/doocs/leetcode@main/solution/0000-0099/0074.Search%20a%202D%20Matrix/images/mat2.jpg" style="width: 322px; height: 242px;" /> <pre> <strong>Input:</strong> matrix = [[1,3,5,7],[10,11,16,20],[23,30,34,60]], target = 13 <strong>Output:</strong> false </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li><code>m == matrix.length</code></li> <li><code>n == matrix[i].length</code></li> <li><code>1 &lt;= m, n &lt;= 100</code></li> <li><code>-10<sup>4</sup> &lt;= matrix[i][j], target &lt;= 10<sup>4</sup></code></li> </ul>
Array; Binary Search; Matrix
Java
class Solution { public boolean searchMatrix(int[][] matrix, int target) { int m = matrix.length, n = matrix[0].length; int left = 0, right = m * n - 1; while (left < right) { int mid = (left + right) >> 1; int x = mid / n, y = mid % n; if (matrix[x][y] >= target) { right = mid; } else { left = mid + 1; } } return matrix[left / n][left % n] == target; } }
74
Search a 2D Matrix
Medium
<p>You are given an <code>m x n</code> integer matrix <code>matrix</code> with the following two properties:</p> <ul> <li>Each row is sorted in non-decreasing order.</li> <li>The first integer of each row is greater than the last integer of the previous row.</li> </ul> <p>Given an integer <code>target</code>, return <code>true</code> <em>if</em> <code>target</code> <em>is in</em> <code>matrix</code> <em>or</em> <code>false</code> <em>otherwise</em>.</p> <p>You must write a solution in <code>O(log(m * n))</code> time complexity.</p> <p>&nbsp;</p> <p><strong class="example">Example 1:</strong></p> <img alt="" src="https://fastly.jsdelivr.net/gh/doocs/leetcode@main/solution/0000-0099/0074.Search%20a%202D%20Matrix/images/mat.jpg" style="width: 322px; height: 242px;" /> <pre> <strong>Input:</strong> matrix = [[1,3,5,7],[10,11,16,20],[23,30,34,60]], target = 3 <strong>Output:</strong> true </pre> <p><strong class="example">Example 2:</strong></p> <img alt="" src="https://fastly.jsdelivr.net/gh/doocs/leetcode@main/solution/0000-0099/0074.Search%20a%202D%20Matrix/images/mat2.jpg" style="width: 322px; height: 242px;" /> <pre> <strong>Input:</strong> matrix = [[1,3,5,7],[10,11,16,20],[23,30,34,60]], target = 13 <strong>Output:</strong> false </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li><code>m == matrix.length</code></li> <li><code>n == matrix[i].length</code></li> <li><code>1 &lt;= m, n &lt;= 100</code></li> <li><code>-10<sup>4</sup> &lt;= matrix[i][j], target &lt;= 10<sup>4</sup></code></li> </ul>
Array; Binary Search; Matrix
JavaScript
/** * @param {number[][]} matrix * @param {number} target * @return {boolean} */ var searchMatrix = function (matrix, target) { const m = matrix.length, n = matrix[0].length; let left = 0, right = m * n - 1; while (left < right) { const mid = (left + right + 1) >> 1; const x = Math.floor(mid / n); const y = mid % n; if (matrix[x][y] <= target) { left = mid; } else { right = mid - 1; } } return matrix[Math.floor(left / n)][left % n] == target; };
74
Search a 2D Matrix
Medium
<p>You are given an <code>m x n</code> integer matrix <code>matrix</code> with the following two properties:</p> <ul> <li>Each row is sorted in non-decreasing order.</li> <li>The first integer of each row is greater than the last integer of the previous row.</li> </ul> <p>Given an integer <code>target</code>, return <code>true</code> <em>if</em> <code>target</code> <em>is in</em> <code>matrix</code> <em>or</em> <code>false</code> <em>otherwise</em>.</p> <p>You must write a solution in <code>O(log(m * n))</code> time complexity.</p> <p>&nbsp;</p> <p><strong class="example">Example 1:</strong></p> <img alt="" src="https://fastly.jsdelivr.net/gh/doocs/leetcode@main/solution/0000-0099/0074.Search%20a%202D%20Matrix/images/mat.jpg" style="width: 322px; height: 242px;" /> <pre> <strong>Input:</strong> matrix = [[1,3,5,7],[10,11,16,20],[23,30,34,60]], target = 3 <strong>Output:</strong> true </pre> <p><strong class="example">Example 2:</strong></p> <img alt="" src="https://fastly.jsdelivr.net/gh/doocs/leetcode@main/solution/0000-0099/0074.Search%20a%202D%20Matrix/images/mat2.jpg" style="width: 322px; height: 242px;" /> <pre> <strong>Input:</strong> matrix = [[1,3,5,7],[10,11,16,20],[23,30,34,60]], target = 13 <strong>Output:</strong> false </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li><code>m == matrix.length</code></li> <li><code>n == matrix[i].length</code></li> <li><code>1 &lt;= m, n &lt;= 100</code></li> <li><code>-10<sup>4</sup> &lt;= matrix[i][j], target &lt;= 10<sup>4</sup></code></li> </ul>
Array; Binary Search; Matrix
Python
class Solution: def searchMatrix(self, matrix: List[List[int]], target: int) -> bool: m, n = len(matrix), len(matrix[0]) left, right = 0, m * n - 1 while left < right: mid = (left + right) >> 1 x, y = divmod(mid, n) if matrix[x][y] >= target: right = mid else: left = mid + 1 return matrix[left // n][left % n] == target
74
Search a 2D Matrix
Medium
<p>You are given an <code>m x n</code> integer matrix <code>matrix</code> with the following two properties:</p> <ul> <li>Each row is sorted in non-decreasing order.</li> <li>The first integer of each row is greater than the last integer of the previous row.</li> </ul> <p>Given an integer <code>target</code>, return <code>true</code> <em>if</em> <code>target</code> <em>is in</em> <code>matrix</code> <em>or</em> <code>false</code> <em>otherwise</em>.</p> <p>You must write a solution in <code>O(log(m * n))</code> time complexity.</p> <p>&nbsp;</p> <p><strong class="example">Example 1:</strong></p> <img alt="" src="https://fastly.jsdelivr.net/gh/doocs/leetcode@main/solution/0000-0099/0074.Search%20a%202D%20Matrix/images/mat.jpg" style="width: 322px; height: 242px;" /> <pre> <strong>Input:</strong> matrix = [[1,3,5,7],[10,11,16,20],[23,30,34,60]], target = 3 <strong>Output:</strong> true </pre> <p><strong class="example">Example 2:</strong></p> <img alt="" src="https://fastly.jsdelivr.net/gh/doocs/leetcode@main/solution/0000-0099/0074.Search%20a%202D%20Matrix/images/mat2.jpg" style="width: 322px; height: 242px;" /> <pre> <strong>Input:</strong> matrix = [[1,3,5,7],[10,11,16,20],[23,30,34,60]], target = 13 <strong>Output:</strong> false </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li><code>m == matrix.length</code></li> <li><code>n == matrix[i].length</code></li> <li><code>1 &lt;= m, n &lt;= 100</code></li> <li><code>-10<sup>4</sup> &lt;= matrix[i][j], target &lt;= 10<sup>4</sup></code></li> </ul>
Array; Binary Search; Matrix
Rust
use std::cmp::Ordering; impl Solution { pub fn search_matrix(matrix: Vec<Vec<i32>>, target: i32) -> bool { let m = matrix.len(); let n = matrix[0].len(); let mut i = 0; let mut j = n; while i < m && j > 0 { match matrix[i][j - 1].cmp(&target) { Ordering::Equal => { return true; } Ordering::Less => { i += 1; } Ordering::Greater => { j -= 1; } } } false } }
74
Search a 2D Matrix
Medium
<p>You are given an <code>m x n</code> integer matrix <code>matrix</code> with the following two properties:</p> <ul> <li>Each row is sorted in non-decreasing order.</li> <li>The first integer of each row is greater than the last integer of the previous row.</li> </ul> <p>Given an integer <code>target</code>, return <code>true</code> <em>if</em> <code>target</code> <em>is in</em> <code>matrix</code> <em>or</em> <code>false</code> <em>otherwise</em>.</p> <p>You must write a solution in <code>O(log(m * n))</code> time complexity.</p> <p>&nbsp;</p> <p><strong class="example">Example 1:</strong></p> <img alt="" src="https://fastly.jsdelivr.net/gh/doocs/leetcode@main/solution/0000-0099/0074.Search%20a%202D%20Matrix/images/mat.jpg" style="width: 322px; height: 242px;" /> <pre> <strong>Input:</strong> matrix = [[1,3,5,7],[10,11,16,20],[23,30,34,60]], target = 3 <strong>Output:</strong> true </pre> <p><strong class="example">Example 2:</strong></p> <img alt="" src="https://fastly.jsdelivr.net/gh/doocs/leetcode@main/solution/0000-0099/0074.Search%20a%202D%20Matrix/images/mat2.jpg" style="width: 322px; height: 242px;" /> <pre> <strong>Input:</strong> matrix = [[1,3,5,7],[10,11,16,20],[23,30,34,60]], target = 13 <strong>Output:</strong> false </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li><code>m == matrix.length</code></li> <li><code>n == matrix[i].length</code></li> <li><code>1 &lt;= m, n &lt;= 100</code></li> <li><code>-10<sup>4</sup> &lt;= matrix[i][j], target &lt;= 10<sup>4</sup></code></li> </ul>
Array; Binary Search; Matrix
TypeScript
function searchMatrix(matrix: number[][], target: number): boolean { const m = matrix.length; const n = matrix[0].length; let left = 0; let right = m * n; while (left < right) { const mid = (left + right) >>> 1; const i = Math.floor(mid / n); const j = mid % n; if (matrix[i][j] === target) { return true; } if (matrix[i][j] < target) { left = mid + 1; } else { right = mid; } } return false; }
75
Sort Colors
Medium
<p>Given an array <code>nums</code> with <code>n</code> objects colored red, white, or blue, sort them <strong><a href="https://en.wikipedia.org/wiki/In-place_algorithm" target="_blank">in-place</a> </strong>so that objects of the same color are adjacent, with the colors in the order red, white, and blue.</p> <p>We will use the integers <code>0</code>, <code>1</code>, and <code>2</code> to represent the color red, white, and blue, respectively.</p> <p>You must solve this problem without using the library&#39;s sort function.</p> <p>&nbsp;</p> <p><strong class="example">Example 1:</strong></p> <pre> <strong>Input:</strong> nums = [2,0,2,1,1,0] <strong>Output:</strong> [0,0,1,1,2,2] </pre> <p><strong class="example">Example 2:</strong></p> <pre> <strong>Input:</strong> nums = [2,0,1] <strong>Output:</strong> [0,1,2] </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li><code>n == nums.length</code></li> <li><code>1 &lt;= n &lt;= 300</code></li> <li><code>nums[i]</code> is either <code>0</code>, <code>1</code>, or <code>2</code>.</li> </ul> <p>&nbsp;</p> <p><strong>Follow up:</strong>&nbsp;Could you come up with a one-pass algorithm using only&nbsp;constant extra space?</p>
Array; Two Pointers; Sorting
C++
class Solution { public: void sortColors(vector<int>& nums) { int i = -1, j = nums.size(), k = 0; while (k < j) { if (nums[k] == 0) { swap(nums[++i], nums[k++]); } else if (nums[k] == 2) { swap(nums[--j], nums[k]); } else { ++k; } } } };
75
Sort Colors
Medium
<p>Given an array <code>nums</code> with <code>n</code> objects colored red, white, or blue, sort them <strong><a href="https://en.wikipedia.org/wiki/In-place_algorithm" target="_blank">in-place</a> </strong>so that objects of the same color are adjacent, with the colors in the order red, white, and blue.</p> <p>We will use the integers <code>0</code>, <code>1</code>, and <code>2</code> to represent the color red, white, and blue, respectively.</p> <p>You must solve this problem without using the library&#39;s sort function.</p> <p>&nbsp;</p> <p><strong class="example">Example 1:</strong></p> <pre> <strong>Input:</strong> nums = [2,0,2,1,1,0] <strong>Output:</strong> [0,0,1,1,2,2] </pre> <p><strong class="example">Example 2:</strong></p> <pre> <strong>Input:</strong> nums = [2,0,1] <strong>Output:</strong> [0,1,2] </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li><code>n == nums.length</code></li> <li><code>1 &lt;= n &lt;= 300</code></li> <li><code>nums[i]</code> is either <code>0</code>, <code>1</code>, or <code>2</code>.</li> </ul> <p>&nbsp;</p> <p><strong>Follow up:</strong>&nbsp;Could you come up with a one-pass algorithm using only&nbsp;constant extra space?</p>
Array; Two Pointers; Sorting
C#
public class Solution { public void SortColors(int[] nums) { int i = -1, j = nums.Length, k = 0; while (k < j) { if (nums[k] == 0) { swap(nums, ++i, k++); } else if (nums[k] == 2) { swap(nums, --j, k); } else { ++k; } } } private void swap(int[] nums, int i, int j) { int t = nums[i]; nums[i] = nums[j]; nums[j] = t; } }
75
Sort Colors
Medium
<p>Given an array <code>nums</code> with <code>n</code> objects colored red, white, or blue, sort them <strong><a href="https://en.wikipedia.org/wiki/In-place_algorithm" target="_blank">in-place</a> </strong>so that objects of the same color are adjacent, with the colors in the order red, white, and blue.</p> <p>We will use the integers <code>0</code>, <code>1</code>, and <code>2</code> to represent the color red, white, and blue, respectively.</p> <p>You must solve this problem without using the library&#39;s sort function.</p> <p>&nbsp;</p> <p><strong class="example">Example 1:</strong></p> <pre> <strong>Input:</strong> nums = [2,0,2,1,1,0] <strong>Output:</strong> [0,0,1,1,2,2] </pre> <p><strong class="example">Example 2:</strong></p> <pre> <strong>Input:</strong> nums = [2,0,1] <strong>Output:</strong> [0,1,2] </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li><code>n == nums.length</code></li> <li><code>1 &lt;= n &lt;= 300</code></li> <li><code>nums[i]</code> is either <code>0</code>, <code>1</code>, or <code>2</code>.</li> </ul> <p>&nbsp;</p> <p><strong>Follow up:</strong>&nbsp;Could you come up with a one-pass algorithm using only&nbsp;constant extra space?</p>
Array; Two Pointers; Sorting
Go
func sortColors(nums []int) { i, j, k := -1, len(nums), 0 for k < j { if nums[k] == 0 { i++ nums[i], nums[k] = nums[k], nums[i] k++ } else if nums[k] == 2 { j-- nums[j], nums[k] = nums[k], nums[j] } else { k++ } } }
75
Sort Colors
Medium
<p>Given an array <code>nums</code> with <code>n</code> objects colored red, white, or blue, sort them <strong><a href="https://en.wikipedia.org/wiki/In-place_algorithm" target="_blank">in-place</a> </strong>so that objects of the same color are adjacent, with the colors in the order red, white, and blue.</p> <p>We will use the integers <code>0</code>, <code>1</code>, and <code>2</code> to represent the color red, white, and blue, respectively.</p> <p>You must solve this problem without using the library&#39;s sort function.</p> <p>&nbsp;</p> <p><strong class="example">Example 1:</strong></p> <pre> <strong>Input:</strong> nums = [2,0,2,1,1,0] <strong>Output:</strong> [0,0,1,1,2,2] </pre> <p><strong class="example">Example 2:</strong></p> <pre> <strong>Input:</strong> nums = [2,0,1] <strong>Output:</strong> [0,1,2] </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li><code>n == nums.length</code></li> <li><code>1 &lt;= n &lt;= 300</code></li> <li><code>nums[i]</code> is either <code>0</code>, <code>1</code>, or <code>2</code>.</li> </ul> <p>&nbsp;</p> <p><strong>Follow up:</strong>&nbsp;Could you come up with a one-pass algorithm using only&nbsp;constant extra space?</p>
Array; Two Pointers; Sorting
Java
class Solution { public void sortColors(int[] nums) { int i = -1, j = nums.length, k = 0; while (k < j) { if (nums[k] == 0) { swap(nums, ++i, k++); } else if (nums[k] == 2) { swap(nums, --j, k); } else { ++k; } } } private void swap(int[] nums, int i, int j) { int t = nums[i]; nums[i] = nums[j]; nums[j] = t; } }
75
Sort Colors
Medium
<p>Given an array <code>nums</code> with <code>n</code> objects colored red, white, or blue, sort them <strong><a href="https://en.wikipedia.org/wiki/In-place_algorithm" target="_blank">in-place</a> </strong>so that objects of the same color are adjacent, with the colors in the order red, white, and blue.</p> <p>We will use the integers <code>0</code>, <code>1</code>, and <code>2</code> to represent the color red, white, and blue, respectively.</p> <p>You must solve this problem without using the library&#39;s sort function.</p> <p>&nbsp;</p> <p><strong class="example">Example 1:</strong></p> <pre> <strong>Input:</strong> nums = [2,0,2,1,1,0] <strong>Output:</strong> [0,0,1,1,2,2] </pre> <p><strong class="example">Example 2:</strong></p> <pre> <strong>Input:</strong> nums = [2,0,1] <strong>Output:</strong> [0,1,2] </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li><code>n == nums.length</code></li> <li><code>1 &lt;= n &lt;= 300</code></li> <li><code>nums[i]</code> is either <code>0</code>, <code>1</code>, or <code>2</code>.</li> </ul> <p>&nbsp;</p> <p><strong>Follow up:</strong>&nbsp;Could you come up with a one-pass algorithm using only&nbsp;constant extra space?</p>
Array; Two Pointers; Sorting
Python
class Solution: def sortColors(self, nums: List[int]) -> None: i, j, k = -1, len(nums), 0 while k < j: if nums[k] == 0: i += 1 nums[i], nums[k] = nums[k], nums[i] k += 1 elif nums[k] == 2: j -= 1 nums[j], nums[k] = nums[k], nums[j] else: k += 1
75
Sort Colors
Medium
<p>Given an array <code>nums</code> with <code>n</code> objects colored red, white, or blue, sort them <strong><a href="https://en.wikipedia.org/wiki/In-place_algorithm" target="_blank">in-place</a> </strong>so that objects of the same color are adjacent, with the colors in the order red, white, and blue.</p> <p>We will use the integers <code>0</code>, <code>1</code>, and <code>2</code> to represent the color red, white, and blue, respectively.</p> <p>You must solve this problem without using the library&#39;s sort function.</p> <p>&nbsp;</p> <p><strong class="example">Example 1:</strong></p> <pre> <strong>Input:</strong> nums = [2,0,2,1,1,0] <strong>Output:</strong> [0,0,1,1,2,2] </pre> <p><strong class="example">Example 2:</strong></p> <pre> <strong>Input:</strong> nums = [2,0,1] <strong>Output:</strong> [0,1,2] </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li><code>n == nums.length</code></li> <li><code>1 &lt;= n &lt;= 300</code></li> <li><code>nums[i]</code> is either <code>0</code>, <code>1</code>, or <code>2</code>.</li> </ul> <p>&nbsp;</p> <p><strong>Follow up:</strong>&nbsp;Could you come up with a one-pass algorithm using only&nbsp;constant extra space?</p>
Array; Two Pointers; Sorting
Rust
impl Solution { pub fn sort_colors(nums: &mut Vec<i32>) { let mut i = -1; let mut j = nums.len(); let mut k = 0; while k < j { if nums[k] == 0 { i += 1; nums.swap(i as usize, k as usize); k += 1; } else if nums[k] == 2 { j -= 1; nums.swap(j, k); } else { k += 1; } } } }
75
Sort Colors
Medium
<p>Given an array <code>nums</code> with <code>n</code> objects colored red, white, or blue, sort them <strong><a href="https://en.wikipedia.org/wiki/In-place_algorithm" target="_blank">in-place</a> </strong>so that objects of the same color are adjacent, with the colors in the order red, white, and blue.</p> <p>We will use the integers <code>0</code>, <code>1</code>, and <code>2</code> to represent the color red, white, and blue, respectively.</p> <p>You must solve this problem without using the library&#39;s sort function.</p> <p>&nbsp;</p> <p><strong class="example">Example 1:</strong></p> <pre> <strong>Input:</strong> nums = [2,0,2,1,1,0] <strong>Output:</strong> [0,0,1,1,2,2] </pre> <p><strong class="example">Example 2:</strong></p> <pre> <strong>Input:</strong> nums = [2,0,1] <strong>Output:</strong> [0,1,2] </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li><code>n == nums.length</code></li> <li><code>1 &lt;= n &lt;= 300</code></li> <li><code>nums[i]</code> is either <code>0</code>, <code>1</code>, or <code>2</code>.</li> </ul> <p>&nbsp;</p> <p><strong>Follow up:</strong>&nbsp;Could you come up with a one-pass algorithm using only&nbsp;constant extra space?</p>
Array; Two Pointers; Sorting
TypeScript
/** Do not return anything, modify nums in-place instead. */ function sortColors(nums: number[]): void { let i = -1; let j = nums.length; let k = 0; while (k < j) { if (nums[k] === 0) { ++i; [nums[i], nums[k]] = [nums[k], nums[i]]; ++k; } else if (nums[k] === 2) { --j; [nums[j], nums[k]] = [nums[k], nums[j]]; } else { ++k; } } }
76
Minimum Window Substring
Hard
<p>Given two strings <code>s</code> and <code>t</code> of lengths <code>m</code> and <code>n</code> respectively, return <em>the <strong>minimum window</strong></em> <span data-keyword="substring-nonempty"><strong><em>substring</em></strong></span><em> of </em><code>s</code><em> such that every character in </em><code>t</code><em> (<strong>including duplicates</strong>) is included in the window</em>. If there is no such substring, return <em>the empty string </em><code>&quot;&quot;</code>.</p> <p>The testcases will be generated such that the answer is <strong>unique</strong>.</p> <p>&nbsp;</p> <p><strong class="example">Example 1:</strong></p> <pre> <strong>Input:</strong> s = &quot;ADOBECODEBANC&quot;, t = &quot;ABC&quot; <strong>Output:</strong> &quot;BANC&quot; <strong>Explanation:</strong> The minimum window substring &quot;BANC&quot; includes &#39;A&#39;, &#39;B&#39;, and &#39;C&#39; from string t. </pre> <p><strong class="example">Example 2:</strong></p> <pre> <strong>Input:</strong> s = &quot;a&quot;, t = &quot;a&quot; <strong>Output:</strong> &quot;a&quot; <strong>Explanation:</strong> The entire string s is the minimum window. </pre> <p><strong class="example">Example 3:</strong></p> <pre> <strong>Input:</strong> s = &quot;a&quot;, t = &quot;aa&quot; <strong>Output:</strong> &quot;&quot; <strong>Explanation:</strong> Both &#39;a&#39;s from t must be included in the window. Since the largest window of s only has one &#39;a&#39;, return empty string. </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li><code>m == s.length</code></li> <li><code>n == t.length</code></li> <li><code>1 &lt;= m, n &lt;= 10<sup>5</sup></code></li> <li><code>s</code> and <code>t</code> consist of uppercase and lowercase English letters.</li> </ul> <p>&nbsp;</p> <p><strong>Follow up:</strong> Could you find an algorithm that runs in <code>O(m + n)</code> time?</p>
Hash Table; String; Sliding Window
C++
class Solution { public: string minWindow(string s, string t) { vector<int> need(128, 0); vector<int> window(128, 0); for (char c : t) { ++need[c]; } int m = s.length(), n = t.length(); int k = -1, mi = m + 1, cnt = 0; for (int l = 0, r = 0; r < m; ++r) { char c = s[r]; if (++window[c] <= need[c]) { ++cnt; } while (cnt == n) { if (r - l + 1 < mi) { mi = r - l + 1; k = l; } c = s[l]; if (window[c] <= need[c]) { --cnt; } --window[c]; ++l; } } return k < 0 ? "" : s.substr(k, mi); } };
76
Minimum Window Substring
Hard
<p>Given two strings <code>s</code> and <code>t</code> of lengths <code>m</code> and <code>n</code> respectively, return <em>the <strong>minimum window</strong></em> <span data-keyword="substring-nonempty"><strong><em>substring</em></strong></span><em> of </em><code>s</code><em> such that every character in </em><code>t</code><em> (<strong>including duplicates</strong>) is included in the window</em>. If there is no such substring, return <em>the empty string </em><code>&quot;&quot;</code>.</p> <p>The testcases will be generated such that the answer is <strong>unique</strong>.</p> <p>&nbsp;</p> <p><strong class="example">Example 1:</strong></p> <pre> <strong>Input:</strong> s = &quot;ADOBECODEBANC&quot;, t = &quot;ABC&quot; <strong>Output:</strong> &quot;BANC&quot; <strong>Explanation:</strong> The minimum window substring &quot;BANC&quot; includes &#39;A&#39;, &#39;B&#39;, and &#39;C&#39; from string t. </pre> <p><strong class="example">Example 2:</strong></p> <pre> <strong>Input:</strong> s = &quot;a&quot;, t = &quot;a&quot; <strong>Output:</strong> &quot;a&quot; <strong>Explanation:</strong> The entire string s is the minimum window. </pre> <p><strong class="example">Example 3:</strong></p> <pre> <strong>Input:</strong> s = &quot;a&quot;, t = &quot;aa&quot; <strong>Output:</strong> &quot;&quot; <strong>Explanation:</strong> Both &#39;a&#39;s from t must be included in the window. Since the largest window of s only has one &#39;a&#39;, return empty string. </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li><code>m == s.length</code></li> <li><code>n == t.length</code></li> <li><code>1 &lt;= m, n &lt;= 10<sup>5</sup></code></li> <li><code>s</code> and <code>t</code> consist of uppercase and lowercase English letters.</li> </ul> <p>&nbsp;</p> <p><strong>Follow up:</strong> Could you find an algorithm that runs in <code>O(m + n)</code> time?</p>
Hash Table; String; Sliding Window
C#
public class Solution { public string MinWindow(string s, string t) { int[] need = new int[128]; int[] window = new int[128]; foreach (var c in t) { need[c]++; } int m = s.Length, n = t.Length; int k = -1, mi = m + 1, cnt = 0; int l = 0; for (int r = 0; r < m; r++) { char c = s[r]; window[c]++; if (window[c] <= need[c]) { cnt++; } while (cnt == n) { if (r - l + 1 < mi) { mi = r - l + 1; k = l; } c = s[l]; if (window[c] <= need[c]) { cnt--; } window[c]--; l++; } } return k < 0 ? "" : s.Substring(k, mi); } }
76
Minimum Window Substring
Hard
<p>Given two strings <code>s</code> and <code>t</code> of lengths <code>m</code> and <code>n</code> respectively, return <em>the <strong>minimum window</strong></em> <span data-keyword="substring-nonempty"><strong><em>substring</em></strong></span><em> of </em><code>s</code><em> such that every character in </em><code>t</code><em> (<strong>including duplicates</strong>) is included in the window</em>. If there is no such substring, return <em>the empty string </em><code>&quot;&quot;</code>.</p> <p>The testcases will be generated such that the answer is <strong>unique</strong>.</p> <p>&nbsp;</p> <p><strong class="example">Example 1:</strong></p> <pre> <strong>Input:</strong> s = &quot;ADOBECODEBANC&quot;, t = &quot;ABC&quot; <strong>Output:</strong> &quot;BANC&quot; <strong>Explanation:</strong> The minimum window substring &quot;BANC&quot; includes &#39;A&#39;, &#39;B&#39;, and &#39;C&#39; from string t. </pre> <p><strong class="example">Example 2:</strong></p> <pre> <strong>Input:</strong> s = &quot;a&quot;, t = &quot;a&quot; <strong>Output:</strong> &quot;a&quot; <strong>Explanation:</strong> The entire string s is the minimum window. </pre> <p><strong class="example">Example 3:</strong></p> <pre> <strong>Input:</strong> s = &quot;a&quot;, t = &quot;aa&quot; <strong>Output:</strong> &quot;&quot; <strong>Explanation:</strong> Both &#39;a&#39;s from t must be included in the window. Since the largest window of s only has one &#39;a&#39;, return empty string. </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li><code>m == s.length</code></li> <li><code>n == t.length</code></li> <li><code>1 &lt;= m, n &lt;= 10<sup>5</sup></code></li> <li><code>s</code> and <code>t</code> consist of uppercase and lowercase English letters.</li> </ul> <p>&nbsp;</p> <p><strong>Follow up:</strong> Could you find an algorithm that runs in <code>O(m + n)</code> time?</p>
Hash Table; String; Sliding Window
Go
func minWindow(s string, t string) string { need := make([]int, 128) window := make([]int, 128) for i := 0; i < len(t); i++ { need[t[i]]++ } m, n := len(s), len(t) k, mi, cnt := -1, m+1, 0 for l, r := 0, 0; r < m; r++ { c := s[r] if window[c]++; window[c] <= need[c] { cnt++ } for cnt == n { if r-l+1 < mi { mi = r - l + 1 k = l } c = s[l] if window[c] <= need[c] { cnt-- } window[c]-- l++ } } if k < 0 { return "" } return s[k : k+mi] }
76
Minimum Window Substring
Hard
<p>Given two strings <code>s</code> and <code>t</code> of lengths <code>m</code> and <code>n</code> respectively, return <em>the <strong>minimum window</strong></em> <span data-keyword="substring-nonempty"><strong><em>substring</em></strong></span><em> of </em><code>s</code><em> such that every character in </em><code>t</code><em> (<strong>including duplicates</strong>) is included in the window</em>. If there is no such substring, return <em>the empty string </em><code>&quot;&quot;</code>.</p> <p>The testcases will be generated such that the answer is <strong>unique</strong>.</p> <p>&nbsp;</p> <p><strong class="example">Example 1:</strong></p> <pre> <strong>Input:</strong> s = &quot;ADOBECODEBANC&quot;, t = &quot;ABC&quot; <strong>Output:</strong> &quot;BANC&quot; <strong>Explanation:</strong> The minimum window substring &quot;BANC&quot; includes &#39;A&#39;, &#39;B&#39;, and &#39;C&#39; from string t. </pre> <p><strong class="example">Example 2:</strong></p> <pre> <strong>Input:</strong> s = &quot;a&quot;, t = &quot;a&quot; <strong>Output:</strong> &quot;a&quot; <strong>Explanation:</strong> The entire string s is the minimum window. </pre> <p><strong class="example">Example 3:</strong></p> <pre> <strong>Input:</strong> s = &quot;a&quot;, t = &quot;aa&quot; <strong>Output:</strong> &quot;&quot; <strong>Explanation:</strong> Both &#39;a&#39;s from t must be included in the window. Since the largest window of s only has one &#39;a&#39;, return empty string. </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li><code>m == s.length</code></li> <li><code>n == t.length</code></li> <li><code>1 &lt;= m, n &lt;= 10<sup>5</sup></code></li> <li><code>s</code> and <code>t</code> consist of uppercase and lowercase English letters.</li> </ul> <p>&nbsp;</p> <p><strong>Follow up:</strong> Could you find an algorithm that runs in <code>O(m + n)</code> time?</p>
Hash Table; String; Sliding Window
Java
class Solution { public String minWindow(String s, String t) { int[] need = new int[128]; int[] window = new int[128]; for (char c : t.toCharArray()) { ++need[c]; } int m = s.length(), n = t.length(); int k = -1, mi = m + 1, cnt = 0; for (int l = 0, r = 0; r < m; ++r) { char c = s.charAt(r); if (++window[c] <= need[c]) { ++cnt; } while (cnt == n) { if (r - l + 1 < mi) { mi = r - l + 1; k = l; } c = s.charAt(l); if (window[c] <= need[c]) { --cnt; } --window[c]; ++l; } } return k < 0 ? "" : s.substring(k, k + mi); } }
76
Minimum Window Substring
Hard
<p>Given two strings <code>s</code> and <code>t</code> of lengths <code>m</code> and <code>n</code> respectively, return <em>the <strong>minimum window</strong></em> <span data-keyword="substring-nonempty"><strong><em>substring</em></strong></span><em> of </em><code>s</code><em> such that every character in </em><code>t</code><em> (<strong>including duplicates</strong>) is included in the window</em>. If there is no such substring, return <em>the empty string </em><code>&quot;&quot;</code>.</p> <p>The testcases will be generated such that the answer is <strong>unique</strong>.</p> <p>&nbsp;</p> <p><strong class="example">Example 1:</strong></p> <pre> <strong>Input:</strong> s = &quot;ADOBECODEBANC&quot;, t = &quot;ABC&quot; <strong>Output:</strong> &quot;BANC&quot; <strong>Explanation:</strong> The minimum window substring &quot;BANC&quot; includes &#39;A&#39;, &#39;B&#39;, and &#39;C&#39; from string t. </pre> <p><strong class="example">Example 2:</strong></p> <pre> <strong>Input:</strong> s = &quot;a&quot;, t = &quot;a&quot; <strong>Output:</strong> &quot;a&quot; <strong>Explanation:</strong> The entire string s is the minimum window. </pre> <p><strong class="example">Example 3:</strong></p> <pre> <strong>Input:</strong> s = &quot;a&quot;, t = &quot;aa&quot; <strong>Output:</strong> &quot;&quot; <strong>Explanation:</strong> Both &#39;a&#39;s from t must be included in the window. Since the largest window of s only has one &#39;a&#39;, return empty string. </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li><code>m == s.length</code></li> <li><code>n == t.length</code></li> <li><code>1 &lt;= m, n &lt;= 10<sup>5</sup></code></li> <li><code>s</code> and <code>t</code> consist of uppercase and lowercase English letters.</li> </ul> <p>&nbsp;</p> <p><strong>Follow up:</strong> Could you find an algorithm that runs in <code>O(m + n)</code> time?</p>
Hash Table; String; Sliding Window
Python
class Solution: def minWindow(self, s: str, t: str) -> str: need = Counter(t) window = Counter() cnt = l = 0 k, mi = -1, inf for r, c in enumerate(s): window[c] += 1 if need[c] >= window[c]: cnt += 1 while cnt == len(t): if r - l + 1 < mi: mi = r - l + 1 k = l if need[s[l]] >= window[s[l]]: cnt -= 1 window[s[l]] -= 1 l += 1 return "" if k < 0 else s[k : k + mi]
76
Minimum Window Substring
Hard
<p>Given two strings <code>s</code> and <code>t</code> of lengths <code>m</code> and <code>n</code> respectively, return <em>the <strong>minimum window</strong></em> <span data-keyword="substring-nonempty"><strong><em>substring</em></strong></span><em> of </em><code>s</code><em> such that every character in </em><code>t</code><em> (<strong>including duplicates</strong>) is included in the window</em>. If there is no such substring, return <em>the empty string </em><code>&quot;&quot;</code>.</p> <p>The testcases will be generated such that the answer is <strong>unique</strong>.</p> <p>&nbsp;</p> <p><strong class="example">Example 1:</strong></p> <pre> <strong>Input:</strong> s = &quot;ADOBECODEBANC&quot;, t = &quot;ABC&quot; <strong>Output:</strong> &quot;BANC&quot; <strong>Explanation:</strong> The minimum window substring &quot;BANC&quot; includes &#39;A&#39;, &#39;B&#39;, and &#39;C&#39; from string t. </pre> <p><strong class="example">Example 2:</strong></p> <pre> <strong>Input:</strong> s = &quot;a&quot;, t = &quot;a&quot; <strong>Output:</strong> &quot;a&quot; <strong>Explanation:</strong> The entire string s is the minimum window. </pre> <p><strong class="example">Example 3:</strong></p> <pre> <strong>Input:</strong> s = &quot;a&quot;, t = &quot;aa&quot; <strong>Output:</strong> &quot;&quot; <strong>Explanation:</strong> Both &#39;a&#39;s from t must be included in the window. Since the largest window of s only has one &#39;a&#39;, return empty string. </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li><code>m == s.length</code></li> <li><code>n == t.length</code></li> <li><code>1 &lt;= m, n &lt;= 10<sup>5</sup></code></li> <li><code>s</code> and <code>t</code> consist of uppercase and lowercase English letters.</li> </ul> <p>&nbsp;</p> <p><strong>Follow up:</strong> Could you find an algorithm that runs in <code>O(m + n)</code> time?</p>
Hash Table; String; Sliding Window
Rust
use std::collections::HashMap; impl Solution { pub fn min_window(s: String, t: String) -> String { let mut need: HashMap<char, usize> = HashMap::new(); let mut window: HashMap<char, usize> = HashMap::new(); for c in t.chars() { *need.entry(c).or_insert(0) += 1; } let m = s.len(); let n = t.len(); let mut k = -1; let mut mi = m + 1; let mut cnt = 0; let s_bytes = s.as_bytes(); let mut l = 0; for r in 0..m { let c = s_bytes[r] as char; *window.entry(c).or_insert(0) += 1; if window[&c] <= *need.get(&c).unwrap_or(&0) { cnt += 1; } while cnt == n { if r - l + 1 < mi { mi = r - l + 1; k = l as i32; } let c = s_bytes[l] as char; if window[&c] <= *need.get(&c).unwrap_or(&0) { cnt -= 1; } *window.entry(c).or_insert(0) -= 1; l += 1; } } if k < 0 { return String::new(); } s[k as usize..(k as usize + mi)].to_string() } }
76
Minimum Window Substring
Hard
<p>Given two strings <code>s</code> and <code>t</code> of lengths <code>m</code> and <code>n</code> respectively, return <em>the <strong>minimum window</strong></em> <span data-keyword="substring-nonempty"><strong><em>substring</em></strong></span><em> of </em><code>s</code><em> such that every character in </em><code>t</code><em> (<strong>including duplicates</strong>) is included in the window</em>. If there is no such substring, return <em>the empty string </em><code>&quot;&quot;</code>.</p> <p>The testcases will be generated such that the answer is <strong>unique</strong>.</p> <p>&nbsp;</p> <p><strong class="example">Example 1:</strong></p> <pre> <strong>Input:</strong> s = &quot;ADOBECODEBANC&quot;, t = &quot;ABC&quot; <strong>Output:</strong> &quot;BANC&quot; <strong>Explanation:</strong> The minimum window substring &quot;BANC&quot; includes &#39;A&#39;, &#39;B&#39;, and &#39;C&#39; from string t. </pre> <p><strong class="example">Example 2:</strong></p> <pre> <strong>Input:</strong> s = &quot;a&quot;, t = &quot;a&quot; <strong>Output:</strong> &quot;a&quot; <strong>Explanation:</strong> The entire string s is the minimum window. </pre> <p><strong class="example">Example 3:</strong></p> <pre> <strong>Input:</strong> s = &quot;a&quot;, t = &quot;aa&quot; <strong>Output:</strong> &quot;&quot; <strong>Explanation:</strong> Both &#39;a&#39;s from t must be included in the window. Since the largest window of s only has one &#39;a&#39;, return empty string. </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li><code>m == s.length</code></li> <li><code>n == t.length</code></li> <li><code>1 &lt;= m, n &lt;= 10<sup>5</sup></code></li> <li><code>s</code> and <code>t</code> consist of uppercase and lowercase English letters.</li> </ul> <p>&nbsp;</p> <p><strong>Follow up:</strong> Could you find an algorithm that runs in <code>O(m + n)</code> time?</p>
Hash Table; String; Sliding Window
TypeScript
function minWindow(s: string, t: string): string { const need: number[] = Array(128).fill(0); const window: number[] = Array(128).fill(0); for (let i = 0; i < t.length; i++) { need[t.charCodeAt(i)]++; } const [m, n] = [s.length, t.length]; let [k, mi, cnt] = [-1, m + 1, 0]; for (let l = 0, r = 0; r < m; r++) { let c = s.charCodeAt(r); if (++window[c] <= need[c]) { cnt++; } while (cnt === n) { if (r - l + 1 < mi) { mi = r - l + 1; k = l; } c = s.charCodeAt(l); if (window[c] <= need[c]) { cnt--; } window[c]--; l++; } } return k < 0 ? '' : s.substring(k, k + mi); }
77
Combinations
Medium
<p>Given two integers <code>n</code> and <code>k</code>, return <em>all possible combinations of</em> <code>k</code> <em>numbers chosen from the range</em> <code>[1, n]</code>.</p> <p>You may return the answer in <strong>any order</strong>.</p> <p>&nbsp;</p> <p><strong class="example">Example 1:</strong></p> <pre> <strong>Input:</strong> n = 4, k = 2 <strong>Output:</strong> [[1,2],[1,3],[1,4],[2,3],[2,4],[3,4]] <strong>Explanation:</strong> There are 4 choose 2 = 6 total combinations. Note that combinations are unordered, i.e., [1,2] and [2,1] are considered to be the same combination. </pre> <p><strong class="example">Example 2:</strong></p> <pre> <strong>Input:</strong> n = 1, k = 1 <strong>Output:</strong> [[1]] <strong>Explanation:</strong> There is 1 choose 1 = 1 total combination. </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li><code>1 &lt;= n &lt;= 20</code></li> <li><code>1 &lt;= k &lt;= n</code></li> </ul>
Backtracking
C++
class Solution { public: vector<vector<int>> combine(int n, int k) { vector<vector<int>> ans; vector<int> t; function<void(int)> dfs = [&](int i) { if (t.size() == k) { ans.emplace_back(t); return; } if (i > n) { return; } t.emplace_back(i); dfs(i + 1); t.pop_back(); dfs(i + 1); }; dfs(1); return ans; } };
77
Combinations
Medium
<p>Given two integers <code>n</code> and <code>k</code>, return <em>all possible combinations of</em> <code>k</code> <em>numbers chosen from the range</em> <code>[1, n]</code>.</p> <p>You may return the answer in <strong>any order</strong>.</p> <p>&nbsp;</p> <p><strong class="example">Example 1:</strong></p> <pre> <strong>Input:</strong> n = 4, k = 2 <strong>Output:</strong> [[1,2],[1,3],[1,4],[2,3],[2,4],[3,4]] <strong>Explanation:</strong> There are 4 choose 2 = 6 total combinations. Note that combinations are unordered, i.e., [1,2] and [2,1] are considered to be the same combination. </pre> <p><strong class="example">Example 2:</strong></p> <pre> <strong>Input:</strong> n = 1, k = 1 <strong>Output:</strong> [[1]] <strong>Explanation:</strong> There is 1 choose 1 = 1 total combination. </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li><code>1 &lt;= n &lt;= 20</code></li> <li><code>1 &lt;= k &lt;= n</code></li> </ul>
Backtracking
C#
public class Solution { private List<IList<int>> ans = new List<IList<int>>(); private List<int> t = new List<int>(); private int n; private int k; public IList<IList<int>> Combine(int n, int k) { this.n = n; this.k = k; dfs(1); return ans; } private void dfs(int i) { if (t.Count == k) { ans.Add(new List<int>(t)); return; } if (i > n) { return; } t.Add(i); dfs(i + 1); t.RemoveAt(t.Count - 1); dfs(i + 1); } }
77
Combinations
Medium
<p>Given two integers <code>n</code> and <code>k</code>, return <em>all possible combinations of</em> <code>k</code> <em>numbers chosen from the range</em> <code>[1, n]</code>.</p> <p>You may return the answer in <strong>any order</strong>.</p> <p>&nbsp;</p> <p><strong class="example">Example 1:</strong></p> <pre> <strong>Input:</strong> n = 4, k = 2 <strong>Output:</strong> [[1,2],[1,3],[1,4],[2,3],[2,4],[3,4]] <strong>Explanation:</strong> There are 4 choose 2 = 6 total combinations. Note that combinations are unordered, i.e., [1,2] and [2,1] are considered to be the same combination. </pre> <p><strong class="example">Example 2:</strong></p> <pre> <strong>Input:</strong> n = 1, k = 1 <strong>Output:</strong> [[1]] <strong>Explanation:</strong> There is 1 choose 1 = 1 total combination. </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li><code>1 &lt;= n &lt;= 20</code></li> <li><code>1 &lt;= k &lt;= n</code></li> </ul>
Backtracking
Go
func combine(n int, k int) (ans [][]int) { t := []int{} var dfs func(int) dfs = func(i int) { if len(t) == k { ans = append(ans, slices.Clone(t)) return } if i > n { return } t = append(t, i) dfs(i + 1) t = t[:len(t)-1] dfs(i + 1) } dfs(1) return }
77
Combinations
Medium
<p>Given two integers <code>n</code> and <code>k</code>, return <em>all possible combinations of</em> <code>k</code> <em>numbers chosen from the range</em> <code>[1, n]</code>.</p> <p>You may return the answer in <strong>any order</strong>.</p> <p>&nbsp;</p> <p><strong class="example">Example 1:</strong></p> <pre> <strong>Input:</strong> n = 4, k = 2 <strong>Output:</strong> [[1,2],[1,3],[1,4],[2,3],[2,4],[3,4]] <strong>Explanation:</strong> There are 4 choose 2 = 6 total combinations. Note that combinations are unordered, i.e., [1,2] and [2,1] are considered to be the same combination. </pre> <p><strong class="example">Example 2:</strong></p> <pre> <strong>Input:</strong> n = 1, k = 1 <strong>Output:</strong> [[1]] <strong>Explanation:</strong> There is 1 choose 1 = 1 total combination. </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li><code>1 &lt;= n &lt;= 20</code></li> <li><code>1 &lt;= k &lt;= n</code></li> </ul>
Backtracking
Java
class Solution { private List<List<Integer>> ans = new ArrayList<>(); private List<Integer> t = new ArrayList<>(); private int n; private int k; public List<List<Integer>> combine(int n, int k) { this.n = n; this.k = k; dfs(1); return ans; } private void dfs(int i) { if (t.size() == k) { ans.add(new ArrayList<>(t)); return; } if (i > n) { return; } t.add(i); dfs(i + 1); t.remove(t.size() - 1); dfs(i + 1); } }
77
Combinations
Medium
<p>Given two integers <code>n</code> and <code>k</code>, return <em>all possible combinations of</em> <code>k</code> <em>numbers chosen from the range</em> <code>[1, n]</code>.</p> <p>You may return the answer in <strong>any order</strong>.</p> <p>&nbsp;</p> <p><strong class="example">Example 1:</strong></p> <pre> <strong>Input:</strong> n = 4, k = 2 <strong>Output:</strong> [[1,2],[1,3],[1,4],[2,3],[2,4],[3,4]] <strong>Explanation:</strong> There are 4 choose 2 = 6 total combinations. Note that combinations are unordered, i.e., [1,2] and [2,1] are considered to be the same combination. </pre> <p><strong class="example">Example 2:</strong></p> <pre> <strong>Input:</strong> n = 1, k = 1 <strong>Output:</strong> [[1]] <strong>Explanation:</strong> There is 1 choose 1 = 1 total combination. </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li><code>1 &lt;= n &lt;= 20</code></li> <li><code>1 &lt;= k &lt;= n</code></li> </ul>
Backtracking
Python
class Solution: def combine(self, n: int, k: int) -> List[List[int]]: def dfs(i: int): if len(t) == k: ans.append(t[:]) return if i > n: return t.append(i) dfs(i + 1) t.pop() dfs(i + 1) ans = [] t = [] dfs(1) return ans
77
Combinations
Medium
<p>Given two integers <code>n</code> and <code>k</code>, return <em>all possible combinations of</em> <code>k</code> <em>numbers chosen from the range</em> <code>[1, n]</code>.</p> <p>You may return the answer in <strong>any order</strong>.</p> <p>&nbsp;</p> <p><strong class="example">Example 1:</strong></p> <pre> <strong>Input:</strong> n = 4, k = 2 <strong>Output:</strong> [[1,2],[1,3],[1,4],[2,3],[2,4],[3,4]] <strong>Explanation:</strong> There are 4 choose 2 = 6 total combinations. Note that combinations are unordered, i.e., [1,2] and [2,1] are considered to be the same combination. </pre> <p><strong class="example">Example 2:</strong></p> <pre> <strong>Input:</strong> n = 1, k = 1 <strong>Output:</strong> [[1]] <strong>Explanation:</strong> There is 1 choose 1 = 1 total combination. </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li><code>1 &lt;= n &lt;= 20</code></li> <li><code>1 &lt;= k &lt;= n</code></li> </ul>
Backtracking
Rust
impl Solution { fn dfs(i: i32, n: i32, k: i32, t: &mut Vec<i32>, ans: &mut Vec<Vec<i32>>) { if t.len() == (k as usize) { ans.push(t.clone()); return; } if i > n { return; } t.push(i); Self::dfs(i + 1, n, k, t, ans); t.pop(); Self::dfs(i + 1, n, k, t, ans); } pub fn combine(n: i32, k: i32) -> Vec<Vec<i32>> { let mut ans = vec![]; Self::dfs(1, n, k, &mut vec![], &mut ans); ans } }
77
Combinations
Medium
<p>Given two integers <code>n</code> and <code>k</code>, return <em>all possible combinations of</em> <code>k</code> <em>numbers chosen from the range</em> <code>[1, n]</code>.</p> <p>You may return the answer in <strong>any order</strong>.</p> <p>&nbsp;</p> <p><strong class="example">Example 1:</strong></p> <pre> <strong>Input:</strong> n = 4, k = 2 <strong>Output:</strong> [[1,2],[1,3],[1,4],[2,3],[2,4],[3,4]] <strong>Explanation:</strong> There are 4 choose 2 = 6 total combinations. Note that combinations are unordered, i.e., [1,2] and [2,1] are considered to be the same combination. </pre> <p><strong class="example">Example 2:</strong></p> <pre> <strong>Input:</strong> n = 1, k = 1 <strong>Output:</strong> [[1]] <strong>Explanation:</strong> There is 1 choose 1 = 1 total combination. </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li><code>1 &lt;= n &lt;= 20</code></li> <li><code>1 &lt;= k &lt;= n</code></li> </ul>
Backtracking
TypeScript
function combine(n: number, k: number): number[][] { const ans: number[][] = []; const t: number[] = []; const dfs = (i: number) => { if (t.length === k) { ans.push(t.slice()); return; } if (i > n) { return; } t.push(i); dfs(i + 1); t.pop(); dfs(i + 1); }; dfs(1); return ans; }
78
Subsets
Medium
<p>Given an integer array <code>nums</code> of <strong>unique</strong> elements, return <em>all possible</em> <span data-keyword="subset"><em>subsets</em></span> <em>(the power set)</em>.</p> <p>The solution set <strong>must not</strong> contain duplicate subsets. Return the solution in <strong>any order</strong>.</p> <p>&nbsp;</p> <p><strong class="example">Example 1:</strong></p> <pre> <strong>Input:</strong> nums = [1,2,3] <strong>Output:</strong> [[],[1],[2],[1,2],[3],[1,3],[2,3],[1,2,3]] </pre> <p><strong class="example">Example 2:</strong></p> <pre> <strong>Input:</strong> nums = [0] <strong>Output:</strong> [[],[0]] </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li><code>1 &lt;= nums.length &lt;= 10</code></li> <li><code>-10 &lt;= nums[i] &lt;= 10</code></li> <li>All the numbers of&nbsp;<code>nums</code> are <strong>unique</strong>.</li> </ul>
Bit Manipulation; Array; Backtracking
C++
class Solution { public: vector<vector<int>> subsets(vector<int>& nums) { vector<vector<int>> ans; vector<int> t; function<void(int)> dfs = [&](int i) -> void { if (i == nums.size()) { ans.push_back(t); return; } dfs(i + 1); t.push_back(nums[i]); dfs(i + 1); t.pop_back(); }; dfs(0); return ans; } };
78
Subsets
Medium
<p>Given an integer array <code>nums</code> of <strong>unique</strong> elements, return <em>all possible</em> <span data-keyword="subset"><em>subsets</em></span> <em>(the power set)</em>.</p> <p>The solution set <strong>must not</strong> contain duplicate subsets. Return the solution in <strong>any order</strong>.</p> <p>&nbsp;</p> <p><strong class="example">Example 1:</strong></p> <pre> <strong>Input:</strong> nums = [1,2,3] <strong>Output:</strong> [[],[1],[2],[1,2],[3],[1,3],[2,3],[1,2,3]] </pre> <p><strong class="example">Example 2:</strong></p> <pre> <strong>Input:</strong> nums = [0] <strong>Output:</strong> [[],[0]] </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li><code>1 &lt;= nums.length &lt;= 10</code></li> <li><code>-10 &lt;= nums[i] &lt;= 10</code></li> <li>All the numbers of&nbsp;<code>nums</code> are <strong>unique</strong>.</li> </ul>
Bit Manipulation; Array; Backtracking
Go
func subsets(nums []int) (ans [][]int) { t := []int{} var dfs func(int) dfs = func(i int) { if i == len(nums) { ans = append(ans, append([]int(nil), t...)) return } dfs(i + 1) t = append(t, nums[i]) dfs(i + 1) t = t[:len(t)-1] } dfs(0) return }
78
Subsets
Medium
<p>Given an integer array <code>nums</code> of <strong>unique</strong> elements, return <em>all possible</em> <span data-keyword="subset"><em>subsets</em></span> <em>(the power set)</em>.</p> <p>The solution set <strong>must not</strong> contain duplicate subsets. Return the solution in <strong>any order</strong>.</p> <p>&nbsp;</p> <p><strong class="example">Example 1:</strong></p> <pre> <strong>Input:</strong> nums = [1,2,3] <strong>Output:</strong> [[],[1],[2],[1,2],[3],[1,3],[2,3],[1,2,3]] </pre> <p><strong class="example">Example 2:</strong></p> <pre> <strong>Input:</strong> nums = [0] <strong>Output:</strong> [[],[0]] </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li><code>1 &lt;= nums.length &lt;= 10</code></li> <li><code>-10 &lt;= nums[i] &lt;= 10</code></li> <li>All the numbers of&nbsp;<code>nums</code> are <strong>unique</strong>.</li> </ul>
Bit Manipulation; Array; Backtracking
Java
class Solution { private List<List<Integer>> ans = new ArrayList<>(); private List<Integer> t = new ArrayList<>(); private int[] nums; public List<List<Integer>> subsets(int[] nums) { this.nums = nums; dfs(0); return ans; } private void dfs(int i) { if (i == nums.length) { ans.add(new ArrayList<>(t)); return; } dfs(i + 1); t.add(nums[i]); dfs(i + 1); t.remove(t.size() - 1); } }
78
Subsets
Medium
<p>Given an integer array <code>nums</code> of <strong>unique</strong> elements, return <em>all possible</em> <span data-keyword="subset"><em>subsets</em></span> <em>(the power set)</em>.</p> <p>The solution set <strong>must not</strong> contain duplicate subsets. Return the solution in <strong>any order</strong>.</p> <p>&nbsp;</p> <p><strong class="example">Example 1:</strong></p> <pre> <strong>Input:</strong> nums = [1,2,3] <strong>Output:</strong> [[],[1],[2],[1,2],[3],[1,3],[2,3],[1,2,3]] </pre> <p><strong class="example">Example 2:</strong></p> <pre> <strong>Input:</strong> nums = [0] <strong>Output:</strong> [[],[0]] </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li><code>1 &lt;= nums.length &lt;= 10</code></li> <li><code>-10 &lt;= nums[i] &lt;= 10</code></li> <li>All the numbers of&nbsp;<code>nums</code> are <strong>unique</strong>.</li> </ul>
Bit Manipulation; Array; Backtracking
Python
class Solution: def subsets(self, nums: List[int]) -> List[List[int]]: def dfs(i: int): if i == len(nums): ans.append(t[:]) return dfs(i + 1) t.append(nums[i]) dfs(i + 1) t.pop() ans = [] t = [] dfs(0) return ans
78
Subsets
Medium
<p>Given an integer array <code>nums</code> of <strong>unique</strong> elements, return <em>all possible</em> <span data-keyword="subset"><em>subsets</em></span> <em>(the power set)</em>.</p> <p>The solution set <strong>must not</strong> contain duplicate subsets. Return the solution in <strong>any order</strong>.</p> <p>&nbsp;</p> <p><strong class="example">Example 1:</strong></p> <pre> <strong>Input:</strong> nums = [1,2,3] <strong>Output:</strong> [[],[1],[2],[1,2],[3],[1,3],[2,3],[1,2,3]] </pre> <p><strong class="example">Example 2:</strong></p> <pre> <strong>Input:</strong> nums = [0] <strong>Output:</strong> [[],[0]] </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li><code>1 &lt;= nums.length &lt;= 10</code></li> <li><code>-10 &lt;= nums[i] &lt;= 10</code></li> <li>All the numbers of&nbsp;<code>nums</code> are <strong>unique</strong>.</li> </ul>
Bit Manipulation; Array; Backtracking
Rust
impl Solution { fn dfs(i: usize, t: &mut Vec<i32>, ans: &mut Vec<Vec<i32>>, nums: &Vec<i32>) { if i == nums.len() { ans.push(t.clone()); return; } Self::dfs(i + 1, t, ans, nums); t.push(nums[i]); Self::dfs(i + 1, t, ans, nums); t.pop(); } pub fn subsets(nums: Vec<i32>) -> Vec<Vec<i32>> { let mut ans = Vec::new(); Self::dfs(0, &mut Vec::new(), &mut ans, &nums); ans } }
78
Subsets
Medium
<p>Given an integer array <code>nums</code> of <strong>unique</strong> elements, return <em>all possible</em> <span data-keyword="subset"><em>subsets</em></span> <em>(the power set)</em>.</p> <p>The solution set <strong>must not</strong> contain duplicate subsets. Return the solution in <strong>any order</strong>.</p> <p>&nbsp;</p> <p><strong class="example">Example 1:</strong></p> <pre> <strong>Input:</strong> nums = [1,2,3] <strong>Output:</strong> [[],[1],[2],[1,2],[3],[1,3],[2,3],[1,2,3]] </pre> <p><strong class="example">Example 2:</strong></p> <pre> <strong>Input:</strong> nums = [0] <strong>Output:</strong> [[],[0]] </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li><code>1 &lt;= nums.length &lt;= 10</code></li> <li><code>-10 &lt;= nums[i] &lt;= 10</code></li> <li>All the numbers of&nbsp;<code>nums</code> are <strong>unique</strong>.</li> </ul>
Bit Manipulation; Array; Backtracking
TypeScript
function subsets(nums: number[]): number[][] { const ans: number[][] = []; const t: number[] = []; const dfs = (i: number) => { if (i === nums.length) { ans.push(t.slice()); return; } dfs(i + 1); t.push(nums[i]); dfs(i + 1); t.pop(); }; dfs(0); return ans; }
79
Word Search
Medium
<p>Given an <code>m x n</code> grid of characters <code>board</code> and a string <code>word</code>, return <code>true</code> <em>if</em> <code>word</code> <em>exists in the grid</em>.</p> <p>The word can be constructed from letters of sequentially adjacent cells, where adjacent cells are horizontally or vertically neighboring. The same letter cell may not be used more than once.</p> <p>&nbsp;</p> <p><strong class="example">Example 1:</strong></p> <img alt="" src="https://fastly.jsdelivr.net/gh/doocs/leetcode@main/solution/0000-0099/0079.Word%20Search/images/word2.jpg" style="width: 322px; height: 242px;" /> <pre> <strong>Input:</strong> board = [[&quot;A&quot;,&quot;B&quot;,&quot;C&quot;,&quot;E&quot;],[&quot;S&quot;,&quot;F&quot;,&quot;C&quot;,&quot;S&quot;],[&quot;A&quot;,&quot;D&quot;,&quot;E&quot;,&quot;E&quot;]], word = &quot;ABCCED&quot; <strong>Output:</strong> true </pre> <p><strong class="example">Example 2:</strong></p> <img alt="" src="https://fastly.jsdelivr.net/gh/doocs/leetcode@main/solution/0000-0099/0079.Word%20Search/images/word-1.jpg" style="width: 322px; height: 242px;" /> <pre> <strong>Input:</strong> board = [[&quot;A&quot;,&quot;B&quot;,&quot;C&quot;,&quot;E&quot;],[&quot;S&quot;,&quot;F&quot;,&quot;C&quot;,&quot;S&quot;],[&quot;A&quot;,&quot;D&quot;,&quot;E&quot;,&quot;E&quot;]], word = &quot;SEE&quot; <strong>Output:</strong> true </pre> <p><strong class="example">Example 3:</strong></p> <img alt="" src="https://fastly.jsdelivr.net/gh/doocs/leetcode@main/solution/0000-0099/0079.Word%20Search/images/word3.jpg" style="width: 322px; height: 242px;" /> <pre> <strong>Input:</strong> board = [[&quot;A&quot;,&quot;B&quot;,&quot;C&quot;,&quot;E&quot;],[&quot;S&quot;,&quot;F&quot;,&quot;C&quot;,&quot;S&quot;],[&quot;A&quot;,&quot;D&quot;,&quot;E&quot;,&quot;E&quot;]], word = &quot;ABCB&quot; <strong>Output:</strong> false </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li><code>m == board.length</code></li> <li><code>n = board[i].length</code></li> <li><code>1 &lt;= m, n &lt;= 6</code></li> <li><code>1 &lt;= word.length &lt;= 15</code></li> <li><code>board</code> and <code>word</code> consists of only lowercase and uppercase English letters.</li> </ul> <p>&nbsp;</p> <p><strong>Follow up:</strong> Could you use search pruning to make your solution faster with a larger <code>board</code>?</p>
Depth-First Search; Array; String; Backtracking; Matrix
C++
class Solution { public: bool exist(vector<vector<char>>& board, string word) { int m = board.size(), n = board[0].size(); int dirs[5] = {-1, 0, 1, 0, -1}; function<bool(int, int, int)> dfs = [&](int i, int j, int k) -> bool { if (k == word.size() - 1) { return board[i][j] == word[k]; } if (board[i][j] != word[k]) { return false; } char c = board[i][j]; board[i][j] = '0'; for (int u = 0; u < 4; ++u) { int x = i + dirs[u], y = j + dirs[u + 1]; if (x >= 0 && x < m && y >= 0 && y < n && board[x][y] != '0' && dfs(x, y, k + 1)) { return true; } } board[i][j] = c; return false; }; for (int i = 0; i < m; ++i) { for (int j = 0; j < n; ++j) { if (dfs(i, j, 0)) { return true; } } } return false; } };
79
Word Search
Medium
<p>Given an <code>m x n</code> grid of characters <code>board</code> and a string <code>word</code>, return <code>true</code> <em>if</em> <code>word</code> <em>exists in the grid</em>.</p> <p>The word can be constructed from letters of sequentially adjacent cells, where adjacent cells are horizontally or vertically neighboring. The same letter cell may not be used more than once.</p> <p>&nbsp;</p> <p><strong class="example">Example 1:</strong></p> <img alt="" src="https://fastly.jsdelivr.net/gh/doocs/leetcode@main/solution/0000-0099/0079.Word%20Search/images/word2.jpg" style="width: 322px; height: 242px;" /> <pre> <strong>Input:</strong> board = [[&quot;A&quot;,&quot;B&quot;,&quot;C&quot;,&quot;E&quot;],[&quot;S&quot;,&quot;F&quot;,&quot;C&quot;,&quot;S&quot;],[&quot;A&quot;,&quot;D&quot;,&quot;E&quot;,&quot;E&quot;]], word = &quot;ABCCED&quot; <strong>Output:</strong> true </pre> <p><strong class="example">Example 2:</strong></p> <img alt="" src="https://fastly.jsdelivr.net/gh/doocs/leetcode@main/solution/0000-0099/0079.Word%20Search/images/word-1.jpg" style="width: 322px; height: 242px;" /> <pre> <strong>Input:</strong> board = [[&quot;A&quot;,&quot;B&quot;,&quot;C&quot;,&quot;E&quot;],[&quot;S&quot;,&quot;F&quot;,&quot;C&quot;,&quot;S&quot;],[&quot;A&quot;,&quot;D&quot;,&quot;E&quot;,&quot;E&quot;]], word = &quot;SEE&quot; <strong>Output:</strong> true </pre> <p><strong class="example">Example 3:</strong></p> <img alt="" src="https://fastly.jsdelivr.net/gh/doocs/leetcode@main/solution/0000-0099/0079.Word%20Search/images/word3.jpg" style="width: 322px; height: 242px;" /> <pre> <strong>Input:</strong> board = [[&quot;A&quot;,&quot;B&quot;,&quot;C&quot;,&quot;E&quot;],[&quot;S&quot;,&quot;F&quot;,&quot;C&quot;,&quot;S&quot;],[&quot;A&quot;,&quot;D&quot;,&quot;E&quot;,&quot;E&quot;]], word = &quot;ABCB&quot; <strong>Output:</strong> false </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li><code>m == board.length</code></li> <li><code>n = board[i].length</code></li> <li><code>1 &lt;= m, n &lt;= 6</code></li> <li><code>1 &lt;= word.length &lt;= 15</code></li> <li><code>board</code> and <code>word</code> consists of only lowercase and uppercase English letters.</li> </ul> <p>&nbsp;</p> <p><strong>Follow up:</strong> Could you use search pruning to make your solution faster with a larger <code>board</code>?</p>
Depth-First Search; Array; String; Backtracking; Matrix
C#
public class Solution { private int m; private int n; private char[][] board; private string word; public bool Exist(char[][] board, string word) { m = board.Length; n = board[0].Length; this.board = board; this.word = word; for (int i = 0; i < m; ++i) { for (int j = 0; j < n; ++j) { if (dfs(i, j, 0)) { return true; } } } return false; } private bool dfs(int i, int j, int k) { if (k == word.Length - 1) { return board[i][j] == word[k]; } if (board[i][j] != word[k]) { return false; } char c = board[i][j]; board[i][j] = '0'; int[] dirs = { -1, 0, 1, 0, -1 }; for (int u = 0; u < 4; ++u) { int x = i + dirs[u]; int y = j + dirs[u + 1]; if (x >= 0 && x < m && y >= 0 && y < n && board[x][y] != '0' && dfs(x, y, k + 1)) { return true; } } board[i][j] = c; return false; } }
79
Word Search
Medium
<p>Given an <code>m x n</code> grid of characters <code>board</code> and a string <code>word</code>, return <code>true</code> <em>if</em> <code>word</code> <em>exists in the grid</em>.</p> <p>The word can be constructed from letters of sequentially adjacent cells, where adjacent cells are horizontally or vertically neighboring. The same letter cell may not be used more than once.</p> <p>&nbsp;</p> <p><strong class="example">Example 1:</strong></p> <img alt="" src="https://fastly.jsdelivr.net/gh/doocs/leetcode@main/solution/0000-0099/0079.Word%20Search/images/word2.jpg" style="width: 322px; height: 242px;" /> <pre> <strong>Input:</strong> board = [[&quot;A&quot;,&quot;B&quot;,&quot;C&quot;,&quot;E&quot;],[&quot;S&quot;,&quot;F&quot;,&quot;C&quot;,&quot;S&quot;],[&quot;A&quot;,&quot;D&quot;,&quot;E&quot;,&quot;E&quot;]], word = &quot;ABCCED&quot; <strong>Output:</strong> true </pre> <p><strong class="example">Example 2:</strong></p> <img alt="" src="https://fastly.jsdelivr.net/gh/doocs/leetcode@main/solution/0000-0099/0079.Word%20Search/images/word-1.jpg" style="width: 322px; height: 242px;" /> <pre> <strong>Input:</strong> board = [[&quot;A&quot;,&quot;B&quot;,&quot;C&quot;,&quot;E&quot;],[&quot;S&quot;,&quot;F&quot;,&quot;C&quot;,&quot;S&quot;],[&quot;A&quot;,&quot;D&quot;,&quot;E&quot;,&quot;E&quot;]], word = &quot;SEE&quot; <strong>Output:</strong> true </pre> <p><strong class="example">Example 3:</strong></p> <img alt="" src="https://fastly.jsdelivr.net/gh/doocs/leetcode@main/solution/0000-0099/0079.Word%20Search/images/word3.jpg" style="width: 322px; height: 242px;" /> <pre> <strong>Input:</strong> board = [[&quot;A&quot;,&quot;B&quot;,&quot;C&quot;,&quot;E&quot;],[&quot;S&quot;,&quot;F&quot;,&quot;C&quot;,&quot;S&quot;],[&quot;A&quot;,&quot;D&quot;,&quot;E&quot;,&quot;E&quot;]], word = &quot;ABCB&quot; <strong>Output:</strong> false </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li><code>m == board.length</code></li> <li><code>n = board[i].length</code></li> <li><code>1 &lt;= m, n &lt;= 6</code></li> <li><code>1 &lt;= word.length &lt;= 15</code></li> <li><code>board</code> and <code>word</code> consists of only lowercase and uppercase English letters.</li> </ul> <p>&nbsp;</p> <p><strong>Follow up:</strong> Could you use search pruning to make your solution faster with a larger <code>board</code>?</p>
Depth-First Search; Array; String; Backtracking; Matrix
Go
func exist(board [][]byte, word string) bool { m, n := len(board), len(board[0]) var dfs func(int, int, int) bool dfs = func(i, j, k int) bool { if k == len(word)-1 { return board[i][j] == word[k] } if board[i][j] != word[k] { return false } dirs := [5]int{-1, 0, 1, 0, -1} c := board[i][j] board[i][j] = '0' for u := 0; u < 4; u++ { x, y := i+dirs[u], j+dirs[u+1] if x >= 0 && x < m && y >= 0 && y < n && board[x][y] != '0' && dfs(x, y, k+1) { return true } } board[i][j] = c return false } for i := 0; i < m; i++ { for j := 0; j < n; j++ { if dfs(i, j, 0) { return true } } } return false }
79
Word Search
Medium
<p>Given an <code>m x n</code> grid of characters <code>board</code> and a string <code>word</code>, return <code>true</code> <em>if</em> <code>word</code> <em>exists in the grid</em>.</p> <p>The word can be constructed from letters of sequentially adjacent cells, where adjacent cells are horizontally or vertically neighboring. The same letter cell may not be used more than once.</p> <p>&nbsp;</p> <p><strong class="example">Example 1:</strong></p> <img alt="" src="https://fastly.jsdelivr.net/gh/doocs/leetcode@main/solution/0000-0099/0079.Word%20Search/images/word2.jpg" style="width: 322px; height: 242px;" /> <pre> <strong>Input:</strong> board = [[&quot;A&quot;,&quot;B&quot;,&quot;C&quot;,&quot;E&quot;],[&quot;S&quot;,&quot;F&quot;,&quot;C&quot;,&quot;S&quot;],[&quot;A&quot;,&quot;D&quot;,&quot;E&quot;,&quot;E&quot;]], word = &quot;ABCCED&quot; <strong>Output:</strong> true </pre> <p><strong class="example">Example 2:</strong></p> <img alt="" src="https://fastly.jsdelivr.net/gh/doocs/leetcode@main/solution/0000-0099/0079.Word%20Search/images/word-1.jpg" style="width: 322px; height: 242px;" /> <pre> <strong>Input:</strong> board = [[&quot;A&quot;,&quot;B&quot;,&quot;C&quot;,&quot;E&quot;],[&quot;S&quot;,&quot;F&quot;,&quot;C&quot;,&quot;S&quot;],[&quot;A&quot;,&quot;D&quot;,&quot;E&quot;,&quot;E&quot;]], word = &quot;SEE&quot; <strong>Output:</strong> true </pre> <p><strong class="example">Example 3:</strong></p> <img alt="" src="https://fastly.jsdelivr.net/gh/doocs/leetcode@main/solution/0000-0099/0079.Word%20Search/images/word3.jpg" style="width: 322px; height: 242px;" /> <pre> <strong>Input:</strong> board = [[&quot;A&quot;,&quot;B&quot;,&quot;C&quot;,&quot;E&quot;],[&quot;S&quot;,&quot;F&quot;,&quot;C&quot;,&quot;S&quot;],[&quot;A&quot;,&quot;D&quot;,&quot;E&quot;,&quot;E&quot;]], word = &quot;ABCB&quot; <strong>Output:</strong> false </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li><code>m == board.length</code></li> <li><code>n = board[i].length</code></li> <li><code>1 &lt;= m, n &lt;= 6</code></li> <li><code>1 &lt;= word.length &lt;= 15</code></li> <li><code>board</code> and <code>word</code> consists of only lowercase and uppercase English letters.</li> </ul> <p>&nbsp;</p> <p><strong>Follow up:</strong> Could you use search pruning to make your solution faster with a larger <code>board</code>?</p>
Depth-First Search; Array; String; Backtracking; Matrix
Java
class Solution { private int m; private int n; private String word; private char[][] board; public boolean exist(char[][] board, String word) { m = board.length; n = board[0].length; this.word = word; this.board = board; for (int i = 0; i < m; ++i) { for (int j = 0; j < n; ++j) { if (dfs(i, j, 0)) { return true; } } } return false; } private boolean dfs(int i, int j, int k) { if (k == word.length() - 1) { return board[i][j] == word.charAt(k); } if (board[i][j] != word.charAt(k)) { return false; } char c = board[i][j]; board[i][j] = '0'; int[] dirs = {-1, 0, 1, 0, -1}; for (int u = 0; u < 4; ++u) { int x = i + dirs[u], y = j + dirs[u + 1]; if (x >= 0 && x < m && y >= 0 && y < n && board[x][y] != '0' && dfs(x, y, k + 1)) { return true; } } board[i][j] = c; return false; } }
79
Word Search
Medium
<p>Given an <code>m x n</code> grid of characters <code>board</code> and a string <code>word</code>, return <code>true</code> <em>if</em> <code>word</code> <em>exists in the grid</em>.</p> <p>The word can be constructed from letters of sequentially adjacent cells, where adjacent cells are horizontally or vertically neighboring. The same letter cell may not be used more than once.</p> <p>&nbsp;</p> <p><strong class="example">Example 1:</strong></p> <img alt="" src="https://fastly.jsdelivr.net/gh/doocs/leetcode@main/solution/0000-0099/0079.Word%20Search/images/word2.jpg" style="width: 322px; height: 242px;" /> <pre> <strong>Input:</strong> board = [[&quot;A&quot;,&quot;B&quot;,&quot;C&quot;,&quot;E&quot;],[&quot;S&quot;,&quot;F&quot;,&quot;C&quot;,&quot;S&quot;],[&quot;A&quot;,&quot;D&quot;,&quot;E&quot;,&quot;E&quot;]], word = &quot;ABCCED&quot; <strong>Output:</strong> true </pre> <p><strong class="example">Example 2:</strong></p> <img alt="" src="https://fastly.jsdelivr.net/gh/doocs/leetcode@main/solution/0000-0099/0079.Word%20Search/images/word-1.jpg" style="width: 322px; height: 242px;" /> <pre> <strong>Input:</strong> board = [[&quot;A&quot;,&quot;B&quot;,&quot;C&quot;,&quot;E&quot;],[&quot;S&quot;,&quot;F&quot;,&quot;C&quot;,&quot;S&quot;],[&quot;A&quot;,&quot;D&quot;,&quot;E&quot;,&quot;E&quot;]], word = &quot;SEE&quot; <strong>Output:</strong> true </pre> <p><strong class="example">Example 3:</strong></p> <img alt="" src="https://fastly.jsdelivr.net/gh/doocs/leetcode@main/solution/0000-0099/0079.Word%20Search/images/word3.jpg" style="width: 322px; height: 242px;" /> <pre> <strong>Input:</strong> board = [[&quot;A&quot;,&quot;B&quot;,&quot;C&quot;,&quot;E&quot;],[&quot;S&quot;,&quot;F&quot;,&quot;C&quot;,&quot;S&quot;],[&quot;A&quot;,&quot;D&quot;,&quot;E&quot;,&quot;E&quot;]], word = &quot;ABCB&quot; <strong>Output:</strong> false </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li><code>m == board.length</code></li> <li><code>n = board[i].length</code></li> <li><code>1 &lt;= m, n &lt;= 6</code></li> <li><code>1 &lt;= word.length &lt;= 15</code></li> <li><code>board</code> and <code>word</code> consists of only lowercase and uppercase English letters.</li> </ul> <p>&nbsp;</p> <p><strong>Follow up:</strong> Could you use search pruning to make your solution faster with a larger <code>board</code>?</p>
Depth-First Search; Array; String; Backtracking; Matrix
JavaScript
function exist(board, word) { const [m, n] = [board.length, board[0].length]; const dirs = [-1, 0, 1, 0, -1]; const dfs = (i, j, k) => { if (k === word.length - 1) { return board[i][j] === word[k]; } if (board[i][j] !== word[k]) { return false; } const c = board[i][j]; board[i][j] = '0'; for (let u = 0; u < 4; ++u) { const [x, y] = [i + dirs[u], j + dirs[u + 1]]; const ok = x >= 0 && x < m && y >= 0 && y < n; if (ok && board[x][y] !== '0' && dfs(x, y, k + 1)) { return true; } } board[i][j] = c; return false; }; for (let i = 0; i < m; ++i) { for (let j = 0; j < n; ++j) { if (dfs(i, j, 0)) { return true; } } } return false; }
79
Word Search
Medium
<p>Given an <code>m x n</code> grid of characters <code>board</code> and a string <code>word</code>, return <code>true</code> <em>if</em> <code>word</code> <em>exists in the grid</em>.</p> <p>The word can be constructed from letters of sequentially adjacent cells, where adjacent cells are horizontally or vertically neighboring. The same letter cell may not be used more than once.</p> <p>&nbsp;</p> <p><strong class="example">Example 1:</strong></p> <img alt="" src="https://fastly.jsdelivr.net/gh/doocs/leetcode@main/solution/0000-0099/0079.Word%20Search/images/word2.jpg" style="width: 322px; height: 242px;" /> <pre> <strong>Input:</strong> board = [[&quot;A&quot;,&quot;B&quot;,&quot;C&quot;,&quot;E&quot;],[&quot;S&quot;,&quot;F&quot;,&quot;C&quot;,&quot;S&quot;],[&quot;A&quot;,&quot;D&quot;,&quot;E&quot;,&quot;E&quot;]], word = &quot;ABCCED&quot; <strong>Output:</strong> true </pre> <p><strong class="example">Example 2:</strong></p> <img alt="" src="https://fastly.jsdelivr.net/gh/doocs/leetcode@main/solution/0000-0099/0079.Word%20Search/images/word-1.jpg" style="width: 322px; height: 242px;" /> <pre> <strong>Input:</strong> board = [[&quot;A&quot;,&quot;B&quot;,&quot;C&quot;,&quot;E&quot;],[&quot;S&quot;,&quot;F&quot;,&quot;C&quot;,&quot;S&quot;],[&quot;A&quot;,&quot;D&quot;,&quot;E&quot;,&quot;E&quot;]], word = &quot;SEE&quot; <strong>Output:</strong> true </pre> <p><strong class="example">Example 3:</strong></p> <img alt="" src="https://fastly.jsdelivr.net/gh/doocs/leetcode@main/solution/0000-0099/0079.Word%20Search/images/word3.jpg" style="width: 322px; height: 242px;" /> <pre> <strong>Input:</strong> board = [[&quot;A&quot;,&quot;B&quot;,&quot;C&quot;,&quot;E&quot;],[&quot;S&quot;,&quot;F&quot;,&quot;C&quot;,&quot;S&quot;],[&quot;A&quot;,&quot;D&quot;,&quot;E&quot;,&quot;E&quot;]], word = &quot;ABCB&quot; <strong>Output:</strong> false </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li><code>m == board.length</code></li> <li><code>n = board[i].length</code></li> <li><code>1 &lt;= m, n &lt;= 6</code></li> <li><code>1 &lt;= word.length &lt;= 15</code></li> <li><code>board</code> and <code>word</code> consists of only lowercase and uppercase English letters.</li> </ul> <p>&nbsp;</p> <p><strong>Follow up:</strong> Could you use search pruning to make your solution faster with a larger <code>board</code>?</p>
Depth-First Search; Array; String; Backtracking; Matrix
Python
class Solution: def exist(self, board: List[List[str]], word: str) -> bool: def dfs(i: int, j: int, k: int) -> bool: if k == len(word) - 1: return board[i][j] == word[k] if board[i][j] != word[k]: return False c = board[i][j] board[i][j] = "0" for a, b in pairwise((-1, 0, 1, 0, -1)): x, y = i + a, j + b ok = 0 <= x < m and 0 <= y < n and board[x][y] != "0" if ok and dfs(x, y, k + 1): return True board[i][j] = c return False m, n = len(board), len(board[0]) return any(dfs(i, j, 0) for i in range(m) for j in range(n))
79
Word Search
Medium
<p>Given an <code>m x n</code> grid of characters <code>board</code> and a string <code>word</code>, return <code>true</code> <em>if</em> <code>word</code> <em>exists in the grid</em>.</p> <p>The word can be constructed from letters of sequentially adjacent cells, where adjacent cells are horizontally or vertically neighboring. The same letter cell may not be used more than once.</p> <p>&nbsp;</p> <p><strong class="example">Example 1:</strong></p> <img alt="" src="https://fastly.jsdelivr.net/gh/doocs/leetcode@main/solution/0000-0099/0079.Word%20Search/images/word2.jpg" style="width: 322px; height: 242px;" /> <pre> <strong>Input:</strong> board = [[&quot;A&quot;,&quot;B&quot;,&quot;C&quot;,&quot;E&quot;],[&quot;S&quot;,&quot;F&quot;,&quot;C&quot;,&quot;S&quot;],[&quot;A&quot;,&quot;D&quot;,&quot;E&quot;,&quot;E&quot;]], word = &quot;ABCCED&quot; <strong>Output:</strong> true </pre> <p><strong class="example">Example 2:</strong></p> <img alt="" src="https://fastly.jsdelivr.net/gh/doocs/leetcode@main/solution/0000-0099/0079.Word%20Search/images/word-1.jpg" style="width: 322px; height: 242px;" /> <pre> <strong>Input:</strong> board = [[&quot;A&quot;,&quot;B&quot;,&quot;C&quot;,&quot;E&quot;],[&quot;S&quot;,&quot;F&quot;,&quot;C&quot;,&quot;S&quot;],[&quot;A&quot;,&quot;D&quot;,&quot;E&quot;,&quot;E&quot;]], word = &quot;SEE&quot; <strong>Output:</strong> true </pre> <p><strong class="example">Example 3:</strong></p> <img alt="" src="https://fastly.jsdelivr.net/gh/doocs/leetcode@main/solution/0000-0099/0079.Word%20Search/images/word3.jpg" style="width: 322px; height: 242px;" /> <pre> <strong>Input:</strong> board = [[&quot;A&quot;,&quot;B&quot;,&quot;C&quot;,&quot;E&quot;],[&quot;S&quot;,&quot;F&quot;,&quot;C&quot;,&quot;S&quot;],[&quot;A&quot;,&quot;D&quot;,&quot;E&quot;,&quot;E&quot;]], word = &quot;ABCB&quot; <strong>Output:</strong> false </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li><code>m == board.length</code></li> <li><code>n = board[i].length</code></li> <li><code>1 &lt;= m, n &lt;= 6</code></li> <li><code>1 &lt;= word.length &lt;= 15</code></li> <li><code>board</code> and <code>word</code> consists of only lowercase and uppercase English letters.</li> </ul> <p>&nbsp;</p> <p><strong>Follow up:</strong> Could you use search pruning to make your solution faster with a larger <code>board</code>?</p>
Depth-First Search; Array; String; Backtracking; Matrix
Rust
impl Solution { fn dfs( i: usize, j: usize, c: usize, word: &[u8], board: &Vec<Vec<char>>, vis: &mut Vec<Vec<bool>>, ) -> bool { if (board[i][j] as u8) != word[c] { return false; } if c == word.len() - 1 { return true; } vis[i][j] = true; let dirs = [[-1, 0], [0, -1], [1, 0], [0, 1]]; for [x, y] in dirs.into_iter() { let i = x + (i as i32); let j = y + (j as i32); if i < 0 || i == (board.len() as i32) || j < 0 || j == (board[0].len() as i32) { continue; } let (i, j) = (i as usize, j as usize); if !vis[i][j] && Self::dfs(i, j, c + 1, word, board, vis) { return true; } } vis[i][j] = false; false } pub fn exist(board: Vec<Vec<char>>, word: String) -> bool { let m = board.len(); let n = board[0].len(); let word = word.as_bytes(); let mut vis = vec![vec![false; n]; m]; for i in 0..m { for j in 0..n { if Self::dfs(i, j, 0, word, &board, &mut vis) { return true; } } } false } }
79
Word Search
Medium
<p>Given an <code>m x n</code> grid of characters <code>board</code> and a string <code>word</code>, return <code>true</code> <em>if</em> <code>word</code> <em>exists in the grid</em>.</p> <p>The word can be constructed from letters of sequentially adjacent cells, where adjacent cells are horizontally or vertically neighboring. The same letter cell may not be used more than once.</p> <p>&nbsp;</p> <p><strong class="example">Example 1:</strong></p> <img alt="" src="https://fastly.jsdelivr.net/gh/doocs/leetcode@main/solution/0000-0099/0079.Word%20Search/images/word2.jpg" style="width: 322px; height: 242px;" /> <pre> <strong>Input:</strong> board = [[&quot;A&quot;,&quot;B&quot;,&quot;C&quot;,&quot;E&quot;],[&quot;S&quot;,&quot;F&quot;,&quot;C&quot;,&quot;S&quot;],[&quot;A&quot;,&quot;D&quot;,&quot;E&quot;,&quot;E&quot;]], word = &quot;ABCCED&quot; <strong>Output:</strong> true </pre> <p><strong class="example">Example 2:</strong></p> <img alt="" src="https://fastly.jsdelivr.net/gh/doocs/leetcode@main/solution/0000-0099/0079.Word%20Search/images/word-1.jpg" style="width: 322px; height: 242px;" /> <pre> <strong>Input:</strong> board = [[&quot;A&quot;,&quot;B&quot;,&quot;C&quot;,&quot;E&quot;],[&quot;S&quot;,&quot;F&quot;,&quot;C&quot;,&quot;S&quot;],[&quot;A&quot;,&quot;D&quot;,&quot;E&quot;,&quot;E&quot;]], word = &quot;SEE&quot; <strong>Output:</strong> true </pre> <p><strong class="example">Example 3:</strong></p> <img alt="" src="https://fastly.jsdelivr.net/gh/doocs/leetcode@main/solution/0000-0099/0079.Word%20Search/images/word3.jpg" style="width: 322px; height: 242px;" /> <pre> <strong>Input:</strong> board = [[&quot;A&quot;,&quot;B&quot;,&quot;C&quot;,&quot;E&quot;],[&quot;S&quot;,&quot;F&quot;,&quot;C&quot;,&quot;S&quot;],[&quot;A&quot;,&quot;D&quot;,&quot;E&quot;,&quot;E&quot;]], word = &quot;ABCB&quot; <strong>Output:</strong> false </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li><code>m == board.length</code></li> <li><code>n = board[i].length</code></li> <li><code>1 &lt;= m, n &lt;= 6</code></li> <li><code>1 &lt;= word.length &lt;= 15</code></li> <li><code>board</code> and <code>word</code> consists of only lowercase and uppercase English letters.</li> </ul> <p>&nbsp;</p> <p><strong>Follow up:</strong> Could you use search pruning to make your solution faster with a larger <code>board</code>?</p>
Depth-First Search; Array; String; Backtracking; Matrix
TypeScript
function exist(board: string[][], word: string): boolean { const [m, n] = [board.length, board[0].length]; const dirs = [-1, 0, 1, 0, -1]; const dfs = (i: number, j: number, k: number): boolean => { if (k === word.length - 1) { return board[i][j] === word[k]; } if (board[i][j] !== word[k]) { return false; } const c = board[i][j]; board[i][j] = '0'; for (let u = 0; u < 4; ++u) { const [x, y] = [i + dirs[u], j + dirs[u + 1]]; const ok = x >= 0 && x < m && y >= 0 && y < n; if (ok && board[x][y] !== '0' && dfs(x, y, k + 1)) { return true; } } board[i][j] = c; return false; }; for (let i = 0; i < m; ++i) { for (let j = 0; j < n; ++j) { if (dfs(i, j, 0)) { return true; } } } return false; }
80
Remove Duplicates from Sorted Array II
Medium
<p>Given an integer array <code>nums</code> sorted in <strong>non-decreasing order</strong>, remove some duplicates <a href="https://en.wikipedia.org/wiki/In-place_algorithm" target="_blank"><strong>in-place</strong></a> such that each unique element appears <strong>at most twice</strong>. The <strong>relative order</strong> of the elements should be kept the <strong>same</strong>.</p> <p>Since it is impossible to change the length of the array in some languages, you must instead have the result be placed in the <strong>first part</strong> of the array <code>nums</code>. More formally, if there are <code>k</code> elements after removing the duplicates, then the first <code>k</code> elements of <code>nums</code>&nbsp;should hold the final result. It does not matter what you leave beyond the first&nbsp;<code>k</code>&nbsp;elements.</p> <p>Return <code>k</code><em> after placing the final result in the first </em><code>k</code><em> slots of </em><code>nums</code>.</p> <p>Do <strong>not</strong> allocate extra space for another array. You must do this by <strong>modifying the input array <a href="https://en.wikipedia.org/wiki/In-place_algorithm" target="_blank">in-place</a></strong> with O(1) extra memory.</p> <p><strong>Custom Judge:</strong></p> <p>The judge will test your solution with the following code:</p> <pre> int[] nums = [...]; // Input array int[] expectedNums = [...]; // The expected answer with correct length int k = removeDuplicates(nums); // Calls your implementation assert k == expectedNums.length; for (int i = 0; i &lt; k; i++) { assert nums[i] == expectedNums[i]; } </pre> <p>If all assertions pass, then your solution will be <strong>accepted</strong>.</p> <p>&nbsp;</p> <p><strong class="example">Example 1:</strong></p> <pre> <strong>Input:</strong> nums = [1,1,1,2,2,3] <strong>Output:</strong> 5, nums = [1,1,2,2,3,_] <strong>Explanation:</strong> Your function should return k = 5, with the first five elements of nums being 1, 1, 2, 2 and 3 respectively. It does not matter what you leave beyond the returned k (hence they are underscores). </pre> <p><strong class="example">Example 2:</strong></p> <pre> <strong>Input:</strong> nums = [0,0,1,1,1,1,2,3,3] <strong>Output:</strong> 7, nums = [0,0,1,1,2,3,3,_,_] <strong>Explanation:</strong> Your function should return k = 7, with the first seven elements of nums being 0, 0, 1, 1, 2, 3 and 3 respectively. It does not matter what you leave beyond the returned k (hence they are underscores). </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li><code>1 &lt;= nums.length &lt;= 3 * 10<sup>4</sup></code></li> <li><code>-10<sup>4</sup> &lt;= nums[i] &lt;= 10<sup>4</sup></code></li> <li><code>nums</code> is sorted in <strong>non-decreasing</strong> order.</li> </ul>
Array; Two Pointers
C++
class Solution { public: int removeDuplicates(vector<int>& nums) { int k = 0; for (int x : nums) { if (k < 2 || x != nums[k - 2]) { nums[k++] = x; } } return k; } };
80
Remove Duplicates from Sorted Array II
Medium
<p>Given an integer array <code>nums</code> sorted in <strong>non-decreasing order</strong>, remove some duplicates <a href="https://en.wikipedia.org/wiki/In-place_algorithm" target="_blank"><strong>in-place</strong></a> such that each unique element appears <strong>at most twice</strong>. The <strong>relative order</strong> of the elements should be kept the <strong>same</strong>.</p> <p>Since it is impossible to change the length of the array in some languages, you must instead have the result be placed in the <strong>first part</strong> of the array <code>nums</code>. More formally, if there are <code>k</code> elements after removing the duplicates, then the first <code>k</code> elements of <code>nums</code>&nbsp;should hold the final result. It does not matter what you leave beyond the first&nbsp;<code>k</code>&nbsp;elements.</p> <p>Return <code>k</code><em> after placing the final result in the first </em><code>k</code><em> slots of </em><code>nums</code>.</p> <p>Do <strong>not</strong> allocate extra space for another array. You must do this by <strong>modifying the input array <a href="https://en.wikipedia.org/wiki/In-place_algorithm" target="_blank">in-place</a></strong> with O(1) extra memory.</p> <p><strong>Custom Judge:</strong></p> <p>The judge will test your solution with the following code:</p> <pre> int[] nums = [...]; // Input array int[] expectedNums = [...]; // The expected answer with correct length int k = removeDuplicates(nums); // Calls your implementation assert k == expectedNums.length; for (int i = 0; i &lt; k; i++) { assert nums[i] == expectedNums[i]; } </pre> <p>If all assertions pass, then your solution will be <strong>accepted</strong>.</p> <p>&nbsp;</p> <p><strong class="example">Example 1:</strong></p> <pre> <strong>Input:</strong> nums = [1,1,1,2,2,3] <strong>Output:</strong> 5, nums = [1,1,2,2,3,_] <strong>Explanation:</strong> Your function should return k = 5, with the first five elements of nums being 1, 1, 2, 2 and 3 respectively. It does not matter what you leave beyond the returned k (hence they are underscores). </pre> <p><strong class="example">Example 2:</strong></p> <pre> <strong>Input:</strong> nums = [0,0,1,1,1,1,2,3,3] <strong>Output:</strong> 7, nums = [0,0,1,1,2,3,3,_,_] <strong>Explanation:</strong> Your function should return k = 7, with the first seven elements of nums being 0, 0, 1, 1, 2, 3 and 3 respectively. It does not matter what you leave beyond the returned k (hence they are underscores). </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li><code>1 &lt;= nums.length &lt;= 3 * 10<sup>4</sup></code></li> <li><code>-10<sup>4</sup> &lt;= nums[i] &lt;= 10<sup>4</sup></code></li> <li><code>nums</code> is sorted in <strong>non-decreasing</strong> order.</li> </ul>
Array; Two Pointers
C#
public class Solution { public int RemoveDuplicates(int[] nums) { int k = 0; foreach (int x in nums) { if (k < 2 || x != nums[k - 2]) { nums[k++] = x; } } return k; } }
80
Remove Duplicates from Sorted Array II
Medium
<p>Given an integer array <code>nums</code> sorted in <strong>non-decreasing order</strong>, remove some duplicates <a href="https://en.wikipedia.org/wiki/In-place_algorithm" target="_blank"><strong>in-place</strong></a> such that each unique element appears <strong>at most twice</strong>. The <strong>relative order</strong> of the elements should be kept the <strong>same</strong>.</p> <p>Since it is impossible to change the length of the array in some languages, you must instead have the result be placed in the <strong>first part</strong> of the array <code>nums</code>. More formally, if there are <code>k</code> elements after removing the duplicates, then the first <code>k</code> elements of <code>nums</code>&nbsp;should hold the final result. It does not matter what you leave beyond the first&nbsp;<code>k</code>&nbsp;elements.</p> <p>Return <code>k</code><em> after placing the final result in the first </em><code>k</code><em> slots of </em><code>nums</code>.</p> <p>Do <strong>not</strong> allocate extra space for another array. You must do this by <strong>modifying the input array <a href="https://en.wikipedia.org/wiki/In-place_algorithm" target="_blank">in-place</a></strong> with O(1) extra memory.</p> <p><strong>Custom Judge:</strong></p> <p>The judge will test your solution with the following code:</p> <pre> int[] nums = [...]; // Input array int[] expectedNums = [...]; // The expected answer with correct length int k = removeDuplicates(nums); // Calls your implementation assert k == expectedNums.length; for (int i = 0; i &lt; k; i++) { assert nums[i] == expectedNums[i]; } </pre> <p>If all assertions pass, then your solution will be <strong>accepted</strong>.</p> <p>&nbsp;</p> <p><strong class="example">Example 1:</strong></p> <pre> <strong>Input:</strong> nums = [1,1,1,2,2,3] <strong>Output:</strong> 5, nums = [1,1,2,2,3,_] <strong>Explanation:</strong> Your function should return k = 5, with the first five elements of nums being 1, 1, 2, 2 and 3 respectively. It does not matter what you leave beyond the returned k (hence they are underscores). </pre> <p><strong class="example">Example 2:</strong></p> <pre> <strong>Input:</strong> nums = [0,0,1,1,1,1,2,3,3] <strong>Output:</strong> 7, nums = [0,0,1,1,2,3,3,_,_] <strong>Explanation:</strong> Your function should return k = 7, with the first seven elements of nums being 0, 0, 1, 1, 2, 3 and 3 respectively. It does not matter what you leave beyond the returned k (hence they are underscores). </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li><code>1 &lt;= nums.length &lt;= 3 * 10<sup>4</sup></code></li> <li><code>-10<sup>4</sup> &lt;= nums[i] &lt;= 10<sup>4</sup></code></li> <li><code>nums</code> is sorted in <strong>non-decreasing</strong> order.</li> </ul>
Array; Two Pointers
Go
func removeDuplicates(nums []int) int { k := 0 for _, x := range nums { if k < 2 || x != nums[k-2] { nums[k] = x k++ } } return k }
80
Remove Duplicates from Sorted Array II
Medium
<p>Given an integer array <code>nums</code> sorted in <strong>non-decreasing order</strong>, remove some duplicates <a href="https://en.wikipedia.org/wiki/In-place_algorithm" target="_blank"><strong>in-place</strong></a> such that each unique element appears <strong>at most twice</strong>. The <strong>relative order</strong> of the elements should be kept the <strong>same</strong>.</p> <p>Since it is impossible to change the length of the array in some languages, you must instead have the result be placed in the <strong>first part</strong> of the array <code>nums</code>. More formally, if there are <code>k</code> elements after removing the duplicates, then the first <code>k</code> elements of <code>nums</code>&nbsp;should hold the final result. It does not matter what you leave beyond the first&nbsp;<code>k</code>&nbsp;elements.</p> <p>Return <code>k</code><em> after placing the final result in the first </em><code>k</code><em> slots of </em><code>nums</code>.</p> <p>Do <strong>not</strong> allocate extra space for another array. You must do this by <strong>modifying the input array <a href="https://en.wikipedia.org/wiki/In-place_algorithm" target="_blank">in-place</a></strong> with O(1) extra memory.</p> <p><strong>Custom Judge:</strong></p> <p>The judge will test your solution with the following code:</p> <pre> int[] nums = [...]; // Input array int[] expectedNums = [...]; // The expected answer with correct length int k = removeDuplicates(nums); // Calls your implementation assert k == expectedNums.length; for (int i = 0; i &lt; k; i++) { assert nums[i] == expectedNums[i]; } </pre> <p>If all assertions pass, then your solution will be <strong>accepted</strong>.</p> <p>&nbsp;</p> <p><strong class="example">Example 1:</strong></p> <pre> <strong>Input:</strong> nums = [1,1,1,2,2,3] <strong>Output:</strong> 5, nums = [1,1,2,2,3,_] <strong>Explanation:</strong> Your function should return k = 5, with the first five elements of nums being 1, 1, 2, 2 and 3 respectively. It does not matter what you leave beyond the returned k (hence they are underscores). </pre> <p><strong class="example">Example 2:</strong></p> <pre> <strong>Input:</strong> nums = [0,0,1,1,1,1,2,3,3] <strong>Output:</strong> 7, nums = [0,0,1,1,2,3,3,_,_] <strong>Explanation:</strong> Your function should return k = 7, with the first seven elements of nums being 0, 0, 1, 1, 2, 3 and 3 respectively. It does not matter what you leave beyond the returned k (hence they are underscores). </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li><code>1 &lt;= nums.length &lt;= 3 * 10<sup>4</sup></code></li> <li><code>-10<sup>4</sup> &lt;= nums[i] &lt;= 10<sup>4</sup></code></li> <li><code>nums</code> is sorted in <strong>non-decreasing</strong> order.</li> </ul>
Array; Two Pointers
Java
class Solution { public int removeDuplicates(int[] nums) { int k = 0; for (int x : nums) { if (k < 2 || x != nums[k - 2]) { nums[k++] = x; } } return k; } }
80
Remove Duplicates from Sorted Array II
Medium
<p>Given an integer array <code>nums</code> sorted in <strong>non-decreasing order</strong>, remove some duplicates <a href="https://en.wikipedia.org/wiki/In-place_algorithm" target="_blank"><strong>in-place</strong></a> such that each unique element appears <strong>at most twice</strong>. The <strong>relative order</strong> of the elements should be kept the <strong>same</strong>.</p> <p>Since it is impossible to change the length of the array in some languages, you must instead have the result be placed in the <strong>first part</strong> of the array <code>nums</code>. More formally, if there are <code>k</code> elements after removing the duplicates, then the first <code>k</code> elements of <code>nums</code>&nbsp;should hold the final result. It does not matter what you leave beyond the first&nbsp;<code>k</code>&nbsp;elements.</p> <p>Return <code>k</code><em> after placing the final result in the first </em><code>k</code><em> slots of </em><code>nums</code>.</p> <p>Do <strong>not</strong> allocate extra space for another array. You must do this by <strong>modifying the input array <a href="https://en.wikipedia.org/wiki/In-place_algorithm" target="_blank">in-place</a></strong> with O(1) extra memory.</p> <p><strong>Custom Judge:</strong></p> <p>The judge will test your solution with the following code:</p> <pre> int[] nums = [...]; // Input array int[] expectedNums = [...]; // The expected answer with correct length int k = removeDuplicates(nums); // Calls your implementation assert k == expectedNums.length; for (int i = 0; i &lt; k; i++) { assert nums[i] == expectedNums[i]; } </pre> <p>If all assertions pass, then your solution will be <strong>accepted</strong>.</p> <p>&nbsp;</p> <p><strong class="example">Example 1:</strong></p> <pre> <strong>Input:</strong> nums = [1,1,1,2,2,3] <strong>Output:</strong> 5, nums = [1,1,2,2,3,_] <strong>Explanation:</strong> Your function should return k = 5, with the first five elements of nums being 1, 1, 2, 2 and 3 respectively. It does not matter what you leave beyond the returned k (hence they are underscores). </pre> <p><strong class="example">Example 2:</strong></p> <pre> <strong>Input:</strong> nums = [0,0,1,1,1,1,2,3,3] <strong>Output:</strong> 7, nums = [0,0,1,1,2,3,3,_,_] <strong>Explanation:</strong> Your function should return k = 7, with the first seven elements of nums being 0, 0, 1, 1, 2, 3 and 3 respectively. It does not matter what you leave beyond the returned k (hence they are underscores). </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li><code>1 &lt;= nums.length &lt;= 3 * 10<sup>4</sup></code></li> <li><code>-10<sup>4</sup> &lt;= nums[i] &lt;= 10<sup>4</sup></code></li> <li><code>nums</code> is sorted in <strong>non-decreasing</strong> order.</li> </ul>
Array; Two Pointers
JavaScript
/** * @param {number[]} nums * @return {number} */ var removeDuplicates = function (nums) { let k = 0; for (const x of nums) { if (k < 2 || x !== nums[k - 2]) { nums[k++] = x; } } return k; };
80
Remove Duplicates from Sorted Array II
Medium
<p>Given an integer array <code>nums</code> sorted in <strong>non-decreasing order</strong>, remove some duplicates <a href="https://en.wikipedia.org/wiki/In-place_algorithm" target="_blank"><strong>in-place</strong></a> such that each unique element appears <strong>at most twice</strong>. The <strong>relative order</strong> of the elements should be kept the <strong>same</strong>.</p> <p>Since it is impossible to change the length of the array in some languages, you must instead have the result be placed in the <strong>first part</strong> of the array <code>nums</code>. More formally, if there are <code>k</code> elements after removing the duplicates, then the first <code>k</code> elements of <code>nums</code>&nbsp;should hold the final result. It does not matter what you leave beyond the first&nbsp;<code>k</code>&nbsp;elements.</p> <p>Return <code>k</code><em> after placing the final result in the first </em><code>k</code><em> slots of </em><code>nums</code>.</p> <p>Do <strong>not</strong> allocate extra space for another array. You must do this by <strong>modifying the input array <a href="https://en.wikipedia.org/wiki/In-place_algorithm" target="_blank">in-place</a></strong> with O(1) extra memory.</p> <p><strong>Custom Judge:</strong></p> <p>The judge will test your solution with the following code:</p> <pre> int[] nums = [...]; // Input array int[] expectedNums = [...]; // The expected answer with correct length int k = removeDuplicates(nums); // Calls your implementation assert k == expectedNums.length; for (int i = 0; i &lt; k; i++) { assert nums[i] == expectedNums[i]; } </pre> <p>If all assertions pass, then your solution will be <strong>accepted</strong>.</p> <p>&nbsp;</p> <p><strong class="example">Example 1:</strong></p> <pre> <strong>Input:</strong> nums = [1,1,1,2,2,3] <strong>Output:</strong> 5, nums = [1,1,2,2,3,_] <strong>Explanation:</strong> Your function should return k = 5, with the first five elements of nums being 1, 1, 2, 2 and 3 respectively. It does not matter what you leave beyond the returned k (hence they are underscores). </pre> <p><strong class="example">Example 2:</strong></p> <pre> <strong>Input:</strong> nums = [0,0,1,1,1,1,2,3,3] <strong>Output:</strong> 7, nums = [0,0,1,1,2,3,3,_,_] <strong>Explanation:</strong> Your function should return k = 7, with the first seven elements of nums being 0, 0, 1, 1, 2, 3 and 3 respectively. It does not matter what you leave beyond the returned k (hence they are underscores). </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li><code>1 &lt;= nums.length &lt;= 3 * 10<sup>4</sup></code></li> <li><code>-10<sup>4</sup> &lt;= nums[i] &lt;= 10<sup>4</sup></code></li> <li><code>nums</code> is sorted in <strong>non-decreasing</strong> order.</li> </ul>
Array; Two Pointers
Python
class Solution: def removeDuplicates(self, nums: List[int]) -> int: k = 0 for x in nums: if k < 2 or x != nums[k - 2]: nums[k] = x k += 1 return k
80
Remove Duplicates from Sorted Array II
Medium
<p>Given an integer array <code>nums</code> sorted in <strong>non-decreasing order</strong>, remove some duplicates <a href="https://en.wikipedia.org/wiki/In-place_algorithm" target="_blank"><strong>in-place</strong></a> such that each unique element appears <strong>at most twice</strong>. The <strong>relative order</strong> of the elements should be kept the <strong>same</strong>.</p> <p>Since it is impossible to change the length of the array in some languages, you must instead have the result be placed in the <strong>first part</strong> of the array <code>nums</code>. More formally, if there are <code>k</code> elements after removing the duplicates, then the first <code>k</code> elements of <code>nums</code>&nbsp;should hold the final result. It does not matter what you leave beyond the first&nbsp;<code>k</code>&nbsp;elements.</p> <p>Return <code>k</code><em> after placing the final result in the first </em><code>k</code><em> slots of </em><code>nums</code>.</p> <p>Do <strong>not</strong> allocate extra space for another array. You must do this by <strong>modifying the input array <a href="https://en.wikipedia.org/wiki/In-place_algorithm" target="_blank">in-place</a></strong> with O(1) extra memory.</p> <p><strong>Custom Judge:</strong></p> <p>The judge will test your solution with the following code:</p> <pre> int[] nums = [...]; // Input array int[] expectedNums = [...]; // The expected answer with correct length int k = removeDuplicates(nums); // Calls your implementation assert k == expectedNums.length; for (int i = 0; i &lt; k; i++) { assert nums[i] == expectedNums[i]; } </pre> <p>If all assertions pass, then your solution will be <strong>accepted</strong>.</p> <p>&nbsp;</p> <p><strong class="example">Example 1:</strong></p> <pre> <strong>Input:</strong> nums = [1,1,1,2,2,3] <strong>Output:</strong> 5, nums = [1,1,2,2,3,_] <strong>Explanation:</strong> Your function should return k = 5, with the first five elements of nums being 1, 1, 2, 2 and 3 respectively. It does not matter what you leave beyond the returned k (hence they are underscores). </pre> <p><strong class="example">Example 2:</strong></p> <pre> <strong>Input:</strong> nums = [0,0,1,1,1,1,2,3,3] <strong>Output:</strong> 7, nums = [0,0,1,1,2,3,3,_,_] <strong>Explanation:</strong> Your function should return k = 7, with the first seven elements of nums being 0, 0, 1, 1, 2, 3 and 3 respectively. It does not matter what you leave beyond the returned k (hence they are underscores). </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li><code>1 &lt;= nums.length &lt;= 3 * 10<sup>4</sup></code></li> <li><code>-10<sup>4</sup> &lt;= nums[i] &lt;= 10<sup>4</sup></code></li> <li><code>nums</code> is sorted in <strong>non-decreasing</strong> order.</li> </ul>
Array; Two Pointers
Rust
impl Solution { pub fn remove_duplicates(nums: &mut Vec<i32>) -> i32 { let mut k = 0; for i in 0..nums.len() { if k < 2 || nums[i] != nums[k - 2] { nums[k] = nums[i]; k += 1; } } k as i32 } }
80
Remove Duplicates from Sorted Array II
Medium
<p>Given an integer array <code>nums</code> sorted in <strong>non-decreasing order</strong>, remove some duplicates <a href="https://en.wikipedia.org/wiki/In-place_algorithm" target="_blank"><strong>in-place</strong></a> such that each unique element appears <strong>at most twice</strong>. The <strong>relative order</strong> of the elements should be kept the <strong>same</strong>.</p> <p>Since it is impossible to change the length of the array in some languages, you must instead have the result be placed in the <strong>first part</strong> of the array <code>nums</code>. More formally, if there are <code>k</code> elements after removing the duplicates, then the first <code>k</code> elements of <code>nums</code>&nbsp;should hold the final result. It does not matter what you leave beyond the first&nbsp;<code>k</code>&nbsp;elements.</p> <p>Return <code>k</code><em> after placing the final result in the first </em><code>k</code><em> slots of </em><code>nums</code>.</p> <p>Do <strong>not</strong> allocate extra space for another array. You must do this by <strong>modifying the input array <a href="https://en.wikipedia.org/wiki/In-place_algorithm" target="_blank">in-place</a></strong> with O(1) extra memory.</p> <p><strong>Custom Judge:</strong></p> <p>The judge will test your solution with the following code:</p> <pre> int[] nums = [...]; // Input array int[] expectedNums = [...]; // The expected answer with correct length int k = removeDuplicates(nums); // Calls your implementation assert k == expectedNums.length; for (int i = 0; i &lt; k; i++) { assert nums[i] == expectedNums[i]; } </pre> <p>If all assertions pass, then your solution will be <strong>accepted</strong>.</p> <p>&nbsp;</p> <p><strong class="example">Example 1:</strong></p> <pre> <strong>Input:</strong> nums = [1,1,1,2,2,3] <strong>Output:</strong> 5, nums = [1,1,2,2,3,_] <strong>Explanation:</strong> Your function should return k = 5, with the first five elements of nums being 1, 1, 2, 2 and 3 respectively. It does not matter what you leave beyond the returned k (hence they are underscores). </pre> <p><strong class="example">Example 2:</strong></p> <pre> <strong>Input:</strong> nums = [0,0,1,1,1,1,2,3,3] <strong>Output:</strong> 7, nums = [0,0,1,1,2,3,3,_,_] <strong>Explanation:</strong> Your function should return k = 7, with the first seven elements of nums being 0, 0, 1, 1, 2, 3 and 3 respectively. It does not matter what you leave beyond the returned k (hence they are underscores). </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li><code>1 &lt;= nums.length &lt;= 3 * 10<sup>4</sup></code></li> <li><code>-10<sup>4</sup> &lt;= nums[i] &lt;= 10<sup>4</sup></code></li> <li><code>nums</code> is sorted in <strong>non-decreasing</strong> order.</li> </ul>
Array; Two Pointers
TypeScript
function removeDuplicates(nums: number[]): number { let k = 0; for (const x of nums) { if (k < 2 || x !== nums[k - 2]) { nums[k++] = x; } } return k; }
81
Search in Rotated Sorted Array II
Medium
<p>There is an integer array <code>nums</code> sorted in non-decreasing order (not necessarily with <strong>distinct</strong> values).</p> <p>Before being passed to your function, <code>nums</code> is <strong>rotated</strong> at an unknown pivot index <code>k</code> (<code>0 &lt;= k &lt; nums.length</code>) such that the resulting array is <code>[nums[k], nums[k+1], ..., nums[n-1], nums[0], nums[1], ..., nums[k-1]]</code> (<strong>0-indexed</strong>). For example, <code>[0,1,2,4,4,4,5,6,6,7]</code> might be rotated at pivot index <code>5</code> and become <code>[4,5,6,6,7,0,1,2,4,4]</code>.</p> <p>Given the array <code>nums</code> <strong>after</strong> the rotation and an integer <code>target</code>, return <code>true</code><em> if </em><code>target</code><em> is in </em><code>nums</code><em>, or </em><code>false</code><em> if it is not in </em><code>nums</code><em>.</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 = [2,5,6,0,0,1,2], target = 0 <strong>Output:</strong> true </pre><p><strong class="example">Example 2:</strong></p> <pre><strong>Input:</strong> nums = [2,5,6,0,0,1,2], target = 3 <strong>Output:</strong> false </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li><code>1 &lt;= nums.length &lt;= 5000</code></li> <li><code>-10<sup>4</sup> &lt;= nums[i] &lt;= 10<sup>4</sup></code></li> <li><code>nums</code> is guaranteed to be rotated at some pivot.</li> <li><code>-10<sup>4</sup> &lt;= target &lt;= 10<sup>4</sup></code></li> </ul> <p>&nbsp;</p> <p><strong>Follow up:</strong> This problem is similar to&nbsp;<a href="/problems/search-in-rotated-sorted-array/description/" target="_blank">Search 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>
Array; Binary Search
C++
class Solution { public: bool search(vector<int>& nums, int target) { int l = 0, r = nums.size() - 1; while (l < r) { int mid = (l + r) >> 1; if (nums[mid] > nums[r]) { if (nums[l] <= target && target <= nums[mid]) { r = mid; } else { l = mid + 1; } } else if (nums[mid] < nums[r]) { if (nums[mid] < target && target <= nums[r]) { l = mid + 1; } else { r = mid; } } else { --r; } } return nums[l] == target; } };
81
Search in Rotated Sorted Array II
Medium
<p>There is an integer array <code>nums</code> sorted in non-decreasing order (not necessarily with <strong>distinct</strong> values).</p> <p>Before being passed to your function, <code>nums</code> is <strong>rotated</strong> at an unknown pivot index <code>k</code> (<code>0 &lt;= k &lt; nums.length</code>) such that the resulting array is <code>[nums[k], nums[k+1], ..., nums[n-1], nums[0], nums[1], ..., nums[k-1]]</code> (<strong>0-indexed</strong>). For example, <code>[0,1,2,4,4,4,5,6,6,7]</code> might be rotated at pivot index <code>5</code> and become <code>[4,5,6,6,7,0,1,2,4,4]</code>.</p> <p>Given the array <code>nums</code> <strong>after</strong> the rotation and an integer <code>target</code>, return <code>true</code><em> if </em><code>target</code><em> is in </em><code>nums</code><em>, or </em><code>false</code><em> if it is not in </em><code>nums</code><em>.</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 = [2,5,6,0,0,1,2], target = 0 <strong>Output:</strong> true </pre><p><strong class="example">Example 2:</strong></p> <pre><strong>Input:</strong> nums = [2,5,6,0,0,1,2], target = 3 <strong>Output:</strong> false </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li><code>1 &lt;= nums.length &lt;= 5000</code></li> <li><code>-10<sup>4</sup> &lt;= nums[i] &lt;= 10<sup>4</sup></code></li> <li><code>nums</code> is guaranteed to be rotated at some pivot.</li> <li><code>-10<sup>4</sup> &lt;= target &lt;= 10<sup>4</sup></code></li> </ul> <p>&nbsp;</p> <p><strong>Follow up:</strong> This problem is similar to&nbsp;<a href="/problems/search-in-rotated-sorted-array/description/" target="_blank">Search 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>
Array; Binary Search
Go
func search(nums []int, target int) bool { l, r := 0, len(nums)-1 for l < r { mid := (l + r) >> 1 if nums[mid] > nums[r] { if nums[l] <= target && target <= nums[mid] { r = mid } else { l = mid + 1 } } else if nums[mid] < nums[r] { if nums[mid] < target && target <= nums[r] { l = mid + 1 } else { r = mid } } else { r-- } } return nums[l] == target }
81
Search in Rotated Sorted Array II
Medium
<p>There is an integer array <code>nums</code> sorted in non-decreasing order (not necessarily with <strong>distinct</strong> values).</p> <p>Before being passed to your function, <code>nums</code> is <strong>rotated</strong> at an unknown pivot index <code>k</code> (<code>0 &lt;= k &lt; nums.length</code>) such that the resulting array is <code>[nums[k], nums[k+1], ..., nums[n-1], nums[0], nums[1], ..., nums[k-1]]</code> (<strong>0-indexed</strong>). For example, <code>[0,1,2,4,4,4,5,6,6,7]</code> might be rotated at pivot index <code>5</code> and become <code>[4,5,6,6,7,0,1,2,4,4]</code>.</p> <p>Given the array <code>nums</code> <strong>after</strong> the rotation and an integer <code>target</code>, return <code>true</code><em> if </em><code>target</code><em> is in </em><code>nums</code><em>, or </em><code>false</code><em> if it is not in </em><code>nums</code><em>.</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 = [2,5,6,0,0,1,2], target = 0 <strong>Output:</strong> true </pre><p><strong class="example">Example 2:</strong></p> <pre><strong>Input:</strong> nums = [2,5,6,0,0,1,2], target = 3 <strong>Output:</strong> false </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li><code>1 &lt;= nums.length &lt;= 5000</code></li> <li><code>-10<sup>4</sup> &lt;= nums[i] &lt;= 10<sup>4</sup></code></li> <li><code>nums</code> is guaranteed to be rotated at some pivot.</li> <li><code>-10<sup>4</sup> &lt;= target &lt;= 10<sup>4</sup></code></li> </ul> <p>&nbsp;</p> <p><strong>Follow up:</strong> This problem is similar to&nbsp;<a href="/problems/search-in-rotated-sorted-array/description/" target="_blank">Search 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>
Array; Binary Search
Java
class Solution { public boolean search(int[] nums, int target) { int l = 0, r = nums.length - 1; while (l < r) { int mid = (l + r) >> 1; if (nums[mid] > nums[r]) { if (nums[l] <= target && target <= nums[mid]) { r = mid; } else { l = mid + 1; } } else if (nums[mid] < nums[r]) { if (nums[mid] < target && target <= nums[r]) { l = mid + 1; } else { r = mid; } } else { --r; } } return nums[l] == target; } }
81
Search in Rotated Sorted Array II
Medium
<p>There is an integer array <code>nums</code> sorted in non-decreasing order (not necessarily with <strong>distinct</strong> values).</p> <p>Before being passed to your function, <code>nums</code> is <strong>rotated</strong> at an unknown pivot index <code>k</code> (<code>0 &lt;= k &lt; nums.length</code>) such that the resulting array is <code>[nums[k], nums[k+1], ..., nums[n-1], nums[0], nums[1], ..., nums[k-1]]</code> (<strong>0-indexed</strong>). For example, <code>[0,1,2,4,4,4,5,6,6,7]</code> might be rotated at pivot index <code>5</code> and become <code>[4,5,6,6,7,0,1,2,4,4]</code>.</p> <p>Given the array <code>nums</code> <strong>after</strong> the rotation and an integer <code>target</code>, return <code>true</code><em> if </em><code>target</code><em> is in </em><code>nums</code><em>, or </em><code>false</code><em> if it is not in </em><code>nums</code><em>.</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 = [2,5,6,0,0,1,2], target = 0 <strong>Output:</strong> true </pre><p><strong class="example">Example 2:</strong></p> <pre><strong>Input:</strong> nums = [2,5,6,0,0,1,2], target = 3 <strong>Output:</strong> false </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li><code>1 &lt;= nums.length &lt;= 5000</code></li> <li><code>-10<sup>4</sup> &lt;= nums[i] &lt;= 10<sup>4</sup></code></li> <li><code>nums</code> is guaranteed to be rotated at some pivot.</li> <li><code>-10<sup>4</sup> &lt;= target &lt;= 10<sup>4</sup></code></li> </ul> <p>&nbsp;</p> <p><strong>Follow up:</strong> This problem is similar to&nbsp;<a href="/problems/search-in-rotated-sorted-array/description/" target="_blank">Search 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>
Array; Binary Search
JavaScript
/** * @param {number[]} nums * @param {number} target * @return {boolean} */ var search = function (nums, target) { let [l, r] = [0, nums.length - 1]; while (l < r) { const mid = (l + r) >> 1; if (nums[mid] > nums[r]) { if (nums[l] <= target && target <= nums[mid]) { r = mid; } else { l = mid + 1; } } else if (nums[mid] < nums[r]) { if (nums[mid] < target && target <= nums[r]) { l = mid + 1; } else { r = mid; } } else { --r; } } return nums[l] === target; };
81
Search in Rotated Sorted Array II
Medium
<p>There is an integer array <code>nums</code> sorted in non-decreasing order (not necessarily with <strong>distinct</strong> values).</p> <p>Before being passed to your function, <code>nums</code> is <strong>rotated</strong> at an unknown pivot index <code>k</code> (<code>0 &lt;= k &lt; nums.length</code>) such that the resulting array is <code>[nums[k], nums[k+1], ..., nums[n-1], nums[0], nums[1], ..., nums[k-1]]</code> (<strong>0-indexed</strong>). For example, <code>[0,1,2,4,4,4,5,6,6,7]</code> might be rotated at pivot index <code>5</code> and become <code>[4,5,6,6,7,0,1,2,4,4]</code>.</p> <p>Given the array <code>nums</code> <strong>after</strong> the rotation and an integer <code>target</code>, return <code>true</code><em> if </em><code>target</code><em> is in </em><code>nums</code><em>, or </em><code>false</code><em> if it is not in </em><code>nums</code><em>.</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 = [2,5,6,0,0,1,2], target = 0 <strong>Output:</strong> true </pre><p><strong class="example">Example 2:</strong></p> <pre><strong>Input:</strong> nums = [2,5,6,0,0,1,2], target = 3 <strong>Output:</strong> false </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li><code>1 &lt;= nums.length &lt;= 5000</code></li> <li><code>-10<sup>4</sup> &lt;= nums[i] &lt;= 10<sup>4</sup></code></li> <li><code>nums</code> is guaranteed to be rotated at some pivot.</li> <li><code>-10<sup>4</sup> &lt;= target &lt;= 10<sup>4</sup></code></li> </ul> <p>&nbsp;</p> <p><strong>Follow up:</strong> This problem is similar to&nbsp;<a href="/problems/search-in-rotated-sorted-array/description/" target="_blank">Search 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>
Array; Binary Search
Python
class Solution: def search(self, nums: List[int], target: int) -> bool: n = len(nums) l, r = 0, n - 1 while l < r: mid = (l + r) >> 1 if nums[mid] > nums[r]: if nums[l] <= target <= nums[mid]: r = mid else: l = mid + 1 elif nums[mid] < nums[r]: if nums[mid] < target <= nums[r]: l = mid + 1 else: r = mid else: r -= 1 return nums[l] == target
81
Search in Rotated Sorted Array II
Medium
<p>There is an integer array <code>nums</code> sorted in non-decreasing order (not necessarily with <strong>distinct</strong> values).</p> <p>Before being passed to your function, <code>nums</code> is <strong>rotated</strong> at an unknown pivot index <code>k</code> (<code>0 &lt;= k &lt; nums.length</code>) such that the resulting array is <code>[nums[k], nums[k+1], ..., nums[n-1], nums[0], nums[1], ..., nums[k-1]]</code> (<strong>0-indexed</strong>). For example, <code>[0,1,2,4,4,4,5,6,6,7]</code> might be rotated at pivot index <code>5</code> and become <code>[4,5,6,6,7,0,1,2,4,4]</code>.</p> <p>Given the array <code>nums</code> <strong>after</strong> the rotation and an integer <code>target</code>, return <code>true</code><em> if </em><code>target</code><em> is in </em><code>nums</code><em>, or </em><code>false</code><em> if it is not in </em><code>nums</code><em>.</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 = [2,5,6,0,0,1,2], target = 0 <strong>Output:</strong> true </pre><p><strong class="example">Example 2:</strong></p> <pre><strong>Input:</strong> nums = [2,5,6,0,0,1,2], target = 3 <strong>Output:</strong> false </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li><code>1 &lt;= nums.length &lt;= 5000</code></li> <li><code>-10<sup>4</sup> &lt;= nums[i] &lt;= 10<sup>4</sup></code></li> <li><code>nums</code> is guaranteed to be rotated at some pivot.</li> <li><code>-10<sup>4</sup> &lt;= target &lt;= 10<sup>4</sup></code></li> </ul> <p>&nbsp;</p> <p><strong>Follow up:</strong> This problem is similar to&nbsp;<a href="/problems/search-in-rotated-sorted-array/description/" target="_blank">Search 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>
Array; Binary Search
Rust
impl Solution { pub fn search(nums: Vec<i32>, target: i32) -> bool { let (mut l, mut r) = (0, nums.len() - 1); while l < r { let mid = (l + r) >> 1; if nums[mid] > nums[r] { if nums[l] <= target && target <= nums[mid] { r = mid; } else { l = mid + 1; } } else if nums[mid] < nums[r] { if nums[mid] < target && target <= nums[r] { l = mid + 1; } else { r = mid; } } else { r -= 1; } } nums[l] == target } }
81
Search in Rotated Sorted Array II
Medium
<p>There is an integer array <code>nums</code> sorted in non-decreasing order (not necessarily with <strong>distinct</strong> values).</p> <p>Before being passed to your function, <code>nums</code> is <strong>rotated</strong> at an unknown pivot index <code>k</code> (<code>0 &lt;= k &lt; nums.length</code>) such that the resulting array is <code>[nums[k], nums[k+1], ..., nums[n-1], nums[0], nums[1], ..., nums[k-1]]</code> (<strong>0-indexed</strong>). For example, <code>[0,1,2,4,4,4,5,6,6,7]</code> might be rotated at pivot index <code>5</code> and become <code>[4,5,6,6,7,0,1,2,4,4]</code>.</p> <p>Given the array <code>nums</code> <strong>after</strong> the rotation and an integer <code>target</code>, return <code>true</code><em> if </em><code>target</code><em> is in </em><code>nums</code><em>, or </em><code>false</code><em> if it is not in </em><code>nums</code><em>.</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 = [2,5,6,0,0,1,2], target = 0 <strong>Output:</strong> true </pre><p><strong class="example">Example 2:</strong></p> <pre><strong>Input:</strong> nums = [2,5,6,0,0,1,2], target = 3 <strong>Output:</strong> false </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li><code>1 &lt;= nums.length &lt;= 5000</code></li> <li><code>-10<sup>4</sup> &lt;= nums[i] &lt;= 10<sup>4</sup></code></li> <li><code>nums</code> is guaranteed to be rotated at some pivot.</li> <li><code>-10<sup>4</sup> &lt;= target &lt;= 10<sup>4</sup></code></li> </ul> <p>&nbsp;</p> <p><strong>Follow up:</strong> This problem is similar to&nbsp;<a href="/problems/search-in-rotated-sorted-array/description/" target="_blank">Search 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>
Array; Binary Search
TypeScript
function search(nums: number[], target: number): boolean { let [l, r] = [0, nums.length - 1]; while (l < r) { const mid = (l + r) >> 1; if (nums[mid] > nums[r]) { if (nums[l] <= target && target <= nums[mid]) { r = mid; } else { l = mid + 1; } } else if (nums[mid] < nums[r]) { if (nums[mid] < target && target <= nums[r]) { l = mid + 1; } else { r = mid; } } else { --r; } } return nums[l] === target; }
82
Remove Duplicates from Sorted List II
Medium
<p>Given the <code>head</code> of a sorted linked list, <em>delete all nodes that have duplicate numbers, leaving only distinct numbers from the original list</em>. Return <em>the linked list <strong>sorted</strong> as well</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/0000-0099/0082.Remove%20Duplicates%20from%20Sorted%20List%20II/images/linkedlist1.jpg" style="width: 500px; height: 142px;" /> <pre> <strong>Input:</strong> head = [1,2,3,3,4,4,5] <strong>Output:</strong> [1,2,5] </pre> <p><strong class="example">Example 2:</strong></p> <img alt="" src="https://fastly.jsdelivr.net/gh/doocs/leetcode@main/solution/0000-0099/0082.Remove%20Duplicates%20from%20Sorted%20List%20II/images/linkedlist2.jpg" style="width: 500px; height: 205px;" /> <pre> <strong>Input:</strong> head = [1,1,1,2,3] <strong>Output:</strong> [2,3] </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li>The number of nodes in the list is in the range <code>[0, 300]</code>.</li> <li><code>-100 &lt;= Node.val &lt;= 100</code></li> <li>The list is guaranteed to be <strong>sorted</strong> in ascending order.</li> </ul>
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: ListNode* deleteDuplicates(ListNode* head) { ListNode* dummy = new ListNode(0, head); ListNode* pre = dummy; ListNode* cur = head; while (cur) { while (cur->next && cur->next->val == cur->val) { cur = cur->next; } if (pre->next == cur) { pre = cur; } else { pre->next = cur->next; } cur = cur->next; } return dummy->next; } };
82
Remove Duplicates from Sorted List II
Medium
<p>Given the <code>head</code> of a sorted linked list, <em>delete all nodes that have duplicate numbers, leaving only distinct numbers from the original list</em>. Return <em>the linked list <strong>sorted</strong> as well</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/0000-0099/0082.Remove%20Duplicates%20from%20Sorted%20List%20II/images/linkedlist1.jpg" style="width: 500px; height: 142px;" /> <pre> <strong>Input:</strong> head = [1,2,3,3,4,4,5] <strong>Output:</strong> [1,2,5] </pre> <p><strong class="example">Example 2:</strong></p> <img alt="" src="https://fastly.jsdelivr.net/gh/doocs/leetcode@main/solution/0000-0099/0082.Remove%20Duplicates%20from%20Sorted%20List%20II/images/linkedlist2.jpg" style="width: 500px; height: 205px;" /> <pre> <strong>Input:</strong> head = [1,1,1,2,3] <strong>Output:</strong> [2,3] </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li>The number of nodes in the list is in the range <code>[0, 300]</code>.</li> <li><code>-100 &lt;= Node.val &lt;= 100</code></li> <li>The list is guaranteed to be <strong>sorted</strong> in ascending order.</li> </ul>
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 ListNode DeleteDuplicates(ListNode head) { ListNode dummy = new ListNode(0, head); ListNode pre = dummy; ListNode cur = head; while (cur != null) { while (cur.next != null && cur.next.val == cur.val) { cur = cur.next; } if (pre.next == cur) { pre = cur; } else { pre.next = cur.next; } cur = cur.next; } return dummy.next; } }
82
Remove Duplicates from Sorted List II
Medium
<p>Given the <code>head</code> of a sorted linked list, <em>delete all nodes that have duplicate numbers, leaving only distinct numbers from the original list</em>. Return <em>the linked list <strong>sorted</strong> as well</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/0000-0099/0082.Remove%20Duplicates%20from%20Sorted%20List%20II/images/linkedlist1.jpg" style="width: 500px; height: 142px;" /> <pre> <strong>Input:</strong> head = [1,2,3,3,4,4,5] <strong>Output:</strong> [1,2,5] </pre> <p><strong class="example">Example 2:</strong></p> <img alt="" src="https://fastly.jsdelivr.net/gh/doocs/leetcode@main/solution/0000-0099/0082.Remove%20Duplicates%20from%20Sorted%20List%20II/images/linkedlist2.jpg" style="width: 500px; height: 205px;" /> <pre> <strong>Input:</strong> head = [1,1,1,2,3] <strong>Output:</strong> [2,3] </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li>The number of nodes in the list is in the range <code>[0, 300]</code>.</li> <li><code>-100 &lt;= Node.val &lt;= 100</code></li> <li>The list is guaranteed to be <strong>sorted</strong> in ascending order.</li> </ul>
Linked List; Two Pointers
Go
/** * Definition for singly-linked list. * type ListNode struct { * Val int * Next *ListNode * } */ func deleteDuplicates(head *ListNode) *ListNode { dummy := &ListNode{Next: head} pre, cur := dummy, head for cur != nil { for cur.Next != nil && cur.Next.Val == cur.Val { cur = cur.Next } if pre.Next == cur { pre = cur } else { pre.Next = cur.Next } cur = cur.Next } return dummy.Next }
82
Remove Duplicates from Sorted List II
Medium
<p>Given the <code>head</code> of a sorted linked list, <em>delete all nodes that have duplicate numbers, leaving only distinct numbers from the original list</em>. Return <em>the linked list <strong>sorted</strong> as well</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/0000-0099/0082.Remove%20Duplicates%20from%20Sorted%20List%20II/images/linkedlist1.jpg" style="width: 500px; height: 142px;" /> <pre> <strong>Input:</strong> head = [1,2,3,3,4,4,5] <strong>Output:</strong> [1,2,5] </pre> <p><strong class="example">Example 2:</strong></p> <img alt="" src="https://fastly.jsdelivr.net/gh/doocs/leetcode@main/solution/0000-0099/0082.Remove%20Duplicates%20from%20Sorted%20List%20II/images/linkedlist2.jpg" style="width: 500px; height: 205px;" /> <pre> <strong>Input:</strong> head = [1,1,1,2,3] <strong>Output:</strong> [2,3] </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li>The number of nodes in the list is in the range <code>[0, 300]</code>.</li> <li><code>-100 &lt;= Node.val &lt;= 100</code></li> <li>The list is guaranteed to be <strong>sorted</strong> in ascending order.</li> </ul>
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 ListNode deleteDuplicates(ListNode head) { ListNode dummy = new ListNode(0, head); ListNode pre = dummy; ListNode cur = head; while (cur != null) { while (cur.next != null && cur.next.val == cur.val) { cur = cur.next; } if (pre.next == cur) { pre = cur; } else { pre.next = cur.next; } cur = cur.next; } return dummy.next; } }
82
Remove Duplicates from Sorted List II
Medium
<p>Given the <code>head</code> of a sorted linked list, <em>delete all nodes that have duplicate numbers, leaving only distinct numbers from the original list</em>. Return <em>the linked list <strong>sorted</strong> as well</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/0000-0099/0082.Remove%20Duplicates%20from%20Sorted%20List%20II/images/linkedlist1.jpg" style="width: 500px; height: 142px;" /> <pre> <strong>Input:</strong> head = [1,2,3,3,4,4,5] <strong>Output:</strong> [1,2,5] </pre> <p><strong class="example">Example 2:</strong></p> <img alt="" src="https://fastly.jsdelivr.net/gh/doocs/leetcode@main/solution/0000-0099/0082.Remove%20Duplicates%20from%20Sorted%20List%20II/images/linkedlist2.jpg" style="width: 500px; height: 205px;" /> <pre> <strong>Input:</strong> head = [1,1,1,2,3] <strong>Output:</strong> [2,3] </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li>The number of nodes in the list is in the range <code>[0, 300]</code>.</li> <li><code>-100 &lt;= Node.val &lt;= 100</code></li> <li>The list is guaranteed to be <strong>sorted</strong> in ascending order.</li> </ul>
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 {ListNode} */ var deleteDuplicates = function (head) { const dummy = new ListNode(0, head); let pre = dummy; let cur = head; while (cur) { while (cur.next && cur.val === cur.next.val) { cur = cur.next; } if (pre.next === cur) { pre = cur; } else { pre.next = cur.next; } cur = cur.next; } return dummy.next; };
82
Remove Duplicates from Sorted List II
Medium
<p>Given the <code>head</code> of a sorted linked list, <em>delete all nodes that have duplicate numbers, leaving only distinct numbers from the original list</em>. Return <em>the linked list <strong>sorted</strong> as well</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/0000-0099/0082.Remove%20Duplicates%20from%20Sorted%20List%20II/images/linkedlist1.jpg" style="width: 500px; height: 142px;" /> <pre> <strong>Input:</strong> head = [1,2,3,3,4,4,5] <strong>Output:</strong> [1,2,5] </pre> <p><strong class="example">Example 2:</strong></p> <img alt="" src="https://fastly.jsdelivr.net/gh/doocs/leetcode@main/solution/0000-0099/0082.Remove%20Duplicates%20from%20Sorted%20List%20II/images/linkedlist2.jpg" style="width: 500px; height: 205px;" /> <pre> <strong>Input:</strong> head = [1,1,1,2,3] <strong>Output:</strong> [2,3] </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li>The number of nodes in the list is in the range <code>[0, 300]</code>.</li> <li><code>-100 &lt;= Node.val &lt;= 100</code></li> <li>The list is guaranteed to be <strong>sorted</strong> in ascending order.</li> </ul>
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 deleteDuplicates(self, head: Optional[ListNode]) -> Optional[ListNode]: dummy = pre = ListNode(next=head) cur = head while cur: while cur.next and cur.next.val == cur.val: cur = cur.next if pre.next == cur: pre = cur else: pre.next = cur.next cur = cur.next return dummy.next
82
Remove Duplicates from Sorted List II
Medium
<p>Given the <code>head</code> of a sorted linked list, <em>delete all nodes that have duplicate numbers, leaving only distinct numbers from the original list</em>. Return <em>the linked list <strong>sorted</strong> as well</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/0000-0099/0082.Remove%20Duplicates%20from%20Sorted%20List%20II/images/linkedlist1.jpg" style="width: 500px; height: 142px;" /> <pre> <strong>Input:</strong> head = [1,2,3,3,4,4,5] <strong>Output:</strong> [1,2,5] </pre> <p><strong class="example">Example 2:</strong></p> <img alt="" src="https://fastly.jsdelivr.net/gh/doocs/leetcode@main/solution/0000-0099/0082.Remove%20Duplicates%20from%20Sorted%20List%20II/images/linkedlist2.jpg" style="width: 500px; height: 205px;" /> <pre> <strong>Input:</strong> head = [1,1,1,2,3] <strong>Output:</strong> [2,3] </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li>The number of nodes in the list is in the range <code>[0, 300]</code>.</li> <li><code>-100 &lt;= Node.val &lt;= 100</code></li> <li>The list is guaranteed to be <strong>sorted</strong> in ascending order.</li> </ul>
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 // } // } // } impl Solution { pub fn delete_duplicates(mut head: Option<Box<ListNode>>) -> Option<Box<ListNode>> { let mut dummy = Some(Box::new(ListNode::new(101))); let mut pev = dummy.as_mut().unwrap(); let mut cur = head; let mut pre = 101; while let Some(mut node) = cur { cur = node.next.take(); if node.val == pre || (cur.is_some() && cur.as_ref().unwrap().val == node.val) { pre = node.val; } else { pre = node.val; pev.next = Some(node); pev = pev.next.as_mut().unwrap(); } } dummy.unwrap().next } }
82
Remove Duplicates from Sorted List II
Medium
<p>Given the <code>head</code> of a sorted linked list, <em>delete all nodes that have duplicate numbers, leaving only distinct numbers from the original list</em>. Return <em>the linked list <strong>sorted</strong> as well</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/0000-0099/0082.Remove%20Duplicates%20from%20Sorted%20List%20II/images/linkedlist1.jpg" style="width: 500px; height: 142px;" /> <pre> <strong>Input:</strong> head = [1,2,3,3,4,4,5] <strong>Output:</strong> [1,2,5] </pre> <p><strong class="example">Example 2:</strong></p> <img alt="" src="https://fastly.jsdelivr.net/gh/doocs/leetcode@main/solution/0000-0099/0082.Remove%20Duplicates%20from%20Sorted%20List%20II/images/linkedlist2.jpg" style="width: 500px; height: 205px;" /> <pre> <strong>Input:</strong> head = [1,1,1,2,3] <strong>Output:</strong> [2,3] </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li>The number of nodes in the list is in the range <code>[0, 300]</code>.</li> <li><code>-100 &lt;= Node.val &lt;= 100</code></li> <li>The list is guaranteed to be <strong>sorted</strong> in ascending order.</li> </ul>
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 deleteDuplicates(head: ListNode | null): ListNode | null { const dummy = new ListNode(0, head); let pre = dummy; let cur = head; while (cur) { while (cur.next && cur.val === cur.next.val) { cur = cur.next; } if (pre.next === cur) { pre = cur; } else { pre.next = cur.next; } cur = cur.next; } return dummy.next; }
83
Remove Duplicates from Sorted List
Easy
<p>Given the <code>head</code> of a sorted linked list, <em>delete all duplicates such that each element appears only once</em>. Return <em>the linked list <strong>sorted</strong> as well</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/0000-0099/0083.Remove%20Duplicates%20from%20Sorted%20List/images/list1.jpg" style="width: 302px; height: 242px;" /> <pre> <strong>Input:</strong> head = [1,1,2] <strong>Output:</strong> [1,2] </pre> <p><strong class="example">Example 2:</strong></p> <img alt="" src="https://fastly.jsdelivr.net/gh/doocs/leetcode@main/solution/0000-0099/0083.Remove%20Duplicates%20from%20Sorted%20List/images/list2.jpg" style="width: 542px; height: 222px;" /> <pre> <strong>Input:</strong> head = [1,1,2,3,3] <strong>Output:</strong> [1,2,3] </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li>The number of nodes in the list is in the range <code>[0, 300]</code>.</li> <li><code>-100 &lt;= Node.val &lt;= 100</code></li> <li>The list is guaranteed to be <strong>sorted</strong> in ascending order.</li> </ul>
Linked List
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* deleteDuplicates(ListNode* head) { ListNode* cur = head; while (cur != nullptr && cur->next != nullptr) { if (cur->val == cur->next->val) { cur->next = cur->next->next; } else { cur = cur->next; } } return head; } };
83
Remove Duplicates from Sorted List
Easy
<p>Given the <code>head</code> of a sorted linked list, <em>delete all duplicates such that each element appears only once</em>. Return <em>the linked list <strong>sorted</strong> as well</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/0000-0099/0083.Remove%20Duplicates%20from%20Sorted%20List/images/list1.jpg" style="width: 302px; height: 242px;" /> <pre> <strong>Input:</strong> head = [1,1,2] <strong>Output:</strong> [1,2] </pre> <p><strong class="example">Example 2:</strong></p> <img alt="" src="https://fastly.jsdelivr.net/gh/doocs/leetcode@main/solution/0000-0099/0083.Remove%20Duplicates%20from%20Sorted%20List/images/list2.jpg" style="width: 542px; height: 222px;" /> <pre> <strong>Input:</strong> head = [1,1,2,3,3] <strong>Output:</strong> [1,2,3] </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li>The number of nodes in the list is in the range <code>[0, 300]</code>.</li> <li><code>-100 &lt;= Node.val &lt;= 100</code></li> <li>The list is guaranteed to be <strong>sorted</strong> in ascending order.</li> </ul>
Linked List
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 DeleteDuplicates(ListNode head) { ListNode cur = head; while (cur != null && cur.next != null) { if (cur.val == cur.next.val) { cur.next = cur.next.next; } else { cur = cur.next; } } return head; } }
83
Remove Duplicates from Sorted List
Easy
<p>Given the <code>head</code> of a sorted linked list, <em>delete all duplicates such that each element appears only once</em>. Return <em>the linked list <strong>sorted</strong> as well</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/0000-0099/0083.Remove%20Duplicates%20from%20Sorted%20List/images/list1.jpg" style="width: 302px; height: 242px;" /> <pre> <strong>Input:</strong> head = [1,1,2] <strong>Output:</strong> [1,2] </pre> <p><strong class="example">Example 2:</strong></p> <img alt="" src="https://fastly.jsdelivr.net/gh/doocs/leetcode@main/solution/0000-0099/0083.Remove%20Duplicates%20from%20Sorted%20List/images/list2.jpg" style="width: 542px; height: 222px;" /> <pre> <strong>Input:</strong> head = [1,1,2,3,3] <strong>Output:</strong> [1,2,3] </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li>The number of nodes in the list is in the range <code>[0, 300]</code>.</li> <li><code>-100 &lt;= Node.val &lt;= 100</code></li> <li>The list is guaranteed to be <strong>sorted</strong> in ascending order.</li> </ul>
Linked List
Go
/** * Definition for singly-linked list. * type ListNode struct { * Val int * Next *ListNode * } */ func deleteDuplicates(head *ListNode) *ListNode { cur := head for cur != nil && cur.Next != nil { if cur.Val == cur.Next.Val { cur.Next = cur.Next.Next } else { cur = cur.Next } } return head }
83
Remove Duplicates from Sorted List
Easy
<p>Given the <code>head</code> of a sorted linked list, <em>delete all duplicates such that each element appears only once</em>. Return <em>the linked list <strong>sorted</strong> as well</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/0000-0099/0083.Remove%20Duplicates%20from%20Sorted%20List/images/list1.jpg" style="width: 302px; height: 242px;" /> <pre> <strong>Input:</strong> head = [1,1,2] <strong>Output:</strong> [1,2] </pre> <p><strong class="example">Example 2:</strong></p> <img alt="" src="https://fastly.jsdelivr.net/gh/doocs/leetcode@main/solution/0000-0099/0083.Remove%20Duplicates%20from%20Sorted%20List/images/list2.jpg" style="width: 542px; height: 222px;" /> <pre> <strong>Input:</strong> head = [1,1,2,3,3] <strong>Output:</strong> [1,2,3] </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li>The number of nodes in the list is in the range <code>[0, 300]</code>.</li> <li><code>-100 &lt;= Node.val &lt;= 100</code></li> <li>The list is guaranteed to be <strong>sorted</strong> in ascending order.</li> </ul>
Linked List
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 deleteDuplicates(ListNode head) { ListNode cur = head; while (cur != null && cur.next != null) { if (cur.val == cur.next.val) { cur.next = cur.next.next; } else { cur = cur.next; } } return head; } }
83
Remove Duplicates from Sorted List
Easy
<p>Given the <code>head</code> of a sorted linked list, <em>delete all duplicates such that each element appears only once</em>. Return <em>the linked list <strong>sorted</strong> as well</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/0000-0099/0083.Remove%20Duplicates%20from%20Sorted%20List/images/list1.jpg" style="width: 302px; height: 242px;" /> <pre> <strong>Input:</strong> head = [1,1,2] <strong>Output:</strong> [1,2] </pre> <p><strong class="example">Example 2:</strong></p> <img alt="" src="https://fastly.jsdelivr.net/gh/doocs/leetcode@main/solution/0000-0099/0083.Remove%20Duplicates%20from%20Sorted%20List/images/list2.jpg" style="width: 542px; height: 222px;" /> <pre> <strong>Input:</strong> head = [1,1,2,3,3] <strong>Output:</strong> [1,2,3] </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li>The number of nodes in the list is in the range <code>[0, 300]</code>.</li> <li><code>-100 &lt;= Node.val &lt;= 100</code></li> <li>The list is guaranteed to be <strong>sorted</strong> in ascending order.</li> </ul>
Linked List
JavaScript
/** * Definition for singly-linked list. * function ListNode(val) { * this.val = val; * this.next = null; * } */ /** * @param {ListNode} head * @return {ListNode} */ var deleteDuplicates = function (head) { let cur = head; while (cur && cur.next) { if (cur.next.val === cur.val) { cur.next = cur.next.next; } else { cur = cur.next; } } return head; };
83
Remove Duplicates from Sorted List
Easy
<p>Given the <code>head</code> of a sorted linked list, <em>delete all duplicates such that each element appears only once</em>. Return <em>the linked list <strong>sorted</strong> as well</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/0000-0099/0083.Remove%20Duplicates%20from%20Sorted%20List/images/list1.jpg" style="width: 302px; height: 242px;" /> <pre> <strong>Input:</strong> head = [1,1,2] <strong>Output:</strong> [1,2] </pre> <p><strong class="example">Example 2:</strong></p> <img alt="" src="https://fastly.jsdelivr.net/gh/doocs/leetcode@main/solution/0000-0099/0083.Remove%20Duplicates%20from%20Sorted%20List/images/list2.jpg" style="width: 542px; height: 222px;" /> <pre> <strong>Input:</strong> head = [1,1,2,3,3] <strong>Output:</strong> [1,2,3] </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li>The number of nodes in the list is in the range <code>[0, 300]</code>.</li> <li><code>-100 &lt;= Node.val &lt;= 100</code></li> <li>The list is guaranteed to be <strong>sorted</strong> in ascending order.</li> </ul>
Linked List
Python
# Definition for singly-linked list. # class ListNode: # def __init__(self, val=0, next=None): # self.val = val # self.next = next class Solution: def deleteDuplicates(self, head: Optional[ListNode]) -> Optional[ListNode]: cur = head while cur and cur.next: if cur.val == cur.next.val: cur.next = cur.next.next else: cur = cur.next return head
83
Remove Duplicates from Sorted List
Easy
<p>Given the <code>head</code> of a sorted linked list, <em>delete all duplicates such that each element appears only once</em>. Return <em>the linked list <strong>sorted</strong> as well</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/0000-0099/0083.Remove%20Duplicates%20from%20Sorted%20List/images/list1.jpg" style="width: 302px; height: 242px;" /> <pre> <strong>Input:</strong> head = [1,1,2] <strong>Output:</strong> [1,2] </pre> <p><strong class="example">Example 2:</strong></p> <img alt="" src="https://fastly.jsdelivr.net/gh/doocs/leetcode@main/solution/0000-0099/0083.Remove%20Duplicates%20from%20Sorted%20List/images/list2.jpg" style="width: 542px; height: 222px;" /> <pre> <strong>Input:</strong> head = [1,1,2,3,3] <strong>Output:</strong> [1,2,3] </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li>The number of nodes in the list is in the range <code>[0, 300]</code>.</li> <li><code>-100 &lt;= Node.val &lt;= 100</code></li> <li>The list is guaranteed to be <strong>sorted</strong> in ascending order.</li> </ul>
Linked List
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 delete_duplicates(head: Option<Box<ListNode>>) -> Option<Box<ListNode>> { let mut dummy = Some(Box::new(ListNode::new(i32::MAX))); let mut p = &mut dummy; let mut current = head; while let Some(mut node) = current { current = node.next.take(); if p.as_mut().unwrap().val != node.val { p.as_mut().unwrap().next = Some(node); p = &mut p.as_mut().unwrap().next; } } dummy.unwrap().next } }
84
Largest Rectangle in Histogram
Hard
<p>Given an array of integers <code>heights</code> representing the histogram&#39;s bar height where the width of each bar is <code>1</code>, return <em>the area of the largest rectangle in the histogram</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/0000-0099/0084.Largest%20Rectangle%20in%20Histogram/images/histogram.jpg" style="width: 522px; height: 242px;" /> <pre> <strong>Input:</strong> heights = [2,1,5,6,2,3] <strong>Output:</strong> 10 <strong>Explanation:</strong> The above is a histogram where width of each bar is 1. The largest rectangle is shown in the red area, which has an area = 10 units. </pre> <p><strong class="example">Example 2:</strong></p> <img alt="" src="https://fastly.jsdelivr.net/gh/doocs/leetcode@main/solution/0000-0099/0084.Largest%20Rectangle%20in%20Histogram/images/histogram-1.jpg" style="width: 202px; height: 362px;" /> <pre> <strong>Input:</strong> heights = [2,4] <strong>Output:</strong> 4 </pre> <p>&nbsp;</p> <p><strong>Constraints:</strong></p> <ul> <li><code>1 &lt;= heights.length &lt;= 10<sup>5</sup></code></li> <li><code>0 &lt;= heights[i] &lt;= 10<sup>4</sup></code></li> </ul>
Stack; Array; Monotonic Stack
C++
class Solution { public: int largestRectangleArea(vector<int>& heights) { int res = 0, n = heights.size(); stack<int> stk; vector<int> left(n, -1); vector<int> right(n, n); for (int i = 0; i < n; ++i) { while (!stk.empty() && heights[stk.top()] >= heights[i]) { right[stk.top()] = i; stk.pop(); } if (!stk.empty()) left[i] = stk.top(); stk.push(i); } for (int i = 0; i < n; ++i) res = max(res, heights[i] * (right[i] - left[i] - 1)); return res; } };