我使用如下的本地存储
var post = {
title: 'abc',
price: 'USD5'
};
window.localStorage['book'] = JSON.stringify(post);
我想在localstorage中创建嵌套的json,如果上面的代码在click事件中,用户单击save,它将删除旧数据并替换它。如何将新值作为数组对象推送?
答案 0 :(得分:3)
使用实际数组,例如在页面加载:
var posts = JSON.parse(localStorage['book'] || "[]");
然后,当你正在使用它时,添加到内存中的数组:
posts.push({
title: 'abc',
price: 'USD5'
});
任何时候您想将值保存回本地存储:
localStorage['book'] = JSON.stringify(posts);
这是一个完整的功能示例(live copy;遗憾的是,Stack Snippets禁止本地存储):
HTML:
<div>
<label>
Name:
<input type="text" id="txt-name">
</label>
</div>
<div>
<label>
Price:
<input type="text" id="txt-price">
</label>
</div>
<div>
<input type="button" value="Add" id="btn-add">
</div>
<div id="list"></div>
JavaScript(必须 文档中的HTML后):
(function() {
var nameField = document.getElementById("txt-name"),
priceField = document.getElementById("txt-price");
// On page load, get the current set or a blank array
var list = JSON.parse(localStorage.getItem("list") || "[]");
// Show the entries
list.forEach(showItem);
// "Add" button handler
document.getElementById("btn-add").addEventListener(
"click",
function() {
// Get the name and price
var item = {
name: nameField.value,
price: priceField.value
};
// Add to the list
list.push(item);
// Display it
showItem(item);
// Update local storage
localStorage.setItem("list", JSON.stringify(list));
},
false
);
// Function for showing an item
function showItem(item) {
var div = document.createElement('div');
div.innerHTML =
"Name: " + escapeHTML(item.name) +
", price: " + escapeHTML(item.price);
document.getElementById("list").appendChild(div);
}
// Function for escaping HTML in the string
function escapeHTML(str) {
return str.replace(/&/g, "&").replace(/</g, "<");
}
})();
旁注:如果有任何机会,您可能需要在旧版浏览器上支持您的代码,而这些浏览器在某些时候没有本地存储空间,您可以选择使用polyfill如果您使用更详细的.getItem(...)
/ .setItem(..., ...)
API,则会写入Cookie,因为它们可以被填充,而如上所述,可以通过[]
进行访问。
答案 1 :(得分:0)
localStorage支持字符串。您应该使用JSONs stringify()和parse()方法。
如果我理解了这个问题,你要找的是存储一个数组,而不仅仅是一个有属性的对象。
正如scunliffe评论的那样,为了将项目添加到存储在本地存储中的数组,您可以做的是: 使用第一个对象生成数组:
var array = [];
array[0] = //Whatever;
localStorage["array"] = JSON.stringify(array);
向数组添加项目:
//Adding new object
var storedArray = JSON.parse(localStorage["array"]);
sotreadArray.push(//Whatever);
localStorage["array"] = JSON.stringify(array);
这样就可以存储表示数组的JSON对象。
如this post中所述 您还可以通过以下方式扩展默认存储对象以处理数组和对象:
Storage.prototype.setObj = function(key, obj) {
return this.setItem(key, JSON.stringify(obj))
}
Storage.prototype.getObj = function(key) {
return JSON.parse(this.getItem(key))
}