2079. Watering Plants
Problem Description
In this problem, we have n
plants arranged in a row, numbered from 0
to n - 1
. Each plant requires a specific amount of water. We have a watering can with a finite capacity and a river located at x = -1
where we can refill the can. The goal is to find out the minimum number of steps needed to water all the plants by following these rules:
- We must water the plants in order from left to right.
- If the watering can does not have enough water to fully water the next plant, we must go back to the river to refill the can to its full capacity before watering that plant.
- We are not allowed to refill the can before it is completely empty.
- We start at the river (at
x = -1
), and each step equates to moving one unit on the x-axis.
The problem asks us to calculate the total number of steps we must take to water all the plants when we are given an array plants
, where plants[i]
represents the amount of water needed by the i
th plant, and an integer capacity
, which is the total capacity of the watering can.
Intuition
The intuitive approach to solve this problem is by a simple simulation of the watering process, keeping track of the current position, and the amount of water left in the can.
- Start from the river with the can filled to capacity.
- Move towards the plants and water them in sequence until the can is depleted.
- When the can doesn't have enough water for the next plant, calculate the number of steps to go back to the river, refill the can, and return to the current plant.
- Each watering step and each walking step is counted to calculate the number of total steps.
The crux of the solution involves calculating additional steps each time a refill is required, which is equal to double the current index (because we need to go back to the river and then return to the plant at index i
). After refilling, we subtract the amount of water needed by the current plant from the can's capacity, move to the next plant, and continue this process until all plants are watered. The total number of steps taken throughout this process is the answer.
Solution Approach
The solution is implemented as a function wateringPlants
within the Solution
class. It takes two arguments: plants
, which is a list of integers where each integer represents the water requirement of a plant, and capacity
, which is an integer representing the full capacity of the watering can. The function returns an integer that is the total number of steps needed to water all the plants.
Here's a step-by-step explanation of the solution's implementation:
-
We initialize a variable
ans
to store the total number of steps needed, and set it to0
. We also create a variablecap
to keep track of the current water level in the can and initialize it tocapacity
. -
We use a
for
loop that goes through each plant (and its indexi
) by enumerating overplants
. Theenumerate
function is useful here as it provides both the index and the value from the list. -
For each plant, we check if the current water level (
cap
) is sufficient to water the plant (x
):- If
cap >= x
, it means we have enough water for the current plant. We water the plant by subtractingx
fromcap
and incrementans
by1
to account for the step taken to water the plant. - If
cap < x
, we do not have enough water and need to refill the can. Before refilling, we calculate the number of steps needed to go back to the river and return to the current plant. This isi * 2
(double the distance from the river to the plant) plus1
more step to water the plant. We updateans
with these additional steps. We then resetcap
tocapacity - x
since we refill the can and usex
amount of water to water the current plant.
- If
-
When the loop is completed, all plants have been watered, and
ans
contains the total number of steps required. We returnans
as the final answer.
The algorithm's time complexity is O(n), where n is the number of plants since every plant is visited at most twice (once while moving forward and once while moving backward if a refill is needed). The space complexity is O(1) as we only use a fixed amount of additional memory (variables ans
and cap
).
Here is the core implementation encapsulated by the for
loop:
for i, x in enumerate(plants):
if cap >= x:
cap -= x
ans += 1
else:
cap = capacity - x
ans += i * 2 + 1
This approach straightforwardly solves the problem efficiently and effectively without the need for complex data structures or patterns.
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 assume we have 5 plants with the following water requirements given in the array plants = [2, 4, 5, 1, 2]
and a watering can with a capacity of 6
units of water. Using the solution approach, let's walk through the process to determine the minimum number of steps needed to water all the plants.
- Start with the can at full capacity (6 units of water) at the river location which is at
x=-1
. - Move to plant 0 (1 step). The plant requires 2 units of water, and we have enough water. Water the plant (
cap = 6 - 2 = 4
,ans = 1
). - Move to plant 1 (1 step). The plant requires 4 units of water, and we have enough water. Water the plant (
cap = 4 - 4 = 0
,ans = 2
). - Since the watering can is now empty, move back to the river to refill the can (2 steps back, +2 steps forward to return to plant 1, total 4 steps). Refill the can to full capacity and water plant 2 which requires 5 units of water (
cap = 6 - 5 = 1
,ans = 6
after refilling and watering). - Move to plant 3 (1 step). The plant requires 1 unit of water, and we have enough water. Water the plant (
cap = 1 - 1 = 0
,ans = 7
). - Again, the watering can is empty, so move back to the river and refill the can (3 steps back, +3 steps forward to return to plant 3, total 6 steps). Water plant 4 which requires 2 units of water (
cap = 6 - 2 = 4
,ans = 13
after refilling and watering).
Now all plants have been watered, and the total number of steps taken is 13
. Therefore, the wateringPlants
function would return 13
for this example.
The steps taken for each action are summarized in the following sequence:
- Start
[can=6]
- Water plant 0
[can=4, steps=1]
- Water plant 1
[can=0, steps=2]
- Refill at river, water plant 2
[can=1, steps=6]
- Water plant 3
[can=0, steps=7]
- Refill at river, water plant 4
[can=4, steps=13]
- Done
The answer to how many steps are needed to water all plants is 13 steps.
Solution Implementation
1from typing import List # Import the List type from the typing module.
2
3class Solution:
4 def wateringPlants(self, plants: List[int], capacity: int) -> int:
5 # Initialize steps to zero and current_capacity to the input capacity.
6 steps, current_capacity = 0, capacity
7
8 # Iterate through the plants with their indices.
9 for i, plant in enumerate(plants):
10 # If the current_capacity is sufficient to water the plant:
11 if current_capacity >= plant:
12 current_capacity -= plant # Decrease the current_capacity by plant's need.
13 steps += 1 # Increment the steps by one (one step forward).
14 else:
15 # Refill the watering can to full capacity then water the plant.
16 current_capacity = capacity - plant
17 # Add steps to go back to river (i steps back) and return (i steps forward).
18 # Plus one more step to water the current plant.
19 steps += (i + 1) * 2 # Total steps for back and forth.
20
21 # Return the total number of steps taken to water all plants.
22 return steps
23
24# Example usage:
25# solution = Solution()
26# print(solution.wateringPlants([2, 4, 5, 1, 2], 6)) # Output would be 17
27
1class Solution {
2 public int wateringPlants(int[] plants, int capacity) {
3 int steps = 0; // This will hold the total number of steps taken
4 int currentCapacity = capacity; // This holds the current water capacity in the can
5
6 // Loop through all the plants
7 for (int i = 0; i < plants.length; i++) {
8 // If there's enough water left to water the current plant
9 if (currentCapacity >= plants[i]) {
10 currentCapacity -= plants[i]; // Water the plant and decrease the can's capacity
11 steps++; // One step to water the plant
12 } else {
13 // If there isn't enough water capacity:
14 // Steps to go back to the river to refill (i steps)
15 // and return back to this plant (i + 1 steps)
16 steps += 2 * i + 1;
17 currentCapacity = capacity - plants[i]; // Refill the can minus the water needed for current plant
18 }
19 }
20 return steps; // Return the total number of steps taken
21 }
22}
23
1class Solution {
2public:
3 int wateringPlants(vector<int>& plants, int capacity) {
4 int steps = 0; // Variable to store the total number of steps taken.
5 int remainingCapacity = capacity; // Variable to keep track of the remaining water capacity.
6
7 // Loop through all the plants.
8 for (int i = 0; i < plants.size(); ++i) {
9 // Check if there's enough water left to water the current plant.
10 if (remainingCapacity >= plants[i]) {
11 // If there is, water the plant: decrement remaining capacity.
12 remainingCapacity -= plants[i];
13 // And increment the step counter because a step is taken to water the plant.
14 ++steps;
15 } else {
16 // If there's not enough water left, go back to the river to refill.
17 // This takes 2 steps for every plant passed (back and forth), plus one to water the plant.
18 steps += i * 2 + 1;
19 // Refill the can to full capacity, minus the water needed for the current plant.
20 remainingCapacity = capacity - plants[i];
21 }
22 }
23
24 return steps; // Return the total number of steps taken.
25 }
26};
27
1function wateringPlants(plants: number[], capacity: number): number {
2 // n holds the total number of plants
3 const plantCount = plants.length;
4
5 // steps represents the total number of steps taken so far
6 let steps = 0;
7
8 // currentWater represents the current water capacity in the can
9 let currentWater = capacity;
10
11 // Looping through each plant
12 for (let i = 0; i < plantCount; i++) {
13 // If current water is less than what the current plant needs,
14 // the gardener must refill the water can
15 if (currentWater < plants[i]) {
16 // Steps to go back to the river (i steps), refill (1 step), and return to the plant (i steps)
17 steps += i * 2 + 1;
18
19 // Refill the can to full capacity minus the amount of water needed for the current plant
20 currentWater = capacity - plants[i];
21 } else {
22 // If enough water is present for the current plant,
23 // simply water the plant, which takes 1 step
24 steps++;
25
26 // Subtract the amount of water used for the current plant
27 currentWater -= plants[i];
28 }
29 }
30
31 // Return the total number of steps taken to water all plants
32 return steps;
33}
34
Time and Space Complexity
The time complexity of the code is O(n)
, where n
is the number of plants. This is because the code iterates through each plant exactly once.
The space complexity of the code is O(1)
since a fixed amount of extra space is used regardless of the input size. Additional variables ans
and cap
are used, but their use does not scale with the number of plants.
Learn more about how to find time and space complexity quickly using problem constraints.
How many times is a tree node visited in a depth first search?
Recommended Readings
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
Recursion Recursion is one of the most important concepts in computer science Simply speaking recursion is the process of a function calling itself Using a real life analogy imagine a scenario where you invite your friends to lunch https algomonster s3 us east 2 amazonaws com recursion jpg You first
Runtime Overview When learning about algorithms and data structures you'll frequently encounter the term time complexity This concept is fundamental in computer science and offers insights into how long an algorithm takes to complete given a certain input size What is Time Complexity Time complexity represents the amount of time
Want a Structured Path to Master System Design Too? Don’t Miss This!