Sliding Window

If the window is valid, expand right.
Else, shrink left.

O(n)

Python | Java

# i
# nums: [5,7,2,8]
# j
def longestWindow(nums: List[int]) -> int:
j = 0, ans
for i in range(nums):
# code using nums[i] to update the state
# that might invalidate the window
while invalid():
# code using nums[j] to update the state
# and shrink the left edge while the window is invalid
j += 1
# longest window so far = len([i, j])
ans = max(ans, i - j + 1);
return ans
// i
// nums: [5,7,2,8]
// j
int longestWindow(int[] nums) {
int max;
for (int i = 0, j = 0; i < nums.length; i++) {
// code using nums[i] to update the state
// that might invalidate the window
for (; invalid(); j++) {
// code using nums[j] to update the state
// and shrink the left edge while the window is invalid
}
// longest window so far = length([i, j])
max = max(ans, i - j + 1);
}
return max;
}

Maintain a valid window at the end of each outer for loop
to find the longest subsequence.

LeetCode

1493. Longest Subarray of 1's After Deleting One Element

Python | Java

def longestSubarray(self, nums: List[int]) -> int:
j = ans = zero = 0
for i in range(len(nums)):
if nums[i] == 0: zero += 1
while zero > 1:
if nums[j] == 0: zero -= 1
j += 1
ans = max(ans, i - j)
return ans
public int longestSubarray(int[] nums) {
int max = 0, zero = 0;
for (int i = 0, j = 0; i < nums.length; i++) {
if (nums[i] == 0) zero++;
while (zero > 1) {
if (nums[j++] == 0) zero--;
}
max = Math.max(max, i - j);
}
return max;
}
Next
Next

Leftmost Binary Search