如何将迷宫转换为图表?

时间:2012-05-19 14:30:52

标签: graph maze

我正在尝试将迷宫数据结构转换为图形。迷宫就像一个网格和细胞之间的一些墙壁。

maze[8][8][4] is how the maze is represented.
If maze[i][j][0] = 1 it means you can't go up from (i,j)
if maze[i][j][1] = 1 it means you can't go down from (i,j)
// and so on

我想将这个迷宫转换成图表我该怎么做?

4 个答案:

答案 0 :(得分:3)

您可以通过两种方式实现:

1.从初始矩阵创建邻接矩阵。邻接矩阵的形式如下:

h[i][j] = 0, if there is no direct link from i to j 
(i and j are not neighbors in the maze)
h[i][j] = 1, if there is a direct link from i to j 
(i and j are neighbors in the maze)

2.为每个节点创建邻居列表:如果ji之间存在直接链接,则i位于j的邻居列表中。

答案 1 :(得分:2)

将输入数据视为邻接矩阵。将迷宫视为路径,每个连接段创建顶点。并且每个角都是一个节点(包括开始和结束)如果存在连接,则矩阵中有一个值。如果不是,您可以使用INF或-1来表示没有路线。无论如何,你可以使用Dijkstra最短的数学算法来解决这个问题。网上有很多关于它的信息。

http://www.geeksforgeeks.org/greedy-algorithms-set-6-dijkstras-shortest-path-algorithm/

答案 2 :(得分:1)

对于每个相邻单元格,如果它们之间没有墙,则在图形中将它们连接起来。

答案 3 :(得分:0)

    game=[[1,1,1,1,1,1,1],
         [1,'A',1,1,0,0,1],
         [1,0,0,0,0,1,1],
         [1,0,0,1,1,1,1],
         [1,1,0,0,0,'B',1],
         [1,1,1,1,1,1,1]]
    rows=len(game)
    cols=len(game[0])
    graph={}
    for i in range(1,rows-1):
       for i in range(1,rows-1):
          if(game[i][j]!=1):
          adj=[]
          for ele in [(i-1,j),(i+1,j),(i,j-1),(i,j+1)]:
               if game[ele[0]][ele[1]] == 0 or game[ele[0]][ele[1]]=='B' :
                       adj.append((ele[0],ele[1]))
          graph[(i,j)]=adj
    print(graph)

    {(1, 1): [(2, 1)],
    (1, 4): [(2, 4), (1, 5)],
    (1, 5): [(1, 4)],
    (2, 1): [(3, 1), (2, 2)],
    (2, 2): [(3, 2), (2, 1), (2, 3)],
    (2, 3): [(2, 2), (2, 4)],
    (2, 4): [(1, 4), (2, 3)],
    (3, 1): [(2, 1), (3, 2)],
    (3, 2): [(2, 2), (4, 2), (3, 1)],
    (4, 2): [(3, 2), (4, 3)],
    (4, 3): [(4, 2), (4, 4)],
    (4, 4): [(4, 3), (4, 5)],
    (4, 5): [(4, 4)]}

我添加了大小为1的填充以使代码更简单,迷宫的实际大小将为(row-1,cols-1),