Problem Description
A car travels from a starting position to a destination which is target
miles east of the starting position. There are gas stations along the way, represented as an array stations
, where stations[i] = [position_i, fuel_i]
indicates that the i-th
gas station is position_i
miles east of the starting position and has fuel_i
liters of gas. The car starts with an infinite tank of gas, which initially has startFuel
liters of fuel in it. It uses one liter of gas per one mile that it drives. When the car reaches a gas station, it may stop and refuel, transferring all the gas from the station into the car. Return the minimum number of refueling stops the car must make in order to reach its destination. If it cannot reach the destination, return -1
.
Key Insights
- The car can reach the destination without refueling if
startFuel
is greater than or equal totarget
. - If the car cannot reach the first gas station, it cannot proceed at all.
- A greedy approach using a max-heap to choose the best gas stations to refuel from can minimize the number of stops.
- The algorithm must keep track of the current fuel level and the distance traveled.
Space and Time Complexity
Time Complexity: O(n log n) - where n is the number of gas stations, due to the use of the max-heap for efficient refueling. Space Complexity: O(n) - for storing the gas stations in an array, and O(n) for the max-heap.
Solution
To solve the problem, we utilize a greedy algorithm combined with a max-heap (priority queue) to manage the fuel from gas stations. The key steps are:
- Iterate through the gas stations and keep track of the current fuel level and distance traveled.
- When the current fuel is insufficient to reach the next station or the destination, utilize the max-heap to refuel from the gas stations visited so far, starting from the one that provides the most fuel.
- Count the number of refueling stops made until reaching the destination or determining that it is not possible.