Problem Description
You are given a 2D integer array orders, where each orders[i] = [price_i, amount_i, orderType_i] denotes that amount_i orders have been placed of type orderType_i at the price price_i. The orderType_i is:
- 0 if it is a batch of buy orders, or
- 1 if it is a batch of sell orders.
There is a backlog that consists of orders that have not been executed. When an order is placed, buy and sell orders can match based on their prices. The task is to return the total amount of orders in the backlog after placing all the orders from the input, modulo 10^9 + 7.
Key Insights
- Buy orders can only be matched with sell orders if the price of the sell order is less than or equal to the price of the buy order.
- Sell orders can only be matched with buy orders if the price of the buy order is greater than or equal to the price of the sell order.
- We need to keep track of both buy and sell orders in a manner that allows us to efficiently match them.
- A min-heap can be used for sell orders to quickly access the lowest priced sell order.
- A max-heap can be used for buy orders to quickly access the highest priced buy order.
Space and Time Complexity
Time Complexity: O(n log n), where n is the number of orders, because each insertion and removal in a heap takes O(log n) time. Space Complexity: O(n), as we may need to store all orders in the backlog.
Solution
To solve the problem, we utilize two heaps: a min-heap for sell orders and a max-heap for buy orders. As we process each order:
- For a buy order, we check the min-heap of sell orders. If the sell order's price is less than or equal to the buy order's price, we match them and reduce the order amounts accordingly. If not, we add the buy order to the max-heap.
- For a sell order, we check the max-heap of buy orders. If the buy order's price is greater than or equal to the sell order's price, we match them and reduce the order amounts. If not, we add the sell order to the min-heap.
- Finally, we sum up the remaining amounts in both heaps to determine the total backlog.