题目来源:牛客网 PAT乙级练习题 1002 NowCoder数列
import java.util.Scanner;
public class Main {
public static void main(String[] args) {
Scanner sc = new Scanner(System.in);
long[] arr = new long[1000001];
arr[0] = 7;
arr[1] = 11;
for(int i = 2 ; i <= 1000000 ; i++) {
arr[i] = arr[i-1] + arr[i-2];
}
while(sc.hasNextInt()) {
int n = sc.nextInt();
//System.out.println(arr[n]);
if(arr[n] % 3 ==0) {
System.out.println("Yes");
} else {
System.out.println("No");
}
}
}
}
我起初想到的是上面这个方法,但是不给通过,说我超时了,只能再去找规律。发现:
f(0) = 7 不能被3整除
f(1) = 11 不能被3整除
f(2) = 18 能被3整除
f(3) = 29 不能被3整除
f(4) = 47 不能被3整除
f(5) = 76 不能被3整除
f(6) = 123 能被3整除
……
所以就发现,f(2)、f(6)、f(10)等这些n%4=2的f(n)可以被3整除,所以写了以下的代码:
import java.util.Scanner;
public class Main {
public static void main(String[] args) {
Scanner sc = new Scanner(System.in);
while(sc.hasNextInt()) {
int n = sc.nextInt();
if(n % 4 == 2) {
System.out.println("Yes");
} else {
System.out.println("No");
}
}
}
}