JavaGian java tutorial and java interview question and answer

JavaGian , Free Online Tutorials, JavaGian provides tutorials and interview questions of all technology like java tutorial, android, java frameworks, javascript, ajax, core java, sql, python, php, c language etc. for beginners and professionals.

Depth First Search (DFS) Algorithm

Depth First Search (DFS) Algorithm

Depth first search (DFS) algorithm starts with the initial node of the graph G, and then goes to deeper and deeper until we find the goal node or the node which has no children. The algorithm, then backtracks from the dead end towards the most recent node that is yet to be completely unexplored.
The data structure which is being used in DFS is stack. The process is similar to BFS algorithm. In DFS, the edges that leads to an unvisited node are called discovery edges while the edges that leads to an already visited node are called block edges.

Algorithm

  • Step 1: SET STATUS = 1 (ready state) for each node in G
  • Step 2: Push the starting node A on the stack and set its STATUS = 2 (waiting state)
  • Step 3: Repeat Steps 4 and 5 until STACK is empty
  • Step 4: Pop the top node N. Process it and set its STATUS = 3 (processed state)
  • Step 5: Push on the stack all the neighbours of N that are in the ready state (whose STATUS = 1) and set their
    STATUS = 2 (waiting state)
    [END OF LOOP]
  • Step 6: EXIT

Example :

Consider the graph G along with its adjacency list, given in the figure below. Calculate the order to print all the nodes of the graph starting from node H, by using depth first search (DFS) algorithm.

Depth First Search Algorithm 

Solution :

Push H onto the stack
  1. STACK : H   
POP the top element of the stack i.e. H, print it and push all the neighbours of H onto the stack that are is ready state.
  1. Print H   
  2. STACK : A   
Pop the top element of the stack i.e. A, print it and push all the neighbours of A onto the stack that are in ready state.
  1. Print A  
  2. Stack : B, D  
Pop the top element of the stack i.e. D, print it and push all the neighbours of D onto the stack that are in ready state.
  1. Print D   
  2. Stack : B, F   
Pop the top element of the stack i.e. F, print it and push all the neighbours of F onto the stack that are in ready state.
  1. Print F  
  2. Stack : B  
Pop the top of the stack i.e. B and push all the neighbours
  1. Print B   
  2. Stack : C   
Pop the top of the stack i.e. C and push all the neighbours.
  1. Print C   
  2. Stack : E, G   
Pop the top of the stack i.e. G and push all its neighbours.
  1. Print G  
  2. Stack : E  
Pop the top of the stack i.e. E and push all its neighbours.
  1. Print E  
  2. Stack :  
Hence, the stack now becomes empty and all the nodes of the graph have been traversed.
The printing sequence of the graph will be :
  1. H → A → D → F → B → C → G → E  

.