在视图更改时更新JS本地存储更新

时间:2018-06-05 14:00:07

标签: javascript reactjs local-storage

如何在整个用户旅程中输入新数据时更新本地存储项目或对象的某些属性,而不会丢失先前输入的内容或用户是否决定更新?

我的5个容器之旅包括要求用户输入以下内容:

  • 名称:字符串
  • 头像:整数
  • 最喜欢的流派:多个字符串

在第一个视图中,我创建了在handleSubmit函数中设置名称的本地存储对象/项。

handleSubmit(event){     event.preventDefault();

//Profile object
let profile = { 'name': this.state.name, 'avatar': null, 'genres': '' };

// Put the object into storage
localStorage.setItem('profile', JSON.stringify(profile));

// Retrieve the object from storage
var retrievedObject = localStorage.getItem('profile');

//Log object
console.log('retrievedObject: ', JSON.parse(retrievedObject));

//On form submission update view
this.props.history.push('/profile/hello');

}

在我的第二个视图中,我想只更新avatar属性并维护用户在上一个视图中输入的内容。

我在handleSelect函数中这样做:

handleSelect(i) {
    let selectedAvatarId;
    let avatars = this.state.avatars;

    avatars = avatars.map((val, index) => {
      val.isActive = index === i ? true : false;
      return val;
    });

    this.setState({
      selectedAvatarId: selectedAvatarId
    })

    //Profile object
    let profile = { 'avatar': i };

    //Update local storage with selected avatar
    localStorage.setItem('profile', JSON.stringify(profile));
  }

1 个答案:

答案 0 :(得分:2)

您需要从localStorage读取现有值,将其解析为JSON,然后操纵数据并将其写回。有很多库可以很容易地使用localStorage,但是有些内容可以作为通用函数使用:

function updateProfile = (updatedData) => {
    const profile = JSON.parse(localStorage.getItem('profile'));
    Object.keys(updatedData).forEach((key) => {
        profile[key] = updatedData[key];
    });
    localStorage.setItem('profile', JSON.stringify(profile));
}

如果使用对象传播,它看起来也会更清晰:

function updateProfile = (updatedData) => {
    const profile = {
        ...JSON.parse(localStorage.getItem('profile')),
        ...updatedData
    };
    localStorage.setItem('profile', JSON.stringify(profile));
}

上面的代码中应该有一些安全检查,但希望能给你一个起点的想法。