列表

详情


2623. 记忆函数

请你编写一个函数,它接收另一个函数作为输入,并返回该函数的 记忆化 后的结果。

记忆函数 是一个对于相同的输入永远不会被调用两次的函数。相反,它将返回一个缓存值。

你可以假设有 3 个可能的输入函数:sumfibfactorial

 

示例 1:

输入:
"sum"
["call","call","getCallCount","call","getCallCount"]
[[2,2],[2,2],[],[1,2],[]]
输出:
[4,4,1,3,2]

解释:
const sum = (a, b) => a + b;
const memoizedSum = memoize(sum);
memoizedSum (2, 2);// 返回 4。sum() 被调用,因为之前没有使用参数 (2, 2) 调用过。
memoizedSum (2, 2);// 返回 4。没有调用 sum(),因为前面有相同的输入。
//总调用数: 1
memoizedSum(1、2);// 返回 3。sum() 被调用,因为之前没有使用参数 (1, 2) 调用过。
//总调用数: 2

示例 2:

输入:
"factorial"
["call","call","call","getCallCount","call","getCallCount"]
[[2],[3],[2],[],[3],[]]
输出:
[2,6,2,2,6,2]

解释:
const factorial = (n) => (n <= 1) ? 1 : (n * factorial(n - 1));
const memoFactorial = memoize(factorial);
memoFactorial(2); // 返回 2。
memoFactorial(3); // 返回 6。
memoFactorial(2); // 返回 2。 没有调用 factorial(),因为前面有相同的输入。
// 总调用数:2
memoFactorial(3); // 返回 6。 没有调用 factorial(),因为前面有相同的输入。
// 总调用数:2

示例 3:

输入:
"fib"
["call","getCallCount"]
[[5],[]]
输出:
[8,1]

解释:
fib(5) = 8
// 总调用数:1

 

Constraints:

原站题解

去查看

上次编辑到这里,代码来自缓存 点击恢复默认模板
/** * @param {Function} fn */ function memoize(fn) { return function(...args) { } } /** * let callCount = 0; * const memoizedFn = memoize(function (a, b) { * callCount += 1; * return a + b; * }) * memoizedFn(2, 3) // 5 * memoizedFn(2, 3) // 5 * console.log(callCount) // 1 */

typescript 解法, 执行用时: 448 ms, 内存消耗: 80.8 MB, 提交时间: 2023-04-17 16:09:35

type Fn = (...params: any) => any

function memoize(fn: Fn): Fn {
  const cache = new Map<string, unknown>()
  return function (...args) {
    const key = args.join('#')
    if (cache.has(key)) return cache.get(key)
    const res = fn.apply(this, args)
    cache.set(key, res)
    return res
  }
}


/** 
 * let callCount = 0;
 * const memoizedFn = memoize(function (a, b) {
 *	 callCount += 1;
 *   return a + b;
 * })
 * memoizedFn(2, 3) // 5
 * memoizedFn(2, 3) // 5
 * console.log(callCount) // 1 
 */

javascript 解法, 执行用时: 296 ms, 内存消耗: 79.6 MB, 提交时间: 2023-04-17 16:09:19

/**
 * @param {Function} fn
 */
function memoize(fn) {
    let m = new Map();
    return function(...args) {
        let p = args.join(',');
        if ( !m.has(p) ) {
            m.set(p, fn(...args));
        }
        return m.get(p);
    }
}


/** 
 * let callCount = 0;
 * const memoizedFn = memoize(function (a, b) {
 *	 callCount += 1;
 *   return a + b;
 * })
 * memoizedFn(2, 3) // 5
 * memoizedFn(2, 3) // 5
 * console.log(callCount) // 1 
 */

上一题