// Source : https://leetcode.com/problems/count-and-say/description/
// Author : Tianming Cao
// Date : 2018-02-11
package countAndSay;
public class CountAndSay {
public String nextString(String str) {
StringBuilder next = new StringBuilder();
int len = str.length();
int i = 0;
while (i < len) {
int j = i;
int count = 0;
char currentNumber = str.charAt(i);
while (j < len && str.charAt(j) == currentNumber) {
j++;
count++;
}
next.append(count).append(currentNumber);
i = j;
}
return next.toString();
}
public String countAndSay(int n) {
if (n <= 1) {
return "1";
} else {
String p = "1";
for (int i = 2; i <= n; i++) {
String next = nextString(p);
p = next;
}
return p;
}
}
}