Skip to content

Instantly share code, notes, and snippets.

@hillscottc
Last active August 29, 2015 14:01
Show Gist options
  • Star 0 You must be signed in to star a gist
  • Fork 0 You must be signed in to fork a gist
  • Save hillscottc/479244fe644f419b4ecd to your computer and use it in GitHub Desktop.
Save hillscottc/479244fe644f419b4ecd to your computer and use it in GitHub Desktop.
Graph traversal.
""" Graph traversal functions. Breadth-first search (BFS) and Depth-first search (DFS).
Adapted from: http://code.activestate.com/recipes/576723-dfs-and-bfs-graph-traversal
"""
import pprint
GRAPH_PIC = """
+---- A
| / |
| B--D--C
| \ | /
+---- E
"""
GRAPH = {
'A': ['B', 'D'],
'B': ['A', 'D', 'E'],
'C': ['D', 'E'],
'D': ['A', 'B', 'C', 'E'],
'E': ['B', 'D', 'C']
}
def dfs_iter(graph, start, visited=None):
"""Iterative depth-first search of graph."""
visited = [] if not visited else visited
q = [start]
while q:
v = q.pop(0)
if v not in visited:
visited = visited + [v]
q = graph[v] + q
return visited
def bfs_iter(graph, start, visited=None):
"""Iterative breadth-first search of graph."""
visited = [] if not visited else visited
q = [start]
while q:
v = q.pop(0)
if not v in visited:
visited = visited + [v]
q = q + graph[v]
return visited
if __name__ == "__main__":
dfs_iter(GRAPH, 'A')
bfs_iter(GRAPH, 'A')
# https://www.python.org/doc/essays/graphs/
def find_shortest_path(graph, start, end, path=[]):
path = path + [start]
if start == end:
return path
if not graph.has_key(start):
return None
shortest = None
for node in graph[start]:
if node not in path:
newpath = find_shortest_path(graph, node, end, path)
if newpath:
if not shortest or len(newpath) < len(shortest):
shortest = newpath
return shortest
Sign up for free to join this conversation on GitHub. Already have an account? Sign in to comment