我有一个Profile
组件,应根据用户操作(单击标签)呈现不同的组件。我传递了信息并更新了正确的组件状态。但是,当重新呈现Profile
组件时,它仍会呈现相同的组件,而不是新选择的组件。
class Profile extends Component {
constructor(props){
super(props);
this.state = {
currentComponent: 'sales'
}
this.changeComponent = this.changeComponent.bind(this);
}
changeComponent(component){
console.log('You are trying to change component!');
console.log(this);
this.setState({currentComponent: component});
}
render(){
let component;
switch(this.state.currentComponent){
case 'sales':
component = <Sales />;
break;
case 'income':
component = <Income />;
default:
component = <Sales />;
}
const menuItems = [
{
text: 'Sales'
},
{
text: 'Team'
},
{
text: 'Income'
},
{
text: 'Edit'
}
]
console.log(this.state);
return <div id="profileWrap">
<div id="profileMenu">
<NavMenu menuItems={menuItems} currentComponent={this.state.currentComponent} changeComponent={this.changeComponent}/>
</div>
{component}
</div>
}
}
我的Sales
/ Income
组件只是
import React, {Component} from 'react';
import {Link} from 'react-router';
class Sales extends Component {
render(){
return(<h1>This is Sales!</h1>)
}
}
export default Sales;
以Income
代替Sales
。
正如您所看到的,在Profile
组件内部,当我访问该函数时,我正在记录我的工作人员在那个时刻所认为的this
(两者看起来都是正确的)我还在重新渲染时记录状态,这确实显示了正在使用的正确状态。这是我的switch语句吗?
修改 的
将我的switch语句更改为if/elseif
语句后,一切正常。为什么switch
导致它不更新?
答案 0 :(得分:4)
您在switch语句中遗漏了break
:
switch(this.state.currentComponent){
case 'sales':
component = <Sales />;
break;
case 'income':
component = <Income />;
break; // <-- need this here or will fall through to default.
default:
component = <Sales />;
}
更新:您还可以通过将组件添加到menuItems
数组中来避免这一切。
this.state = { currentComponent: <Sales /> }
...
const menuItems = [
{
text: 'Sales'
component: <Sales />
},
...
]
然后在渲染中:{ this.state.currentComponent }