Sliding Window
Introduction
The Sliding Window technique is a powerful algorithmic approach used for problems involving arrays or lists where we need to find a subarray satisfying a given condition. Instead of iterating through all possible subarrays using nested loops (which is inefficient), we use a window that moves dynamically through the array, improving efficiency.
When to Use Sliding Window?
You should consider using the Sliding Window technique when:
- The problem involves a contiguous subarray or substring.
- There’s a need for optimization in an array traversal.
- The brute-force approach involves nested loops, leading to an inefficient time complexity.
Types of Sliding Window
Sliding Window problems generally fall into two categories:
- Fixed-size Sliding Window: The window size remains constant.
- Variable-size Sliding Window: The window expands or shrinks based on conditions.
1. Fixed-size Sliding Window
This approach is used when the size of the window (subarray) is predefined.
Example 1: Maximum Sum of K Consecutive Elements
Problem Statement: Given an array of integers and an integer k
, find the maximum sum of k
consecutive elements in the array.
Brute Force Approach
From each element we will read next k
elements and calculate the sum. This sum will be calcuated against the maximum sum received so far.
Time Complexity:
1 2 3 4 5 6 7 8 9 10 11 |
|
Optimized Sliding Window Approach
- Compute the sum of the first
k
elements. - Slide the window by removing the first element and adding the next element.
- Keep track of the maximum sum encountered.
Time Complexity:
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 |
|
2. Variable-size Sliding Window
This approach is useful when the window size is not fixed and needs to be dynamically adjusted based on some condition.
Example 2: Smallest Subarray with Sum ≥ S
Problem Statement: Given an array of positive integers and a number S
, find the minimal length of a contiguous subarray whose sum is greater than or equal to S
. If no such subarray exists, return 0
.
Sliding Window Approach
- Expand the window by adding elements from the right.
- Shrink the window from the left as long as the sum remains ≥
S
. - Track the minimum window length that satisfies the condition.
Time Complexity:
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 |
|
Related Problems
- Longest Substring Without Repeating Characters (LeetCode 3)
- Maximum Sum Subarray of Size K (LeetCode 53)
- Permutation in String (LeetCode 567)
- Longest Repeating Character Replacement (LeetCode 424)
- Longest Subarray of 1s After Deleting One Element (LeetCode 1493)