在HTML5 localStorage中存储对象

在HTML5 localStorage中存储对象

我想在HTML5中存储JavaScript对象localStorage,但我的对象显然正在转换为字符串。

我可以使用存储和检索原始JavaScript类型和数组localStorage,但对象似乎不起作用。他们应该吗?

这是我的代码:

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 storagelocalStorage.setItem('testObject', testObject);
    // Retrieve the object from storagevar 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存储规范的误解,而不是特定于浏览器的错误或限制。

我试图理解http://www.w3.org/TR/html5/infrastructure.html中描述的结构化克隆算法。我不完全理解它的含义,但也许我的问题与我的对象的属性不可枚举(???)

有一个简单的解决方法吗?



慕森卡
浏览 1778回答 5
5回答

三国纷争

查看Apple,Mozilla和Microsoft文档,该功能似乎仅限于处理字符串键/值对。解决方法可以是在存储对象之前对其进行字符串化,然后在检索对象时对其进行解析:var testObject = { 'one': 1, 'two': 2, 'three': 3 };// Put the object into storagelocalStorage.setItem('testObject', JSON.stringify(testObject));// Retrieve the object from storagevar retrievedObject = localStorage.getItem('testObject');console.log('retrievedObject: ', JSON.parse(retrievedObject));

ITMISS

对变体的微小改进:Storage.prototype.setObject = function(key, value) {     this.setItem(key, JSON.stringify(value));}Storage.prototype.getObject = function(key) {     var value = this.getItem(key);     return value && JSON.parse(value);}由于短路评估,如果不在存储中getObject()则会立即返回。如果是(空字符串; 无法处理),它也不会抛出异常。nullkeySyntaxErrorvalue""JSON.parse()

烙印99

您可能会发现使用这些方便的方法扩展Storage对象很有用:Storage.prototype.setObject = function(key, value) {     this.setItem(key, JSON.stringify(value));}Storage.prototype.getObject = function(key) {     return JSON.parse(this.getItem(key));}这样您就可以获得您真正想要的功能,即使API下面只支持字符串。

隔江千里

扩展Storage对象是一个很棒的解决方案。对于我的API,我已经为localStorage创建了一个外观,然后在设置和获取时检查它是否是一个对象。var data = {   set: function(key, value) {     if (!key || !value) {return;}     if (typeof value === "object") {       value = JSON.stringify(value);     }     localStorage.setItem(key, value);   },   get: function(key) {     var value = localStorage.getItem(key);     if (!value) {return;}     // assume it is an object that has been stringified     if (value[0] === "{") {       value = JSON.parse(value);     }     return value;   }}
打开App,查看更多内容
随时随地看视频慕课网APP