场景
浏览器端需要存储一个用户的标识和cookie
一样需要过期时间,但是用的是localStorage
存储。而localStorage
一经存储除非手动删除是不会过期的。那就需要自己实现过期机制。网上找了几种简单的方法。
方案一:ES5扩展Storage
思路很简单,存储的值加一个时间戳,下次取值时验证时间戳。
注意: localStorage
只能存储字符,存入时将对象转为json
字符串,读取时也要解析
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22
| CopyStorage.prototype.setExpire = (key, value, expire) => { let obj = { data: value, time: Date.now(), expire: expire }; localStorage.setItem(key, JSON.stringify(obj)); }
Storage.prototype.getExpire = key => { let val = localStorage.getItem(key); if (!val) { return val; } val = JSON.parse(val); if (Date.now() - val.time > val.expire) { localStorage.removeItem(key); return null; } return val.data; }
|
测试一下:
| CopylocalStorage.setExpire('userId','zhangsan',5000); window.setInterval(()=>{ console.log(localStorage.getExpire("userId")); },1000)
|
前5秒还是有值的,之后即为null
方案二:ES6扩展Storage
大体思路和方案一是一样的只不过是用了ES6的最新语法实现。
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73
| Copyclass Storage {
constructor(props) { this.props = props || {} this.source = this.props.source || window.localStorage this.initRun(); } initRun(){
const reg = new RegExp("__expires__"); let data = this.source; let list = Object.keys(data); if(list.length > 0){ list.map((key,v)=>{ if( !reg.test(key )){ let now = Date.now(); let expires = data[`${key}__expires__`]||Date.now+1; if (now >= expires ) { this.remove(key); }; }; return key; }); }; }
set(key, value, expired) {
let source = this.source; source[key] = JSON.stringify(value); if (expired){ source[`${key}__expires__`] = Date.now() + expired }; return value; }
get(key) {
const source = this.source, expired = source[`${key}__expires__`]||Date.now+1; const now = Date.now(); if ( now >= expired ) { this.remove(key); return; } const value = source[key] ? JSON.parse(source[key]) : source[key]; return value; }
remove(key) { const data = this.source, value = data[key]; delete data[key]; delete data[`${key}__expires__`]; return value; }
}
|
其中set()
,get()
,remove()
方法可以理解用来存、取、删, initRun()
做什么用呢?过期的值只有取时才能知道是不是过期,不取一直存着。initRun()
和constructor
只是在初始化时实现清理,也不是一定即时。另外写一个定时器去清理貌似也不值当,所以觉得做到这样已经够用了。
使用如下代码进行测试一下,效果和方案一相同
| Copyvar ls=new Storage(); ls.set('userId','zhangsan',5000); window.setInterval(()=>{ console.log(ls.get("userId")); },1000)
|
参考