Example 1: depth first search
// performs a depth first search (DFS)
// nodes are number from 1 to n, inclusive
using namespace std;
vector<vector<int>> adj; // adjacency list
// visited[v] = true if v has been visited by dfs
vector<bool> visited;
bool all_edges_are_directed = true;
void dfs(int v) {
// determines if dfs has been done on v
if(visited[v])
return;
visited[v] = true;
// write code here to do stuff with node v
// traverse nodes that are adjacent to v
for (int u: adj[v]){
dfs(u);
}
}
int main() {
int n; // number of vertices
int m; // number of edges
cin >> n >> m;
adj = vector<vector<int>>(n+1, vector<int>());
visited = vector<bool>(n+1, false);
for(int i = 0; i < m; ++i) {
// nodes a and b have an edge between them
int a, b;
cin >> a >> b;
if(all_edges_are_directed)
adj[a].push_back(b);
else {
adj[a].push_back(b);
adj[b].push_back(a);
}
}
// do depth first search on all nodes
for(int i = 1; i <= n; ++i){
dfs(i);
}
}
Example 2: depth first search
class Graph:
def __init__(self,lst=None):
self.lst=dict()
if lst is None:
pass
else:
self.lst=lst
def find_path(self,start,end):
self.checklist={}
for i in self.lst.keys():
self.checklist[i]=False
self.checklist[start]=True
store,extra=(self.explore(start,end))
if store==False:
print('No Path Found')
else:
print(extra)
def explore(self,start,end):
while True:
q=[]
q.append(start)
flag=False
for i in self.lst[start]:
if i==end:
q.append(i)
return True,q
if self.checklist[i]:
pass
else:
flag=True
self.checklist[i]=True
q.append(i)
break
if flag:
store,extra=self.explore(q[-1],end)
if store==False:
q.pop()
if len(q)==0:return False
return self.explore(q[-1],end)
elif store==None:
pass
elif store==True:
q.pop()
q.extend(extra)
return True,q
else:
return False,None
def __str__(self):return str(self.lst)
if __name__=='__main__':
store={1: [2, 3, 4], 2: [3, 1], 3: [2, 1], 4: [5, 8, 1], 5: [4, 6, 7], 6: [5, 7, 9, 8], 7: [5, 6], 8: [4, 6, 9], 9: [6, 8, 10], 10: [9],11:[12,13]}
a=Graph(store)
a.find_path(1,11)
a.find_path(1,6)
a.find_path(3,10)
a.find_path(4,10)
print(a)