We’ve all been there, staring at an array or a string problem that wants something “over every subarray” without timing out. That’s where the sliding window technique saves the day. It’s a simple, almost mechanical pattern that lets us process contiguous chunks efficiently, often in linear time. In this guide, we’ll demystify sliding windows, walk through fixed vs. variable patterns, and nail a couple of classic examples. By the end, we’ll have muscle memory for when and how to use it.
Key Takeaways
- Sliding window processes contiguous subarrays or substrings in linear time by moving left/right pointers and updating a lightweight state instead of recomputing.
- Use the fixed-size window when k is given: expand to size k, record the metric, then slide by adding arr[r] and removing arr[l] in O(1).
- Use the variable-size window when a constraint defines validity (e.g., no repeats, sum <= s): grow when valid, shrink until valid, and track the best length or minimal size.
- Implement enter/exit mechanics consistently: update on r entering, shrink with l while invalid, and record results only when the window is valid.
- Choose the right data structure (frequency map, distinct counter, or a monotonic deque) to keep operations O(1); the deque gives O(n) sliding window maximums.
- Prevent common bugs by fixing inclusivity ([l, r]), getting shrink conditions right, handling negatives, k > n, Unicode, and integer overflow.
What Is the Sliding Window Technique?
At its core, the sliding window technique is about processing contiguous segments (windows) of an array or string while moving two pointers, usually left and right. The magic is that instead of recomputing everything from scratch for each window, we update our answer incrementally as the window “slides.”
When we move the right pointer, we bring a new element into the window (enter). When we move the left pointer, we drop an element (exit). If we maintain just the right summary, like a count, sum, min/max structure, or frequency map, each step is O(1), making the whole pass O(n).
We typically use sliding window when:
- We need results on contiguous subarrays/substrings.
- The required computation can be updated by adding/removing one element.
- We can enforce constraints (like “no repeats” or “sum ≤ k”) by expanding and shrinking the window.
It’s especially popular for strings (unique characters, anagrams, longest substring) and arrays (fixed-size averages, maximums, sums under a threshold). Once we see “contiguous” and “rolling,” our sliding window senses should tingle.
Fixed-Size vs. Variable-Size Windows

There are two big flavors: fixed windows (the length is known ahead of time) and variable windows (the length grows and shrinks based on a condition). Each has a clear rhythm.
Fixed Window Pattern
Use this when the window size k is given, e.g., “maximum average of size k” or “sum of every k-length subarray.”
Core idea:
- Expand right until the window reaches size k.
- Process/record the window value (sum, max, etc.).
- Before moving right again, remove the left element and move left forward to keep size k.
Why we love it: the updates are dead simple. For sums, we just add arr[r] and subtract arr[l] as we slide.
Quick outline:
- Initialize l = 0, sum = 0.
- For r from 0..n-1: add arr[r] to sum.
- If r – l + 1 == k: record answer: subtract arr[l]: l++.
This is reliably O(n), and it’s hard to mess up once we’ve done it a couple of times.
Variable Window Pattern
Use this when the problem defines a constraint rather than a fixed length, e.g., “longest substring without repeating characters,” “smallest subarray with sum ≥ s,” or “at most k distinct characters.”
Core idea:
- Expand right to include new elements while maintaining a data structure that tracks validity (set, hashmap, counts, or something fancier).
- If the window becomes invalid (constraint broken), shrink from the left until it’s valid again.
- Track the best window (longest/shortest) as we go.
The dance is: grow when we can, shrink when we must. Complexity is still O(n) if each element enters and exits the window at most once and updates are O(1). The challenge is correctly defining “valid” and updating the structure as elements enter/exit.
Implementation Mechanics
Most sliding window bugs aren’t deep, they’re off-by-one or bookkeeping mistakes. Here’s how we keep things tidy.
- Two pointers: l (left) and r (right). The window usually includes indices [l, r], inclusive. So window length is r – l + 1.
- Enter step (move r): incorporate s[r] or arr[r] into our state. Examples: add to sum, increment freq[char], push index into deque.
- Exit step (move l): remove s[l] from our state: subtract from sum, decrement freq, pop from deque if it’s at the front.
- Validity check: after an enter, we check if the constraint holds. If not, we keep exiting (l++) until it does.
- Track best answer: update the result exactly when the window is valid. For fixed windows, every time size hits k. For variable windows, whenever the constraint is satisfied.
Enter-and-Exit Updates
The pattern to memorize:
- Enter: apply updates for r, then r++ (or increment r in a for-loop).
- While invalid: apply exit updates for l, then l++.
- Record answer when valid.
Common state structures:
- Sum (simple int/long)
- Frequency map or count array (for characters or numbers)
- Distinct count (paired with a map)
- Monotonic deque (for fast max/min)
And a couple of gotchas:
- Know if your constraint is “≤ k,” “< k,” “≥ s,” or “== k”, this affects when you record answers and when you shrink.
- Be consistent about inclusivity. If you treat [l, r] as inclusive, keep it that way.
- In languages with fixed-width ints, sums can overflow: use 64-bit where needed.
Canonical Examples and Variants
Let’s ground this with two classics we see in interviews and real code.
Longest Substring Without Repeating Characters
Problem: Given a string s, find the length of the longest substring without repeating characters.
Why sliding window: We want the longest contiguous block of unique characters. That screams variable window with a “no duplicates” constraint.
Plan:
- Keep a map lastIndex[c] that stores the most recent index of character c.
- Two pointers l and r. As we move r, if we see a repeated char c at r with lastIndex[c] >= l, we jump l to lastIndex[c] + 1 (that’s the shrink step in one go).
- Update lastIndex[c] = r, and track maxLen = max(maxLen, r – l + 1).
Notes:
- This “jump left” trick ensures each index moves forward at most once, O(n).
- Case-sensitivity matters. If the problem says case-insensitive, normalize first.
- For Unicode-heavy inputs, the map-based approach still works fine: just be mindful of memory if the alphabet’s huge.
Tiny walkthrough: s = “abbaec”
- r=0, ‘a’: last={a:0}, l=0, max=1
- r=1, ‘b’: last={a:0,b:1}, l=0, max=2
- r=2, ‘b’ again: last[b]=1 ≥ l, so l=1+1=2: last[b]=2: window “b”: max=2
- r=3, ‘a’: last[a]=0 < l, window “ba”: max=2
- r=4, ‘e’: window “bae”: max=3
- r=5, ‘c’: window “baec”: max=4, answer is 4.
Variants worth knowing:
- Longest substring with at most k distinct characters: maintain freq map and a distinct counter: shrink while distinct > k.
- Longest substring with at most k replacements: track max frequency in the window: window is valid if (window size – maxFreq ≤ k).
Sliding Window Maximum with a Monotonic Deque
Problem: Given an integer array nums and a window size k, return the maximum for every contiguous subarray of size k.
Naively, we’d scan each window to find the max in O(k), which becomes O(nk). With a monotonic deque, we do it in O(n).
Deque rules (we store indices):
- Pop from back while nums[back] ≤ nums[r]. Those can’t be maximums anymore.
- Push r.
- Pop from front if it’s out of window (front < l).
- The front of the deque is always the index of the current window’s maximum.
Flow for fixed-size window:
- For r from 0..n-1:
- While deque not empty and nums[deque.back] ≤ nums[r], pop back.
- Push r.
- If r – l + 1 < k: just keep growing.
- Else (size == k): record nums[deque.front] as the max: if deque.front == l, pop front: subtract arr[l] if maintaining sum: l++.
Quick example: nums = [1,3,-1,-3,5,3,6,7], k = 3
- Window maxima sequence: [3,3,5,5,6,7]
This trick also works for minimums (flip comparisons) and is the backbone for many “range max/min in a moving window” tasks. The key insight: as r increases, smaller elements behind nums[r] will never be needed for future maxima, so we drop them immediately.
Pitfalls, Edge Cases, and Complexity
A few things we double-check before shipping:
- Off-by-one errors: Decide if the window is [l, r] inclusive. Then window length is r – l + 1. Stick to it.
- Incorrect shrink condition: For constraints like “sum ≤ k,” we shrink while sum > k. For “at most k distinct,” shrink while distinct > k. Sounds obvious, but this is the bug we meet most.
- Negative numbers: Heuristics like “expand while sum ≤ k” break if values can be negative. Use the variable-window template with a proper shrink condition or another approach (prefix sums, two-sum variants).
- K bigger than n: For fixed-size windows, if k > n, the answer is often empty or undefined, handle early.
- Data structure cleanup: When we decrement a freq to zero, remove the key or treat zero as absent: otherwise distinct counts drift.
- Unicode and normalization: For string problems, clarify case sensitivity and Unicode handling to avoid silent mismatches.
- Time and space: Most windows are O(n) time. Space is usually O(1) or O(Alphabet) for freq maps, or O(k) for deques. Verify that each index enters and exits the window at most once.
- Integer overflow: In languages like Java/C++, use long for sums/products when needed.
Conclusion
Sliding window isn’t just a trick, it’s a mindset. When a problem asks for something over contiguous subarrays or substrings, we reach for two pointers and think in enter/exit updates. Fixed windows give us predictable O(n) passes: variable windows let us flex around constraints without brute force. Add a monotonic deque to the toolbox and we can handle range maximums like a pro. Next time we see “contiguous” and “rolling,” we know exactly which pattern to try first, and how to carry out it without the usual off-by-one drama.
Frequently Asked Questions about the Sliding Window Technique
What is the sliding window technique in algorithms?
The sliding window technique processes contiguous subarrays or substrings by moving two pointers (left/right) and updating a small state (sum, counts, max/min) as elements enter/exit. Because each index enters and leaves once with O(1) updates, most problems run in O(n). Use it when results depend on contiguous ranges.
What’s the difference between fixed-size and variable-size sliding windows?
Fixed-size windows know k up front. Expand right until size k, record result, drop left, and slide; perfect for sums/averages. Variable windows grow and shrink to satisfy a constraint (e.g., at most k distinct, sum ≤ s). You expand when valid, shrink when broken, tracking best length or minimal size.
How do I implement the sliding window pattern without off-by-one bugs?
Treat the window as inclusive [l, r]. Enter step: process arr[r] then advance r. While the constraint is violated, perform exit updates for arr[l] and increment l. Record answers only when valid: every time size hits k for fixed windows, or after restoring validity for variable windows. Keep updates O(1).
How does a monotonic deque help compute the sliding window maximum?
A monotonic deque stores indices in decreasing order of values. When r moves, pop back while nums[back] ≤ nums[r], then push r. Pop front if it leaves the window. The front always holds the current maximum, giving sliding window maximums in O(n) time and O(k) extra space.
Can I use the sliding window on circular arrays or streaming data?
Yes. For circular arrays, simulate by iterating over a doubled array (or use modulo indices) but cap expansion to one full wrap to avoid O(n2). For streaming data, sliding window works naturally for fixed-size windows; maintain rolling state (sum, deque, counts) and evict elements as they expire.
When should I avoid sliding window and use another approach?
Avoid sliding window when ranges aren’t contiguous, updates aren’t O(1), or negative numbers break sum-based heuristics. Prefer prefix sums or binary search on answer for arbitrary-signed subarray sums, hash-based approaches for non-contiguous constraints, Kadane’s for maximum subarray, or segment trees/fenwick trees for range queries that exceed windowed locality.
