oj1016 递归
n个数,排成一个环,使得相邻的两点之和位素数。输出以1开始。
若i满足条件则将visit[i]置为true,进入t+1层循环,执行t+1层循环循环结束,若t==n,还要判断result[0]与result[n-1]是否满足条件。执行完t+1层循环,则会继续执行t层循环,所以要将visit[i]置为false(result[t]不选i,i可以供给在result[(t+)-(n-1)]选择,从而有不同的排列),以供之result[t+1...]选择。
import java.util.Scanner;
//WA
public class Main_1016 {
static boolean[] visit;
static int[] result;
public static void main(String[] args) {
Scanner in = new Scanner(System.in);
int k = 0;
while (in.hasNext()) {
int n = in.nextInt();
visit = new boolean[n];
result = new int[n];
result[0] = 1;
visit[0] = true;
System.out.printf("Case %d: \n", ++k);
if (n % 2 == 0 || n == 1) {
dfs(1, n);
}
System.out.println();
}
}
public static void dfs(int t, int n) {
if (t == n) {
if (isPrime(result[0] + result[t - 1])) {
print(result);
}
return;
}
for (int j = 2; j <= n; j++) {
if (visit[j - 1]) {
continue;
}
if ((result[t - 1] + j) % 2 == 0) {
continue;
}
if (isPrime(result[t - 1] + j)) {
result[t] = j;
visit[j - 1] = true;
dfs(t + 1, n);
visit[j - 1] = false;
}
}
}
public static boolean isPrime(int num) {
int i;
for (i = 2; i <= num / 2; i++) {
if (num % i == 0) {
break;
}
}
if (i > num / 2) {
return true;
}
return false;
}
public static void print(int[] res) {
for (int i = 0; i < res.length; i++) {
if (i == res.length - 1) {
System.out.println(res[i]);
} else {
System.out.print(res[i] + " ");
}
}
}
}
注意while(true)与while(in.hasNext())的区别,true是无限循环,in.hasNext()检测,若没有数据则终止。
递归终止条件,要有return语句,否则可能会无限递归下去。或者用if-else.