描述
The count-and-say sequence is the sequence of integers beginning as follows:
1, 11, 21, 1211, 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 sequence.
Note: e sequence of integers will be represented as a string.
The count-and-say sequence is the sequence of integers beginning as follows:
1, 11, 21, 1211, 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 sequence.
Note: e sequence of integers will be represented as a string.
#include <iostream>
#include <string>
#include<vector>
using namespace std;
string CountandSay(int n)
{
if (n <= 0)
{
string res;
return res;
}
string res = "1";
for (int i = 1; i<n; i++)
{
string temp;
for (int j = 0; j<res.size(); j++)
{
int num = 1;
while (j + 1<res.size() && res[j] == res[j + 1])
{
num++;
j++;
}
temp.push_back(num + '0');
temp.push_back(res[j]);
}
res = temp;
}
return res;
}
int main()
{
int n = 10;
for (int i = 1; i <= n; i++)
{
string res = CountandSay(i);
cout << res << endl;
}
}