Leetcode70.爬楼梯三种方法时间消耗比较
作者:互联网
假设你正在爬楼梯。需要 n 阶你才能到达楼顶。
每次你可以爬 1 或 2 个台阶。你有多少种不同的方法可以爬到楼顶呢?
注意:给定 n 是一个正整数。
示例 1:
输入: 2
输出: 2
解释: 有两种方法可以爬到楼顶。
1.1 阶 + 1 阶
2.2 阶
示例 2:
输入: 3
输出: 3
解释: 有三种方法可以爬到楼顶。
1.1 阶 + 1 阶 + 1 阶
2.1 阶 + 2 阶
3.2 阶 + 1 阶
主类
//https://leetcode-cn.com/problems/climbing-stairs/
public class LC70爬楼梯 {
public static void main(String[] args) {
System.out.println(Utils.calTimeConsuming(() -> f(100)));
System.out.println(Utils.calTimeConsuming(() -> f2(100)));
System.out.println(Utils.calTimeConsuming(() -> f3(100)));
}
static int[] memo = new int[999];
static int[] dp = new int[999];
// 记忆递归 最慢
public static int f(int n) {
if (n == -1) {
return 0;
}
if (n == 0) {
return 1;
}
if (memo[n] != 0) {
return memo[n];
}
int res = f(n - 1) + f(n - 2);
return memo[n] = res;
}
// 动态规划,(指不要自己调用自己)
// 第二快
public static int f2(int n) {
int[] dp = new int[n + 1];
dp[1] = 1;
dp[2] = 2;
for (int i = 3; i <= n; i++) {
dp[i] = dp[i - 1] + dp[i - 2];
}
return dp[n];
}
// 滚动数组
// 最快,但是考场上不好写,基本上不能写的很直观
public static int f3(int n) {
// int a = 1; int b = 1
int a = 1; // 第1项
int b = 2; // 第2项
for (int i = 3; i <= n; i++) { // 第3项 直观!
// 如果你要从第0项开始写 也可以 得保证第2项=第1项+第0项
int t = a + b;
a = b;
b = t;
}
return b;
}
}
工具类
public class Utils {
public static long calTimeConsuming(FunctionClass fun){
String t = String.valueOf(System.nanoTime());
fun.offer();
String t2 = String.valueOf(System.nanoTime());
return Long.parseLong(t2) - Long.parseLong(t);
}
}
FunctionClass类
@FunctionalInterface
public interface FunctionClass {
void offer();
}
标签:Leetcode70,爬楼梯,String,int,static,三种,return,public,dp 来源: https://blog.csdn.net/qq_39115598/article/details/115736567