我试图让购物车前端与本地存储,因为有一些模态窗口,我需要通过车中的项目信息存在。 每次单击添加到购物车应该创建对象和它的localStorage。 我知道我需要把一切都放在阵列和推新对象数组,尝试多种解决方案后 - 不能得到它的工作
这是我有什么(仅保存最后一个对象):
var itemContainer = $(el).parents('div.item-container');
var itemObject = {
'product-name': itemContainer.find('h2.product-name a').text(),
'product-image': itemContainer.find('div.product-image img').attr('src'),
'product-price': itemContainer.find('span.product-price').text()
};
localStorage.setItem('itemStored', JSON.stringify(itemObject));
你每一次覆盖其他对象,你需要使用一个数组来保存所有这些:
var oldItems = JSON.parse(localStorage.getItem('itemsArray')) || [];
var newItem = {
'product-name': itemContainer.find('h2.product-name a').text(),
'product-image': itemContainer.find('div.product-image img').attr('src'),
'product-price': itemContainer.find('span.product-price').text()
};
oldItems.push(newItem);
localStorage.setItem('itemsArray', JSON.stringify(oldItems));
http://jsfiddle.net/JLBaA/1/
您可能还需要考虑使用对象而不是一个数组和使用产品名称作为关键。 这将防止重复的条目显示在localStorage的了。
它不直接相关的本地存储,但nowdays,它的使用作出反应/角一个很好的做法。 这里是一个例子:
var TodoItem = React.createClass({
done: function() {
this.props.done(this.props.todo);
},
render: function() {
return <li onClick={this.done}>{this.props.todo}</li>
}
});
var TodoList = React.createClass({
getInitialState: function() {
return {
todos: this.props.todos
};
},
add: function() {
var todos = this.props.todos;
todos.push(React.findDOMNode(this.refs.myInput).value);
React.findDOMNode(this.refs.myInput).value = "";
localStorage.setItem('todos', JSON.stringify(todos));
this.setState({ todos: todos });
},
done: function(todo) {
var todos = this.props.todos;
todos.splice(todos.indexOf(todo), 1);
localStorage.setItem('todos', JSON.stringify(todos));
this.setState({ todos: todos });
},
render: function() {
return (
<div>
<h1>Todos: {this.props.todos.length}</h1>
<ul>
{
this.state.todos.map(function(todo) {
return <TodoItem todo={todo} done={this.done} />
}.bind(this))
}
</ul>
<input type="text" ref="myInput" />
<button onClick={this.add}>Add</button>
</div>
);
}
});
var todos = JSON.parse(localStorage.getItem('todos')) || [];
React.render(
<TodoList todos={todos} />,
document.getElementById('container')
);
从这里