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 problem can be viewed as a dynamic graph where we add edges incrementally.
- The initial shortest path from city 0 to city n - 1 is n - 1 (via the unidirectional roads).
- Each query adds a shortcut that can potentially reduce the shortest path.
- The constraints suggest that the queries are non-overlapping in terms of starting and ending cities, which simplifies pathfinding.
Space and Time Complexity
Time Complexity: O(q * log(n)), where q is the number of queries, due to the need to manage the updated paths efficiently. Space Complexity: O(n), to store the graph's adjacency list.
Solution
To solve this problem, we can use a combination of a graph representation and a priority queue (or a similar structure) to manage the shortest paths dynamically as new roads are added. The algorithm involves maintaining a list of distances from the starting city (city 0) to all other cities and updating these distances as new roads are added.
- Initialize an array
dist
of sizen
, wheredist[i]
represents the shortest distance from city 0 to city i. Setdist[0] = 0
anddist[i] = inf
for all other cities. - Process each query:
- For each new road added (from u to v), check if the new distance from city 0 to v through u is shorter than the current known distance.
- Update the
dist
array accordingly. - Record the shortest distance from city 0 to city n - 1 after each query.
- Return the list of distances.