1326. Minimum Number of Taps to Open to Water a Garden
Problem Description
In this problem, you have a garden represented as a one-dimensional line that starts at point 0 and ends at point n
. Along this line, there are n + 1
taps at positions 0
through n
. Each tap has a range associated with it, given by the array ranges
. The range ranges[i]
—which is associated with the tap at position i
—indicates that this tap can water the garden from position i - ranges[i]
to i + ranges[i]
.
Your objective is to figure out the minimum number of taps that need to be opened to water the entire length of the garden (from point 0
to point n
). If it's not possible to water the whole garden with the given taps, the result should be -1
.
Intuition
The problem is essentially about finding the minimum number of intervals (tap ranges) needed to cover a continuous segment (the garden). This is similar to the classic interval covering problem.
To solve this problem, we can use a greedy approach:
- We start by transforming the problem into an interval covering problem. We'll create an array
last
where each index represents the starting point of an interval in the garden, and the value at each index represents the farthest point that can be watered from this interval. This is done by iterating over theranges
array and determining for each tap the leftmost and rightmost points it can water (i - ranges[i]
andi + ranges[i]
respectively). - We then apply a greedy method to find the minimum number of intervals needed to cover the entire garden.
- Initialize counters for the current max right end of intervals
mx
, the previous furthest right endpre
, and the number of tapsans
. - Iterate over the garden from
0
ton
. At each point, we updatemx
to be the maximum ofmx
and the furthest we can reach from the current position (found inlast[i]
). If at any pointmx
is less than or equal toi
, it means there is a gap in coverage, and we cannot water the entire garden—return-1
. - Whenever we reach the point
pre
(which is the end of the coverage from the selected taps), it means we need to select a new tap. Incrementans
and setpre
tomx
.
- Initialize counters for the current max right end of intervals
- By the end of the iteration,
ans
will hold the minimum number of taps needed to water the entire garden.
This approach ensures that at each step, we are extending the watering range as much as possible with the current number of taps, and we only add a new tap when necessary to cover new ground.
Learn more about Greedy and Dynamic Programming patterns.
Solution Approach
The solution provided uses a greedy algorithm to minimize the number of taps opened to cover the garden. Here's a detailed walkthrough of the implementation:
-
Create the
last
array: A list calledlast
is initialized with0
values and has a length ofn + 1
. This array will hold the maximum distance that can be watered starting from each position. The goal is to use this array to find the best tap to cover the longest distance from each point. -
Populate the
last
array: We loop through theranges
array with the indexi
and rangex
. The variablesl
andr
represent the leftmost (i - x
) and rightmost (i + x
) points that can be watered by tapi
. We need to make sure thatl
does not go below0
, hence we usemax(0, i - x)
. For each positionl
, we save the farthest pointr
that can be reached, by settinglast[l]
tomax(last[l], r)
. This ensures that for each starting positionl
, we have the tap that waters the farthest. -
Iterating through the garden: We initialize three variables
ans
,mx
, andpre
to track the number of taps used (ans
), the current maximal right boundary (mx
), and the previous maximal right boundary (pre
). Now, we iterate through the garden from0
ton
. -
Select taps and track coverage: During each iteration, we update
mx
to be the furthest point we can reach from the current pointi
, based onlast[i]
. If at any pointmx
is less than or equal toi
, it means there is a gap, and the entire garden can't be watered, so we return-1
. If we reach thepre
point (where the current taps' coverage ends), it means we need to open another tap to extend the coverage, therefore we incrementans
and updatepre
tomx
. -
Greedy selection: Each time we select a tap, we make the greedy choice by picking the tap that extends our coverage to the rightmost point possible. This is done by always updating
mx
with the maximum distance we can cover fromi
. Only when we have to move beyondpre
do we lock in our choice of a tap and incrementans
since we know up to that point we have covered with the minimum number of taps. -
Returning the answer: Once the loop is complete, we have either returned
-1
if the garden can't be watered completely, or we have the minimum number of taps required inans
, which we return as the final result.
In summary, by transforming the problem into finding the optimal coverage for each interval and then iteratively expanding these intervals using a greedy approach, we efficiently find the minimum number of taps needed to cover the whole garden represented by the x-axis from 0
to n
.
Ready to land your dream job?
Unlock your dream job with a 2-minute evaluator for a personalized learning plan!
Start EvaluatorExample Walkthrough
Let's illustrate the greedy solution approach with a small example. Suppose our garden is represented by a line of length n = 5
and we have 6 taps positioned at 0
through 5
. The ranges
array provided is [1, 0, 2, 1, 2, 0]
, representing the range each tap can water on both sides.
Step-by-Step Solution:
-
Create the
last
array: We create an arraylast
of lengthn + 1
, which gives uslast = [0, 0, 0, 0, 0, 0]
. -
Populate the
last
array: We process the providedranges
:- Tap 0 has range 1: it can water the garden from
max(0, 0-1)
to0+1
, hence we updatelast[0] = 1
. - Tap 1 has range 0: it can only water its own position, so no update is necessary (
last[1]
remains0
). - Tap 2 has range 2: it can water from
max(0, 2-2)
to2+2
, so we updatelast[0] = 4
(since this tap offers a better range than tap 0). - Tap 3 has range 1: waters from
max(0, 3-1)
to3+1
, we updatelast[2] = 4
. - Tap 4 has range 2: waters from
max(0, 4-2)
to4+2
, we updatelast[2] = 6
. - Tap 5 has range 0: waters only its position, no update.
After updating,
last = [4, 0, 6, 4, 6, 0]
.
- Tap 0 has range 1: it can water the garden from
-
Iterating through the garden: We initialize the counters
ans = 0
,mx = 0
, andpre = 0
. -
Select taps and track coverage: We iterate from
i = 0
toi = 5
(positionn
in the garden):- At
i = 0
:mx = max(0, 4) = 4
. No gap, continue. - At
i = 1
:mx = 4
. Still no gap, continue. - At
i = 2
:mx = max(4, 6) = 6
. Asi = pre
, we select this tap and updateans = 1
,pre = mx = 6
. - At
i = 3
, 4 and 5: we don't need to updatemx
orans
since we've already covered the garden withpre = 6
.
- At
-
Returning the answer: Since we've iterated through the whole garden without encountering a gap, the final answer is
ans = 1
. Only one tap (at position 2) is needed to water the entire garden from 0 to 5.
Solution Implementation
1class Solution:
2 def min_taps(self, garden_length: int, ranges: List[int]) -> int:
3 # Initialize an array to track the furthest right position that can be covered by opening a tap from each point
4 max_right_from_left = [0] * (garden_length + 1)
5
6 # Iterate over the taps and calculate the range each tap can cover. Then update the `max_right_from_left` array.
7 for tap_index, tap_range in enumerate(ranges):
8 left_bound = max(0, tap_index - tap_range)
9 right_bound = tap_index + tap_range
10 max_right_from_left[left_bound] = max(max_right_from_left[left_bound], right_bound)
11
12 # Initialize variables for tracking the answer, the maximum distance covered so far, and the previous maximum before the last tap.
13 taps_required = 0
14 max_covered_so_far = 0
15 previous_max = 0
16
17 # Iterate through the garden and update the max coverage.
18 for pos in range(garden_length):
19 max_covered_so_far = max(max_covered_so_far, max_right_from_left[pos])
20
21 # If at any position, the max covered distance is less than or equal to the current position, the garden cannot be fully watered.
22 if max_covered_so_far <= pos:
23 return -1
24
25 # If the current position reaches the previous maximum coverage, it's time to open a new tap
26 if previous_max == pos:
27 taps_required += 1
28 previous_max = max_covered_so_far
29
30 # Return the minimum number of taps required to water the entire garden.
31 return taps_required
32
1class Solution {
2 public int minTaps(int n, int[] ranges) {
3 // Create an array to hold the farthest extent of water from each position.
4 int[] farthestReach = new int[n + 1];
5
6 // Populate the farthest extent each tap can reach for each position.
7 for (int i = 0; i <= n; i++) {
8 int left = Math.max(0, i - ranges[i]); // Ensure the left index is within bounds
9 int right = i + ranges[i]; // Calculate the rightmost position current tap can cover
10 // Update the farthestReach from the left position to what the current tap can reach
11 farthestReach[left] = Math.max(farthestReach[left], right);
12 }
13
14 // Initialize variables to track the tapping.
15 int tapsRequired = 0; // To count the minimum number of taps
16 int currentFarthest = 0; // To keep track of the farthest we can reach at this point
17 int lastTapPosition = 0; // To remember the last position where we placed the tap
18
19 // Iterate through the area to be watered excluding the last position.
20 for (int i = 0; i < n; i++) {
21 // Find the maximum distance that can be covered from the current position or before.
22 currentFarthest = Math.max(currentFarthest, farthestReach[i]);
23
24 // If the maximum distance we can reach at this point is less than or equals to current position,
25 // it means we can't move forward from here as there is a gap. Hence, return -1.
26 if (currentFarthest <= i) {
27 return -1;
28 }
29
30 // If the last tap position is the same as the current position,
31 // it means we need to place a new tap here and update the last tap position.
32 if (lastTapPosition == i) {
33 tapsRequired++; // Increase the number of taps.
34 lastTapPosition = currentFarthest; // Update the last tap position to the farthest reachable from here.
35 }
36 }
37
38 // Return the minimum number of taps required.
39 return tapsRequired;
40 }
41}
42
1#include <vector>
2#include <algorithm>
3using namespace std;
4
5class Solution {
6public:
7 int minTaps(int gardenLength, vector<int>& ranges) {
8 // Create a vector to store the furthest extent each tap can water, initializing to the garden's length.
9 vector<int> maxWateredPosition(gardenLength + 1);
10
11 // Determine the range each tap can water and update the maxWateredPosition array.
12 for (int i = 0; i <= gardenLength; ++i) {
13 int leftMost = max(0, i - ranges[i]); // Ensure we don't go below index 0.
14 int rightMost = i + ranges[i]; // Calculate the rightmost watering position of current tap.
15 // Update the farthest position that can be watered from leftMost.
16 maxWateredPosition[leftMost] = max(maxWateredPosition[leftMost], rightMost);
17 }
18
19 // Initialize counters and flags for finding the minimum number of taps.
20 int minTapsRequired = 0; // Counts the minimum number of taps required.
21 int maxReachable = 0; // Tracks the maximum position reachable so far.
22 int lastMaxReach = 0; // Remembers the last maximum reach when a new tap is turned on.
23
24 // Iterate over the garden, keeping track of the reachable range.
25 for (int i = 0; i < gardenLength; ++i) {
26 // Update maxReachable with the furthest position watered by taps up to position i.
27 maxReachable = max(maxReachable, maxWateredPosition[i]);
28
29 // If the maxReachable position is less or equal to the current position, we can't water the whole garden.
30 if (maxReachable <= i) {
31 return -1; // The whole garden cannot be watered, so return -1.
32 }
33
34 // When we reach the lastMaxReach, it means we have to turn on a new tap.
35 if (lastMaxReach == i) {
36 ++minTapsRequired; // Increase the number of taps used.
37 lastMaxReach = maxReachable; // Update the last maximum reach.
38 }
39 }
40
41 // Return the calculated minimum number of taps required to water the entire garden.
42 return minTapsRequired;
43 }
44};
45
1function minTaps(n: number, ranges: number[]): number {
2 // Initialize an array to hold the furthest right each tap can reach starting from every point
3 const furthestRight = new Array(n + 1).fill(0);
4
5 // Iterate through the taps and calculate the furthest right reach for each point
6 for (let i = 0; i < n + 1; ++i) {
7 const leftBoundary = Math.max(0, i - ranges[i]); // The leftmost point the tap can cover
8 const rightBoundary = i + ranges[i]; // The rightmost point the tap can cover
9 // Update the furthest right point that can be reached from the left boundary
10 furthestRight[leftBoundary] = Math.max(furthestRight[leftBoundary], rightBoundary);
11 }
12
13 let tapsNeeded = 0; // Counter for the minimum number of taps needed
14 let currentMax = 0; // The current maximum right boundary that can be reached
15 let previousMax = 0; // The previous maximum right boundary upon the last tap opening
16
17 // Iterate over the array to find the minimum number of taps needed to cover the range [0, n]
18 for (let i = 0; i < n; ++i) {
19 // Update current maximum reach
20 currentMax = Math.max(currentMax, furthestRight[i]);
21 // If at any point the maximum reach is less than or equal to the current position,
22 // it means the garden cannot be fully covered, so return -1
23 if (currentMax <= i) {
24 return -1;
25 }
26 // If the current position reaches the previous max, a new tap must be opened
27 if (previousMax == i) {
28 tapsNeeded++;
29 previousMax = currentMax; // Update the previous max to the current max
30 }
31 }
32
33 // Return the minimum number of taps needed to water the entire garden
34 return tapsNeeded;
35}
36
Time and Space Complexity
Time Complexity
The given Python code involves a single pass to transform the ranges
list into the last
list, followed by another single pass to find the minimum number of taps needed. Therefore, this algorithm runs in two linear passes over an array of length n + 1
.
- The first pass is constructing the
last
array, which involves iterating over theranges
list once, resulting inO(n)
complexity, wheren
is the length of theranges
list. - The second pass is the loop that determines the minimum number of taps by iterating once through the
last
array, which is alsoO(n)
complexity.
Combining both passes, the overall time complexity remains O(n)
because they are sequential, not nested.
Space Complexity
The space complexity is determined by the additional space used by the algorithm besides the input. Here, the last
array of size n + 1
is an auxiliary space used to store the farthest point that can be reached from each index. Therefore, the space complexity for the last
array is O(n)
.
No other data structures that are dependent on the size of the input are used, so the total space complexity is O(n)
.
Learn more about how to find time and space complexity quickly using problem constraints.
Which of the following shows the order of node visit in a Breadth-first Search?
Recommended Readings
Greedy Introduction div class responsive iframe iframe src https www youtube com embed WTslqPbj7I title YouTube video player frameborder 0 allow accelerometer autoplay clipboard write encrypted media gyroscope picture in picture web share allowfullscreen iframe div When do we use greedy Greedy algorithms tend to solve optimization problems Typically they will ask you to calculate the max min of some value Commonly you may see this phrased in the problem as max min longest shortest largest smallest etc These keywords can be identified by just scanning
What is Dynamic Programming Prerequisite DFS problems dfs_intro Backtracking problems backtracking Memoization problems memoization_intro Pruning problems backtracking_pruning Dynamic programming is an algorithmic optimization technique that breaks down a complicated problem into smaller overlapping sub problems in a recursive manner and uses solutions to the sub problems to construct a solution
LeetCode Patterns Your Personal Dijkstra's Algorithm to Landing Your Dream Job The goal of AlgoMonster is to help you get a job in the shortest amount of time possible in a data driven way We compiled datasets of tech interview problems and broke them down by patterns This way we
Want a Structured Path to Master System Design Too? Don’t Miss This!