lintcode 斐波纳契数列

查找斐波纳契数列中第 N 个数。
所谓的斐波纳契数列是指:
前2个数是 0 和 1 。
第 i 个数是第 i-1 个数和第i-2 个数的和。
斐波纳契数列的前10个数字是:
0, 1, 1, 2, 3, 5, 8, 13, 21, 34 …
您在真实的面试中是否遇到过这个题?
Yes
样例
给定 1,返回 0
给定 2,返回 1
给定 10,返回 34

class Solution{
public:
    /**
     * @param n: an integer
     * @return an integer f(n)
     */
    
    
    int fibonacci(int n) {
        // write your code here
        long long  result[100];
        result[1]=0;
        result[2]=1;

        for(int i=3;i<=n;i++){
            result[i]=result[i-1]+result[i-2];
        }

        return result[n];
        
        /*
        这样的代价是时间的太慢,迭代要比递归更好
              int fibonacci(int n) {
            // write your code here
    
            if(n==1){
                return 0;
            }
            if(n==2){
                return 1;
            }
    
            return fibonacci(n-1)+fibonacci(n-2);
            
             }
        
        */
    }
};

    原文作者:zhaozhengcoder
    原文地址: https://www.jianshu.com/p/637aa246164d#comments
    本文转自网络文章,转载此文章仅为分享知识,如有侵权,请联系博主进行删除。
点赞