-
Notifications
You must be signed in to change notification settings - Fork 8
/
Copy pathsolution.cpp
77 lines (74 loc) · 1.78 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
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
/**
* 30 / 30 test cases passed.
* Runtime: 16 ms
* Memory Usage: 7 MB
*/
class Solution {
public:
string countAndSay(int n) {
vector<string> dp(n);
dp[0] = "1";
for (int i = 1; i < n; i++) {
string num = dp[i - 1];
char alpha = num[0];
int count = 1;
string say = "";
for (int j = 1; j < num.size(); j++) {
if (num[j] == alpha) count++;
else {
say += to_string(count) + alpha;
count = 1;
alpha = num[j];
}
}
say += to_string(count) + alpha;
dp[i] = say;
}
return dp.back();
}
}
/**
* 30 / 30 test cases passed.
* Runtime: 8 ms
* Memory Usage: 6.1 MB
*/
class Solution2 {
public:
string countAndSay(int n) {
string temp = "1", say = "";
for (int i = 2; i <= n; i++) {
for (int l = 0, r = 0; r < temp.size(); ) {
while (r < temp.size() && temp[r] == temp[l])
r++;
say += to_string(r - l) + temp[l];
l = r;
}
temp = say;
say.clear();
}
return temp;
}
};
/**
* 30 / 30 test cases passed.
* Runtime: 12 ms
* Memory Usage: 6.2 MB
*/
class Solution3 {
public:
string countAndSay(int n) {
string ans = "1", say = "1";
for (int i = 2; i <= n; i++) {
// ans.clear();
ans = "";
for (int l = 0, r = 0; r < say.size(); ) {
while (r < say.size() && say[r] == say[l])
r++;
ans += to_string(r - l) + say[l];
l = r;
}
say = ans;
}
return ans;
}
};