赞
踩
n<=39
直接上我的代码:
int Fibonacci(int n) { int sum =0,l=0,r=1; if(n==1) return 1; else { for(int i=0;i<n-1;i++) { sum=l+r; l=r; r=sum; } } return sum; }
这个题可以说是迭代(Iteration) VS 递归(Recursion),
1
2
|
if
(n<=
1
)
return
n;
else
return
Fibonacci(n-
1
)+Fibonacci(n-
2
);
|
那能不能把“优雅”的递归和动态规划结合起来呢?递归的优点在于便于理解和编码,而重复计算的关键原因在于代码里直接就“递”进去然后等着“归”了,所以避免重复的关键在于对子问题是否已经得出解的判断,即:
对于这种有很小范围内的计算,我们可以更暴力一点的。像下面这样:
public
class
Solution {
public
static
int
Fibonacci(
int
n) {
int
[] ns = {
0
,
1
,
1
,
2
,
3
,
5
,
8
,
13
,
21
,
34
,
55
,
89
,
144
,
233
,
377
,
610
,
987
,
1597
,
2584
,
4181
,
6765
,
10946
,
17711
,
28657
,
46368
,
75025
,
121393
,
196418
,
317811
,
514229
,
832040
,
1346269
,
2178309
,
3524578
,
5702887
,
9227465
,
14930352
,
24157817
,
39088169
,
63245986
};
return
ns[n];
}
}
另类解法:
public
int
Fibonacci(
int
n) {
if
(n==
0
)
return
0
;
if
(n <=
2
) {
return
1
;
}
if
(n ==
3
)
return
2
;
int
n1 =
1
;
int
n2 =
2
;
for
(
int
i =
4
; i <= n; i++) {
n1 ^= n2;
n2 ^= n1;
n1 ^= n2;
n2 += n1;
}
return
n2;
}
代码量最少的解法:
public
class
Solution {
public
int
Fibonacci(
int
n) {
return
n<=
0
?
0
:n<=
2
?
1
: Fibonacci(n-
1
) + Fibonacci(n-
2
);
}
}
简单粗暴,拿走不谢!
下面这几个解法最牛逼,汇总了,真是逆天的操作:
// 遍历求解 function Fibonacci(n) { var pre = 0; var num = 0; while (n > 0) { if (num == 0) { num = 1; } else { var tmp = num; num += pre; pre = tmp; } n--; } return num; } // 暴力求解 function Fibonacci2(n) { var arr = [0,1,1,2,3,5,8,13,21,34,55,89, 144,233,377,610,987,1597,2584,4181,6765, 10946,17711,28657,46368,75025, 121393,196418,317811,514229,832040, 1346269,2178309,3524578,5702887,9227465, 14930352,24157817,39088169,63245986]; return arr[n]; } // 通项公式求解 function Fibonacci3(n) { if (n == 0) return 0; if (n == 1) return 1; if (n == 2) return 1; var sqrt5 = Math.sqrt(5); var result = 1 / sqrt5 * (Math.pow((1 + sqrt5) / 2, n) - Math.pow((1 - sqrt5) / 2, n)); return Math.round(result); }
来源:我是码农,转载请保留出处和链接!
本文链接:http://www.54manong.com/?id=1232
Copyright © 2003-2013 www.wpsshop.cn 版权所有,并保留所有权利。