Skip to content

Reverse of LeetCode 38 LintCode 420 Count and Say (Look and Say)

Updated: at 08:23 AM

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:

  1. 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, and 3 appear in the sequence.

Solution

Idea

  1. 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.
  2. For each pair, repeat the digit count times and append it to the result.
  3. The result is the prior term in the Count and Say sequence.

Example

Input:

s = "111221"

Execution:

Output:

"1211"

Edge Cases to Consider

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)

Previous Post
LeetCode 1804 LintCode 3729 Implement Trie II
Next Post
LeetCode 38 LintCode 420 Count and Say (Look and Say)