2858. Minimum Edge Reversals So Every Node Is Reachable
Problem Description
In this LeetCode problem, we are given a directed graph that has n
nodes numbered from 0
to n - 1
. The interesting property of this graph is that it would form a tree if the edges were bi-directional, meaning that there are no cycles and the graph is connected when considering the edges as undirected. However, as the edges are actually directed, not all nodes may be reachable from a given node.
We are provided with a 2D integer array edges
, which represents the directed edges of the graph, where each element edges[i] = [u_i, v_i]
denotes an edge from node u_i
to node v_i
.
An edge reversal is an operation that changes the direction of a directed edge, so an edge from u
to v
would be reversed to point from v
to u
instead.
The task is to calculate, for every node i
, the minimum number of edge reversals that must be performed so that starting from node i
, it would be possible to reach every other node in the graph. The solution should be returned as an integer array answer
, where answer[i]
gives the minimum number of edge reversals starting from node i
.
Flowchart Walkthrough
Let's analyze the problem using the algorithm Flowchart. Here's a structured approach:
Is it a graph?
- Yes: The problem's description involves nodes and edges, which constitute a graph.
Is it a tree?
- No: Since we talk about edge reversals to make every node reachable, it indicates the presence of directed edges, hence not forming a strict tree since all nodes might not be reachable initially from a single root.
Is the problem related to directed acyclic graphs (DAGs)?
- No: The problem discusses edge reversals which directly implies the presence of cycles, otherwise no reversal would be needed if it were a DAG since DAGs inherently manage reachability without requiring reversals.
Does the problem involve connectivity?
- Yes: The main goal is to alter the graph's structure (by reversing edges) so that every node becomes reachable, explicitly concentrating on connectivity.
Is the graph weighted?
- No: The problem statement doesn’t specify weights on edges but focuses more on the structural properties (i.e., reachability by reversing edges).
Conclusion: According to the flowchart, for an unweighted connectivity problem that is not a DAG and requires a reachability solution in a potentially cyclic graph, DFS (Depth-First Search) would be a suitable pattern. DFS is apt for exploring the graph thoroughly, marking reachable nodes, and would help in tracking the paths for potential edge reversals to achieve full connectivity.
Intuition
The solution to this problem involves two main steps. First, we construct a graph representation that can help us determine the number of reversals needed to make all nodes accessible from a starting node. This is done by capturing not just the connection between nodes, but also the "directionality" with a value that indicates whether an edge needs to be reversed or not (signified by 1 for a properly directed edge, and -1 for an edge that requires reversal).
Once the graph is constructed, we commence a Depth First Search (DFS) to traverse the tree starting from an arbitrary root node (in this case, chosen to be node 0
). During this traversal, we accumulate the number of reversals needed - which is when we encounter an edge where value k
is negative.
After the initial pass, we do a second DFS to calculate the minimum number of reversals for all nodes based on the previously obtained information stored in ans[0]
. This second DFS leverages the property that a reversal affects the reachability of all the nodes in the subtree of the reversed edge. Thus, by adjusting ans[i]
for each node i
by the direction of the incoming edge k
, we propagate the required count of edge reversals throughout the tree.
This approach intuitively understands that in order to make all nodes reachable from one point, the direction of some edges need to align appropriately - which is essentially forming an outward spanning tree from the starting node, with edges oriented away from it.
Learn more about Depth-First Search, Breadth-First Search, Graph and Dynamic Programming patterns.
Solution Approach
The implemented solution for the problem uses the Depth First Search (DFS) algorithm twice on the graph. The graph is given a special structure where every edge is represented by a tuple containing the node it leads to and an integer indicating whether the edge points towards the node (1
) or it needs to be reversed (-1
).
Here are the detailed steps of the solution implementation:
-
The graph
g
is initialized as a list of lists, to hold the adjacency list representation of the graph. Each list withing
corresponds to a node and contains tuples of its adjacent nodes and the directionality of the edges. -
The
dfs
function is defined to traverse the graph starting from the root node0
. During the traversal, if a reversal is needed (indicated by a negative value), the number of necessary edge reversalsans[0]
is incremented. Thedfs
function is called with the parametersi
(the current node being visited) andfa
(the node from which the current node was reached).- The function iterates over all the nodes
j
adjacent to the current nodei
. - If
j
is not the parent nodefa
, it inspects the directionk
of the edge betweeni
andj
. - If
k
is negative, it means the edge is directed towardsi
and not away from it, and one reversal is counted.
- The function iterates over all the nodes
-
After the initial DFS which counts reversals starting from the root, the
dfs2
function is then called in a similar manner. It's called initially with the root node0
and its parent-1
.- This function also iterates over each adjacent node
j
of the current nodei
and its edge directionk
. - Instead of just counting reversals,
dfs2
propagates the reversal count to each node. It setsans[j]
toans[i] + k
for each nodej
that is not the parent. - The value of
k
is added because ifk
is1
, no reversal is needed fromi
toj
, and ifk
is-1
, an extra reversal is needed to reachj
fromi
.
- This function also iterates over each adjacent node
Through this propagation, dfs2
calculates the optimal number of reversals needed to reach all other nodes from a given node i
in the tree. Since ans[i]
already contains the minimum reversals to reach i
from the root (calculated in the initial DFS), adding k
adjusts this number based on the direction of the edge leading to the child node j
.
In the end, we return the ans
array that contains the minimum number of reversals needed for each node to reach all other nodes. The usage of DFS is crucial as it allows us to visit each node and its subtree, accumulating and propagating the count of necessary reversals across the graph. The logic applied in the second DFS makes use of information collected during the first DFS to solve the problem efficiently.
Ready to land your dream job?
Unlock your dream job with a 2-minute evaluator for a personalized learning plan!
Start EvaluatorExample Walkthrough
To illustrate the solution approach, consider a small directed graph with n = 3
nodes and the following edges: edges = [[0, 1], [1, 2], [2, 0]]
. The graph forms a cycle if we ignore the direction of the edges. Here's how we apply the solution approach to determine the number of reversals needed for each node to reach all other nodes:
-
We initialize the graph representation
g
with the adjacency list for the directed graph:g = [ [(1, 1)], // Node 0 has a directed edge towards Node 1 [(2, 1)], // Node 1 has a directed edge towards Node 2 [(0, -1)] // Node 2 has an edge pointing towards Node 0, which needs reversal ]
-
We define a
dfs
function to traverse the graph and begin by callingdfs(0, -1)
, which starts the traversal from Node 0 with -1 signifying no parent.- The
dfs
function will find no reversals are needed from Node 0 to Node 1. The traversal continues to Node 2, where thedfs
detects that an edge reversal is needed (from Node 2 to Node 0). This increments the number of necessary edge reversals for the root,ans[0]
, by 1.
- The
-
We then implement the
dfs2
function and first call it withdfs2(0, -1)
to set the number of reversals for each node. It propagates the reversals needed from Node 0 to Node 1 (which remains 0 since the edge from Node 0 to Node 1 does not require reversal). Then it sets the number of reversals for Node 2:- Since no reversal is needed to go from Node 1 to Node 2 (
k = 1
),ans[2]
is set equal toans[1]
. - However, remember that starting from Node 2, we would need to reverse the edge to Node 0 to create a path from Node 2 to Node 0, adding 1 to the reversal count for Node 2.
- Since no reversal is needed to go from Node 1 to Node 2 (
By applying these steps, we obtain the final array ans
, which gives us ans = [1, 0, 0]
. This means that starting from Node 0, one reversal is required for all nodes to be reachable (reversing the edge from Node 2 to Node 0). For Nodes 1 and 2, no reversals are needed because there is a direct path from these nodes to every other node in the graph.
This example shows the basic thinking behind the solution: construct a graph that captures directionality, perform an initial DFS to count reversals from the root, and then propagate that count to all nodes using a second DFS, adjusting the count based on the direction of the incoming edges to each node.
Solution Implementation
1from typing import List
2
3class Solution:
4 def minEdgeReversals(self, n: int, edges: List[List[int]]) -> List[int]:
5 # Initialize the answer list to keep the minimum edge reversals needed to reach each node
6 min_reversals = [0] * n
7 # Initialize the graph as an adjacency list with additional info about edge direction
8 graph = [[] for _ in range(n)]
9 for start, end in edges:
10 # Positive direction for original edge, negative for reversed
11 graph[start].append((end, 1))
12 graph[end].append((start, -1))
13
14 # Depth-First Search function to calculate minimum reversals from the root to other nodes
15 def dfs(from_node: int, parent_node: int):
16 for next_node, edge_type in graph[from_node]:
17 if next_node != parent_node:
18 # If we encounter a reversed edge, increment the reversal count
19 min_reversals[0] += int(edge_type < 0)
20 dfs(next_node, from_node)
21
22 # First DFS to calculate reversals on path from root (node 0) to all other nodes
23 dfs(0, -1)
24
25 # Depth-First Search function to update the minimum reversals needed to reach each node
26 def dfs_update(node: int, parent_node: int):
27 for next_node, edge_type in graph[node]:
28 if next_node != parent_node:
29 # Update the reversal count depending on edge direction
30 min_reversals[next_node] = min_reversals[node] + edge_type
31 dfs_update(next_node, node)
32
33 # Second DFS to update the min_reversals list with the correct counts for each node
34 dfs_update(0, -1)
35
36 # Return the list of minimum edge reversals needed to reach each node from the root
37 return min_reversals
38
1import java.util.ArrayList;
2import java.util.Arrays;
3import java.util.List;
4
5class Solution {
6 // Adjacency list representation of the graph, where each array element is a pair (neighbor, edge type)
7 // Edge type is 1 for normal edge, -1 for reversed edge
8 private List<int[]>[] graph;
9
10 // Array to store the minimum number of edge reversals needed to reach each node from the root (node 0)
11 private int[] minEdgeReversals;
12
13 public int[] minEdgeReversals(int n, int[][] edges) {
14 // Initialize the minEdgeReversals array and graph adjacency list
15 minEdgeReversals = new int[n];
16 graph = new List[n];
17 Arrays.setAll(graph, i -> new ArrayList<>());
18
19 // Populate the graph with the edges, marking each edge with a type (normal or reversed)
20 for (int[] edge : edges) {
21 int from = edge[0], to = edge[1];
22 graph[from].add(new int[] {to, 1}); // Add normal edge
23 graph[to].add(new int[] {from, -1}); // Add reversed edge
24 }
25
26 // Perform first DFS to calculate minimum reversals to reach each node from the root
27 dfs(0, -1);
28
29 // Perform second DFS to propagate the number of reversals down the tree
30 propagateEdgeReversals(0, -1);
31
32 // Return the minimum number of edge reversals needed for each node
33 return minEdgeReversals;
34 }
35
36 // Helper method to perform DFS traversal and calculate the edge reversals for root node
37 private void dfs(int node, int parent) {
38 for (int[] neighbor : graph[node]) {
39 int nextNode = neighbor[0], edgeType = neighbor[1];
40 if (nextNode != parent) {
41 minEdgeReversals[0] += edgeType < 0 ? 1 : 0; // Reverse the edge if necessary
42 dfs(nextNode, node);
43 }
44 }
45 }
46
47 // Helper method to propagate the calculated edge reversals down the tree
48 private void propagateEdgeReversals(int node, int parent) {
49 for (int[] neighbor : graph[node]) {
50 int nextNode = neighbor[0], edgeType = neighbor[1];
51 if (nextNode != parent) {
52 // Add the edgeType to the current node's reversals for child node
53 // If edgeType is -1 (reversed edge), we subtract 1, otherwise no change
54 minEdgeReversals[nextNode] = minEdgeReversals[node] + edgeType;
55 propagateEdgeReversals(nextNode, node);
56 }
57 }
58 }
59}
60
1#include <vector>
2#include <functional> // To use std::function for the DFS lambda functions
3using namespace std;
4
5class Solution {
6public:
7 // Finds the minimum number of edge reversals in a graph to make all edges directed
8 // from node 0 to any other node. Assumes the graph is connected.
9 // Parameters:
10 // - n: number of nodes in the graph
11 // - edges: a list of edges represented by pairs of nodes
12 //
13 // Returns a vector<int> with the minimum number of reversals for each node
14 vector<int> minEdgeReversals(int nodeCount, vector<vector<int>>& edges) {
15 // Create an adjacency list where each edge is represented by a pair
16 // consisting of the adjacent node and the edge type (1 for original direction, -1 for reversed)
17 vector<pair<int, int>> adjacencyList[nodeCount];
18 // Create a vector to hold the number of reversals needed for each node
19 vector<int> reversals(nodeCount, 0);
20
21 // Convert edge list to adjacency list with edge types
22 for (auto& edge : edges) {
23 int source = edge[0], destination = edge[1];
24 adjacencyList[source].emplace_back(destination, 1);
25 adjacencyList[destination].emplace_back(source, -1);
26 }
27
28 // Depth-First Search (DFS) to determine the reversals starting from node 0
29 function<void(int, int)> dfs1 = [&](int currentNode, int parent) {
30 for (auto& [adjacentNode, edgeType] : adjacencyList[currentNode]) {
31 if (adjacentNode != parent) {
32 reversals[0] += edgeType < 0; // Increment if the edge is reversed
33 dfs1(adjacentNode, currentNode);
34 }
35 }
36 };
37
38 // Secondary DFS to calculate the correct number of reversals for each node
39 function<void(int, int)> dfs2 = [&](int currentNode, int parent) {
40 for (auto& [adjacentNode, edgeType] : adjacencyList[currentNode]) {
41 if (adjacentNode != parent) {
42 reversals[adjacentNode] = reversals[currentNode] + edgeType;
43 dfs2(adjacentNode, currentNode);
44 }
45 }
46 };
47
48 // Perform the two DFS traversals to compute the edge reversals
49 dfs1(0, -1); // Start at node 0 with no parent
50 dfs2(0, -1); // Start at node 0 with no parent to calculate actual reversals
51
52 return reversals;
53 }
54};
55
1// Define the function to calculate the minimum edge reversals
2// n: number of nodes in the graph
3// edges: list of edges represented by pairs of nodes
4function minEdgeReversals(n: number, edges: number[][]): number[] {
5 // Construct the graph where each node points to a list of [neighbor node, edge type]
6 // Edge type: 1 for forward edge, -1 for reversed edge
7 const graph: number[][][] = Array.from({ length: n }, () => []);
8 // Populate the graph adjacency list with bidirectional edges
9 for (const [from, to] of edges) {
10 graph[from].push([to, 1]); // Forward edge
11 graph[to].push([from, -1]); // Reversed edge
12 }
13
14 // Initialize an array to hold the minimum reversal count for each node
15 const minReversals: number[] = Array(n).fill(0);
16
17 // Depth-first search to count reversals needed to reach each node from node 0
18 const depthFirstSearch = (node: number, parent: number) => {
19 for (const [nextNode, edgeType] of graph[node]) {
20 if (nextNode !== parent) { // Exclude parent to prevent cycling back
21 // If edge is reversed, add 1 to the reversal count
22 minReversals[0] += edgeType < 0 ? 1 : 0;
23 // Recursive DFS call for child nodes
24 depthFirstSearch(nextNode, node);
25 }
26 }
27 };
28
29 // Second DFS to update each node's minimum reversal count based on the path from root
30 const depthFirstSearchUpdate = (node: number, parent: number) => {
31 for (const [nextNode, edgeType] of graph[node]) {
32 if (nextNode !== parent) {
33 // Update the reversal count for child node based on current node's count
34 minReversals[nextNode] = minReversals[node] + edgeType;
35 // Recursive call to continue updating child nodes
36 depthFirstSearchUpdate(nextNode, node);
37 }
38 }
39 };
40
41 // Call the DFS function starting from node 0 with no parent (-1)
42 depthFirstSearch(0, -1);
43 // After initial count, update the reversal count for each node
44 depthFirstSearchUpdate(0, -1);
45
46 // Return the array containing minimum reversal counts for each node
47 return minReversals;
48}
49
Time and Space Complexity
Time Complexity
The given code consists of two Depth First Search (DFS) functions, dfs
and dfs2
, which are used to traverse the graph represented by the list of edges. Every vertex and every edge is visited exactly once in each DFS operation.
- The first DFS (
dfs
) traverses the graph to count the minimum number of edge reversals required. It does so by incrementing the answer only if an edge is directed towards the parent (k < 0
), which requires a reversal. - The second DFS (
dfs2
) computes the final answer array for each node, by updating the answer for each child based on the edge direction (k
) with respect to its parent.
The time complexity of each DFS call is O(V + E)
where V
is the number of vertices (nodes) and E
is the number of edges, since it traverses each vertex and edge exactly once. Since we are running two DFS operations sequentially, and each has the same complexity, the total time complexity of the algorithm is O(V + E + V + E)
which simplifies to O(V + E)
because constants are dropped in Big O notation.
Therefore, the overall time complexity is O(V + E)
.
Space Complexity
The space complexity of the code involves the storage required for:
- The adjacency list
g
which hasE
entries (each edge stored twice, once for each direction, with an additional bit to indicate the original direction). - The recursion stack for the DFS calls, which in the worst case, if the graph is implemented as a linked list, could go up to
O(V)
. - The
ans
array, which is an array of lengthV
.
Combining the above, the space complexity is O(V + 2E) + O(V) + O(V)
.
Since E
can be at most V(V - 1)/2
for a complete graph, the term O(2E)
can dominate the space complexity. However, we typically express space complexity in terms of just O(E)
or O(V)
, depending on which is larger. Therefore, the space complexity is generally represented as O(E + V)
.
In conclusion, the space complexity of the algorithm is O(E + V)
.
Learn more about how to find time and space complexity quickly using problem constraints.
Which algorithm is best for finding the shortest distance between two points in an unweighted graph?
Recommended Readings
https algomonster s3 us east 2 amazonaws com cover_photos dfs svg Depth First Search Prereqs Recursion Review problems recursion_intro Trees problems tree_intro With a solid understanding of recursion under our belts we are now ready to tackle one of the most useful techniques in coding interviews Depth First Search DFS
https algomonster s3 us east 2 amazonaws com cover_photos bfs svg Breadth First Search on Trees Hopefully by this time you've drunk enough DFS Kool Aid to understand its immense power and seen enough visualization to create a call stack in your mind Now let me introduce the companion spell
https algomonster s3 us east 2 amazonaws com cover_photos graph svg Graph Fundamentals Tree with 0 cycle At this point you should be pretty familiar with trees A tree is a special kind of graph a connected acyclic cycle less graph A graph may contain cycle s and nodes could
Want a Structured Path to Master System Design Too? Don’t Miss This!