Thanh's Islet 🏝️

Leetcode 853: Car Fleet

I find the problem strikes a balance between tricky (needing specific knowledge of data structure and algorithm) and interesting (solvable with first-principle thinking). However, after understanding the tricky part, and working through the thinking, and implementing working code, I still could not really explain the intuition concisely. Hence this writing. Let’s hope that it helps you as much as it helped me.

Problem Description

You can find the problem description on Leetcode yourself. However, I find it easier describe with a visual aid:

Imagine a multi-lane road with cars starting at different positions and traveling at different speeds. Each car has a position p and speed s. When a faster car catches up to a slower car, they merge to form a “car fleet” that travels at the speed of the slower car.

Given:

Calculate how many car fleets will reach the target. Note that:

Insights

Two cars will merge to form a fleet if they meet before reaching the finish line. This happens when:

For example:

Then the second car would merge with the first car.

The key insights to solve the problem are: if a further car arrives faster than a closer one, we merge the two by just recording the slower car (one that has higher arrival time). In the end, we should have a list of arrive times that corresponds to the number of car fleets.

Implementation

From the insights above, the algorithm is quite straightforward:

Here is an implementation in Python:

def calculate_time(target, pair):
    position = pair[0]
    speed = pair[1]
    return (target - position) / speed


class Solution:
    def carFleet(self, target: int, positions: List[int], speeds: List[int]) -> int:
        pairs = [
            (p, s)
            for p, s in zip(positions, speeds)
        ]
        pairs.sort(key=lambda pair: (pair[0], -pair[1]), reverse=True)

        times = [
            calculate_time(target=target, pair=pairs[0])
        ]

        for pair in pairs[1:]:
            time_current = calculate_time(target=target, pair=pair)
            time_last = times[-1]
            if time_current > time_last:
                times.append(time_current)

        return len(times)

Conclusion

I hope that my explanation is clear enough, and you are able to derive your own implementation after reading the algorithm steps. The monotonic 1 sequence pattern used here (a monotonic stack, to be precise) appears in various LeetCode problems and is worth adding to your algorithm solving skillset.


  1. the mathematics term “monotonic” means

    varying in such a way that it either never decreases or never increases

     ↩︎ ↩︎

#leetcode #python #stack #monotonic-stack