Write a program to implement a depth-first search.
Example 1:
Input: n=6,edges={{1,2},{1,3},{2,4},{4,5},{4,6}}
Output: 1 2 4 5 6 3Approach:
Java
import java.util.ArrayList;public class DepthFirstSearch {// visited listpublic static ArrayList<Integer> visited = new ArrayList<>();// traversal listpublic static ArrayList<Integer> ans = new ArrayList<>();public static void main(String[] args) {// Adjacency ListsArrayList<ArrayList<Integer>> adj = new ArrayList<>();int v = 7;for (int i = 0; i < v; i++)adj.add(new ArrayList<>());addEdge(adj, 1, 2);addEdge(adj, 1, 3);addEdge(adj, 2, 4);addEdge(adj, 4, 5);addEdge(adj, 4, 6);int source = 1;// dfs callingDFSTraversal(adj, source);// print traversal listans.forEach(i -> System.out.print(i + " "));}private static void DFSTraversal(ArrayList<ArrayList<Integer>> g, Integer start) {// set element as visitedvisited.add(start);// add element in traversal listans.add(start);for (int i : g.get(start)) {// if not visited then call dfsif (visited.indexOf(i) == -1) {DFSTraversal(g, i);}}}private static void addEdge(ArrayList<ArrayList<Integer>> g, int i, int j) {// undirected graphg.get(i).add(j);g.get(j).add(i);}}//Time Complexity: O(n+m)//where n=no of nodes,m=no of edges
C++
#include <bits/stdc++.h>using namespace std;//adjacency listvector<int> adj[1001];//visited array to hold//which node is visit and which//is notbool visited[100001];//function to add the edge//into the adjacency listvoid addEdge(int u,int v){//undirected graphadj[u].push_back(v);adj[v].push_back(u);}//function to find DFS traversal of//a graphvoid dfsTraversal(int node){//mark the current node as//visitedvisited[node]=1;//print the current nodecout<<node<<" ";//iterate through adjacency list//of the current nodefor(int child:adj[node]){//if node visited then call the//dfs for itif(visited[child]==0){dfsTraversal(child);}}}int main(){int node=6;int edges=5;addEdge(1,2);addEdge(1,3);addEdge(2,4);addEdge(4,5);addEdge(4,6);int source=1;cout<<"DFS Traversal is ";dfsTraversal(source);return 0;}//Time Complexity: O(n+m)//where n=no of nodes,m=no of edges
 
No comments:
Post a Comment