-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathm743.py
30 lines (24 loc) · 921 Bytes
/
m743.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
class Solution:
def networkDelayTime(self, times: List[List[int]], n: int, k: int) -> int:
reached = [True] + [False for _ in range(n)]
adj = defaultdict(list)
for u, v, w in times :
adj[u].append((v, w))
# (delay when reached, node reached)
toVisit = [(0, k)]
maxDelay = 0
while toVisit :
delay, curr = heapq.heappop(toVisit)
if reached[curr] :
continue
maxDelay = delay
reached[curr] = True
for nxt, w in adj[curr] :
# This if statement is in theory doubled
# but provides benefits if a node is queued up
# in the PQ twice
if not reached[nxt] :
heapq.heappush(toVisit, (delay + w, nxt))
if any(not x for x in reached) :
return -1
return maxDelay