所以这是the 3n+1 problem on UVa的代码。它在Eclipse AFAIK中在我的PC上完美运行,但是,我不断遇到针对UVa判断的运行时错误。不幸的是,法官没有告诉我它使用了什么输入,也没有在失败时提供“RuntimeException”以外的任何信息。对于好奇的人来说,这与ACM's ICPC的结构相同。
我很确定递归不会溢出堆栈,因为从1到1000000的所有数字的最大循环长度仅为525.此外,1000000整数的缓存只有4Mb大。
package Collatz;
import java.util.Arrays;
import java.util.Scanner;
class Main{
public static void main(String[] args) {
Scanner in = new Scanner(System.in);
int[] cache = buildCache(1000000);
while (in.hasNextLine()) {
Scanner line = new Scanner(in.nextLine());
if (!line.hasNextInt()) continue;
int a = line.nextInt();
int b = line.nextInt();
int c = a;
int d = b;
if (c > d) {
int temp = c;
c = d;
d = temp;
}
int max = 0;
for (int i = c - 1; i <= d - 1; i++) {
max = Math.max(max, cache[i]);
}
System.out.format("%d %d %d\n", a, b, max);
line.close();
}
in.close();
}
public static int[] buildCache(int n) {
int[] cache = new int[n];
Arrays.fill(cache, 0);
cache[0] = 1;
for (int i = 1; i < n; i++) {
search(i + 1, cache);
}
return cache;
}
public static int search(long i, int[] cache) {
int n = cache.length;
if (i == 1) {
return 1;
} else if (i <= n && cache[(int)(i - 1)] > 0) {
return cache[(int)(i - 1)];
} else {
long j = (i % 2 == 1) ? (3 * i + 1) : (i / 2);
int result = search(j, cache) + 1;
if (i <= n) {
cache[(int)(i - 1)] = result;
}
return result;
}
}
}
答案 0 :(得分:1)
行。我终于找到了问题。这是包装声明。该程序在删除后被接受...当我将IDE中的代码复制粘贴到提交表单时,我有点意思..但是这里有一些有趣的讨论,谢谢大家!
答案 1 :(得分:0)
此处的逻辑将溢出堆栈。在将当前函数的结果缓存之前,它会搜索序列中的下一个数字。
int result = search(j, cache) + 1;
if (i <= n) {
cache[(int)(i - 1)] = result;
}
return result;