首页 > 编程 > Python > 正文

一道python走迷宫算法题

2020-01-04 16:03:23
字体:
来源:转载
供稿:网友

前几天逛博客时看到了这样一道问题,感觉比较有趣,就自己思考了下方案顺便用python实现了一下。题目如下:

用一个二维数组表示一个简单的迷宫,用0表示通路,用1表示阻断,老鼠在每个点上可以移动相邻的东南西北四个点,设计一个算法,模拟老鼠走迷宫,找到从入口到出口的一条路径。

如图所示:

python走迷宫算法题,python走迷宫算法,python走迷宫

先说下我的思路吧:

1、首先用一个列表source存储迷宫图,一个列表route_stack存储路线图,一个列表route_history存储走过的点,起点(0,0),终点(4,4)。

2、老鼠在每个点都有上下左右四种方案可选,需要定义这些方案的执行方法。

3、最后做一个循环,如果当前点不是(4,4)的话就依次执行上下左右四种方法,但是有些限制,比如尝试走过的点不会再尝试走,(0,x)点无法再执行向上的方法等等。

贴一下代码:

# _*_ coding:utf-8 _*_  route_stack = [[0,0]] route_history = [[0,0]] source=[[0,0,1,0,1],[1,0,0,0,1],[0,0,1,1,0],[0,1,0,0,0],[0,0,0,1,0]] def up(location):   #横坐标为0,无法再向上走   if location[1] == 0:     return False   else:     new_location = [location[0],location[1]-1]     #已经尝试过的点不会尝试第二次     if new_location in route_history:       return False     #碰到墙不走     elif source[new_location[0]][new_location[1]] == 1:       return False     else:       route_stack.append(new_location)       route_history.append(new_location)       return True  def down(location):   if location[1] == 4:     return False   else:     new_location = [location[0],location[1]+1]     if new_location in route_history:       return False     elif source[new_location[0]][new_location[1]] == 1:       return False     else:       route_stack.append(new_location)       route_history.append(new_location)       return True  def left(location):   if location[0] == 0:     return False   else:     new_location = [location[0]-1,location[1]]     if new_location in route_history:       return False     elif source[new_location[0]][new_location[1]] == 1:       return False     else:       route_stack.append(new_location)       route_history.append(new_location)       return True  def right(location):   if location[0] == 4:     return False   else:     new_location = [location[0]+1,location[1]]     if new_location in route_history:       return False     elif source[new_location[0]][new_location[1]] == 1:       return False     else:       route_stack.append(new_location)       route_history.append(new_location)       return True lo = [0,0] while route_stack[-1] != [4,4]:   if up(lo):     lo = route_stack[-1]     continue   if down(lo):     lo = route_stack[-1]     continue   if left(lo):     lo = route_stack[-1]     continue   if right(lo):     lo = route_stack[-1]     continue   route_stack.pop()   lo = route_stack[-1] print route_stack 

执行结果如下:

python走迷宫算法题,python走迷宫算法,python走迷宫

题目出处有另一种解题思路,但是我觉得有点烦,自己的这个比较好理解点,实现起来也比较方便。

以上就是本文的全部内容,希望对大家的学习有所帮助,也希望大家多多支持VEVB武林网。


注:相关教程知识阅读请移步到python教程频道。
发表评论 共有条评论
用户名: 密码:
验证码: 匿名发表