Problem Description
You are given an integer n and a 2D integer array queries. There are n cities numbered from 0 to n - 1. Initially, there is a unidirectional road from city i to city i + 1 for all 0 <= i < n - 1. queries[i] = [u_i, v_i] represents the addition of a new unidirectional road from city u_i to city v_i. After each query, you need to find the length of the shortest path from city 0 to city n - 1. Return an array answer where for each i in the range [0, queries.length - 1], answer[i] is the length of the shortest path from city 0 to city n - 1 after processing the first i + 1 queries.
Key Insights
- The initial graph is a linear path from city 0 to city n - 1.
- Additional roads can create shortcuts, potentially reducing the shortest path length.
- Each query modifies the graph, and we need to efficiently compute the shortest path after each modification.
- The problem can be approached using a breadth-first search (BFS) or by maintaining an adjacency list that reflects the current state of the graph after each query.
Space and Time Complexity
Time Complexity: O(m * (n + q)), where m is the number of queries, n is the number of cities, and q is the average number of edges in the graph after processing queries. Space Complexity: O(n + m), where n is the number of cities and m is the number of edges in the graph.
Solution
To solve the problem, we can use an adjacency list to represent the graph of cities and roads. Initially, we create a list of roads based on the unidirectional roads from i to i + 1. For each query, we add a new road to the adjacency list. We then perform a BFS from city 0 to city n - 1 to find the shortest path length after each query. The BFS will explore the graph level by level, ensuring we find the shortest path efficiently.