Problem Description
You are given an array routes representing bus routes where routes[i] is a bus route that the ith bus repeats forever. You will start at the bus stop source (You are not on any bus initially), and you want to go to the bus stop target. You can travel between bus stops by buses only. Return the least number of buses you must take to travel from source to target. Return -1 if it is not possible.
Key Insights
- Each bus route can be viewed as a graph where bus stops are nodes and routes are edges.
- BFS (Breadth-First Search) is a suitable algorithm to find the shortest path in an unweighted graph.
- A mapping of bus stops to bus routes can optimize the search process by allowing quick access to all routes that serve a particular bus stop.
Space and Time Complexity
Time Complexity: O(N + E), where N is the number of bus stops and E is the number of edges (connections between stops via buses).
Space Complexity: O(N + R), where R is the total number of bus routes, for storing the graph representation and the queue during BFS.
Solution
We can solve this problem using a graph traversal approach, specifically using Breadth-First Search (BFS). The steps are as follows:
- Graph Construction: Create a mapping from bus stops to bus routes. Each bus stop will point to all the bus routes that pass through it.
- BFS Initialization: Start from the source bus stop and initialize a queue to explore the bus routes. Keep track of visited bus routes to avoid processing the same route multiple times.
- BFS Traversal: For each bus stop, check if it matches the target. If it does, return the number of buses taken. If not, enqueue all the bus routes that can be accessed from the current bus stop and mark them as visited.
- End Condition: If the queue is exhausted and the target is not reached, return -1.