Intervue featured on Shark TankIntervue featured on Shark Tank - mobile banner

There are n cars going to the same destination along a one-lane road. The cars have different speeds and fuel efficiency. Each car is represented by an array of two elements: the position of the car and its speed. The position is the distance from the destination, and the speed is the speed of the car. A car fleet is a group of cars that will arrive at the destination at the same time. Write a function to find the number of car fleets that will arrive at the destination.

Constraints:

  • 1 <= n <= 10^5
  • 1 <= position, speed <= 10^6

Examples:

Input: [[1, 2], [2, 1], [4, 3], [7, 2]]

Output: 3

Explanation: The first car fleet consists of the first car, the second car fleet consists of the second car, and the third car fleet consists of the third and fourth cars.

Solutions

Sorting and Greedy Algorithm

Time: O(n log n)Space: O(n)

The solution first sorts the cars based on their positions in descending order. Then it iterates over the sorted cars and calculates the time it takes for each car to reach the target. If the time is greater than the maxTime, it increments the fleet count and updates the maxTime.

function carFleet(target, position, speed) {
  let n = position.length;
  let cars = [];
  for (let i = 0; i < n; i++) {
    cars.push([position[i], speed[i]]);
  }
  cars.sort((a, b) => b[0] - a[0]);
  let fleets = 0;
  let maxTime = 0;
  for (let i = 0; i < n; i++) {
    let time = (target - cars[i][0]) / cars[i][1];
    if (time > maxTime) {
      fleets++;
      maxTime = time;
    }
  }
  return fleets;
}

Difficulty: Medium

Category: Sorting and Greedy Algorithm

Frequency: Medium

Company tags:

GoogleAmazonMicrosoft