图常见算法-广度优先算法python实现

非 Y 不嫁゛ 提交于 2020-02-01 16:58:19

广度优先算法

广度优先搜索:breadth-first search, BFS 该算法用于解决两类问题:
1、节点A到节点B是否有路径?
2、节点A到节点B的哪条路径最短?

算法实现思想:
图的建立使用了散列表,双端队列使用了deque,为了避免死循环,需要使用一个列表searched_queue记录已经查找过的数据

from collections import deque

graph = {}
graph["you"] = ["alice", "bob", "claire"]
graph["bob"] = ["anuj", "peggy"]
graph["alice"] = ["peggy"]
graph["claire"] = ["thom", "jonny"]
graph["anuj"] = []
graph["peggy"] = []
graph["thom"] = ["rico"]
graph["rico"] = []
graph["jonny"] = []

def bsfSearch(name):
search_queue = deque()
search_queue += graph[name]
searched_queue = []
while search_queue:
    person = search_queue.popleft()
    if person not in searched_queue:
        searched_queue.append(person) 
        if person_is_seller(person):
            print("person is : " + person)
            return True
        else:
            search_queue += graph[person]
return False
    
def person_is_seller(name):
return name[-1] == 'o'

bsfSearch("you")
易学教程内所有资源均来自网络或用户发布的内容,如有违反法律规定的内容欢迎反馈
该文章没有解决你所遇到的问题?点击提问,说说你的问题,让更多的人一起探讨吧!