Problem Description
Given a binary array nums
, you should delete one element from it. Return the size of the longest non-empty subarray containing only 1
s in the resulting array. Return 0
if there is no such subarray.
Key Insights
- The goal is to find the longest contiguous subarray of
1
s after removing exactly one element, which can be a0
or a1
. - A sliding window approach can efficiently track the count of
1
s and handle the removal of elements. - The window needs to expand until the count of
0
s exceeds one, at which point it should shrink from the left to maintain at most one0
in the window.
Space and Time Complexity
Time Complexity: O(n)
Space Complexity: O(1)
Solution
The problem can be solved using the sliding window technique. We maintain a window that counts the number of 1
s and allows at most one 0
to be present. The steps are as follows:
- Initialize two pointers for the sliding window:
left
andright
. - Expand the
right
pointer to include elements in the window. - Count the number of
0
s in the window. - If the count of
0
s exceeds one, increment theleft
pointer to shrink the window until we have at most one0
left. - Calculate the length of the valid window as
right - left + 1
, and keep track of the maximum length found. - Finally, subtract one from the maximum length to account for the deleted element.