我创建了一个带有子菜单和第三个孩子的菜单。到目前为止,我只需要在本地const数据中使用json
来完成它,现在就可以对其进行注释了。从现在开始,我需要从json收集数据,但我不知道该怎么做。现在,我收到以下错误:'data' is not defined
(在我的渲染器中)
class Nav extends Component {
constructor(props){
super(props)
this.state = {
navigation:[]
}
}
componentWillMount() {
fetch('json_menuFIN.php')
.then(response => response.json())
.then(data =>{
this.setState({navigation: data });
console.log( data)
})
}
render(){
const { data = null } = this.state.navigation;
if ( this.state.navigation && !this.state.navigation.length ) { // or wherever your data may be
return null;
}
return (
<Menu data={this.state.navigation}/>
)
}
}
const renderMenu = items => {
return <ul>
{ items.map(i => {
return <li>
<a href={i.link}>{ i.title }</a>
{ i.menu && renderMenu(i.menu) }
</li>
})}
</ul>
}
const Menu = ({ data }) => {
return <nav>
<h2>{ data.title }</h2>
{ renderMenu(data.menu) }
</nav>
}
我不知道该怎么做才能使其与我现有的功能一起工作。非常感谢您的帮助。
答案 0 :(得分:0)
您在navigation
中的state
属性没有title
和menu
属性,因此您将一个空数组传递给Menu
组件。这就是为什么您有一个错误Cannot read property 'map' of undefined
。您应该在constructor
中更改状态初始化。
class Nav extends Component {
constructor(props){
super(props);
this.state = {
navigation: {//<-- change an empty array to object with a structure like a response from the server
menu: [],
title: ''
}
}
}
//...
render(){
return (
<Menu data={this.state.navigation} />
)
}
}
答案 1 :(得分:0)
不要使用componentWillMount
,因为它已被弃用,并且很快就会消失,正确的方法是在渲染中使用componentDidMount
方法以及状态变量和测试。
this.state = {
navigation: [],
init: false
}
componentDidMount() {
fetch('json_menuFIN.php')
.then(response => response.json())
.then(data => {
this.setState({ navigation: data, init: true });
console.log( data)
})
}
此外,您无法在状态下从data
变量中提取navigation
变量,navigation
已由您的data
响应定义,因此请直接使用。< / p>
render() {
const { navigation, init } = this.state;
if(!init) return null
return (
<Menu data={navigation}/>
)
}
我认为navigation
始终是一个数组,无论您用它做什么。