This repository has been archived by the owner on May 4, 2023. It is now read-only.
-
Notifications
You must be signed in to change notification settings - Fork 0
/
astar.py
338 lines (258 loc) · 11.9 KB
/
astar.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
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
#!/usr/bin/env python3
# -*- coding:utf-8 -*-
__author__ = 'tenpaMk2'
# modified from http://d.hatena.ne.jp/pashango_p/20090713/1247455609
import logging
import logging.config
logging.config.fileConfig("config/logging.conf")
import twodim
# TODO 斜め移動への対応
# TODO 距離の計算方法を一元管理
class DIRECTION(object):
north = 0
northeast = 1
east = 2
southeast = 3
south = 4
southwest = 5
west = 6
northwest = 7
class MAP(object):
wall = '#'
start = 'S'
goal = 'G'
nothing = ' '
class Node(object):
"""
f(n) ... startからgoalまでの最短距離
g(n) ... startからnノードまでの最短距離
h(n) ... nノードからgoalまでの最短距離
f(n) = g(n) + h(n)
関数を推定値にすることにより最短距離を予測する
h*(n)をnからgoalまでの直線距離と仮定する。
f*(n) = g*(n) + h*(n)
:type gs: float
:type start_pos: (int, int)
:type goal_pos: (int, int)
:type owner_list: NodeList
:type parent_node: Node
"""
# FIXME 2回目以降の呼び出し時に残ってしまう可能性!!!!!!!!!! バグの匂いしかしない!!!!!!!!!!!!!!!!!
# 一応、SearchingMapで残るようなことはない処理になってるが、変更があったらヤバそう。
start_pos = None # start位置(x,y)
goal_pos = None # goal位置(x,y)
def __init__(self, y: int, x: int, gs: float=0):
self.pos = (y, x)
self.gs = gs
self.hs = ((x - self.goal_pos[0]) ** 2 + (y - self.goal_pos[1]) ** 2) ** 0.5
# self.hs = (x - self.goal[0]) ** 2 + (y - self.goal[1]) ** 2
# self.hs = abs(x - self.goal[0]) + abs(y - self.goal[1])
self.owner_list = None
self.parent_node = None
# Node.fsはプロパティで表現することに。
@property
def fs(self):
return self.gs + self.hs
@fs.setter
def fs(self, value):
raise Exception("fs is not settable")
def is_goal(self) -> bool:
return self.goal_pos == self.pos
class NodeList(list):
def find(self, y: int, x: int) -> Node:
nodes = [t for t in self if t.pos == (y, x)]
# listが空ならFalseであることを利用したpythonicな書き方。
return nodes[0] if nodes else None
def get_minimum_fs_node(self):
return min(self, key=lambda node: node.fs)
class SearchingMap(object):
"""
:type parsed_map: twodim.Made
:type obstacles_map: twodim.Made
:type start_pos: (int, int)
:type goal_pos: (int, int)
"""
def __init__(self, formatted_map: "twodim.Made"):
self.height = formatted_map.height
self.width = formatted_map.width
self.parsed_map = self.make_empty_map(self.height, self.width, padding_type=None)
self.obstacles_map = self.make_empty_map(self.height, self.width, padding_type=None)
self.start_pos = None
self.goal_pos = None
for y in range(self.height):
for x in range(self.width):
chara = formatted_map.get_value_at(y, x)
if chara == MAP.wall:
self.parsed_map.set_value_at(y, x, MAP.wall)
self.obstacles_map.set_value_at(y, x, True)
elif chara == MAP.start:
if not self.start_pos:
self.parsed_map.set_value_at(y, x, MAP.start)
self.start_pos = (y, x)
else:
raise Exception("There are multiple Starts!!")
elif chara == MAP.goal:
if not self.goal_pos:
self.parsed_map.set_value_at(y, x, MAP.goal)
self.goal_pos = (y, x)
else:
raise Exception("There are multiple Goals!!")
elif chara == MAP.nothing:
self.parsed_map.set_value_at(y, x, MAP.nothing)
self.obstacles_map.set_value_at(y, x, False)
else:
raise Exception("invalid map object!!!!")
if not self.start_pos:
raise Exception("There is NO Starts!!")
if not self.goal_pos:
raise Exception("There is NO Goals!!")
# TODO これいるかなあ? 別の場所でやった方が良い気がする。
Node.start_pos = self.start_pos
Node.goal_pos = self.goal_pos
def is_obstacle_at(self, y: int, x: int):
return self.obstacles_map.get_value_at(y, x)
def is_outside_of_map(self, y: int, x: int):
return False if (0 < y < self.height and 0 < x < self.width) else False
def print_parsed_map(self):
self.parsed_map.logging()
def print_obstacles_map(self):
nested_list = self.obstacles_map.return_copy_of_nested_list()
parsed_obstacles_map = [['1' if flag else '0' for flag in row] for row in nested_list]
temp_made = twodim.Made(parsed_obstacles_map)
temp_made.logging()
@staticmethod
def make_empty_map(height: int, width: int, padding_type=None):
return twodim.Chara(height, width, padding_type)
class Astar(object):
def __init__(self, searching_map: "SearchingMap"):
self.searching_map = searching_map
self.open_list = NodeList()
self.close_list = NodeList()
self.start_node = Node(*Node.start_pos, gs=0)
self.end_node = None
# ゴールまでの道のりとなるノードを格納するリスト
self._route_nodes = []
# スタート地点のノードをオープンリストに加える
self.open_list.append(self.start_node)
# オープンリストが空になるまで続ける
while self.open_list:
logging.info("\n---------------------------Open Start------------------------")
self.print_open_close_list_on_map()
# Openリストからf*が最少のノードnを取得
current_node = self.open_list.get_minimum_fs_node()
logging.info("current_node : {0} : fs : {1}".format(current_node.pos, current_node.fs))
# 最小ノードがゴールだったら終了
if current_node.is_goal():
logging.info("goal!")
self.end_node = current_node
break
# ノードnの移動可能方向のノードを調べる
for v in ((1, 0), (-1, 0), (0, 1), (0, -1)):
y = current_node.pos[0] + v[0]
x = current_node.pos[1] + v[1]
# マップが範囲外または壁(#)の場合はcontinue
if self.searching_map.is_outside_of_map(y, x) \
or self.searching_map.is_obstacle_at(y, x):
logging.info("{0} is outside map or at obstacle.".format(v))
continue
# 移動先のノードを処理する
self._process_node_at(y, x, current_node)
# 周りのノードを全てOpenし終えたので、クローズする。
self.open_list.remove(current_node)
self.close_list.append(current_node)
else:
# Openリストが空になったら解なし
if not self.end_node:
raise Exception("There is no route until reaching a goal.")
self._make_route_nodes(self.end_node)
def _process_node_at(self, y: int, x: int, current_node: "Node"):
dist_from_n = ((current_node.pos[0] - y) ** 2 + (current_node.pos[1] - x) ** 2) ** 0.5
new_gs = current_node.gs + dist_from_n
logging.info("{0} : dist_from_n : {1}".format((y, x), dist_from_n))
# 移動先のノードがOpen,Closeのどちらのリストに
# 格納されているか、または新規ノードなのかを調べる
selecting_open_node = self.open_list.find(y, x)
selecting_close_node = self.close_list.find(y, x)
# Open, Closeの両方に同じノードは入らないことに注意
if selecting_open_node:
# 移動先のノードがOpenリストに格納されていた場合、
# より小さいf*ならばノードmのf*を更新し、親を書き換え
new_fs = selecting_open_node.hs + new_gs
if selecting_open_node.fs > new_fs:
selecting_open_node.gs = new_gs
selecting_open_node.parent_node = current_node
logging.info("{0} is updated in OpenList".format((y, x)))
else:
logging.info("{0} is not updated in OpenList".format((y, x)))
elif selecting_close_node:
# 移動先のノードがCloseリストに格納されていた場合、
# より小さいf*ならばノードmのf*を更新し、親を書き換え
# かつ、Openリストに移動する
new_fs = selecting_close_node.hs + new_gs
if selecting_close_node.fs > new_fs:
selecting_close_node.gs = new_gs
selecting_close_node.parent_node = current_node
self.close_list.remove(selecting_close_node)
self.open_list.append(selecting_close_node)
logging.info("{0} is updated in CloseList".format((y, x)))
else:
logging.info("{0} is not updated in CloseList".format((y, x)))
else:
# OpeんリストにもCloseリストにもない場合(新規ノードの場合)。
# 新規ノードをOpenリストにに追加
selecting_close_node = Node(y, x, current_node.gs + dist_from_n)
selecting_close_node.parent_node = current_node
self.open_list.append(selecting_close_node)
logging.info("{0} is New node".format((y, x)))
def _make_route_nodes(self, end_node: "Node"):
# endノードから親を辿っていくと、最短ルートを示す
n = end_node.parent_node
while n.parent_node is not None:
self._route_nodes.append(n)
n = n.parent_node
def print_route_on_map(self):
map_buffer = self.searching_map.parsed_map.return_deep_copy()
logging.info("------------------------------------------")
for node in self._route_nodes:
y, x = node.pos
map_buffer.set_value_at(y, x, '+')
logging.info("{0} fs : {1}".format(node.pos, node.fs))
map_buffer.logging()
def print_open_close_list_on_map(self):
map_buffer = self.searching_map.parsed_map.return_deep_copy()
for open_node in self.open_list:
y, x = open_node.pos
map_buffer.set_value_at(y, x, 'o')
for close_node in self.close_list:
y, x = close_node.pos
map_buffer.set_value_at(y, x, 'c')
map_buffer.logging()
def has_route_to_goal(self):
return True if not self.end_node else False
def get_next_position(self):
return self._route_nodes[-1].pos
if __name__ == '__main__':
map_data = [
'######################################',
'#G # # # # #',
'# # # # # # # #### S#',
'# # # # #### # # ####',
'## ############### # # # #',
'# # # # #',
'# ### # # ######### #',
'# ## # #### # # ## #',
'# # # # # # # #',
'# ### # # # # #',
'# # # # #',
'######################################',
]
nested_map_data = [[ch for ch in row] for row in map_data]
formatted_map_data = twodim.Made(nested_map_data)
s_map = SearchingMap(formatted_map_data)
logging.debug("print parsed_map")
s_map.print_parsed_map()
logging.debug("print obstacles_map")
s_map.print_obstacles_map()
ast = Astar(s_map)
ast.print_route_on_map()
logging.debug(ast.get_next_position())