Created
December 15, 2021 05:35
-
-
Save albertein/320f84178f2304635616ed4e0f706901 to your computer and use it in GitHub Desktop.
This file contains 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
import heapq | |
def adjacent(x, y, cave): | |
deltas = [(-1, 0), (0, -1), (1, 0), (0, 1)] | |
for delta_x, delta_y in deltas: | |
candidate_x = x + delta_x | |
candidate_y = y + delta_y | |
if (candidate_y >= 0 and candidate_y < len(cave) and | |
candidate_x >= 0 and candidate_x < len(cave[candidate_y])): | |
yield candidate_x, candidate_y | |
return | |
def key(x, y): | |
return "{0}-{1}".format(x, y) | |
def dijkstra(position_x, position_y, target_x, target_y, cave): | |
visited = set() | |
heap = [(0, position_x, position_y)] | |
while heap: | |
cost, x, y = heapq.heappop(heap) | |
if x == target_x and y == target_y: | |
return cost | |
current_key = key(x, y) | |
if current_key in visited: | |
continue | |
visited.add(current_key) | |
for new_x, new_y in adjacent(x, y, cave): | |
heapq.heappush(heap, (cost + cave[new_y][new_x], new_x, new_y)) | |
return - 1 | |
if __name__ == '__main__': | |
with open('input.txt') as data: | |
cave = [] | |
for line in data: | |
line = line.strip() | |
cave.append([int(risk) for risk in line]) | |
print(dijkstra(0, 0, len(cave[0]) - 1, len(cave) - 1, cave)) |
Sign up for free
to join this conversation on GitHub.
Already have an account?
Sign in to comment