636. Exclusive Time of Functions
Problem Description
In this problem, we're dealing with a single-threaded CPU that executes a series of function calls. Each function has a unique ID ranging from 0
to n-1
, where n
is the total number of functions. We have logs of when each function starts and ends, with their respective timestamps.
The logs are formatted with each entry looking like this: "function_id:start_or_end:timestamp"
. An important detail is that functions may start and end multiple times, as recursion is possible in the execution.
The task is to calculate the exclusive time for each function, which is the total time that function spent executing in the CPU. By "exclusive," we mean that we're only interested in the time periods when that function was the one currently being executed by the CPU (top of the call stack). The outcome should be an array of integers where each index i
corresponds to the function with ID i
and the value is that function's exclusive time.
Intuition
To solve this problem, we can simulate the call stack of the CPU with a stack data structure. We iterate through the log entries, processing start and end signals. When a function starts, we add its ID to the stack. When it ends, we pop it from the stack. By keeping track of the current timestamp, we can calculate how much time has passed since we last encountered a log entry.
The solution involves a few key steps:
- Initialize an answer array to hold the exclusive times for each function, all set initially to zero.
- Use a stack to keep track of active function calls (function IDs) where the most recent call is at the top.
- Define a variable to keep track of the current time (
curr
). Initially, we set it to an invalid timestamp (e.g.,-1
) because we haven't started processing any function yet. - Iteratively process each log entry:
- Split the log into parts to extract the function ID, the action (
start
orend
), and the timestamp. - If the action is
start
, update the exclusive time of the function at the top of the stack by adding the difference between the current timestamp and the previouscurr
value (if the stack is not empty). Then push the new function ID onto the stack and updatecurr
to the new timestamp. - If the action is
end
, pop the function ID from the stack, add the time it took to execute to the corresponding index in the answer array (inclusive of start and end timestamp), and updatecurr
to one more than the current timestamp to account for the passage of time.
- Split the log into parts to extract the function ID, the action (
By the end of processing, the answer array will contain the exclusive times for each function, fulfilling the requirements of the problem.
Learn more about Stack patterns.
Solution Approach
The solution employs a stack data structure and a list to maintain the exclusive times for each function. The stack is used to simulate the behavior of a call stack in a single-threaded CPU, where only the top function is currently executing, and each nested function call pushes a new frame onto it.
Here's the step-by-step implementation walkthrough:
-
Initialize an array called
ans
withn
zeros, wheren
is the total number of functions. This array will store the exclusive time for each function. -
Create an empty list named
stk
to represent the call stack. -
Set a variable
curr
to-1
. This will be used to store the most recent timestamp we've processed. -
Loop through each log entry in
logs
. For eachlog
: a. Split the string usinglog.split(':')
to get the function ID (fid
), the type of log ('start'
or'end'
), and the timestamp (ts
). b. Convertfid
andts
to integers. -
If the type of log is
'start'
: a. If the stack is not empty, update the top function's exclusive time by adding the difference between the current timestamp and the previouscurr
value toans[stk[-1]]
. The top function of the stack would have been executing so far, and we now have to pause its timer. b. Push the new function ID onto the stack.stk.append(fid)
c. Updatecurr
to the current timestampts
. -
If the type of log is
'end'
: a. Pop the last function ID off the stack withfid = stk.pop()
since this function has finished executing. b. Add the difference between the current timestamp and the previouscurr
value, inclusive of the end timestamp, toans[fid]
. This adds the time for the function execution toans[fid]
. c. Updatecurr
tots + 1
as the next function (if any) would start executing at the next timestamp. -
After processing all the logs, return the
ans
array, which now contains the exclusive times for each function.
With this approach, we're able to simulate the execution of the functions on the CPU and calculate the exclusive times as needed. The use of the stack is crucial here because it correctly models the nested nature of function calls. Additionally, carefully managing the curr
timestamp allows us to measure execution times correctly as we process the logs.
Ready to land your dream job?
Unlock your dream job with a 2-minute evaluator for a personalized learning plan!
Start EvaluatorExample Walkthrough
Let's consider a small example to clearly illustrate the solution approach. Suppose we have n = 2
functions, and the logs for their execution on the single-threaded CPU are given as follows:
logs = ["0:start:0", "1:start:2", "1:end:5", "0:end:6"]
To calculate the exclusive times of these functions, follow these steps:
-
Initialize
ans = [0, 0]
to store the exclusive times for the 2 functions. -
Create an empty stack
stk
. -
Set
curr
to-1
as the initial timestamp before any functions have started. -
Process the first log entry
"0:start:0"
.- Split the log into
fid = 0
,type = 'start'
, andts = 0
. - Since the stack is empty, we don't update any function's exclusive time.
- Push
fid
onto the stack, sostk
becomes[0]
. - Update
curr
to0
.
- Split the log into
-
Process the second log entry
"1:start:2"
.- Split the log into
fid = 1
,type = 'start'
, andts = 2
. - Since the stack is not empty, update function 0's exclusive time.
ans[0] += 2 - 0
, soans
becomes[2, 0]
. - Push
fid
onto the stack, sostk
becomes[0, 1]
. - Update
curr
to2
.
- Split the log into
-
Process the third log entry
"1:end:5"
.- Split the log into
fid = 1
,type = 'end'
, andts = 5
. - Pop
fid
from the stack (1
is popped, leavingstk
as[0]
). - Update function 1's exclusive time.
ans[1] += 5 - 2 + 1
, soans
becomes[2, 4]
. - Update
curr
to5 + 1
.
- Split the log into
-
Process the fourth log entry
"0:end:6"
.- Split the log into
fid = 0
,type = 'end'
, andts = 6
. - Pop
fid
from the stack (0
is popped, leavingstk
as[]
). - Update function 0's exclusive time.
ans[0] += 6 - 5 + 1
, soans
becomes[4, 4]
. - Update
curr
to6 + 1
.
- Split the log into
After processing all log entries, the ans
array [4, 4]
contains the exclusive execution times for functions 0
and 1
. Function 0
was active from time 0
to 2
and from 6
to 6
for a total of 4 units of time, and function 1
was active from time 2
to 5
for a total of 4 units of time as well. Therefore, the final answer is [4, 4]
.
Solution Implementation
1class Solution:
2 def exclusiveTime(self, n: int, logs: List[str]) -> List[int]:
3 # Initialize a list to hold the exclusive time for each function.
4 exclusive_times = [0] * n
5
6 # Use a stack to keep track of the function call hierarchy.
7 call_stack = []
8
9 # Store a pointer to the current time (initially set to an invalid time).
10 current_time = -1
11
12 # Process each log entry.
13 for log in logs:
14 # Split the string log into parts.
15 parts = log.split(':')
16
17 # The function id is the first part of the log, converted to an integer.
18 function_id = int(parts[0])
19
20 # The timestamp is the third part of the log, converted to an integer.
21 timestamp = int(parts[2])
22
23 # If the log entry indicates a start event:
24 if parts[1] == 'start':
25 # If there's an ongoing function, update its exclusive time.
26 if call_stack:
27 exclusive_times[call_stack[-1]] += timestamp - current_time
28
29 # Push the current function onto the stack.
30 call_stack.append(function_id)
31
32 # Update the current time to the new start time.
33 current_time = timestamp
34 else: # Otherwise, it's an end event.
35 # Pop the last function from the stack.
36 function_id = call_stack.pop()
37
38 # Update the exclusive time for this function.
39 exclusive_times[function_id] += timestamp - current_time + 1
40
41 # Update the current time to the end time + 1 since the next time unit
42 # will indicate the start of the next event.
43 current_time = timestamp + 1
44
45 # Return the list of calculated exclusive times.
46 return exclusive_times
47
1class Solution {
2 public int[] exclusiveTime(int numFunctions, List<String> logs) {
3 // This array holds the exclusive time for each function.
4 int[] exclusiveTimes = new int[numFunctions];
5 // Stack to keep track of the function calls.
6 Deque<Integer> functionStack = new ArrayDeque<>();
7 // Previous timestamp to calculate the duration.
8 int prevTimestamp = -1;
9
10 // Iterate over each log entry.
11 for (String log : logs) {
12 // Split the log into parts: functionId, event type, and timestamp.
13 String[] parts = log.split(":");
14 int functionId = Integer.parseInt(parts[0]);
15 int timestamp = Integer.parseInt(parts[2]);
16
17 // Check if the event type is start.
18 if ("start".equals(parts[1])) {
19 // If the stack is not empty, update the exclusive time of the function on the top.
20 if (!functionStack.isEmpty()) {
21 exclusiveTimes[functionStack.peek()] += timestamp - prevTimestamp;
22 }
23 // Push the current function to the stack.
24 functionStack.push(functionId);
25 // Update the 'prevTimestamp' with the current timestamp.
26 prevTimestamp = timestamp;
27 } else { // The event type is end.
28 // Pop the function from the stack as it ends.
29 functionId = functionStack.pop();
30 // Update the exclusive time for the popped function.
31 exclusiveTimes[functionId] += timestamp - prevTimestamp + 1;
32 // Move to the next timestamp as this event marks the end of the function.
33 prevTimestamp = timestamp + 1;
34 }
35 }
36
37 // Return the computed exclusive times for all functions.
38 return exclusiveTimes;
39 }
40}
41
1#include <vector>
2#include <string>
3#include <stack>
4using namespace std;
5
6class Solution {
7public:
8 vector<int> exclusiveTime(int n, vector<string>& logs) {
9 vector<int> times(n, 0); // Vector to store exclusive times for each function
10 stack<int> functionStack; // Stack to keep track of function calls
11 int previousTime = 0; // The time of the last event
12
13 for (string& log : logs) {
14 char type[10]; // To store whether the event is a 'start' or 'end'
15 int functionId, timestamp;
16 // Parse the log string: "<function_id>:<start/end>:<timestamp>"
17 sscanf(log.c_str(), "%d:%[^:]:%d", &functionId, type, ×tamp);
18
19 if (type[0] == 's') { // If the event is a function starting
20 if (!functionStack.empty()) {
21 // Add the time since the last event to the currently running function
22 times[functionStack.top()] += timestamp - previousTime;
23 }
24 previousTime = timestamp; // Update the time of the last event
25 functionStack.push(functionId); // Push functionId onto the stack
26 } else { // If the event is a function ending
27 // Pop the top function, add the time since the last event to it,
28 // and add one because an "end" logs the time at the end of the unit
29 functionId = functionStack.top();
30 functionStack.pop();
31 times[functionId] += timestamp - previousTime + 1;
32 previousTime = timestamp + 1; // Update the time of the last event, moving past the end timestamp
33 }
34 }
35 return times; // Return the vector with calculated exclusive times for each function
36 }
37};
38
1function exclusiveTime(n: number, logs: string[]): number[] {
2 const functionExecTimes = new Array(n).fill(0); // Array to store exclusive times for each function.
3 const callStack: [number, number][] = []; // Stack to keep track of function calls.
4
5 // Iterate through each log in the logs array.
6 for (const log of logs) {
7 // Splitting the log string into useful parts: function id, state ('start' or 'end'), and timestamp.
8 const parts = log.split(':');
9 const [functionId, state, timestamp] = [Number(parts[0]), parts[1], Number(parts[2])];
10
11 if (state === 'start') {
12 // If there is a function currently being executed, pause it and update its execution time.
13 if (callStack.length !== 0) {
14 const previousFunction = callStack[callStack.length - 1];
15 functionExecTimes[previousFunction[0]] += timestamp - previousFunction[1];
16 }
17 // Start the new function by pushing it onto the stack with its start time.
18 callStack.push([functionId, timestamp]);
19 } else {
20 // Function is ending, pop from stack to get its start time and calculate the time spent.
21 const startedFunction = callStack.pop();
22 functionExecTimes[startedFunction[0]] += timestamp - startedFunction[1] + 1;
23
24 // If there's another function that was paused, resume its timer.
25 if (callStack.length !== 0) {
26 callStack[callStack.length - 1][1] = timestamp + 1;
27 }
28 }
29 }
30
31 // Return the array containing the exclusive times for each function.
32 return functionExecTimes;
33}
34
Time and Space Complexity
Time Complexity
The time complexity of the code is O(N)
where N
is the number of logs. This is because the code iterates through the list of logs only once, and for each log, it does a constant amount of work (splitting the log into parts, accessing the last element from the stack, adding time to the answer list).
Space Complexity
The space complexity of the code is O(N)
as well. In the worst case, where all function calls are started before any is finished, the stack (named stk
in the code) would grow to contain all N
function ids. Additionally, the answer list (named ans
) requires space for n
integers, where n
is the number of functions (which is different from N
, the number of logs).
Learn more about how to find time and space complexity quickly using problem constraints.
What are the two properties the problem needs to have for dynamic programming to be applicable? (Select 2)
Recommended Readings
Stack Intro Imagine you have a pile of books on your desk If you want to add a new book you place it on top If you want to read a book you take it from the top And if you simply want to see which book is on the top you
LeetCode Patterns Your Personal Dijkstra's Algorithm to Landing Your Dream Job The goal of AlgoMonster is to help you get a job in the shortest amount of time possible in a data driven way We compiled datasets of tech interview problems and broke them down by patterns This way we
Recursion Recursion is one of the most important concepts in computer science Simply speaking recursion is the process of a function calling itself Using a real life analogy imagine a scenario where you invite your friends to lunch https algomonster s3 us east 2 amazonaws com recursion jpg You first
Want a Structured Path to Master System Design Too? Don’t Miss This!