我想在HTML5 localStorage中存储一个JavaScript对象,但我的对象显然被转换为字符串。
我可以使用localStorage存储和检索原始JavaScript类型和数组,但对象似乎不起作用。他们应该吗?
这是我的代码:
var testObject = { 'one': 1, 'two': 2, 'three': 3 };
console.log('typeof testObject: ' + typeof testObject);
console.log('testObject properties:');
for (var prop in testObject) {
console.log(' ' + prop + ': ' + testObject[prop]);
}
// Put the object into storage
localStorage.setItem('testObject', testObject);
// Retrieve the object from storage
var retrievedObject = localStorage.getItem('testObject');
console.log('typeof retrievedObject: ' + typeof retrievedObject);
console.log('Value of retrievedObject: ' + retrievedObject);
控制台输出为
typeof testObject: object
testObject properties:
one: 1
two: 2
three: 3
typeof retrievedObject: string
Value of retrievedObject: [object Object]
在我看来,setItem方法在存储输入之前将其转换为字符串。
我在Safari、Chrome和Firefox中看到了这种行为,所以我认为这是我对HTML5 Web存储规范的误解,而不是浏览器特定的错误或限制。
我已经试图理解2公共基础设施中描述的结构化克隆算法。我不完全理解它的意思,但也许我的问题与对象的财产不可枚举有关(???)。
有简单的解决方法吗?
更新:W3C最终改变了对结构化克隆规范的想法,并决定更改规范以匹配实现。请参阅12111–存储对象getItem(key)方法的规范与实现行为不匹配。因此,这个问题不再100%有效,但答案可能仍然令人感兴趣。
我在读到另一篇文章后发表了这篇文章,这篇文章的标题是“如何在本地存储中存储数组?”。这很好,除了两个线程都没有提供关于如何在localStorage中维护数组的完整答案之外,不过我已经根据两个线程中包含的信息制定了一个解决方案。
因此,如果其他人希望能够在数组中推送/弹出/移动项目,并且他们希望将该数组存储在localStorage或sessionStorage中,那么可以这样做:
Storage.prototype.getArray = function(arrayName) {
var thisArray = [];
var fetchArrayObject = this.getItem(arrayName);
if (typeof fetchArrayObject !== 'undefined') {
if (fetchArrayObject !== null) { thisArray = JSON.parse(fetchArrayObject); }
}
return thisArray;
}
Storage.prototype.pushArrayItem = function(arrayName,arrayItem) {
var existingArray = this.getArray(arrayName);
existingArray.push(arrayItem);
this.setItem(arrayName,JSON.stringify(existingArray));
}
Storage.prototype.popArrayItem = function(arrayName) {
var arrayItem = {};
var existingArray = this.getArray(arrayName);
if (existingArray.length > 0) {
arrayItem = existingArray.pop();
this.setItem(arrayName,JSON.stringify(existingArray));
}
return arrayItem;
}
Storage.prototype.shiftArrayItem = function(arrayName) {
var arrayItem = {};
var existingArray = this.getArray(arrayName);
if (existingArray.length > 0) {
arrayItem = existingArray.shift();
this.setItem(arrayName,JSON.stringify(existingArray));
}
return arrayItem;
}
Storage.prototype.unshiftArrayItem = function(arrayName,arrayItem) {
var existingArray = this.getArray(arrayName);
existingArray.unshift(arrayItem);
this.setItem(arrayName,JSON.stringify(existingArray));
}
Storage.prototype.deleteArray = function(arrayName) {
this.removeItem(arrayName);
}
示例用法-在localStorage数组中存储简单字符串:
localStorage.pushArrayItem('myArray','item one');
localStorage.pushArrayItem('myArray','item two');
示例用法-在sessionStorage阵列中存储对象:
var item1 = {}; item1.name = 'fred'; item1.age = 48;
sessionStorage.pushArrayItem('myArray',item1);
var item2 = {}; item2.name = 'dave'; item2.age = 22;
sessionStorage.pushArrayItem('myArray',item2);
处理数组的常用方法:
.pushArrayItem(arrayName,arrayItem); -> adds an element onto end of named array
.unshiftArrayItem(arrayName,arrayItem); -> adds an element onto front of named array
.popArrayItem(arrayName); -> removes & returns last array element
.shiftArrayItem(arrayName); -> removes & returns first array element
.getArray(arrayName); -> returns entire array
.deleteArray(arrayName); -> removes entire array from storage
https://github.com/adrianmay/rhaboo是一个localStorage糖层,允许您编写如下内容:
var store = Rhaboo.persistent('Some name');
store.write('count', store.count ? store.count+1 : 1);
store.write('somethingfancy', {
one: ['man', 'went'],
2: 'mow',
went: [ 2, { mow: ['a', 'meadow' ] }, {} ]
});
store.somethingfancy.went[1].mow.write(1, 'lawn');
它不使用JSON.stringify/parse,因为这对于大型对象来说是不准确和缓慢的。相反,每个终端值都有自己的localStorage条目。
你可能会猜到我可能和rhaboo有关系。
Stringify并不能解决所有问题
这里的答案似乎并没有涵盖JavaScript中可能的所有类型,因此这里有一些关于如何正确处理它们的简短示例:
// Objects and Arrays:
var obj = {key: "value"};
localStorage.object = JSON.stringify(obj); // Will ignore private members
obj = JSON.parse(localStorage.object);
// Boolean:
var bool = false;
localStorage.bool = bool;
bool = (localStorage.bool === "true");
// Numbers:
var num = 42;
localStorage.num = num;
num = +localStorage.num; // Short for "num = parseFloat(localStorage.num);"
// Dates:
var date = Date.now();
localStorage.date = date;
date = new Date(parseInt(localStorage.date));
// Regular expressions:
var regex = /^No\.[\d]*$/i; // Usage example: "No.42".match(regex);
localStorage.regex = regex;
var components = localStorage.regex.match("^/(.*)/([a-z]*)$");
regex = new RegExp(components[1], components[2]);
// Functions (not recommended):
function func() {}
localStorage.func = func;
eval(localStorage.func); // Recreates the function with the name "func"
我不建议存储函数,因为eval()是邪恶的,会导致安全、优化和调试方面的问题。
通常,eval()不应在JavaScript代码中使用。
私人成员
使用JSON.stringify()存储对象的问题是,该函数不能串行化私有成员。
这个问题可以通过重写.toString()方法来解决(在web存储中存储数据时隐式调用):
// Object with private and public members:
function MyClass(privateContent, publicContent) {
var privateMember = privateContent || "defaultPrivateValue";
this.publicMember = publicContent || "defaultPublicValue";
this.toString = function() {
return '{"private": "' + privateMember + '", "public": "' + this.publicMember + '"}';
};
}
MyClass.fromString = function(serialisedString) {
var properties = JSON.parse(serialisedString || "{}");
return new MyClass(properties.private, properties.public);
};
// Storing:
var obj = new MyClass("invisible", "visible");
localStorage.object = obj;
// Loading:
obj = MyClass.fromString(localStorage.object);
循环引用
stringify无法处理的另一个问题是循环引用:
var obj = {};
obj["circular"] = obj;
localStorage.object = JSON.stringify(obj); // Fails
在本例中,JSON.stringify()将抛出TypeError“将循环结构转换为JSON”。
如果应支持存储循环引用,则可以使用JSON.stringify()的第二个参数:
var obj = {id: 1, sub: {}};
obj.sub["circular"] = obj;
localStorage.object = JSON.stringify(obj, function(key, value) {
if(key == 'circular') {
return "$ref" + value.id + "$";
} else {
return value;
}
});
然而,找到存储循环引用的有效解决方案高度依赖于需要解决的任务,恢复这样的数据也并非易事。
关于堆栈溢出处理这个问题已经有一些问题:Stringify(转换为JSON)一个具有循环引用的JavaScript对象
下面是danott发布的代码的一些扩展版本:
它还将实现本地存储中的删除值,并显示如何添加Getter和Setter层,
localstorage.setItem(预览,true)
你可以写
config.preview=真
好了,我们来了:
var PT=Storage.prototype
if (typeof PT._setItem >='u')
PT._setItem = PT.setItem;
PT.setItem = function(key, value)
{
if (typeof value >='u') //..undefined
this.removeItem(key)
else
this._setItem(key, JSON.stringify(value));
}
if (typeof PT._getItem >='u')
PT._getItem = PT.getItem;
PT.getItem = function(key)
{
var ItemData = this._getItem(key)
try
{
return JSON.parse(ItemData);
}
catch(e)
{
return ItemData;
}
}
// Aliases for localStorage.set/getItem
get = localStorage.getItem.bind(localStorage)
set = localStorage.setItem.bind(localStorage)
// Create ConfigWrapperObject
var config = {}
// Helper to create getter & setter
function configCreate(PropToAdd){
Object.defineProperty( config, PropToAdd, {
get: function () { return (get(PropToAdd) )},
set: function (val) { set(PropToAdd, val)}
})
}
//------------------------------
// Usage Part
// Create properties
configCreate('preview')
configCreate('notification')
//...
// Configuration Data transfer
// Set
config.preview = true
// Get
config.preview
// Delete
config.preview = undefined
嗯,你可以用.bind(…)去掉别名部分。不过,我只是把它放进去,因为知道这一点真的很好。我花了几个小时才弄明白为什么一个简单的get=localStorage.getItem;不工作。
我做了一个东西,它不破坏现有的存储对象,而是创建一个包装器,这样您就可以随心所欲了。结果是一个普通的对象,没有方法,可以像任何对象一样访问。
我做的东西。
如果您希望1个localStorage属性具有魔力:
var prop = ObjectStorage(localStorage, 'prop');
如果您需要几个:
var storage = ObjectStorage(localStorage, ['prop', 'more', 'props']);
您所做的一切都将被保存,或者存储中的对象将自动保存到localStorage中。你总是在玩一个真实的物体,所以你可以这样做:
storage.data.list.push('more data');
storage.another.list.splice(1, 2, {another: 'object'});
被跟踪对象中的每个新对象都将被自动跟踪。
最大的缺点是:它依赖于Object.oobserve(),因此它的浏览器支持非常有限。而且它看起来不会很快出现在Firefox或Edge上。
我做了另一个只有20行代码的极简包装器,这样就可以使用它了:
localStorage.set('myKey',{a:[1,2,5], b: 'ok'});
localStorage.has('myKey'); // --> true
localStorage.get('myKey'); // --> {a:[1,2,5], b: 'ok'}
localStorage.keys(); // --> ['myKey']
localStorage.remove('myKey');
https://github.com/zevero/simpleWebstorage
您可以使用localDataStorage透明地存储JavaScript数据类型(Array、BigInt、Boolean、Date、Float、Integer、String和Object)。它还提供了轻量级数据混淆,自动压缩字符串,方便按关键字(名称)和按关键字(值)查询,并通过前缀关键字帮助在同一域内强制执行分段共享存储。
[免责声明]我是实用程序的作者[/免责声明】
示例:
localDataStorage.set( 'key1', 'Belgian' )
localDataStorage.set( 'key2', 1200.0047 )
localDataStorage.set( 'key3', true )
localDataStorage.set( 'key4', { 'RSK' : [1,'3',5,'7',9] } )
localDataStorage.set( 'key5', null )
localDataStorage.get( 'key1' ) // --> 'Belgian'
localDataStorage.get( 'key2' ) // --> 1200.0047
localDataStorage.get( 'key3' ) // --> true
localDataStorage.get( 'key4' ) // --> Object {RSK: Array(5)}
localDataStorage.get( 'key5' ) // --> null
正如您所看到的,基本值受到了尊重。
对于愿意设置和获取类型化财产的TypeScript用户:
/**
* Silly wrapper to be able to type the storage keys
*/
export class TypedStorage<T> {
public removeItem(key: keyof T): void {
localStorage.removeItem(key);
}
public getItem<K extends keyof T>(key: K): T[K] | null {
const data: string | null = localStorage.getItem(key);
return JSON.parse(data);
}
public setItem<K extends keyof T>(key: K, value: T[K]): void {
const data: string = JSON.stringify(value);
localStorage.setItem(key, data);
}
}
示例用法:
// write an interface for the storage
interface MyStore {
age: number,
name: string,
address: {city:string}
}
const storage: TypedStorage<MyStore> = new TypedStorage<MyStore>();
storage.setItem("wrong key", ""); // error unknown key
storage.setItem("age", "hello"); // error, age should be number
storage.setItem("address", {city:"Here"}); // ok
const address: {city:string} = storage.getItem("address");
我找到了一种方法,使它可以处理具有循环引用的对象。
让我们制作一个具有循环引用的对象。
obj = {
L: {
L: { v: 'lorem' },
R: { v: 'ipsum' }
},
R: {
L: { v: 'dolor' },
R: {
L: { v: 'sit' },
R: { v: 'amet' }
}
}
}
obj.R.L.uncle = obj.L;
obj.R.R.uncle = obj.L;
obj.R.R.L.uncle = obj.R.L;
obj.R.R.R.uncle = obj.R.L;
obj.L.L.uncle = obj.R;
obj.L.R.uncle = obj.R;
由于循环引用,我们不能在这里执行JSON.stringify。
LOCALSTORAGE.CYCLICJSON与普通JSON一样具有.stringify和.parse,但可以处理具有循环引用的对象。(“Works”表示解析(stringify(obj))和obj深度相等,并且具有相同的“内部等式”集合)
但我们可以使用快捷方式:
LOCALSTORAGE.setObject('latinUncles', obj)
recovered = LOCALSTORAGE.getObject('latinUncles')
然后,recovered将与obj“相同”,在以下意义上:
[
obj.L.L.v === recovered.L.L.v,
obj.L.R.v === recovered.L.R.v,
obj.R.L.v === recovered.R.L.v,
obj.R.R.L.v === recovered.R.R.L.v,
obj.R.R.R.v === recovered.R.R.R.v,
obj.R.L.uncle === obj.L,
obj.R.R.uncle === obj.L,
obj.R.R.L.uncle === obj.R.L,
obj.R.R.R.uncle === obj.R.L,
obj.L.L.uncle === obj.R,
obj.L.R.uncle === obj.R,
recovered.R.L.uncle === recovered.L,
recovered.R.R.uncle === recovered.L,
recovered.R.R.L.uncle === recovered.R.L,
recovered.R.R.R.uncle === recovered.R.L,
recovered.L.L.uncle === recovered.R,
recovered.L.R.uncle === recovered.R
]
以下是LOCALSTORAGE的实现
LOCALSTORAGE=(函数){“使用严格”;var ignore=[Boolean,Date,Number,RegExp,String];函数原语(项){if(项目类型==“对象”){if(item==null){return true;}对于(var i=0;i<ignore.length;i++){if(iteminstanceofignore[i]){return true;}}return false;}其他{返回true;}}功能婴儿(价值){return Array.isArray(value)?[] : {};}函数decycleIntoForest(对象,替换符){if(typeof replacer!==“函数”){replacer=函数(x){return x;}}object=替换器(对象);if(原语(对象))返回对象;var objects=[对象];var森林=[婴儿(对象)];var bucket=new WeakMap();//桶=对象的倒数bucket.set(对象,0);函数addToBucket(obj){var result=objects.length;objects.push(obj);bucket.set(对象,结果);返回结果;}函数isInBucket(obj){return bucket.has(obj);}函数processNode(源,目标){Object.keys(源).forEach(函数(键){var value=replacer(源[key]);if(基元(值)){target[key]={value:value};}其他{var ptr;if(isInBucket(值)){ptr=bucket.get(值);}其他{ptr=addToBucket(值);var newTree=婴儿(值);forest.push(newTree);processNode(value,newTree);}target[key]={pointer:ptr};}});}processNode(对象,林[0]);回归森林;};函数deForestInoCycle(林){var对象=[];var objectRequested=[];var todo=[];函数processTree(idx){if(对象中的idx)返回对象[idx];if(objectRequested[idx])返回null;objectRequested[idx]=true;var树=森林[idx];var node=Array.isArray(树)?[] : {};for(树中的var键){var o=树[key];如果(o中的“指针”){var ptr=o.pointer;var value=processTree(ptr);if(值==空){todo推送({node:节点,key:键,idx:ptr});}其他{node[key]=值;}}其他{if(o中的“值”){节点[key]=o.value;}其他{抛出新错误(“意外”)}}}objects[idx]=节点;返回节点;}var result=processTree(0);对于(var i=0;i<todo.length;i++){var项=todo[i];item.node[item.key]=对象[item.idx];}返回结果;};var控制台={日志:函数(x){var the=document.getElementById(''');.textContent=.textContent+'\n'+x;},分隔符:函数(){var the=document.getElementById(''');.textContent=.textContent+'\n***************************************';}}函数logCyclicObjectToConsole(根){var cycleFree=decycleIntoForest(根);var showed=cycleFree.map(函数(树,idx){return false;});var缩进增量=4;函数showItem(nodeSlot、indent、label){var leadingSpaces=''.repeat(缩进);var leadingSpacesPlus=“”.repeat(缩进+缩进增量);if(显示[nodeSlot]){console.log(leadingSpaces+label+'…请参见上文(object#'+nodeSlot+')');}其他{console.log(leadingSpaces+label+'object#'+nodeSlot);var tree=cycleFree[nodeSlot];show[nodeSlot]=true;Object.keys(树).forEach(函数(键){var entry=tree[key];if(条目中的“值”){console.log(leadingSpacesPlus+key+“:”+entry.value);}其他{if(条目中的“指针”){showItem(entry.pointer,indent+indentIncrement,key);}}});}}console.demiter();showItem(0,0,'root');};函数字符串(obj){return JSON.stringify(decycleIntoForest(obj));}函数解析(str){return deForestInoCycle(JSON.parse(str));}var CYLICJSON={decycleIntoForest:decycleIntoForest,deForestInoCycle:deForestIntoCycle,logCyclicObjectToConsole:logCyclicObject到控制台,丝状:丝状,解析:解析}函数setObject(名称,对象){var str=字符串(对象);localStorage.setItem(名称,str);}函数getObject(名称){var str=localStorage.getItem(名称);如果(str==null)返回null;返回解析(str);}返回{CYCLICJSON:CYCLICJSON,setObject:setObject,getObject:getObject}})();目标={我:{五十: {v:“lorem”},R: {v:“ipsum”}},R:{五十: {v:“dolor”},R:{五十: {v:“坐”},R: {v:“amet”}}}}obj.R.L.uncle=对象L;obj.R..uncle=对象L;obj.R.L..uncle=obj.R.L;obj.R.R..uncle=obj.R.L;obj.L.L.uncle=对象R;obj.L.R.unncle=对象R;//LOCALSTORAGE.setObject(“latinUncles”,对象)//recovered=LOCALSTORAGE.getObject('latinUncles')//fiddle内部不提供localStorage):本地存储.CYCLICJSON.logCyclicObjectToConsole(obj)putIntoLS=本地存储.CYCLICJSON.stringify(obj);recovered=本地存储.CYCLICJSON.parse(putIntoLS);LOCALSTORAGE.CYCLICJSON.logCyclicObjectToConsole(已恢复);var the=document.getElementById(''');.textContent=.textContent+'\n\n'+JSON.stringify([目标L.L.v===恢复L.L.v,目标L.R.v===恢复L.R.v,目标R.L.v===恢复的R.L.v,目标R.R.L.v===恢复的R.R.L.v,obj.R.R.R.v===恢复的R.R.R.v,obj.R.L.包含==obj.L,
如果没有字符串格式,则无法存储键值。
LocalStorage仅支持键/值的字符串格式。
这就是为什么无论数据是数组还是对象,都应该将其转换为字符串。
要在localStorage中存储数据,首先使用JSON.stringify()方法将其字符串化。
var myObj = [{name:"test", time:"Date 2017-02-03T08:38:04.449Z"}];
localStorage.setItem('item', JSON.stringify(myObj));
然后,当您想要检索数据时,需要再次将字符串解析为对象。
var getObj = JSON.parse(localStorage.getItem('item'));
循环引用
在这个答案中,我专注于具有循环引用的仅数据对象(没有函数等),并开发maja和mathheadinclouds提到的想法(我使用了他的测试用例和我的代码短了几倍)。
实际上,我们可以使用带有适当替换符的JSON.stringify-如果源对象包含对某个对象的多个引用,或者包含循环引用,那么我们可以通过特殊路径字符串(类似于JSONPath)来引用它。
//JSON.strify具有circ-ref的对象的替换器函数refReplacer(){设m=new Map(),v=new Map),init=null;返回函数(字段,值){让p=m.get(this)+(Array.isArray(this)`[${field}]“:”.“+字段);让isComplex=value==对象(值)如果(isComplex)m.set(值,p);让pp=v.get(value)||'';let path=p.replace(/未定义\.\?/,“”);让val=pp`#REF:${pp[0]==“[”?“$”:“$.”}${pp}“:value;!初始化?(init=value):(val===init?val=“#REF:$”:0);if(!pp&&isComplex)v.set(value,path);返回值;}}// ---------------//测试// ---------------//生成具有重复/循环引用的obj让obj={我:{五十: {v:“lorem”},R: {v:“ipsum”}},R:{五十: {v:“dolor”},R:{五十: {v:“坐”},R: {v:“amet”}}}}obj.R.L.uncle=对象L;obj.R..uncle=对象L;obj.R.L..uncle=obj.R.L;obj.R.R..uncle=obj.R.L;obj.L.L.uncle=对象R;obj.L.R.unncle=对象R;testObject=obj;让json=json.stringify(testObject,refReplacer(),4);console.log(“测试对象\n”,testObject);console.log(“带有JSONpath引用的JSON”,JSON);
使用类似JSONpath的引用解析此类JSON内容:
//使用对象的JSONpath引用解析JSON内容函数parseRefJSON(json){let objToPath=新映射();let pathToObj=新映射();let o=JSON.parse(JSON);让遍历=(父级,字段)=>{让obj=父级;let path=“#REF:$”;if(字段!==未定义){obj=父[字段];path=objToPath.get(父)+(Array.isArray(父)`[${field}]`:`${field?'。'+字段:''}`);}objToPath.set(obj,路径);pathToObj.set(路径,对象);let ref=路径目标获取(obj);如果(ref)父[字段]=ref;for(让f在obj中)if(obj==对象(obj))遍历(obj,f);}横向(o);返回o;}// ---------------//测试1// ---------------让json=`{“L”:{“L”:{“v”:“lorem”,“叔叔”:{“L”:{“v”:“dolor”,“叔叔”:“#REF:$.L”},“R”:{“L”:{“v”:“坐”,“叔叔”:“#REF:$.L.L叔叔.L”},“R”:{“v”:“amet”,“叔叔”:“#REF:$.L.L叔叔.L”},“叔叔”:“#REF:$.L”}}},“R”:{“v”:“ipsum”,“叔叔”:“#REF:$.L.L叔叔”}},“R”:“#REF:$.L.L叔叔”}`;let testObject=parseRefJSON(json);console.log(“测试对象\n”,testObject);// ---------------//测试2// ---------------console.log('来自mathheadinclouds的测试答案:');let recovered=测试对象;let obj={//原始对象我:{五十: {v:“lorem”},R: {v:“ipsum”}},R:{五十: {v:“dolor”},R:{五十: {v:“坐”},R: {v:“amet”}}}}obj.R.L.uncle=对象L;obj.R..uncle=对象L;obj.R.L..uncle=obj.R.L;obj.R.R..uncle=obj.R.L;obj.L.L.uncle=对象R;obj.L.R.unncle=对象R;[目标L.L.v===恢复L.L.v,目标L.R.v===恢复L.R.v,目标R.L.v===恢复的R.L.v,目标R.R.L.v===恢复的R.R.L.v,obj.R.R.R.v===恢复的R.R.R.v,obj.R.L.包含==obj.L,对象.R.R.uncle==对象L,obj.R.L.包含==obj.R.L,obj.R.R.包含==obj.R.L,对象.L.L.uncle==对象R,obj.L.R.包含==obj.R,recovered.R.L叔叔==已恢复.L,恢复.R.R.叔叔==恢复.L,恢复.R.R.L叔叔==恢复.R.L,恢复.R.R.R.叔叔==恢复.R.L,recovered.L.L叔叔==恢复。R,已恢复.L.R叔叔==已恢复.R].forEach(x=>console.log('测试通过:'+x));
要将生成的JSON内容加载/保存到存储中,请使用以下代码:
localStorage.myObject = JSON.stringify(testObject, refReplacer()); // Save
testObject = parseRefJSON(localStorage.myObject); // Load
这个问题已经从仅JavaScript的角度得到了充分的回答,其他人已经注意到localStorage.getItem和localStorage.setItem都没有对象的概念,它们只处理字符串和字符串。这个答案提供了一个TypeScript友好的解决方案,它结合了其他人在纯JavaScript解决方案中的建议。
TypeScript 4.2.3
Storage.prototype.setObject = function (key: string, value: unknown) {
this.setItem(key, JSON.stringify(value));
};
Storage.prototype.getObject = function (key: string) {
const value = this.getItem(key);
if (!value) {
return null;
}
return JSON.parse(value);
};
declare global {
interface Storage {
setObject: (key: string, value: unknown) => void;
getObject: (key: string) => unknown;
}
}
用法
localStorage.setObject('ages', [23, 18, 33, 22, 58]);
localStorage.getObject('ages');
解释
我们在Storage原型上声明setObject和getObject函数,localStorage就是这种类型的实例。除了getObject中的空处理之外,我们真的没有什么特别需要注意的。由于getItem可以返回null,我们必须提前退出,因为对null值调用JSON.parse将引发运行时异常。
在存储原型上声明函数之后,我们将其类型定义包含在全局命名空间中的存储类型上。
注意:如果我们用箭头函数定义这些函数,我们需要假设我们调用的存储对象总是localStorage,这可能不是真的。例如,上述代码还将向sessionStorage添加setObject和getObject支持。