11. Container With Most Water - Detailed Explanation

Free Coding Questions Catalog
Boost your coding skills with our essential coding questions catalog. Take a step towards a better tech career now!

Problem Statement

You are given an array of non-negative integers representing heights of vertical lines drawn on an x-axis. Each element height[i] is the height of a vertical line at horizontal position i. Together with the x-axis, any two of these lines form a container for holding water. The task is to find the two lines that can trap the most water when used as the sides of a container (note: the container must remain upright, you cannot tilt it). In other words, find indices i and j such that the area between the lines at i and j is maximized. The area of water contained is determined by the width between the lines and the height of the shorter line:

  • Width = distance between the two lines (|j - i|)
  • Height = minimum of the two line heights (min(height[i], height[j]))

Area = width * height . We need to maximize this area.

Constraints:

  • 2 <= n <= 10^5 (number of lines) .
  • 0 <= height[i] <= 10^4 (height of each line) .
    These constraints mean an efficient solution is required; a brute-force approach (which is O(n²)) would be too slow for the upper limits.

Example 1:

  • Input: height = [1,8,6,2,5,4,8,3,7]
  • Output: 49
  • Explanation: The best container is formed by the lines of height 8 and 7 at positions 2 and 9 (1-indexed) or indices 1 and 8 (0-indexed). The distance between these lines is 7, and the shorter height is 7, so the area = 7 * 7 = 49.

Example 2:

  • Input: height = [1,1]
  • Output: 1
  • Explanation: There are only two lines. The width between them is 1 and the shorter height is 1, so the area = 1 * 1 = 1.

These examples illustrate how the container area is computed and what the maximum area looks like.

Hints

  • Use the Formula: Keep in mind the area formula: area = (distance between lines) * (min(height[left], height[right])) . The key challenge is choosing which two lines maximize this product of width and min-height.

  • Brute Force Thought: A straightforward approach is to consider every possible pair of lines and compute the area. This guarantees finding the maximum but is very slow (O(n²) comparisons). Think about why we might not need to check all pairs.

  • Two-Pointer Insight: Start with the widest container (first and last line) and note the area. To potentially find a larger area, you need a taller line (height) or a wider span (width). Since the width is as large as it gets at the ends, the only way to increase area is to find a taller line. Move the pointer at the shorter line inward. This is because the current area is limited by the shorter line’s height; moving the taller line inward would only decrease width without increasing the limiting height, so it can't produce a larger area. By moving the shorter side inward, you hope to find a taller line that might increase the min-height for a potentially larger area.

  • Think Greedily: Each move of the pointers discards one line from consideration. The reasoning is that once a shorter line has been considered with the farthest possible counterpart, any more inward pairings with that line would only reduce width and thus cannot yield a higher area. This greedy strategy (always move the shorter line inward) will explore all plausible pairs that could form a larger area.

  • Max Area is not always with the tallest lines: Don’t assume the two tallest lines will give the max area. A moderate height with a very large width can outperform very tall lines that are close together. For example, in heights [1,5,6,3,4,2], the tallest lines are 6 and 5 (heights) but they are adjacent (width 1), giving area 5. The maximum area in this case comes from height 5 and 4 with a width of 3, yielding area 12.

Using these insights, try to reason why the two-pointer approach covers all scenarios without missing the optimal solution.

Multiple Approaches with Code

We will discuss two approaches to solve the problem and provide both Python and Java implementations for each. Each approach section includes a detailed explanation of the strategy, followed by well-commented code with a main method demonstrating usage.

Brute Force Approach (Checking all possible pairs)

Detailed Explanation:
The brute force solution is to consider every possible pair of lines and calculate the area for each pair. We use two nested loops: the outer loop picks the first line i, and the inner loop picks a second line j (with j > i). For each pair (i, j), compute height = min(height[i], height[j]) and width = j - i, then area = height * width. We keep track of the maximum area found. Finally, we return the maximum. This approach is straightforward and guarantees finding the correct answer since it checks all combinations. However, its time complexity is O(n²), which will be too slow for large n (for n = 100,000, the number of pairs ~ 5e10!). It only works for small input sizes due to the enormous number of computations.

Despite its inefficiency, we include this approach to illustrate the problem's brute-force solution and to contrast it with the optimized method. It helps in understanding why we need a better approach.

Python Implementation (Brute Force):

Python3
Python3

. . . .

Java Implementation (Brute Force):

Java
Java

. . . .

Two-Pointer Approach (Optimal solution using two pointers moving inward)

Detailed Explanation:
The two-pointer approach is a greedy optimal solution that runs in linear time. The idea is to use two pointers, one at the left end (l = 0) and one at the right end (r = n-1) of the array, representing the currently considered container's two sides. This setup gives the container with the maximum possible width initially. We then compute the area for this pair of lines. After that, we move one of the pointers inward and repeat, gradually narrowing the width in search of a taller line that might yield a larger area.

The critical question is which pointer to move? We always move the pointer at the side with the smaller height. This is because the current area is limited by the shorter line. Moving the taller line inward would reduce the width and the height limit would still be the shorter line (unchanged), potentially decreasing the area or at best getting the same area with less width. On the other hand, moving the shorter line inward might find a taller line that increases the limiting height, which could compensate for the loss of width and possibly increase the area. Essentially, once a shorter line has been paired with the farthest possible line on the other side, that pairing was its best chance to contribute to a large area; any other pairing for that short line would be with a shorter width and thus can't yield a larger area. By discarding the shorter line and moving the pointer inward, we explore new pairs where the limiting height could be higher.

This process continues until the two pointers meet. During each step, we update the maximum area found. The algorithm correctly finds the maximum area due to the mathematical reasoning above (it can be proven that this approach examines all candidate pairs that could be maximal without missing any). The efficiency comes from eliminating large swaths of pair combinations that cannot yield better results, based on the relative heights.

Step-by-step (two-pointer) algorithm:

  1. Initialize l = 0 (left pointer at start) and r = n-1 (right pointer at end). Initialize maxArea = 0.
  2. While l < r:
    • Compute h = min(height[l], height[r]) and w = r - l. Calculate area = h * w.
    • Update maxArea = max(maxArea, area).
    • If height[l] < height[r], increment l (move the left pointer rightward) because l is the limiting side.
      Else (if height[r] <= height[l]), decrement r (move the right pointer leftward).
  3. Continue until pointers meet. maxArea will hold the result.

This approach runs in O(n) time, scanning the array with two pointers at most once. Space complexity is O(1) since it uses only a few extra variables.

Python Implementation (Two-Pointer):

Python3
Python3

. . . .

Java Implementation (Two-Pointer):

Java
Java

. . . .

Complexity Analysis

  • Brute Force Approach: The brute force solution checks every pair of indices (i, j), which is on the order of \frac{n(n-1)}{2} comparisons. This gives a time complexity of O(n²). For large n (e.g., 100k), this is not feasible. The space complexity is O(1) (constant extra space), since we only use a few variables to track indices and area.

  • Two-Pointer Approach: We traverse the array with two pointers, each moving at most n steps in total. Thus the time complexity is O(n). We do a constant amount of work in each step (a few calculations and comparisons). The space complexity is O(1) as well, using only a fixed number of extra variables (pointers and area trackers).

In summary, the two-pointer approach is dramatically more efficient, turning a quadratic time solution into linear time, which is crucial given the problem constraints.

Common Mistakes

  • Using the larger height instead of the smaller: A frequent mistake is to calculate area using the larger of the two heights. Remember that the water contained is limited by the shorter line. Using the taller line for height will overestimate the area. Always use min(height[i], height[j]) in the formula.

  • Off-by-one errors in width calculation: Ensure that the width is computed as j - i (if using 0-based indices). If using 1-based indexing for positions, the distance would be (j - i), but pay attention to index differences. For example, between index 1 and 8 (0-based) there are 7 intervals, which correctly equals 8 - 1. Using j - i - 1 or similar adjustments incorrectly will miscalculate the width.

  • Not moving the correct pointer: In the two-pointer method, moving the wrong pointer can lead to missing the optimal solution. A common error is moving the pointer with the greater height, which can cause you to skip valid solutions. Always move the pointer at the shorter line inward (if heights are equal, moving either pointer by one is fine).

  • Inefficient early break logic: Some might try to break out of the loop early if heights are in a certain order. Be careful – the two-pointer algorithm should continue until the pointers meet to ensure all candidate pairs are evaluated. Breaking out early (except when l >= r) could miss the true maximum.

  • Mis-initializing max area: Initialize maxArea to 0 (since area cannot be negative). Forgetting to initialize, or using a very large negative number unnecessarily, can cause issues. Given all heights are non-negative, 0 is a safe starting value (and also covers the case where no water can be trapped, though here with n>=2 and heights>=0, minimum area is 0).

  • Not considering all pairs in brute force: If implementing brute force, make sure to loop j from i+1 (not i) to avoid pairing a line with itself (which doesn't form a container and area would be 0). Also ensure you check all pairs; sometimes new programmers accidentally limit the inner loop incorrectly or skip some pairs.

Edge Cases

  • Minimum Input (n=2): With just two lines, the result is simply the area between those two lines (min(height[0], height[1]) * 1). Both approaches handle this naturally (the loop runs once in two-pointer, or one pair in brute force). Example: [3, 7] should return area = 3 * 1 = 3 if those are the only two heights.

  • All Zero Heights: If all lines have height 0, no water can be contained. The output should be 0. Both approaches will handle this: brute force will calculate 0 for every pair, and two-pointer will likewise find only 0 areas and thus return 0.

  • One Line Significantly Taller: If one line is extremely tall compared to others, the max area might involve that tall line and another line far away to get large width. Example: [1, 1000, 2, 1000, 1] – the maximum area here is 1000 (min(1000,1000) * distance 1 if the two tall lines are adjacent) or perhaps a tall with a farther smaller line? Actually check: min(1000,1000)*3 = 3000 if we take the two 1000s with distance 3 (they are at indices 1 and 3), so that's larger. The two-pointer method correctly finds such cases. The edge scenario to note is that the tallest two lines are often a good candidate, but if they are not the farthest apart, sometimes a slightly shorter line farther apart wins. Ensure your solution checks all possibilities via the two-pointer sweep.

  • Multiple Lines of Same Height: If the array has many equal heights (e.g., all elements are 5, or a long plateau of the same height), the best container will be the two farthest lines. The two-pointer approach will find it: starting at the ends (both height 5, width n-1, area = 5*(n-1)), then as it moves inward the width shrinks. The first area computed is actually the maximum in such a case. Make sure your algorithm doesn't prematurely stop on equal heights. (In the two-pointer approach, when heights are equal, we arbitrarily move one pointer – this is fine since both sides are equivalent in height.)

  • Very Large n: While not a "case" in terms of input values, it's worth noting performance on the upper constraint. For n=100,000, brute force would never finish in reasonable time. The two-pointer will handle it in linear time. So the edge consideration is ensuring to use the two-pointer approach for large inputs.

  • No Slanting Constraint: Although the problem explicitly says you cannot slant the container, some might imagine diagonal placement. This is just a reminder that the container’s sides are vertical lines at the chosen indices. So only vertical heights matter, and you don’t consider any angle – essentially there’s no trick beyond using vertical lines.

Alternative Variations

  • Uneven Spacing Between Lines: In the classic problem, lines are at positions 0, 1, 2, ..., n-1 (equally spaced by 1). A variation could be if the lines are at arbitrary x-coordinates (for example, you have pairs of coordinates (x, height)). The problem then asks for the two lines that form the biggest container, where the width is the difference in their x-coordinates. The solution approach is essentially the same two-pointer strategy — you would sort lines by their x-coordinate and then use a two-pointer-like sweep considering width as x[j] - x[i]. The main change is computing width using given coordinates instead of index difference.

  • Circular Arrangement: Imagine the vertical lines are placed around a circle (at equally spaced angles). If we wanted to find two lines on a circle that can hold the most water (with the "width" being the smaller arc distance between them along the circle), this becomes a bit more complex because the container could wrap around the end to the beginning. This variant would require checking pairs in a circular manner. One approach is to duplicate the array (simulate two cycles) and use a similar two-pointer technique within a sliding window of length n. This is a more advanced variation and not as commonly asked, but it’s conceptually related in maximizing area between lines.

  • K-Container Problem: A theoretical extension: choose k lines that form a closed shape with the x-axis to maximize contained area. For example, with 3 lines you’d form a triangle-like container (though the problem constraints usually define only two vertical sides with the x-axis as base). This is not a standard problem, but thinking about more than two lines could lead to different interpretations (it often turns into a different problem entirely, so it's more of a thought experiment than a known interview question).

  • Trapping Rain Water: While not a direct variation in terms of selecting two lines, the famous Trapping Rain Water problem is related. Instead of just two lines forming a container, every adjacent pair of lines can trap water above the shorter one, and you sum up all trapped water between all lines. The approach to solve that is different (dynamic programming or two-pointer in a different way), but it's a variation of the "water between lines" concept.

Practicing similar problems can reinforce the understanding of two-pointer techniques and area calculation logic:

  • Trapping Rain Water (LeetCode 42) – Calculate how much water is trapped between elevation maps (heights). This involves multiple containers formed between many lines and requires a different strategy (but also uses the concept of min of left/right bounds).

  • Largest Rectangle in Histogram (LeetCode 84) – Find the largest area rectangle that can be formed in a histogram. This is a different scenario (contiguous bars forming a rectangle), solved using a stack, but it also deals with maximizing area under height constraints.

  • 3Sum (Three Numbers Sum to Zero, LeetCode 15) – While a different problem (finding three numbers that sum to zero), it utilizes the two-pointer approach after sorting the array. It's good practice for the two-pointer technique in a different context.

  • Two Sum II – Input Array Is Sorted (LeetCode 167) – Find two numbers in a sorted array that add up to a target. This is a classic two-pointer problem where you move pointers based on sum comparisons. It helps solidify the idea of moving pointers inward for optimization.

  • Pair with Given Sum (Two-pointer variation) – More generally, any problem where you need to find two indices or elements that meet a certain condition (sum, difference, product) and the array can be sorted, is a good practice for two-pointer approach. Examples include two-sum problems, pair with difference k, etc.

Each of these problems will help you get comfortable with the thought process of the two-pointer pattern and other techniques for optimizing brute force searches.

TAGS
leetcode
CONTRIBUTOR
Design Gurus Team
-

GET YOUR FREE

Coding Questions Catalog

Design Gurus Newsletter - Latest from our Blog
Boost your coding skills with our essential coding questions catalog.
Take a step towards a better tech career now!
Explore Answers
Is working in Tesla stressful?
Is Salesforce an IT job?
Example System Design Interview: Designing a Real-Time Chat Application
Related Courses
Image
Grokking the Coding Interview: Patterns for Coding Questions
Grokking the Coding Interview Patterns in Java, Python, JS, C++, C#, and Go. The most comprehensive course with 476 Lessons.
Image
Grokking Modern AI Fundamentals
Master the fundamentals of AI today to lead the tech revolution of tomorrow.
Image
Grokking Data Structures & Algorithms for Coding Interviews
Unlock Coding Interview Success: Dive Deep into Data Structures and Algorithms.
Image
One-Stop Portal For Tech Interviews.
Copyright © 2025 Design Gurus, LLC. All rights reserved.
;