-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathAlgorithms.py
66 lines (54 loc) · 1.75 KB
/
Algorithms.py
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
EMPTY = 0 # Empty cell
WALL = 1 # wall/obstacle in the board
POINT = 2 # Endpoint in the board
def get_near(pos, board):
max_row = len(board) - 1
neighbors = []
row, col = pos
if row > 0:
neighbors.append((row - 1, col))
if col > 0:
neighbors.append((row, col - 1))
if row < max_row:
neighbors.append((row + 1, col))
if col < max_row:
neighbors.append((row, col + 1))
# Sort neighbors
new_neighbors = []
for neighbor in neighbors:
row, col = neighbor
if board[row][col] != WALL:
new_neighbors.append(neighbor)
return new_neighbors
def get_points(board):
""" Find start and end points """
endpoints = []
for row in range(len(board)):
for col in range(len(board[row])):
if board[row][col] == POINT:
endpoints.append((row, col))
return endpoints
def BFS(board):
start, end = get_points(board)
queue = [(start, [])]
visited = []
while len(queue) > 0:
pos, path = queue.pop(0)
path.append(pos)
# Function is stopped, main loop updates screen and fetches
# user input. Then the func is continued
if pos == end:
for point in path: # yield path when found
yield (True, point) # true to signal
break
if pos != start:
yield pos
path.append(pos)
visited.append(pos)
neighbors = get_near(pos, board)
# add to the list neighbors that the func didn't visit already
for neighbor in neighbors:
if neighbor not in visited:
visited.append(neighbor)
queue.append((neighbor, path[:]))
yield (False, None) # yield this when can't find path