-
Notifications
You must be signed in to change notification settings - Fork 7
/
Copy path1443.minimum-time-to-collect-all-apples-in-a-tree.py
48 lines (43 loc) · 1.49 KB
/
1443.minimum-time-to-collect-all-apples-in-a-tree.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
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
#
# @lc app=leetcode id=1443 lang=python3
#
# [1443] Minimum Time to Collect All Apples in a Tree
#
# @lc code=start
# TAGS: Tree, Depth First Search
# REVIEWME: Tricky problem.
class Solution:
# TLE. BFS. Slow because of `in sofar`
def minTime(self, n: int, edges: List[List[int]], hasApple: List[bool]) -> int:
no_apples = hasApple.count(True)
graph = collections.defaultdict(list)
for src, dst in edges:
graph[src].append(dst)
graph[dst].append(src)
queue = [(0, 0, 0, [])]
for node, step, cnt, sofar in queue:
if cnt == no_apples and node == 0:
return step
if hasApple[node] and node not in sofar:
cnt += 1
for nxt in graph[node]:
queue.append((nxt, step + 1, cnt, sofar + [node]))
return 0
# 702 ms, 80.02%. DFS, Time: O(E), Space: O(E)
def minTime(self, n: int, edges: List[List[int]], hasApple: List[bool]) -> int:
graph = collections.defaultdict(list)
for src, dst in edges:
graph[src].append(dst)
graph[dst].append(src)
visited = set()
def dfs(node):
if node in visited: return 0
visited.add(node)
total = 0
for child in graph[node]:
total += dfs(child)
if node != 0 and (hasApple[node] or total):
total += 2
return total
return dfs(0)
# @lc code=end