我试图制作一个代码,用于检查迷宫中是否存在从第一个坐标到最后一个由矩阵表示的最后一个坐标的路径。我也试图使用队列。这是我到目前为止的代码:
from queue import Queue
maze=open(input())
matrix=maze.readlines()
matrix=[i.strip() for i in matrix]
matrix=[i.split() for i in matrix]
q=Queue()
row=0
column=0
q.put(row,column)
while not q.empty():
row,col=q.get()
if matrix[row][col+1]=="0" and col+1<len(matrix[0]):
q.put(row,col+1)
matrix[row][col+1]="2"
if matrix[row+1][col]=="0" and row+1<len(matrix):
q.put(row+1,col)
matrix[row+1][col]="3"
if matrix[row][col-1]=="0" and col-1>len(matrix[0]):
q.put(row,col-1)
matrix[x][x-1]="4"
if matrix[row-1][col]=="0" and row-1<len(matrix):
q.put(row-1,col)
matrix[row-1][col]="5"
我可以添加什么来获得&#34;是&#34;的输出? (如果有路径)和&#34;否&#34;如果没有?
以下是包含矩阵的文本文件示例。
0 0 0 0 1 0 0 0
0 1 1 0 1 0 1 0
0 1 0 0 1 0 1 0
0 0 0 1 0 0 1 0
0 1 0 1 0 1 1 0
0 0 1 1 0 1 0 0
1 0 0 0 0 1 1 0
0 0 1 1 1 1 0 0
我最后尝试添加它。我运行我的代码,它说&#34;&#39; int&#39;对象不可迭代&#34;
if matrix[7][7]=="2" "3" "4" or "5":
print "yes"
else:
print "no"
答案 0 :(得分:0)
您的代码存在一些问题。
首先,您需要将(row,col)元组放入队列中。
其次,你需要改变`if tests中的逻辑顺序。首先测试新的行或列索引是否在矩阵内,然后测试该位置是否包含“0”。
一旦整个矩阵被映射,你只需要测试矩阵中的最后一个位置是否等于“0”。
这是修复后的代码版本。
from queue import Queue
def show(matrix):
for line in matrix:
print(*line)
print()
maze = '''\
0 0 0 0 1 0 0 0
0 1 1 0 1 0 1 0
0 1 0 0 1 0 1 0
0 0 0 1 0 0 1 0
0 1 0 1 0 1 1 0
0 0 1 1 0 1 0 0
1 0 0 0 0 1 1 0
0 0 1 1 1 1 0 0
'''
matrix = maze.splitlines()
matrix = [i.strip() for i in matrix]
matrix = [i.split() for i in matrix]
numrows, numcols = len(matrix), len(matrix[0])
show(matrix)
# Explore the maze
q = Queue()
row = col = 0
q.put((row, col))
while not q.empty():
row, col = q.get()
if col+1 < numcols and matrix[row][col+1] == "0":
q.put((row, col+1))
matrix[row][col+1] = "2"
if row+1 < numrows and matrix[row+1][col] == "0":
q.put((row+1, col))
matrix[row+1][col] = "3"
if 0 <= col-1 and matrix[row][col-1] == "0":
q.put((row, col-1))
matrix[row][col-1] = "4"
if 0 <= row-1 and matrix[row-1][col] == "0":
q.put((row-1, col))
matrix[row-1][col] = "5"
show(matrix)
row, col = numrows - 1, numcols - 1
current = matrix[row][col]
if current == "0":
print('No path exists')
else:
print('Success!')
<强>输出强>
0 0 0 0 1 0 0 0
0 1 1 0 1 0 1 0
0 1 0 0 1 0 1 0
0 0 0 1 0 0 1 0
0 1 0 1 0 1 1 0
0 0 1 1 0 1 0 0
1 0 0 0 0 1 1 0
0 0 1 1 1 1 0 0
4 2 2 2 1 5 2 2
3 1 1 3 1 5 1 3
3 1 4 3 1 5 1 3
3 2 2 1 5 2 1 3
3 1 3 1 5 1 1 3
3 2 1 1 5 1 4 3
1 3 2 2 2 1 1 3
4 3 1 1 1 1 4 3
Success!
现在看看你是否可以通过迷宫打印路径
提示:从matrix[numrows-1][numcols-1]
开始并向后工作。
collections.deque
来完成此任务,而不是queue.Queue
,这通常在您的程序使用线程时使用。