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

Corporate Flight Bookings

Difficulty: Medium


Problem Description

Given an array of flight bookings where each booking specifies a range of flights and the number of seats reserved for each flight in that range, return an array representing the total number of seats reserved for each flight.


Key Insights

  • Flight bookings can affect multiple flights in a continuous range.
  • Using a prefix sum technique allows for efficient updates and calculations over ranges.
  • We can utilize a difference array to handle the seat reservations efficiently.

Space and Time Complexity

Time Complexity: O(k + n), where k is the number of bookings and n is the number of flights.
Space Complexity: O(n), for the result array and the auxiliary storage.


Solution

To solve this problem, we can use a difference array approach. We initialize an array of zeros with a length of n + 1 to account for the range updates. For each booking, we increment the starting index of the flight by the number of seats and decrement the index right after the last flight by the same number. This allows us to mark the beginning and end of the seat reservations.

After processing all bookings, we iterate through the difference array to calculate the prefix sum, which gives us the total seats reserved for each flight.


Code Solutions

def corpFlightBookings(bookings, n):
    # Initialize result array with zeros
    result = [0] * (n + 1)
    
    # Apply the difference array technique
    for first, last, seats in bookings:
        result[first - 1] += seats  # Increment at the start index
        if last < n:  # Decrement at the index right after the last flight
            result[last] -= seats
            
    # Calculate the prefix sum to get the actual reservation counts
    for i in range(1, n):
        result[i] += result[i - 1]
        
    return result[:-1]  # Return the result excluding the last element
← Back to All Questions