https://programmers.co.kr/learn/courses/30/lessons/43164
- DFS/BFS
import copy
from collections import defaultdict
routes = []
def solution(tickets):
# dictionary
info = defaultdict(list)
for ticket in tickets:
a, b = ticket
info[a].append(b)
dfs(tickets, info, "ICN", 0, "ICN")
routes.sort()
answer = routes[0].split()
return answer
def dfs(tickets, info, start, cnt, route):
if cnt == len(tickets):
routes.append(route)
return
if start in info:
for end in info[start]:
new_info = copy.deepcopy(info)
new_info[start].remove(end)
dfs(tickets, new_info, end, cnt + 1, route + " " + end)
{출발지1:[목적지1, 목적지2], 출발지2:[목적지3], ...}
start
공항에서 갈 수 있는 end
공항이 있다면, info[start]에서 end공항을 제외한(항공권 사용) new_info
를 생성하고dfs(tickets, new_info, end, cnt + 1, route + " " + end)
를 해준다.cnt
가 ticket
의 길이와 같아지면 주어진 항공권을 모두 사용한 것이다.route
를 모든 공항 경로를 저장하는 전역변수 routes
에 삽입한다.routes
에는 주어진 항공권으로 갈 수 있는 모든 경로가 저장되어 있다.