1. 程式人生 > >【LeetCode演算法練習(C++)】Count and Say

【LeetCode演算法練習(C++)】Count and Say

題目:
The count-and-say sequence is the sequence of integers with the first five terms as following:
1. 1
2. 11
3. 21
4. 1211
5. 111221
1 is read off as “one 1” or 11.
11 is read off as “two 1s” or 21.
21 is read off as “one 2, then one 1” or 1211.
Given an integer n, generate the nth term of the count-and-say sequence.
Note: Each term of the sequence of integers will be represented as a string.

Example 1:
Input: 1
Output: “1”

Example 2:
Input: 4
Output: “1211”

解法:按閱讀邏輯重複n次。時間O(n^2)

class Solution {
public:
    string countAndSay(int n) {
        string ori = "1", ans = "1";
        for (int i = 0; i < n - 1; i++) {
            int len = ori.length(), pos = 0;
            ans.clear();
            while
(pos < len) { int cnt = 0; while (pos + cnt < len && ori[pos + cnt] == ori[pos]) cnt++; ans.push_back(cnt + '0'); ans.push_back(ori[pos]); pos = pos + cnt; } ori = ans; } return
ans; } };

Runtime: 0 ms