#题目描述#
编写一个类,它允许获取和设置键-值对,并且每个键都有一个 过期时间 。
该类有三个公共方法:
set(key, value, duration) :接收参数为整型键 key 、整型值 value 和以毫秒为单位的持续时间 duration 。一旦 duration 到期后,这个键就无法访问。如果相同的未过期键已经存在,该方法将返回 true ,否则返回 false 。如果该键已经存在,则它的值和持续时间都应该被覆盖。
get(key) :如果存在一个未过期的键,它应该返回这个键相关的值。否则返回 -1 。
count() :返回未过期键的总数。
#示例#
1、示例1
输入:
actions = ["TimeLimitedCache", "set", "get", "count", "get"]
values = [[], [1, 42, 100], [1], [], [1]]
timeDeays = [0, 0, 50, 50, 150]
输出: [null, false, 42, 1, -1]
解释:
在 t=0 时,缓存被构造。
在 t=0 时,添加一个键值对 (1: 42) ,过期时间为 100ms 。因为该值不存在,因此返回false。
在 t=50 时,请求 key=1 并返回值 42。
在 t=50 时,调用 count() ,缓存中有一个未过期的键。
在 t=100 时,key=1 到期。
在 t=150 时,调用 get(1) ,返回 -1,因为缓存是空的。
2、示例2
输入:
actions = ["TimeLimitedCache", "set", "set", "get", "get", "get", "count"]
values = [[], [1, 42, 50], [1, 50, 100], [1], [1], [1], []]
timeDelays = [0, 0, 40, 50, 120, 200, 250]
输出: [null, false, true, 50, 50, -1]
解释:
在 t=0 时,缓存被构造。
在 t=0 时,添加一个键值对 (1: 42) ,过期时间为 50ms。因为该值不存在,因此返回false。
当 t=40 时,添加一个键值对 (1: 50) ,过期时间为 100ms。因为一个未过期的键已经存在,返回 true 并覆盖这个键的旧值。
在 t=50 时,调用 get(1) ,返回 50。
在 t=120 时,调用 get(1) ,返回 50。
在 t=140 时,key=1 过期。
在 t=200 时,调用 get(1) ,但缓存为空,因此返回 -1。
在 t=250 时,count() 返回0 ,因为缓存是空的,没有未过期的键。
#提示#
0 <= key, value <= 109
0 <= duration <= 1000
1 <= actions.length <= 100
actions.length === values.length
actions.length === timeDelays.length
0 <= timeDelays[i] <= 1450
actions[i] 是 "TimeLimitedCache"、"set"、"get" 和 "count" 中的一个。
第一个操作始终是 "TimeLimitedCache" 而且一定会以 0 毫秒的延迟立即执行
#题目解析#
1、准入准出:编写一个类,有set,get,count三个方法
class TimeLimitedCache {
set(key, value, duration) {
// 接收参数为整型键 key 、整型值 value 和以毫秒为单位的持续时间 duration 。一旦 duration 到期后,这个键就无法访问。如果相同的未过期键已经存在,该方法将返回 true ,否则返回 false 。如果该键已经存在,则它的值和持续时间都应该被覆盖。
}
get(key) {
// 如果存在一个未过期的键,它应该返回这个键相关的值。否则返回 -1
}
count() {
// 返回未过期键的总数
}
};
2、结果解析:
(一):在类构造函数中创建一个Map对象的缓存容器:this.cache = new Map();
(二):set方法:
- 传入key,value,duration(持续时间)
- 一旦 duration 到期后,这个键就无法访问:创建一个定时器:let timeout = setTimeout(() => this.cache.delete(key), duration),超过持续时间可以对对应的key值进行删除
- 设置key值:this.cache.set(key, { value, timeout })
- 如果key值存在,每次设置操作对之前的value和timeout进行覆盖,需要清除之前的定时器
- 返回是否存在key值的布尔值
(三):get方法:
- 传入key参数
- 判断是否存在对应的key:this.cache.has(key),存在返回对应value,不存在返回-1
(四):count方法
- 返回map对象里的size值
#答案解析#
class TimeLimitedCache {
constructor() {
this.cache = new Map();
}
set(key, value, duration) {
const valueInCache = this.cache.get(key);
if (valueInCache) {
clearTimeout(valueInCache.timeout);
}
const timeout = setTimeout(() => this.cache.delete(key), duration);
this.cache.set(key, { value, timeout });
return Boolean(valueInCache);
}
get(key) {
return this.cache.has(key) ? this.cache.get(key).value : -1;
}
count() {
return this.cache.size;
}
};