-
Notifications
You must be signed in to change notification settings - Fork 7
/
Copy path636.exclusive-time-of-functions.py
60 lines (50 loc) · 1.63 KB
/
636.exclusive-time-of-functions.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
48
49
50
51
52
53
54
55
56
57
58
59
60
#
# @lc app=leetcode id=636 lang=python3
#
# [636] Exclusive Time of Functions
#
# @lc code=start
# TAGS: Array, Stack
class Solution:
# 70 ms, 78.85%
def exclusiveTime(self, n: int, logs: List[str]) -> List[int]:
ans = [0] * n # [3, 4]
cur_fid = None # 0
prev_time = 0 # 6
stack = [] # None,
for log in logs:
fid, status, time = log.split(":")
fid = int(fid)
time = int(time)
# update timer for curent fid
if cur_fid is not None:
ans[cur_fid] += time - prev_time
if status == "start":
# put on stack, change current fid
stack.append(cur_fid)
cur_fid = fid
prev_time = time
if status == "end":
# pop from stack, cahnge current fid
ans[cur_fid] += 1
cur_fid = stack.pop()
prev_time = time + 1
return ans
# 70 ms, 78.85%
# Time and Space: O(N)
def exclusiveTime(self, n: int, logs: List[str]) -> List[int]:
"""Same as above but cleaner"""
ans = [0] * n
stack = [[0, 0]]
for log in logs:
fid, status, time = log.split(":")
fid, time = int(fid), int(time)
if status == "start":
ans[stack[-1][0]] += time - stack[-1][1]
stack.append([fid, time])
else:
ans[stack[-1][0]] += time - stack[-1][1] + 1
stack.pop()
stack[-1][1] = time + 1 # Update prev time when status is "end"
return ans
# @lc code=end