481. 神奇字符串

神奇字符串 s 仅由 ‘1’ 和 ‘2’ 组成,并需要遵守下面的规则:

  • 神奇字符串 s 的神奇之处在于,串联字符串中 ‘1’ 和 ‘2’ 的连续出现次数可以生成该字符串。

s 的前几个元素是 s = “1221121221221121122……” 。如果将 s 中连续的若干 1 和 2 进行分组,可以得到 “1 22 11 2 1 22 1 22 11 2 11 22 ……” 。每组中 1 或者 2 的出现次数分别是 “1 2 2 1 1 2 1 2 2 1 2 2 ……” 。上面的出现次数正是 s 自身。
给你一个整数 n ,返回在神奇字符串 s 的前 n 个数字中 1 的数目。

双指针

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
class Solution {
public int magicalString(int n) {
if (n <= 3) {
return 1;
}

int[] result = new int[n];
result[0] = 1;
result[1] = 2;
result[2] = 2;

int sum = 1;

int s = 2;
int i = 3;
while (i < n) {
result[i] = result[i - 1] == 1 ? 2 : 1;
if (result[i++] == 1) {
sum++;
}

if (result[s] == 2 && i < n) {
result[i] = result[i - 1];
if (result[i++] == 1) {
sum++;
}
}

s++;
}

return sum;
}

}

双指针推导题,没啥可说的,就是题目文字多了点。。。