memoize
最后更新于:2022-04-02 00:01:10
## memoize
+ [link](./memoize "Link to this entry.")
+ [source](https://github.com/lodash/lodash/blob/4.5.0正式版/lodash.src.js#L8839 "View in source.")
+ [npm](https://www.npmjs.com/package/lodash.memoize "See the npm package.")
```
_.memoize(func, [resolver])
```
创建一个会缓存 `func` 结果的函数。 如果提供了 `resolver`,就用 `resolver` 的返回值作为 key 缓存函数的结果。 默认情况下用第一个参数作为缓存的 key。 `func` 在调用时 this 会绑定在缓存函数上。
**注意:** 缓存会暴露在缓存函数的 `cache` 上。 它是可以定制的,只要替换了 _.memoize.Cache 构造函数,或实现了 [`Map`](http://ecma-international.org/ecma-262/6.0/#sec-properties-of-the-map-prototype-object) 的 `delete`, `get`, `has`, 以及 `set`方法。
### 参数
1. func (Function)
需要缓存化的函数
2. [resolver] (Function)
这个函数的返回值作为缓存的 key
### 返回值 (Function)
返回缓存化后的函数
### 示例
```
var object = { 'a': 1, 'b': 2 };
var other = { 'c': 3, 'd': 4 };
var values = _.memoize(_.values);
values(object);
// => [1, 2]
values(other);
// => [3, 4]
object.a = 2;
values(object);
// => [1, 2]
// 修改结果缓存
values.cache.set(object, ['a', 'b']);
values(object);
// => ['a', 'b']
// 替换 `_.memoize.Cache`
_.memoize.Cache = WeakMap;
```
';