Notice
Recent Posts
Recent Comments
Link
일 | 월 | 화 | 수 | 목 | 금 | 토 |
---|---|---|---|---|---|---|
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 |
Tags
- 1차원 DP
- 2차원 dp
- 99클럽
- @Builder
- @GeneratedValue
- @GenericGenerator
- @NoargsConstructor
- @Transactional
- Actions
- Amazon EFS
- amazon fsx
- Android Studio
- ANSI SQL
- ApplicationEvent
- assertThat
- async/await
- AVG
- AWS
- Azure
- bind
- builder
- button
- c++
- c++ builder
- c03
- Callback
- case when
- CCW
- chat GPT
- CICD
Archives
- Today
- Total
기록
프로그래머스_python_모두 0으로 만들기 본문
문제
https://programmers.co.kr/learn/courses/30/lessons/76503
풀이
각 leaf node에서 가중치를 부모 노드로 옮긴다.
이 과정을 leaf 노드가 사라질 때까지 반복한다.
시간초과
dfs 나 bfs를 이용해서 모든 노드를 탐색하도록 했으나, 시간초과로 대부분의 테스트 케이스에서 통과하지 못했다.
leaf node를 제거하면, 그 부모가 leaf node 후보가 되므로, 부모가 가진 간선개수를 이용해서 다음에 올 leaf node를 구할 수 있다. 매번 len으로 노드들의 간선 개수를 구하는 것도 시간이 오래 걸려서, 간선의 개수를 미리 구해서 저장해뒀다.
코드
from collections import defaultdict
def solution(a, edges):
size = len(a)
ans = 0
# 노드 간 연결
graph = defaultdict(set)
for n, m in edges :
graph[n].add(m)
graph[m].add(n)
# 노드별 간선 개수
count = dict()
for n in range(size) : count[n] = len(graph[n])
# 초기 leaf node
leafnode = list()
for n in range(size) :
if count[n]==1 : leafnode.append(n)
while leafnode :
n = leafnode.pop()
if count[n]==1 :
# disconnect
pnode = graph[n].pop()
graph[pnode].remove(n)
# update 간선 개수
count[n] -= 1
count[pnode] -= 1
# move weight
ans += abs(a[n])
a[pnode] += a[n]
a[n] = 0
# add next leafnode
if count[pnode] == 1 :
leafnode.append(pnode)
return -1 if any(a) else ans
'코딩테스트 > python' 카테고리의 다른 글
프로그래머스_python_섬 연결하기 (0) | 2021.12.29 |
---|---|
프로그래머스_python_배달 (0) | 2021.12.27 |
프로그래머스_경주로 건설 (0) | 2021.12.26 |
백준_5430_AC (0) | 2021.12.24 |
프로그래머스_python_퍼즐 조각 채우기 (1) | 2021.12.24 |
Comments