作者热门文章
- Java 双重比较
- java - 比较器与 Apache BeanComparator
- Objective-C 完成 block 导致额外的方法调用?
- database - RESTful URI 是否应该公开数据库主键?
我正在研究尾调用递归并发现了一些提到的文档。 Sun Java 没有实现尾调用优化。我编写了以下代码以 3 种不同的方式计算斐波那契数:1.迭代2.头部递归3.尾递归
public class Fibonacci {
public static void main(String[] args) throws InterruptedException {
int n = Integer.parseInt(args[0]);
System.out.println("\n Value of n : " + n);
System.out.println("\n Using Iteration : ");
long l1 = System.nanoTime();
fibonacciIterative(n);
long l2 = System.nanoTime();
System.out.println("iterative time = " + (l2 - l1));
System.out.println(fibonacciIterative(n));
System.out.println("\n Using Tail recursion : ");
long l3 = System.nanoTime();
fibonacciTail(n);
long l4 = System.nanoTime();
System.out.println("Tail recursive time = " + (l4 - l3));
System.out.println(fibonacciTail(n));
System.out.println("\n Using Recursion : ");
long l5 = System.nanoTime();
fibonacciRecursive(n);
long l6 = System.nanoTime();
System.out.println("Head recursive time = " + (l6 - l5));
}
private static long fibonacciRecursive(int num) {
if (num == 0) {
return 0L;
}
if (num == 1) {
return 1L;
}
return fibonacciRecursive(num - 1) + fibonacciRecursive(num - 2);
}
private static long fibonacciIterative(int n) throws InterruptedException {
long[] arr = new long[n + 1];
arr[0] = 0;
arr[1] = 1;
for (int i = 2; i <= n; i++) {
// Thread.sleep(1);
arr[i] = arr[i - 1] + arr[i - 2];
}
return arr[n];
}
private static long fibonacciTail(int n) {
if (n == 0)
return 0;
return fibHelper(n, 1, 0, 1);
}
private static long fibHelper(int n, int m, long fibM_minus_one, long fibM) {
if (n == m)
return fibM;
return fibHelper(n, m + 1, fibM, fibM_minus_one + fibM);
}
}
在运行这个程序时我得出了一些结果:
系统规范:
英特尔酷睿 5 处理器,
Windows XP,
32 位 Java 1.6
JVM 的默认堆栈大小。
最佳答案
Does it mean that java does some Tail call optimization internally?
不,它没有。 HotSpot JIT 编译器不实现尾调用优化。
您观察到的结果是您在未考虑 JVM 预热的 Java 基准测试中看到的典型异常。例如,调用方法的“前几次”,它将由解释器执行。然后 JIT 编译器将编译该方法……它会变得更快。
要获得有意义的结果,请围绕整个批处理进行循环并运行多次,直到时序稳定。然后丢弃早期迭代的结果。
... why I did it give StackOverflowError at n > 5000?
这只是没有发生任何尾调用优化的证据。
关于java - java中斐波那契函数的尾调用优化,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/5453376/
我是一名优秀的程序员,十分优秀!