Open In App

Eventual Safe States

Last Updated : 01 Dec, 2023
Improve
Improve
Like Article
Like
Save
Share
Report

A directed graph of V vertices and E edges is given in the form of an adjacency list adj. Each node of the graph is labeled with a distinct integer in the range 0 to V – 1. A node is a terminal node if there are no outgoing edges. A node is a safe node if every possible path starting from that node leads to a terminal node, the task is to return an array containing all the safe nodes of the graph. The answer should be sorted in ascending order.

Examples:

Input: N = 7, E = 7

Example 1

Output: 2, 4, 5, 6
Explanation: The given graph is shown above. Nodes 5 and 6 are terminal nodes as there are no outgoing edges from either of them. Every path starting at nodes 2, 4, 5, and 6 all leads to either node 5 or 6.

Input: N = 4, E = 4

Example-2

Output: 3
Explanation: Node 3 itself is a terminal node and it is a safe node as well. But all the paths from other nodes do not lead to a terminal node. So they are excluded from the answer.

Approach: This can be solved by the following idea:

We will be solving it using DFS traversal. DFS goes in-depth, i.e., traverses all nodes by going ahead, and when there are no further nodes to traverse in the current path, then it backtracks on the same path and traverses other unvisited nodes.

The algorithm steps are as follows: 

  • We must traverse all components of the graph.
  •  Make sure to carry two visited arrays in the DFS call. One is a visited array(vis) and the other is a path-visited(pathVis) array. The visited array keeps a track of visited nodes, and the path-visited keeps a track of visited nodes in the current traversal only
  •  Along with that, we will be carrying an extra array(check) to mark the safe nodes.
  • While making a DFS call, at first we will mark the node as visited in both the arrays and then will traverse through its adjacent nodes. Now, there may be either of the three cases.
    • Case 1: If the adjacent node is not visited, we will make a new DFS call recursively with that particular node.
    • Case 2: If the adjacent node is visited and also on the same path(i.e marked visited in the pathVis array), we will return true, because it means it has a cycle, thereby the pathVis was true. Returning true will mean the end of the function call, as once we have got a cycle, there is no need to check for further adjacent nodes.
    • Case 3: If the adjacent node is visited but not on the same path(i.e not marked in the pathVis array), we will continue to the next adjacent node, as it would have been marked as visited in some other path, and not on the current one.
  • Finally, if there are no further nodes to visit, we will mark the node as safe in the check array and unmark the current node in the pathVis array and just return false. Then we will backtrack to the previous node with the returned value.

Note: The Point to remember is, while we enter we mark both the pathVis and vis as true, but at the end of traversal to all adjacent nodes, we just make sure to mark the current node safe and unmark the pathVis and still keep the vis marked as true, as it will avoid future extra traversal calls.

The following illustration will be useful in understanding the algorithm:

Illustration of the approach

Below is the implementation of the above approach:

C++




// C++ implementation of the above code
#include <bits/stdc++.h>
using namespace std;
 
// Function to traverse over the nodes
bool dfs(vector<vector<int> > al, vector<int>& visit,
         vector<int>& path, int sr)
{
    visit[sr] = 1;
    path[sr] = 1;
    for (int i : al[sr]) {
        if (visit[i] == 0) {
            if (dfs(al, visit, path, i) == true)
                return true;
        }
        else if (path[i] == 1)
            return true;
    }
    path[sr] = 0;
    return false;
}
 
// To find safe states
vector<int> eventualSafeNodes(int V,
                              vector<vector<int> > al)
{
 
    // Your code here
    vector<int> visit(V, 0);
    vector<int> path(V, 0);
    for (int i = 0; i < V; i++) {
        if (visit[i] == 0)
            dfs(al, visit, path, i);
    }
    vector<int> res;
    for (int i = 0; i < V; i++) {
        if (visit[i] == 1 && path[i] == 0)
            res.push_back(i);
    }
    return res;
}
 
// Driver code
int main()
{
    int v = 6;
    vector<vector<int> > al(v);
    al[5].push_back(0);
    al[5].push_back(2);
    al[4].push_back(0);
    al[2].push_back(3);
    al[3].push_back(1);
    al[4].push_back(1);
 
    // Function call
    vector<int> res = eventualSafeNodes(v, al);
 
    // Output
    for (int i = 0; i < res.size(); i++) {
        cout << res[i] << " ";
    }
    cout << endl;
    return 0;
}
 
// This code is contributed by prasad264


Java




// Java implementation of the above code
import java.util.*;
public class EvantualSafePlace {
 
    // To find safe states
    static ArrayList<Integer>
    eventualSafeNodes(int V,
                      ArrayList<ArrayList<Integer> > al)
    {
 
        // Your code here
        int[] visit = new int[V];
        int[] path = new int[V];
        for (int i = 0; i < V; i++) {
            if (visit[i] == 0)
                dfs(al, visit, path, i);
        }
        ArrayList<Integer> res = new ArrayList<>();
        for (int i = 0; i < V; i++) {
            if (visit[i] == 1 && path[i] == 0)
                res.add(i);
        }
        return res;
    }
 
    // Function to traverse over the nodes
    static boolean dfs(ArrayList<ArrayList<Integer> > al,
                       int[] visit, int[] path, int sr)
    {
        visit[sr] = 1;
        path[sr] = 1;
        for (int i : al.get(sr)) {
            if (visit[i] == 0) {
                if (dfs(al, visit, path, i) == true)
                    return true;
            }
            else if (path[i] == 1)
                return true;
        }
        path[sr] = 0;
        return false;
    }
 
    // Driver code
    public static void main(String[] args)
    {
 
        int v = 6;
        ArrayList<ArrayList<Integer> > al
            = new ArrayList<>(v);
        for (int i = 0; i < v; i++) {
            al.add(new ArrayList<Integer>());
        }
        al.get(5).add(0);
        al.get(5).add(2);
        al.get(4).add(0);
        al.get(2).add(3);
        al.get(3).add(1);
        al.get(4).add(1);
 
        // Function call
        ArrayList<Integer> res = eventualSafeNodes(v, al);
 
        // Output
        System.out.println(res);
    }
}


Python3




# Python implementation of the above code
 
# Function to traverse over the nodes
def dfs(al, visit, path, sr):
    visit[sr] = 1
    path[sr] = 1
    for i in al[sr]:
        if visit[i] == 0:
            if dfs(al, visit, path, i) == True:
                return True
        elif path[i] == 1:
            return True
    path[sr] = 0
    return False
 
# To find safe states
def eventualSafeNodes(V, al):
    visit = [0]*V
    path = [0]*V
    for i in range(V):
        if visit[i] == 0:
            dfs(al, visit, path, i)
    res = []
    for i in range(V):
        if visit[i] == 1 and path[i] == 0:
            res.append(i)
    return res
 
# Driver code
v = 6
al = [[] for _ in range(v)]
al[5].append(0)
al[5].append(2)
al[4].append(0)
al[2].append(3)
al[3].append(1)
al[4].append(1)
 
# Function call
res = eventualSafeNodes(v, al)
 
# Output
for i in range(len(res)):
    print(res[i], end=" ")
print()
# This code is contributed by prasad264


C#




using System;
using System.Collections.Generic;
 
public class Program {
    public static bool Dfs(List<List<int> > al,
                           List<int> visit, List<int> path,
                           int sr)
    {
        visit[sr] = 1;
        path[sr] = 1;
        foreach(int i in al[sr])
        {
            if (visit[i] == 0) {
                if (Dfs(al, visit, path, i) == true)
                    return true;
            }
            else if (path[i] == 1)
                return true;
        }
        path[sr] = 0;
        return false;
    }
 
    public static List<int>
    EventualSafeNodes(int V, List<List<int> > al)
    {
        List<int> visit = new List<int>(new int[V]);
        List<int> path = new List<int>(new int[V]);
        for (int i = 0; i < V; i++) {
            if (visit[i] == 0)
                Dfs(al, visit, path, i);
        }
        List<int> res = new List<int>();
        for (int i = 0; i < V; i++) {
            if (visit[i] == 1 && path[i] == 0)
                res.Add(i);
        }
        return res;
    }
 
    public static void Main()
    {
        int v = 6;
        List<List<int> > al = new List<List<int> >();
        for (int i = 0; i < v; i++) {
            al.Add(new List<int>());
        }
        al[5].Add(0);
        al[5].Add(2);
        al[4].Add(0);
        al[2].Add(3);
        al[3].Add(1);
        al[4].Add(1);
 
        // Function call
        List<int> res = EventualSafeNodes(v, al);
 
        // Output
        foreach(int i in res) { Console.Write(i + " "); }
        Console.WriteLine();
    }
}


Javascript




// JavaScript implementation of the above code
 
// Function to traverse over the nodes
function dfs(al, visit, path, sr) {
    visit[sr] = 1;
    path[sr] = 1;
    for (let i of al[sr]) {
        if (visit[i] == 0) {
            if (dfs(al, visit, path, i) == true)
                return true;
        }
        else if (path[i] == 1) {
            return true;
        }
    }
    path[sr] = 0;
    return false;
}
 
// To find safe states
function eventualSafeNodes(V, al) {
    let visit = Array(V).fill(0);
    let path = Array(V).fill(0);
    for (let i = 0; i < V; i++) {
        if (visit[i] == 0) {
            dfs(al, visit, path, i);
        }
    }
    let res = [];
    for (let i = 0; i < V; i++) {
        if (visit[i] == 1 && path[i] == 0) {
            res.push(i);
        }
    }
    return res;
}
 
// Driver code
let v = 6;
let al = Array(v).fill().map(() => []);
al[5].push(0);
al[5].push(2);
al[4].push(0);
al[2].push(3);
al[3].push(1);
al[4].push(1);
 
// Function call
let res = eventualSafeNodes(v, al);
 
// Output
console.log(res.join(" "));


Output

0 1 2 3 4 5 








Time Complexity: O(V2)
Auxiliary Space: O(V2)

Approach: Using BFS

Here, we are going to use topological sort to solve this problem.

Algorithm:

Step-1: Reverse the adjacency list so, that we can do the topological sort on the basis of outdegree instead of indegree.

Step-2: Compute the indegree for each of the vertex.

Step-3: Add all the vertices with indegree zero in the queue.

Step-4: Do bfs, remove the vertex from the queue and

  • Store the front of the queue.
  • Decrement the indegree by one for all its neighboring nodes.
  • if the indegree is reduced to zero, add them to the queue.

Step-5: Repeat step-4 until queue is empty.

Step-6: Sort the answer and return it.

C++




// C++ implementation of the above code
#include <bits/stdc++.h>
using namespace std;
  
// To find safe states
vector<int> eventualSafeNodes(int V,
                              vector<vector<int> > al)
{
  
    // Your code here
    vector<int> adjRev[V];
       int indegree[V] = {0};
    for (int i = 0; i < V; i++) {
        for(auto it: al[i]){
          //reverse the adjacency list
          adjRev[it].push_back(i);
          //compute the indegree for every vertex
          indegree[i]++;
        }
    }
    queue<int> q;
      vector<int> safeNodes;
       
      //adding the vertices with indegree zero in the queue
      for(int i=0;i<V;i++){
      if(indegree[i]==0){
        q.push(i);
      }
    }
   
      while(!q.empty()){
      int node = q.front();
      q.pop();
      //store the answer
      safeNodes.push_back(node);
      for(auto nbr: adjRev[node]){
        //decrement the indegree of all the neighbouring nodes of the node
        indegree[nbr]--;
        //if the indegree of any neighbouring node become zero,
        //put it in the queue.
        if(indegree[nbr]==0){
          q.push(nbr);
        }
      }
    }
   
  // sort the answer
      sort(safeNodes.begin(), safeNodes.end());
   
  //returning the answer
      return safeNodes;
         
  }
  
// Driver code
int main()
{
    int v = 6;
    vector<vector<int> > al(v);
    al[5].push_back(0);
    al[5].push_back(2);
    al[4].push_back(0);
    al[2].push_back(3);
    al[3].push_back(1);
    al[4].push_back(1);
  
    // Function call
    vector<int> res = eventualSafeNodes(v, al);
  
    // Output
    for (int i = 0; i < res.size(); i++) {
        cout << res[i] << " ";
    }
    cout << endl;
    return 0;
}
 
//This code is contributed by 525tamannacse1


Java




/*package whatever //do not write package name here */
 
import java.io.*;
import java.util.*;
class GFG {
   public static List<Integer> eventualSafeNodes(int V, List<List<Integer>> al) {
        List<List<Integer>> adjRev = new ArrayList<>();
        for (int i = 0; i < V; i++) {
            adjRev.add(new ArrayList<>());
        }
        int indegree[] = new int[V];
        for (int i = 0; i < V; i++) {
            for (int it : al.get(i)) {
                adjRev.get(it).add(i);
                indegree[i]++;
            }
        }
        Queue<Integer> q = new LinkedList<>();
        List<Integer> safeNodes = new ArrayList<>();
        for (int i = 0; i < V; i++) {
            if (indegree[i] == 0) {
                q.add(i);
            }
        }
 
        while (!q.isEmpty()) {
            int node = q.peek();
            q.remove();
            safeNodes.add(node);
            for (int it : adjRev.get(node)) {
                indegree[it]--;
                if (indegree[it] == 0) q.add(it);
            }
        }
        Collections.sort(safeNodes);
        return safeNodes;
    }
    public static void main(String[] args) {
        int V = 6;
        List<List<Integer>> al = new ArrayList<>();
        for (int i = 0; i < V; i++) {
            al.add(new ArrayList<>());
        }
        al.get(5).add(0);
        al.get(5).add(2);
        al.get(4).add(0);
        al.get(2).add(3);
        al.get(3).add(1);
        al.get(4).add(1);
       
        List<Integer> res = eventualSafeNodes(V,al);
 
        for (int i=0;i<res.size();i++) {
            System.out.print(res.get(i) + " ");
        }
        System.out.println("");
    }
}


Python3




from collections import deque
 
def eventual_safe_nodes(V, al):
    adj_rev = [[] for _ in range(V)]
    indegree = [0] * V
     
    for i in range(V):
        for j in al[i]:
            adj_rev[j].append(i)
            indegree[i] += 1
 
    q = deque()
    safe_nodes = []
 
    for i in range(V):
        if indegree[i] == 0:
            q.append(i)
 
    while q:
        node = q.popleft()
        safe_nodes.append(node)
 
        for nbr in adj_rev[node]:
            indegree[nbr] -= 1
            if indegree[nbr] == 0:
                q.append(nbr)
 
    safe_nodes.sort()
    return safe_nodes
 
 
# Driver code
v = 6
al = [[] for _ in range(v)]
al[5].extend([0, 2])
al[4].extend([0, 1])
al[2].append(3)
al[3].append(1)
al[4].append(1)
 
# Function call
res = eventual_safe_nodes(v, al)
 
# Output
for i in res:
  print(i, end=" ")


C#




// C# Code
using System;
using System.Collections.Generic;
using System.Linq;
 
class GFG
{
    public static List<int> EventualSafeNodes(int V, List<List<int>> al)
    {
        // Create a reversed adjacency list
        List<List<int>> adjRev = new List<List<int>>();
        for (int i = 0; i < V; i++)
        {
            adjRev.Add(new List<int>());
        }
 
        int[] indegree = new int[V];
 
        // Populate the reversed adjacency list and calculate indegrees
        for (int i = 0; i < V; i++)
        {
            foreach (int it in al[i])
            {
                adjRev[it].Add(i);
                indegree[i]++;
            }
        }
 
        Queue<int> q = new Queue<int>();
        List<int> safeNodes = new List<int>();
 
        // Add nodes with zero indegree to the queue
        for (int i = 0; i < V; i++)
        {
            if (indegree[i] == 0)
            {
                q.Enqueue(i);
            }
        }
 
        // Process nodes and reduce indegrees
        while (q.Count > 0)
        {
            int node = q.Peek();
            q.Dequeue();
            safeNodes.Add(node);
 
            foreach (int it in adjRev[node])
            {
                indegree[it]--;
                if (indegree[it] == 0)
                {
                    q.Enqueue(it);
                }
            }
        }
 
        // Sort the result and return
        safeNodes.Sort();
        return safeNodes;
    }
 
    public static void Main(string[] args)
    {
        int V = 6;
        List<List<int>> al = new List<List<int>>();
        for (int i = 0; i < V; i++)
        {
            al.Add(new List<int>());
        }
 
        al[5].Add(0);
        al[5].Add(2);
        al[4].Add(0);
        al[2].Add(3);
        al[3].Add(1);
        al[4].Add(1);
 
        List<int> res = EventualSafeNodes(V, al);
 
        for (int i = 0; i < res.Count; i++)
        {
            Console.Write(res[i] + " ");
        }
 
        Console.WriteLine("");
    }
}
 
// This code is contributed by guptapratik


Javascript




function eventualSafeNodes(V, al) {
    const adjRev = Array.from({ length: V }, () => []);
    const indegree = new Array(V).fill(0);
 
    // Initialize adjacency list and indegree array
    for (let i = 0; i < V; i++) {
        for (const it of al[i]) {
            // Reverse the adjacency list
            adjRev[it].push(i);
            // Compute the indegree for every vertex
            indegree[i]++;
        }
    }
 
    const q = [];
    const safeNodes = [];
 
    // Adding the vertices with indegree zero to the queue
    for (let i = 0; i < V; i++) {
        if (indegree[i] === 0) {
            q.push(i);
        }
    }
 
    while (q.length > 0) {
        const node = q.shift();
        // Store the answer
        safeNodes.push(node);
 
        for (const nbr of adjRev[node]) {
            // Decrement the indegree of all neighboring nodes of the node
            indegree[nbr]--;
            // If the indegree of any neighboring node becomes zero, put it in the queue.
            if (indegree[nbr] === 0) {
                q.push(nbr);
            }
        }
    }
 
    // Sort the answer
    safeNodes.sort((a, b) => a - b);
 
    return safeNodes;
}
 
const V = 6;
const al = [
    [1, 2],
    [2],
    [3],
    [4],
    [5],
    []
];
 
// Function call
const res = eventualSafeNodes(V, al);
 
// Output
console.log(res.join(" "));


Output

0 1 2 3 4 5 








Time Complexity: O(V+E + VLogV). 
The outer for loop will be executed V number of times and the inner for loop will be executed E number of times VlogV for sorting.

Auxiliary Space: O(V + V) = O(V). 
The reverse adjacency list requires the O(V) space and the queue also needs to store all the vertices of the graph. So the space required in total is O(V).



Like Article
Suggest improvement
Previous
Next
Share your thoughts in the comments

Similar Reads