Climbing Stairs

来源:互联网 发布:查询淘宝词的热度 编辑:程序博客网 时间:2024/06/08 13:50

题目要求:

You are climbing a stair case. It takes n steps to reach to the top.

Each time you can either climb 1 or 2 steps. In how many distinct ways can you climb to the top?

分析:

       这个题目在网易游戏电面时遇到过,当时采用的是递归:f(n)=f(n-1)+f(n-2)的方法,所以这次毫不犹豫的写出代码:

class Solution {public:    int climbStairs(int n) {if(n==0)return 0;if(n==1)return 1;if(n==2)return 2;return climbStairs(n-1)+climbStairs(n-2);      }};
       运行之后:Time Limit Exceeded

       突然一身冷汗,面试的时候觉得蛮简单,发现根本没有考虑到时间复杂度。后来分析了一下,递归时函数调用的开销太大,而且很多重复的计算,

然后将递归改成非递归,通过!

代码实现:

class Solution {public:    int climbStairs(int n) {int* A= new int[n];memset(A, 0, sizeof(int)*n);A[0]=1;A[1]=2;for(int i=2;i<n;i++){    A[i]=A[i-1]+A[i-2];}return A[n-1];      }};

0 0
原创粉丝点击