0

好的,所以我有一个由以下代码定义的 Collat​​z 序列长度:

    private static int count = 0;

    private static int collatz(int n){
        count++;
        if(n > 1){
            if(n % 2 == 0){
                return collatz(n/2);
            }
            return collatz(3*n+1);
        }
        return count-1;
    }

现在,我检查了不同数字的输出(例如 print(collat​​z(3000)) => 48),以验证算法是否正常工作。我使用了各种网站来做到这一点,但一个号码拒绝工作。而这个数字正是 ProjectEuler 第 14 个问题的解。这怎么可能,每隔一个数字我都会得到正确的结果(正确的链长度),而 837799 会产生不同的结果:58,而不是 524。

4

1 回答 1

1

正如评论中所指出的,这是一个溢出问题。您可以通过打印函数调用的参数来发现这一点。

更改intlong,甚至更好,以确保它不会溢出,请使用BigInteger

private static int collatz(BigInteger n) {
    count++;
    if (n.compareTo(BigInteger.ONE) > 0) {
        if (!n.testBit(0)) // even
            return collatz(n.divide(BigInteger.valueOf(2)));

        else
            return collatz(n.multiply(BigInteger.valueOf(3)).add(BigInteger.ONE));
    }
    return count - 1;
}

public static void main(String[] args) {
    System.out.println("res: " + collatz(BigInteger.valueOf(837799)));
}
于 2013-04-21T19:04:37.763 回答