在状态中保存对象数组 - ReactJS

Save array of objects in state - ReactJS

我正在构建一个 ReactJS 应用程序,我需要以这种方式存储数据:

this.state = {
    user: {
        name: "",
        surname: "",
        age: "",
        ...
        instruments: [],
    }
}

instruments 状态需要包含多个对象,具有属性 nameexperience。一个例子:

instruments: [
    {
        name: 'Bass guitar',
        experience: 7,
    },
    {
        name: 'Drums',
        experience: 1,
    }
    ...
]

我是 React 的新手,到目前为止,我已经能够通过这样做将数据保存在类似的数组中:

musicListenChange(val){
        let musicListenArray = this.state.user.music_listen ? this.state.user.music_listen : [];
        musicListenArray.push(val.value);
        this.setState({user: {...this.state.user, music_listen: musicListenArray}});
    }

但是,当我尝试使用以下代码保存对象时,我收到错误消息:

saveInstrument(){
        // save current instruments state in array, or create an empty one 
        let array = this.state.user.instruments ? this.state.user.instruments : [];

        // in this.state.instruments I saved a temporary copy of the selected instrument, put it in the array
        array.push(this.state.instruments);
        this.setState({user: {...this.state.user, instruments: array }});
        console.log('instrum. state: ', this.state.user.instruments);
    }

错误代码

Uncaught Error: Objects are not valid as a React child (found: object with keys {name, experience}). If you meant to render a collection of children, use an array instead or wrap the object using createFragment(object) from the React add-ons. Check the render method of `EditProfile`.

我的 EditProfile 乐器渲染部分

<div className="container-tags">
    {this.state.user.instruments ? this.state.user.instruments.map(function (instrument, index) {
        return <button className="btn btn-default">{instrument}</button>;
    }) : <div></div>}
</div>

知道如何解决这个问题吗?谢谢

Instrument 是一个对象,您正在尝试渲染它,使用您想要渲染的特定值,试试这个:

musicListenChange(val){
    let user = this.state.user;  
    user['music_listen'] = val.value;
    this.setState({user: user);
}

saveInstrument(){
    let user = this.state.user;
    user['instruments'] = user['instruments'] ? user['instruments'] : [];
    user['instruments'].push(this.state.instruments);
    this.setState({user: user});
}

在渲染函数中使用这个:

{this.state.user.instruments ? 
     this.state.user.instruments.map((instrument, index) => {
        return (<button className="btn btn-default">{instrument.name}</button>)
     })
:<div/>
}

问题出在这里:

<div className="container-tags">
    {this.state.user.instruments ? this.state.user.instruments.map(function (instrument, index) {
        return <button className="btn btn-default">{instrument}</button>;
    }) : <div></div>}
</div>

当意识到 instrument 是一个 JavaScript 对象(你说你的 instruments 数组包含具有结构 {name: "string", experience:"string"} 的对象)时,错误信息变得清晰:你试图插入一个对象作为 <button> 元素的子元素,这是不允许的,因为 React 不知道如何显示一个对象。如果您改用 instrument.nameinstrument.experience(它们是字符串),您的代码将起作用。