1. from datetime import datetime
  2. import requests, time, sys, os, re, math, json, base64, urllib
  3. origin_tile = (3490, 1584)
  4. rx_pass_stop = re.compile('\((경유|가상)\)$')
  5. rx_centerstop = re.compile('\(중\)$')
  6. svg_depot_icon = '<g id="bus_depot" transform="translate(18, 18) scale(2.8, 2.8) rotate({0:.2f})"><circle style="fill:{1};fill-opacity:1;stroke:nonel" cx="0" cy="0" r="5.8" /> <path style="fill:#ffffff;fill-opacity:1;stroke:none" d="m 0,0 c -0.19263,0 -0.3856,0.073 -0.5332,0.2207 -0.2952,0.2952 -0.2952,0.7712 0,1.0664 l 1.00976,1.0097 h -4.10742 c -0.41747,0 -0.75195,0.3365 -0.75195,0.7539 0,0.4175 0.33448,0.7539 0.75195,0.7539 h 4.11719 l -1.05469,1.0547 c -0.2952,0.2952 -0.2952,0.7712 0,1.0664 0.2952,0.2952 0.77121,0.2952 1.06641,0 l 2.25586,-2.2539 c 0.0305,-0.022 0.0603,-0.049 0.0879,-0.076 0.16605,-0.1661 0.23755,-0.3876 0.21679,-0.6036 -6.2e-4,-0.01 -10e-4,-0.013 -0.002,-0.019 -0.002,-0.018 -0.005,-0.035 -0.008,-0.053 -3.9e-4,0 -0.002,0 -0.002,-0.01 -0.0347,-0.1908 -0.14003,-0.3555 -0.28907,-0.4668 l -2.22461,-2.2265 c -0.1476,-0.1476 -0.34057,-0.2207 -0.5332,-0.2207 z" transform="translate(0.6,-3)" /></g>'
  7. class Mapframe():
  8. def __init__(self, left, top, right, bottom):
  9. self.left = left
  10. self.top = top
  11. self.right = right
  12. self.bottom = bottom
  13. if self.left > self.right:
  14. raise ValueError("left is greater than right")
  15. if self.top > self.bottom:
  16. raise ValueError("top is greater than bottom")
  17. def size(self):
  18. return (self.right - self.left, self.bottom - self.top)
  19. def width(self):
  20. return self.right - self.left
  21. def height(self):
  22. return self.bottom - self.top
  23. def update_rect(self, rect):
  24. if self.right < rect[0] + rect[2]:
  25. self.right = rect[0] + rect[2]
  26. if self.left > rect[0]:
  27. self.left = rect[0]
  28. if self.bottom < rect[1] + rect[3]:
  29. self.bottom = rect[1] + rect[3]
  30. if self.top > rect[1]:
  31. self.top = rect[1]
  32. def update_x(self, x):
  33. if self.right < x:
  34. self.right = x
  35. elif self.left > x:
  36. self.left = x
  37. def update_y(self, y):
  38. if self.bottom < y:
  39. self.bottom = y
  40. elif self.top > y:
  41. self.top = y
  42. def extend(self, x):
  43. self.left -= x
  44. self.right += x
  45. self.top -= x
  46. self.bottom += x
  47. def center(self):
  48. return ((self.left + self.right) / 2, (self.top + self.bottom) / 2)
  49. @classmethod
  50. def from_points(cls, points):
  51. left = min(x for x, _ in points)
  52. right = max(x for x, _ in points)
  53. top = min(y for _, y in points)
  54. bottom = max(y for _, y in points)
  55. return cls(left, top, right, bottom)
  56. def make_svg_path(style, points):
  57. path = "M"
  58. for i, (x, y) in enumerate(points):
  59. if i == 0:
  60. path += "{:.5f},{:.5f}".format(x, y)
  61. else:
  62. path += " L{:.5f},{:.5f}".format(x, y)
  63. return '<path style="{}" d="{}" />\n'.format(style, path)
  64. def convert_pos(pos):
  65. lat_rad = math.radians(pos[1])
  66. n = 1 << 12
  67. x = ((pos[0] + 180.0) / 360.0 * n - origin_tile[0]) * 512
  68. y = ((1.0 - math.asinh(math.tan(lat_rad)) / math.pi) / 2.0 * n - origin_tile[1]) * 512
  69. return (x, y)
  70. def convert_gps(pos):
  71. n = 1 << 12
  72. lon_deg = (pos[0] / 512 + origin_tile[0]) / n * 360.0 - 180.0
  73. lat_rad = math.atan(math.sinh(math.pi * (1 - 2 * (pos[1] / 512 + origin_tile[1]) / n)))
  74. lat_deg = math.degrees(lat_rad)
  75. return (lon_deg, lat_deg)
  76. def distance(pos1, pos2):
  77. return math.sqrt((pos2[0] - pos1[0]) ** 2 + (pos2[1] - pos1[1]) ** 2)
  78. def distance_from_segment(pos, pos1, pos2):
  79. d_pos12 = (pos2[0] - pos1[0]) ** 2 + (pos2[1] - pos1[1]) ** 2
  80. if d_pos12 == 0:
  81. return distance(pos, pos1)
  82. dot = (pos2[0] - pos1[0]) * (pos[0] - pos1[0]) + (pos[1] - pos1[1]) * (pos2[1] - pos1[1])
  83. param = dot / d_pos12
  84. if param < 0:
  85. return distance(pos, pos1)
  86. elif param > 1:
  87. return distance(pos, pos2)
  88. else:
  89. return distance(pos, (pos1[0] + param * (pos2[0] - pos1[0]), pos1[1] + param * (pos2[1] - pos1[1])))
  90. def find_nearest_point(pos, points):
  91. min_dist = distance(points[0], pos)
  92. t_point = 0
  93. for i in range(len(points)):
  94. dist = distance(points[i], pos)
  95. if min_dist > dist:
  96. t_point = i
  97. min_dist = dist
  98. return t_point
  99. def get_point_segment(points, start, end, dist):
  100. idx_prev = start
  101. idx_next = end
  102. i = end
  103. for i in range(end + 1, len(points)):
  104. if distance(points[i], points[end]) > dist:
  105. break
  106. idx_next = i
  107. i = start
  108. for i in range(start - 1, -1, -1):
  109. if distance(points[i], points[start]) > dist:
  110. break
  111. idx_prev = i
  112. return idx_prev, idx_next
  113. def get_text_width(text):
  114. result = 0
  115. for i in text:
  116. if re.match(r'[\.\(\)]', i):
  117. result += 0.2
  118. elif re.match(r'[0-9a-z\-]', i):
  119. result += 0.6
  120. elif re.match(r'[A-Z]', i):
  121. result += 0.8
  122. else:
  123. result += 1
  124. return result
  125. def check_collision(r1, r2):
  126. if r1[0] < r2[0] + r2[2] and r1[0] + r1[2] > r2[0] and r1[1] < r2[1] + r2[3] and r1[1] + r1[3] > r2[1]:
  127. if r2[0] > r1[0]:
  128. dx = r1[0] + r1[2] - r2[0]
  129. else:
  130. dx = r2[0] + r2[2] - r1[0]
  131. if r2[1] > r1[1]:
  132. dy = r1[1] + r1[3] - r2[1]
  133. else:
  134. dy = r2[1] + r2[3] - r1[1]
  135. return dx * dy
  136. return 0
  137. def get_collision_score(new_rect, rects, points):
  138. collision = 0
  139. for r in rects:
  140. collision += check_collision(r, new_rect)
  141. for p in points:
  142. collision += check_collision((p[0] - 2, p[1] - 2, 4, 4), new_rect)
  143. return collision
  144. def min_distance_from_points(pos, points):
  145. min_dist = distance(pos, points[0])
  146. for p in points:
  147. dist = distance(pos, p)
  148. if min_dist > dist:
  149. min_dist = dist
  150. return min_dist
  151. def min_distance_from_segments(pos, points):
  152. min_dist = distance(pos, points[0])
  153. for i in range(len(points) - 1):
  154. dist = distance_from_segment(pos, points[i], points[i+1])
  155. if min_dist > dist:
  156. min_dist = dist
  157. return min_dist
  158. def get_bus_stop_name(bus_stop):
  159. name_split = bus_stop['name'].split('.')
  160. name = bus_stop['name']
  161. # 중앙차로 정류장 괄호 제거
  162. match = rx_centerstop.search(bus_stop['name'])
  163. if match:
  164. name = name[:match.start(0)]
  165. for n in name_split:
  166. # 주요 경유지 처리
  167. stn_match = re.search(r'(?:(?:지하철)?[1-9]호선|신분당선|공항철도)?(.+역)(?:[1-9]호선|환승센터)?(?:[0-9]+번(출구|승강장))?$', n)
  168. center_match = re.search(r'(광역환승센터|환승센터|환승센타|고속터미널|잠실종합운동장)$', n)
  169. if center_match:
  170. return n, True
  171. elif stn_match:
  172. stn_name = stn_match[1]
  173. stn_name = re.sub(r'\(.+\)역', '역', stn_name)
  174. return stn_name, True
  175. return name, False
  176. def get_bus_color(route_info):
  177. if route_info['type'] == 1 or route_info['type'] == 51:
  178. # 공항리무진
  179. line_color = '#aa9872'
  180. line_dark_color = '#81704e'
  181. elif route_info['type'] == 2 or route_info['type'] == 4 or route_info['type'] == 30:
  182. # 서울 지선
  183. line_color = '#5bb025'
  184. line_dark_color = '#44831c'
  185. elif route_info['type'] == 6 or route_info['type'] == 11 or route_info['type'] == 21:
  186. if route_info['name'][0] == 'P':
  187. # 경기 프리미엄
  188. line_color = '#aa9872'
  189. line_dark_color = '#81704e'
  190. else:
  191. # 서울 광역 / 경기 직좌
  192. line_color = '#c83737'
  193. line_dark_color = '#782121'
  194. elif route_info['type'] == 12 or route_info['type'] == 22:
  195. # 경기 일좌
  196. line_color = '#0075c8'
  197. line_dark_color = '#005693'
  198. elif route_info['type'] == 13 or route_info['type'] == 23:
  199. # 경기 일반
  200. line_color = '#248f6c'
  201. line_dark_color = '#19654b'
  202. elif route_info['type'] == 14:
  203. # 광역급행버스
  204. line_color = '#00aad4'
  205. line_dark_color = '#0088aa'
  206. elif route_info['type'] == 61:
  207. # 부산 일반
  208. line_color = '#3399ff'
  209. line_dark_color = '#2770b7'
  210. elif route_info['type'] == 62 or route_info['type'] == 63:
  211. # 부산 급행 / 좌석
  212. line_color = '#f58220'
  213. line_dark_color = '#b45708'
  214. elif route_info['type'] == 64:
  215. # 부산 심야
  216. line_color = '#aaaaaa'
  217. line_dark_color = '#747474'
  218. elif route_info['type'] == 65:
  219. # 부산 마을
  220. line_color = '#6EBF46'
  221. line_dark_color = '#559734'
  222. else:
  223. # 서울 간선
  224. line_color = '#3d5bab'
  225. line_dark_color = '#263c77'
  226. return (line_color, line_dark_color)
  227. class RouteMap():
  228. def __init__(self, route_info, bus_stops, points, is_one_way = False, theme = 'light'):
  229. self.route_info = route_info
  230. self.bus_stops = bus_stops
  231. self.points = points
  232. self.is_one_way = is_one_way
  233. self.mapframe = Mapframe.from_points(self.points)
  234. self.update_trans_id(self.get_trans_id())
  235. self.line_color, self.line_dark_color = get_bus_color(self.route_info)
  236. self.theme = theme
  237. def get_trans_id(self):
  238. for i, stop in enumerate(self.bus_stops):
  239. if stop['is_trans']:
  240. return i
  241. return None
  242. def update_trans_id(self, new_id):
  243. if new_id >= len(self.bus_stops) or new_id < 0:
  244. raise ValueError()
  245. self.trans_id = new_id
  246. self.t_point = find_nearest_point(convert_pos(self.bus_stops[self.trans_id]['pos']), self.points)
  247. def parse_bus_stops(self, min_interval):
  248. # 버스 정류장 렌더링
  249. bus_stop_name_list = []
  250. main_stop_list = []
  251. minor_stop_list = []
  252. last_stop_id = len(self.bus_stops) - 1 if self.is_one_way else self.trans_id
  253. # 기종점 처리
  254. for i in [0, last_stop_id]:
  255. name, is_main = get_bus_stop_name(self.bus_stops[i])
  256. bus_stop_name_list.append(name)
  257. pos = convert_pos(self.bus_stops[i]['pos'])
  258. pass_stop = bool(rx_pass_stop.search(self.bus_stops[i]['name']))
  259. section = 1 if i > self.trans_id else 0
  260. main_stop_list.append({'ord': i, 'pos': pos, 'name': name, 'section': section, 'pass': pass_stop})
  261. # 주요 정류장 처리
  262. for i in range(len(self.bus_stops)):
  263. name, is_main = get_bus_stop_name(self.bus_stops[i])
  264. if not is_main or name in bus_stop_name_list:
  265. continue
  266. bus_stop_name_list.append(name)
  267. pos = convert_pos(self.bus_stops[i]['pos'])
  268. pass_stop = bool(rx_pass_stop.search(self.bus_stops[i]['name']))
  269. section = 1 if i > self.trans_id else 0
  270. if section == 1:
  271. min_path_dist = min_distance_from_segments(pos, self.points[:self.t_point])
  272. if min_path_dist < min_interval / 8:
  273. section = 0
  274. main_stop_list.append({'ord': i, 'pos': pos, 'name': name, 'section': section, 'pass': pass_stop})
  275. main_stop_ids = [x['ord'] for x in main_stop_list]
  276. # 비주요 정류장 처리
  277. for i in range(len(self.bus_stops)):
  278. if i in main_stop_ids:
  279. continue
  280. pos = convert_pos(self.bus_stops[i]['pos'])
  281. pass_stop = bool(rx_pass_stop.search(self.bus_stops[i]['name']))
  282. section = 1 if i > self.trans_id else 0
  283. stop_points = [s['pos'] for s in main_stop_list + minor_stop_list]
  284. min_dist = min_distance_from_points(pos, stop_points)
  285. if i > self.trans_id:
  286. min_path_dist = min_distance_from_segments(pos, self.points[:self.t_point])
  287. if min_path_dist < min_interval / 4:
  288. continue
  289. if min_dist > min_interval:
  290. minor_stop_list.append({'ord': i, 'pos': pos, 'name': self.bus_stops[i]['name'], 'section': section, 'pass': pass_stop})
  291. return main_stop_list + minor_stop_list
  292. def draw_bus_info(self, size_factor):
  293. name_match = re.search('[0-9A-Za-z]+', self.route_info['name'])
  294. if name_match:
  295. bus_name_main = self.route_info['name'][:name_match.end(0)]
  296. bus_name_suffix = self.route_info['name'][name_match.end(0):]
  297. else:
  298. bus_name_main = self.route_info['name']
  299. bus_name_suffix = ''
  300. bus_name_width = get_text_width(bus_name_main) * 72 + get_text_width(bus_name_suffix) * 60 + 45
  301. bus_startend_width = (get_text_width(self.route_info['start']) + get_text_width(self.route_info['end'])) * 57 + 150
  302. bus_info_width = (bus_name_width + bus_startend_width) * size_factor
  303. if self.mapframe.width() < bus_info_width:
  304. pos_x = self.mapframe.center()[0] - bus_info_width / 2
  305. else:
  306. pos_x = self.mapframe.left
  307. pos_y = self.mapframe.top
  308. pos_y -= 135 * size_factor
  309. self.mapframe.update_rect((pos_x, pos_y, bus_info_width, 100 * size_factor))
  310. bus_name_svg = bus_name_main + '<tspan style="font-size:72px">{}</tspan>'.format(bus_name_suffix)
  311. if bus_name_main[0] == 'N':
  312. bus_name_svg = '<tspan style="fill:#ffcc00">N</tspan>' + bus_name_svg[1:]
  313. svg_text = '<g id="businfo" transform="translate({0}, {1}) scale({2}, {2})" style="display:inline">'.format(pos_x, pos_y, size_factor)
  314. svg_text += '<rect y="0" x="0" height="100" width="{}" id="busname_bg" style="opacity:1;fill:{};fill-opacity:1;stroke:none;" />'.format(bus_name_width, self.line_color)
  315. svg_text += '<text id="busname" y="82" x="20" style="font-weight:normal;font-size:85.3333px;font-family:\'Din Medium\';text-align:start;fill:#ffffff">{}</text>'.format(bus_name_svg)
  316. svg_text += '<rect y="0" x="{}" height="100" width="{}" id="busstartend_bg" style="opacity:1;fill:#ffffff;fill-opacity:1;stroke:none;" />'.format(bus_name_width, bus_startend_width)
  317. svg_text += '<text id="busstartend" y="70" x="{}" style="font-weight:bold;font-size:64px;font-family:\'NanumSquare\';text-align:start;fill:#000000">{} <tspan style="font-family:\'NanumSquareRound\'">↔</tspan> {}</text>'.format(bus_name_width + 20, self.route_info['start'], self.route_info['end'])
  318. svg_text += '</g>'
  319. return svg_text
  320. def draw_bus_stop_circle(self, stop, size_factor):
  321. style_circle_base = "opacity:1;fill-opacity:1;stroke-width:{};stroke-dasharray:none;stroke-opacity:1;".format(3.2 * size_factor)
  322. if self.theme == 'light':
  323. style_fill_circle = "fill:#ffffff;"
  324. elif self.theme == 'dark':
  325. style_fill_circle = "fill:#282828;"
  326. style_fill_gray = "fill:#cccccc;"
  327. style_fill_yellow = "fill:#ffcc00;"
  328. style_circle = "stroke:{};".format(self.line_color) + style_circle_base
  329. style_circle_dark = "stroke:{};".format(self.line_dark_color) + style_circle_base
  330. section = 0 if stop['section'] == 0 or self.is_one_way else 1
  331. stop_circle_style = ((style_fill_gray if stop['pass'] else style_fill_circle) if self.route_info['name'][0] != 'N' else style_fill_yellow) + (style_circle if section == 0 else style_circle_dark)
  332. svg_circle = '<circle style="{}" cx="{}" cy="{}" r="{}" />\n'.format(stop_circle_style, stop['pos'][0], stop['pos'][1], 6 * size_factor)
  333. return svg_circle
  334. def draw_bus_stop_text(self, stop, size_factor, direction = -1):
  335. style_fill_white = "fill:#ffffff;"
  336. style_fill_gray = "fill:#cccccc;"
  337. style_fill_yellow = "fill:#ffcc00;"
  338. style_text = "font-size:30px;line-height:1.0;font-family:'KoPubDotum Bold';text-align:start;letter-spacing:0px;word-spacing:0px;fill-opacity:1;"
  339. section = 0 if stop['section'] == 0 or self.is_one_way else 1
  340. if section == 0:
  341. stop_p = find_nearest_point(stop['pos'], self.points[:self.t_point])
  342. else:
  343. stop_p = find_nearest_point(stop['pos'], self.points[self.t_point:]) + self.t_point
  344. stop_p_prev, stop_p_next = get_point_segment(self.points, stop_p, stop_p, 10 * size_factor)
  345. path_dir = (self.points[stop_p_next][0] - self.points[stop_p_prev][0], self.points[stop_p_next][1] - self.points[stop_p_prev][1])
  346. normal_dir = (path_dir[1], -path_dir[0])
  347. if normal_dir[0] == 0 and normal_dir[1] == 0:
  348. normal_dir = (1, 1)
  349. if normal_dir[0] < 0:
  350. normal_dir = (-normal_dir[0], -normal_dir[1])
  351. dir_factor = math.sqrt(normal_dir[0] ** 2 + normal_dir[1] ** 2)
  352. normal_dir = (normal_dir[0] / dir_factor, normal_dir[1] / dir_factor)
  353. # 정류장 명칭 박스 위치 설정
  354. text_size_factor = size_factor * 0.56
  355. text_height = 30 * text_size_factor
  356. match = rx_pass_stop.search(stop['name'])
  357. if match:
  358. stop_name_main = stop['name'][:match.start(0)]
  359. stop_name_suffix = stop['name'][match.start(0):]
  360. else:
  361. stop_name_main = stop['name']
  362. stop_name_suffix = ''
  363. text_width = (get_text_width(stop_name_main) * 27.5 + get_text_width(stop_name_suffix) * 22 + 25)
  364. text_pos_right = (stop['pos'][0] + 20 * normal_dir[0] * size_factor, stop['pos'][1] + 20 * normal_dir[1] * size_factor - text_height / 2)
  365. text_rect_right = (text_pos_right[0], text_pos_right[1], text_width * text_size_factor, text_height)
  366. text_pos_left = (stop['pos'][0] - 20 * normal_dir[0] * size_factor - text_width * text_size_factor, stop['pos'][1] - 20 * normal_dir[1] * size_factor - text_height / 2)
  367. text_rect_left = (text_pos_left[0], text_pos_left[1], text_width * text_size_factor, text_height)
  368. if normal_dir[1] < 0:
  369. normal_dir = (-normal_dir[0], -normal_dir[1])
  370. text_pos_up = (stop['pos'][0] + 20 * normal_dir[0] * size_factor - text_width * text_size_factor / 2, stop['pos'][1] + 25 * normal_dir[1] * size_factor - text_height / 2)
  371. text_rect_up = (text_pos_up[0], text_pos_up[1], text_width * text_size_factor, text_height)
  372. text_pos_down = (stop['pos'][0] - 20 * normal_dir[0] * size_factor - text_width * text_size_factor / 2, stop['pos'][1] - 25 * normal_dir[1] * size_factor - text_height / 2)
  373. text_rect_down = (text_pos_down[0], text_pos_down[1], text_width * text_size_factor, text_height)
  374. text_pos_list = [text_pos_up, text_pos_down, text_pos_left, text_pos_right]
  375. text_rect_list = [text_rect_up, text_rect_down, text_rect_left, text_rect_right]
  376. if direction == -1:
  377. collisions = [get_collision_score(x, self.text_rects, self.points) for x in text_rect_list]
  378. direction = 0
  379. for i in range(1, len(collisions)):
  380. if collisions[direction] >= collisions[i]:
  381. direction = i
  382. text_pos = text_pos_list[direction]
  383. text_rect = text_rect_list[direction]
  384. else:
  385. if direction >= len(text_rect_list) or direction < 0:
  386. raise IndexError()
  387. text_pos = text_pos_list[direction]
  388. text_rect = text_rect_list[direction]
  389. self.text_rects.append(text_rect)
  390. stop_name_svg = stop_name_main.replace('&', '&amp;')
  391. if stop_name_suffix:
  392. stop_name_svg += '<tspan style="font-size:24px">{}</tspan>'.format(stop_name_suffix)
  393. svg_text = ''
  394. text_offset = 0
  395. # 기점 표시
  396. if stop['ord'] == 0:
  397. dir_len = math.sqrt(path_dir[0] ** 2 + path_dir[1] ** 2)
  398. if dir_len == 0:
  399. dir_cos = 1
  400. else:
  401. dir_cos = path_dir[0] / dir_len
  402. dir_deg = math.acos(dir_cos) / math.pi * 180
  403. if path_dir[1] < 0:
  404. dir_deg = 360 - dir_deg
  405. svg_text += svg_depot_icon.format(dir_deg, self.line_color) + '\n'
  406. text_offset = 40
  407. svg_text += '<rect style="fill:{};fill-opacity:1;stroke:none;" width="{:.2f}" height="36" x="{:.2f}" y="0" ry="18" />'.format(self.line_color if section == 0 else self.line_dark_color, text_width, text_offset)
  408. svg_text += '<text style="{}" text-anchor="middle" x="{:.2f}" y="28">{}</text>\n'.format(style_text + (style_fill_gray if stop['pass'] else style_fill_white), text_width / 2 + text_offset, stop_name_svg)
  409. svg_text = '<g id="stop{3}" transform="translate({0:.2f}, {1:.2f}) scale({2:.2f}, {2:.2f})">'.format(text_pos[0], text_pos[1], text_size_factor, stop['ord']) + svg_text + '</g>'
  410. self.mapframe.update_rect(text_rect)
  411. return svg_text
  412. def render_path(self, size_factor):
  413. # 노선 경로 렌더링
  414. style_path_base = "display:inline;fill:none;stroke-width:{};stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-dasharray:none;stroke-opacity:1".format(8 * size_factor)
  415. style_path = "stroke:{};".format(self.line_color) + style_path_base
  416. style_path_dark = "stroke:{};".format(self.line_dark_color) + style_path_base
  417. path_points = []
  418. start_point = find_nearest_point(convert_pos(self.bus_stops[0]['pos']), self.points[:self.t_point])
  419. end_point = find_nearest_point(convert_pos(self.bus_stops[-1]['pos']), self.points[self.t_point:]) + self.t_point
  420. path_points.append(self.points[start_point:self.t_point+1])
  421. if self.route_info['type'] <= 10:
  422. # skip = 2
  423. skip = 1
  424. else:
  425. skip = 1
  426. is_path_dark = False
  427. skip_threshold = 5 * size_factor
  428. segment_start = 0
  429. segment_end = -1
  430. for i in range(self.t_point, end_point):
  431. min_dist = min_distance_from_segments(self.points[i], path_points[0])
  432. if min_dist > skip_threshold and i < end_point - 1:
  433. if segment_end < 0:
  434. segment_start = i
  435. segment_end = i
  436. elif segment_end >= 0:
  437. path_segment = get_point_segment(self.points, segment_start, segment_end, skip_threshold * 2)
  438. path_points.append(self.points[path_segment[0]:min(path_segment[1]+1, end_point)])
  439. segment_end = -1
  440. svg_path = ''
  441. for i, path in enumerate(path_points):
  442. if i == 0 or self.is_one_way:
  443. path_style = style_path
  444. else:
  445. path_style = style_path_dark
  446. svg_path = make_svg_path(path_style, path) + svg_path
  447. return svg_path
  448. def render_init(self):
  449. self.text_rects = []
  450. def render(self, size_factor, min_interval):
  451. self.render_init()
  452. svg = self.render_path(size_factor)
  453. bus_stops = self.parse_bus_stops(min_interval)
  454. for stop in bus_stops:
  455. svg += self.draw_bus_stop_circle(stop, size_factor)
  456. svg += self.draw_bus_stop_text(stop, size_factor)
  457. svg += self.draw_bus_info(size_factor * 0.75) + '\n'
  458. return svg
  1. More ...
 
 

38

Pasted Text #37539

-

PasteBin

Lines
600
Words
2199
Size
24.3 KB
Created
타입
text/plain
Public Domain (PD)
Please log in to leave a comment!