We use cookies (including Google cookies) to personalize ads and analyze traffic. By continuing to use our site, you accept our Privacy Policy.

Water Bottles

Difficulty: Easy


Problem Description

You have numBottles water bottles that are initially full. You can exchange numExchange empty bottles for one full water bottle. The goal is to determine the maximum number of water bottles you can drink.


Key Insights

  • Each time you drink from a full bottle, it becomes empty.
  • You can exchange a certain number of empty bottles for additional full bottles.
  • The process continues until you can no longer exchange empty bottles for full ones.

Space and Time Complexity

Time Complexity: O(log(numBottles)) - The number of exchanges decreases significantly with each round, making the process logarithmic in nature.
Space Complexity: O(1) - Only a few variables are used to keep track of counts.


Solution

The solution involves simulating the process of drinking water bottles and exchanging empty bottles for new ones. We start with the initial number of full bottles and repeatedly exchange empty bottles for new full ones until we can no longer make exchanges. The two main data structures used here are basic integer counters to track the number of full and empty bottles.


Code Solutions

def numWaterBottles(numBottles, numExchange):
    total_drunk = 0
    empty_bottles = 0

    # Drink all the initially full bottles
    total_drunk += numBottles
    empty_bottles += numBottles

    # Continue exchanging empty bottles for full ones
    while empty_bottles >= numExchange:
        # Calculate how many new full bottles can be obtained
        new_bottles = empty_bottles // numExchange
        total_drunk += new_bottles

        # Update the count of empty bottles
        empty_bottles = empty_bottles % numExchange + new_bottles

    return total_drunk
← Back to All Questions