我正在使用 React Native 0.43。我有两个组件,名为 ParentComponent
和 ChildComponent
。我想将一些 Prop 从父组件传递给子组件。我在父组件中使用以下代码(删节版):
export default class ParentComponent extends Component {
constructor(props) {
super(props);
this.state = {
latitude: 34.7821,
};
}
render() {
return (
<View>
<ChildComponent latitude={this.state.latitude} />
</View>
);
}
}
我的子组件如下:
export default class ChildComponent extends Component {
constructor(props) {
super(props);
this.state = {
latitude: props.latitude,
};
}
componentWillMount() {
console.log('Before Mount: ' + this.state.latitude)
}
render() {
return (
<Text>{'Mounted: ' + console.log(this.state.latitude)}</Text>
);
}
}
现在,我的控制台显示以下结果:
2:14:12 AM: Before Mount: null
2:14:12 AM: Mounted: null
2:14:12 AM: Mounted: 34.7821
现在,我的原始代码中的
componentWillMount()
有一个对 Web 服务的 API 调用,该调用取决于 this.state.latitude
的值,该值显然没有被传递,至少在第一次渲染时是这样。在第二次渲染时,当 this.state.latitude
值可用时,仅执行 render()
函数,但我的 componentWillMount()
函数中需要此值。我在这里做错了什么?
最佳答案
我无法在 componentWillMount
中接收 props 值,因为此方法仅在初始渲染之前执行一次。由于在第一次渲染时 Prop 没有从父组件传递到子组件,我通过在子组件中使用 componentWillReceiveProps
方法解决了这个问题。它在后续渲染中接收 Prop 并更新我的子组件中的原始状态。这使我能够访问我的状态值。我用来解决的代码如下:
componentWillReceiveProps(nextProps) {
// update original states
this.setState({
latitude: nextProps.latitude,
});
}
关于reactjs - react native : Passing props between components and componentWillMount() method,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/43313158/