Problem Description
You have a movie renting company consisting of n
shops. You want to implement a renting system that supports searching for, booking, and returning movies. The system should also support generating a report of the currently rented movies. Each movie is given as a 2D integer array entries
where entries[i] = [shop_i, movie_i, price_i]
indicates that there is a copy of movie movie_i
at shop shop_i
with a rental price of price_i
. Each shop carries at most one copy of a movie movie_i
. The system should support the following functions:
- Search: Finds the cheapest 5 shops that have an unrented copy of a given movie.
- Rent: Rents an unrented copy of a given movie from a given shop.
- Drop: Drops off a previously rented copy of a given movie at a given shop.
- Report: Returns the cheapest 5 rented movies as a 2D list.
Key Insights
- Efficiently track available and rented movies using data structures.
- Use sorting or priority queues to manage the cheapest options.
- Ensure operations on rentals and returns maintain correct state.
Space and Time Complexity
Time Complexity:
- Search: O(log k + k) where k is the number of unrented copies (at most 5)
- Rent: O(1)
- Drop: O(1)
- Report: O(log m + m) where m is the number of rented movies (at most 5)
Space Complexity: O(n + m) where n is the number of shops and m is the number of currently rented movies.
Solution
To solve this problem, we will use a combination of hash maps and priority queues (or sorted lists) to maintain the state of unrented and rented movies. The hash map will map each movie to its available shops and prices. For rented movies, we will maintain a priority queue that allows us to quickly retrieve the cheapest rented movies.
-
Initialization: Create a hash map to store the available movies and their shops with prices. Also, create a hash map to track rented movies.
-
Search: When searching for a movie, retrieve the list of shops for that movie and sort them by price and shop number. Return the top 5 results.
-
Rent: When renting a movie, remove it from the available list and add it to the rented list.
-
Drop: When dropping off a movie, add it back to the available list from the rented list.
-
Report: Retrieve and sort the rented movies based on price, shop number, and movie ID, returning the top 5.