-
Notifications
You must be signed in to change notification settings - Fork 8
/
Copy pathsolution.cpp
47 lines (46 loc) · 1.33 KB
/
solution.cpp
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
/**
* 109 / 109 test cases passed.
* Runtime: 8 ms
* Memory Usage: 10.6 MB
*/
class Solution {
public:
char slowestKey(vector<int>& releaseTimes, string keysPressed) {
int n = keysPressed.size();
vector<int> cost(n);
cost[0] = releaseTimes[0];
for (int i = 1; i < n; ++ i) {
cost[i] = releaseTimes[i] - releaseTimes[i - 1];
}
int max_cost_idx = 0;
for (int i = 1; i < n; ++ i) {
if (cost[i] > cost[max_cost_idx] ||
cost[i] == cost[max_cost_idx] && keysPressed[i] > keysPressed[max_cost_idx]) {
max_cost_idx = i;
}
}
return keysPressed[max_cost_idx];
}
};
/**
* 109 / 109 test cases passed.
* Runtime: 4 ms
* Memory Usage: 10.4 MB
*/
class Solution2 {
public:
char slowestKey(vector<int>& releaseTimes, string keysPressed) {
int n = keysPressed.size();
int max_cost = releaseTimes[0];
char slowest_key = keysPressed[0];
for (int i = 1; i < n; ++ i) {
int cost = releaseTimes[i] - releaseTimes[i - 1];
if (cost > max_cost ||
cost == max_cost && keysPressed[i] > slowest_key) {
slowest_key = keysPressed[i];
max_cost = cost;
}
}
return slowest_key;
}
};