题目描述
一只青蛙一次可以跳上1级台阶,也可以跳上2级。求该青蛙跳上一个n级的台阶总共有多少种跳法(先后次序不同算不同的结果)。
解题思路
这是一个斐波那契额数列的问题,与剑指offer-7:斐波那契数列中讲的类似
代码
public class Solution {
public int JumpFloor(int target) {
//如果跳0阶或1阶,有1种方法
if(target<2)return 1;
int f=1;
int g=1;
for(int i=2;i<=target;i++){
int temp=g+f;
f=g;
g=temp;
}
return g;
}
}