Created
July 16, 2016 21:30
-
-
Save sicktastic/3584deb3406a5e4f6f6ae01d39589f73 to your computer and use it in GitHub Desktop.
Heuristic Function for Search, Lecture: https://goo.gl/aQgSgi
This file contains hidden or bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
# ----------- | |
# User Instructions: | |
# | |
# Modify the the search function so that it becomes | |
# an A* search algorithm as defined in the previous | |
# lectures. | |
# | |
# Your function should return the expanded grid | |
# which shows, for each element, the count when | |
# it was expanded or -1 if the element was never expanded. | |
# In case the obstacles prevent reaching the goal, | |
# the function should return the string 'fail' | |
# | |
# You do not need to modify the heuristic. | |
# ---------- | |
grid = [[0, 1, 0, 0, 0, 0], | |
[0, 1, 0, 0, 0, 0], | |
[0, 1, 0, 0, 0, 0], | |
[0, 1, 0, 0, 0, 0], | |
[0, 0, 0, 0, 1, 0]] | |
heuristic = [[9, 8, 7, 6, 5, 4], | |
[8, 7, 6, 5, 4, 3], | |
[7, 6, 5, 4, 3, 2], | |
[6, 5, 4, 3, 2, 1], | |
[5, 4, 3, 2, 1, 0]] | |
init = [0, 0] | |
goal = [len(grid) - 1, len(grid[0]) - 1] | |
delta = [[-1, 0], # go up | |
[0, -1], # go left | |
[1, 0], # go down | |
[0, 1]] # go right | |
delta_name = ['^', '<', 'v', '>'] | |
cost = 1 | |
# ---------------------------------------- | |
# modify code below | |
# ---------------------------------------- | |
def search(grid, init, goal, cost, heuristic): | |
closed = [[0 for row in range(len(grid[0]))] for col in range(len(grid))] | |
closed[init[0]][init[1]] = 1 | |
expand = [[-1 for row in range(len(grid[0]))] for col in range(len(grid))] | |
action = [[-1 for row in range(len(grid[0]))] for col in range(len(grid))] | |
x = init[0] | |
y = init[1] | |
g = 0 | |
f = g + heuristic[init[0]][init[1]] | |
open = [[f, g, x, y]] | |
found = False # flag that is set when search is complete | |
resign = False # flag set if we can't find expand | |
count = 0 | |
while not found and not resign: | |
if len(open) == 0: | |
resign = True | |
return "Fail" | |
else: | |
open.sort() | |
open.reverse() | |
next = open.pop() | |
x = next[2] | |
y = next[3] | |
g = next[1] | |
expand[x][y] = count | |
count += 1 | |
if x == goal[0] and y == goal[1]: | |
found = True | |
else: | |
for i in range(len(delta)): | |
x2 = x + delta[i][0] | |
y2 = y + delta[i][1] | |
if x2 >= 0 and x2 < len(grid) and y2 >= 0 and y2 < len(grid[0]): | |
if closed[x2][y2] == 0 and grid[x2][y2] == 0: | |
g2 = g + cost | |
f2 = g2 + heuristic[x2][y2] | |
open.append([f2, g2, x2, y2]) | |
closed[x2][y2] = 1 | |
for i in range(len(expand)): | |
print expand[i] | |
return expand # Leave this line for grading purposes! | |
search(grid, init, goal, cost, heuristic) |
Sign up for free
to join this conversation on GitHub.
Already have an account?
Sign in to comment