Table of contents
Open Table of contents
Description
See solution for LeetCode 38 for more background. The question could come up as a follow-up to that question.
You should clarify the exact meaning of “reverse”.
Possible constraints:
- The count should be less than 10, e.g., 1211 could be one 2 one 1 or 121 ones. As we mentioned in LeetCode 38, the sequence count should be a single digit. In fact, unless the seed digit contains such a digit or a run of more than three of the same digit, no digits other than
1
,2
, and3
appear in the sequence.
Solution
Idea
- We parse the input string (
s
) parsed in pairs:- The first character of each pair (
s.charAt(i)
) is the count of repetitions. - The second character of each pair (
s.charAt(i + 1)
) is the digit being repeated.
- The first character of each pair (
- For each pair, repeat the digit
count
times and append it to the result. - The result is the prior term in the Count and Say sequence.
Example
Input:
s = "111221"
Execution:
- Read
11
: Add “1” repeated 1 time → “1”. - Read
12
: Add “2” repeated 1 time → “12”. - Read
21
: Add “1” repeated 2 times → “1211”.
Output:
"1211"
Edge Cases to Consider
- An empty string should return an empty result.
- Invalid strings (e.g., odd-length input) should be handled appropriately, possibly by throwing an exception or returning an error message.
Complexity: Time O(n/1.3), Space O(n/1.3) or O(1) not considering result space.
Python
class Solution:
def reverseCountSay(self, s):
res, n = [], len(s)
for i in range(0, n, 2):
cnt = int(s[i])
ch = s[i + 1]
res.extend([ch] * cnt)
return ''.join(res)