我正在学习react.js。我有一个对象文字,我试图根据从选择输入中选择的内容在对象内动态选择一个对象。但是,我变得不确定。我已经尝试了点和括号符号。我已成功获取所选选项的值并将其存储在变量中。有任何想法吗?

这是我的对象:

var horoList = {
aries: {
    title: "JerkFace",
},
cancer: {
    title: "Cancerous",
},
gemini : {
    title: "GoofBall"
}
} ;


这是render方法中的一些JSX:

                    <select name="pick-sign" onChange={this.handleChange}>
                        <option></option>
                        <option value="aries" >Aries</option>
                        <option value="cancer" >Cancer</option>
                        <option value="gemini" >Gemini</option>
                        <option value="taurus" >Taurus</option>
                    </select>


这是我的句柄更改方法:

        handleChange: function(e) {
        var selectedHoro = e.target.value;
        console.log(selectedHoro); //outputs: aries
        console.log(horoList); //outputs: Object {aries: Object, cancer: Object, gemini: Object}
        console.log(horoList.aries); //ouputs: Object {title: "JerkFace"}
        console.log(horoList['selectedHoro']); //outputs: undefined
        // this.setState({
        //  horos: horoList.selectedHoro
        // });
    },

最佳答案

如果更改此行:

console.log(horoList['selectedHoro']); //outputs: undefined

至:

console.log(horoList[selectedHoro]);

您应该获得预期的输出。使用horoList['selectedHoro']时,将使用文字字符串值selectedHoro,因此它将为horoList.selectedHoro。使用horoList[selectedHoro]时,selectedHoro是一个变量,其值用于确定要解析的属性名称,以便将其解析为horoList.aeries(当selectedHoro === aeries时)。

10-04 16:35