java数据结构和算法(08)跳台阶
2019-06-04 本文已影响0人
ngu2008
- 一只青蛙一次可以跳上1级台阶,也可以跳上2级。求该青蛙跳上一个n级的台阶总共有多少种跳法(先后次序不同算不同的结果)。完成如下代码:
public class Solution {
public int JumpFloor(int target) {
}
}
- 思路:典型的递归法
- n=1时,1种跳发
- n=2时,一级一级跳或者直接一下跳2级,总共2种跳发
- n>2时,可以先调到n-2级台阶再跳到n级,或者可以先调到n-1级台阶再跳到n级
- 代码
public class Solution {
public int JumpFloor(int target) {
if (target < 1) {
return 0;
} else if (target == 1) {
return 1;
} else if (target == 2) {
return 2;
} else {
return JumpFloor(target - 1) + JumpFloor(target - 2);
}
}
}