我怎样才能减少这段代码的执行时间

How can i reduce the time of execution of this code

var yourself = {
    fibonacci : function(n) {
        return n === 0 ? 0 : n === 1 ? 1 : 
        this.fibonacci(n -1) + this.fibonacci (n-2)
    }
};

这个函数根据 为函数的 'n' 参数提供的参数。 我想重构函数以减少执行时间

使用动态规划,缓存已计算结果的Memoization

在此处阅读有关 memoization 的更多信息

const memoFib = function () {
    let memo = {}
    return function fib(n) {
        if (n in memo) { return memo[n] }
        else {
            if (n <= 1) { memo[n] = n }
            else { memo[n] = fib(n - 1) + fib(n - 2) }
            return memo[n]
        }
    }
}

const fib = memoFib()
console.log(fib(50));

您可以实施某种缓存。这样您就不需要多次重新计算相同的结果。

var yourself = {
    fibonacci : function(n, cache = new Map()) {
        if(cache.has(n)) return cache.get(n);
        if(n === 0) return 0;
        if(n === 1) return 1;
        
        const start = this.fibonacci(n-1, cache);
        const end = this.fibonacci(n-2, cache);
        
        cache.set(n-1, start);
        cache.set(n-2, end);
        
        return start + end;
    }
};

console.log(yourself.fibonacci(40));