๐ฑ ๋ฌธ์
https://school.programmers.co.kr/learn/courses/30/lessons/86971
๐ฑ ํ์ด
n
์ 2 ์ด์ 100 ์ดํ์ธ ์์ฐ์์ด๊ณ wires
๋ ๊ธธ์ด๊ฐ n-1์ธ 2์ฐจ์ ๋ฐฐ์ด๋ก, ์๊ฐ๋ณต์ก๋๊ฐ $O(100^2)$์ ๋์ง ์์ผ๋ฏ๋ก (n-1 ๋ฐฐ์ด ํ์($O(N)$) * BFS ์๊ฐ๋ณต์ก๋($O(N)$)) ์์ ํ์์ ์ด์ฉํด์ ํ์ดํฉ๋๋ค.
1. ์ ๋ ฅ๋ง(graph
) ์ ๋ณด๋ฅผ 2์ฐจ์ ๋ฆฌ์คํธ ํํ๋ก ํํํ๊ธฐ
graph = [[] for _ in range(n + 1)]
for wire in wires:
graph[wire[0]].append(wire[1])
graph[wire[1]].append(wire[0])
2. ์ ๋ ฅ๋ง์ ํ๋์ฉ ๋์ด๋ณด๊ธฐ - ๋ชจ๋ ๊ฒฝ์ฐ ํ์(์์ ํ์)
wires
๋ฅผ ๋ฐ๋ณต๋ฌธ์ผ๋ก ๋๋ฉด์ ์ ๋ ฅ๋ง์ ํ๋์ฉ ๋์ด๋ด
๋๋ค. ์ด๋, graph
์ ๋ณด๋ฅผ deepcopy
ํด์ ์ฐ๊ฒฐ๋ ๋
ธ๋ ์ ๋ณด๋ฅผ ์ ๊ฑฐํ์ฌ๋ ์๋ graph
์ ๋ณด์๋ ๋ณํ๊ฐ ์๋๋ก ํฉ๋๋ค.
for wire in wires:
graph_ = deepcopy(graph)
graph_[wire[0]].remove(wire[1])
graph_[wire[1]].remove(wire[0])
3. ๊ฐ ์ ๋ ฅ๋ง์ ์๋ ์ก์ ํ์ ๊ฐ์ ์ธ๊ธฐ
์ ๋ ฅ๋ง์ ๋์ผ๋ฉด ํ๋์ ์ ๋ ฅ๋ง์ด ๋๋ก ์ชผ๊ฐ์ง๋๋ค. ์ฐ๋ฆฌ๋ ๋๋ก ์ชผ๊ฐ์ด์ง ๊ฐ ์ ๋ ฅ๋ง(๊ทธ๋ํ)์์ ์ก์ ํ(๋ ธ๋)์ด ๋ช ๊ฐ ์๋์ง ์นด์ดํธ ํ ํ, ๊ทธ ์ฐจ์ด๋ฅผ ๊ตฌํ๋ฉด ๋ฉ๋๋ค. ์ด๋ ์ฐ๊ฒฐ๋ ๋ ธ๋์ ๊ฐ์๋ DFS๋ BFS๋ก ์ ์ ์๋๋ฐ, ์ ๋ BFS๋ก ๊ตฌํด๋ณด๊ฒ ์ต๋๋ค.
def bfs(graph, start):
count = 1
queue = deque([start])
visited = [False] * (len(graph) + 1)
visited[start] = True
while queue:
v = queue.popleft()
for node in graph[v]:
if not visited[node]:
visited[node] = True
queue.append(node)
count += 1
return count
BFS์ ๋ค์ด๊ฐ๋ ์์๋
ธ๋๋ ๋์ wire
์ ๋ ๊ฐ์ ๋
ธ๋๋ฅผ ์์๋
ธ๋๋ก ํ๋ฉด ๋ฉ๋๋ค.
count1, count2 = bfs(graph_, wire[0]), bfs(graph_, wire[1])
๐ฑ ์ ๋ต ์ฝ๋
# !/usr/bin/env python
# -*- coding: utf-8 -*-
# programmers ์ ๋ ฅ๋ง์ ๋๋ก ๋๋๊ธฐ
from collections import deque
from copy import deepcopy
# ํ๋์ ์ ๋ ฅ๋ง์ ๋ช ๊ฐ์ ์ก์ ํ์ด ์๋์ง ์ธ๊ธฐ
def bfs(graph, start):
count = 1
queue = deque([start])
visited = [False] * (len(graph) + 1)
visited[start] = True
while queue:
v = queue.popleft()
for node in graph[v]:
if not visited[node]:
visited[node] = True
queue.append(node)
count += 1
return count
def solution(n, wires):
answer = 100
graph = [[] for _ in range(n + 1)]
for wire in wires:
graph[wire[0]].append(wire[1])
graph[wire[1]].append(wire[0])
for wire in wires:
graph_ = deepcopy(graph)
graph_[wire[0]].remove(wire[1])
graph_[wire[1]].remove(wire[0])
count1, count2 = bfs(graph_, wire[0]), bfs(graph_, wire[1])
res = abs(count1 - count2)
if res < answer:
answer = res
return answer
๋๊ธ