我试图显示10个玩家的桌子。我从ajax获取数据并将其作为道具传递给我的孩子。
var CurrentGame = React.createClass({
// get game info
loadGameData: function() {
$.ajax({
url: '/example.json',
dataType: 'json',
success: function(data) {
this.setState({data: data});
}.bind(this),
error: function(xhr, status, err) {
console.error('#GET Error', status, err.toString());
}.bind(this)
});
},
getInitialState: function(){
return {data: []};
},
componentDidMount: function() {
this.loadGameData();
},
render: function() {
return (
<div className="CurrentGame">
<h1> Current Game Information</h1>
<PlayerList data={this.state.data}/>
</div>
);
}
});
现在我需要一个列表组件来渲染玩家:
var PlayerList = React.createClass({
render: function() {
// This prints the correct data
console.log(this.props.data);
return (
<ul className="PlayerList">
// I'm the Player List {this.props.data}
// <Player author="The Mini John" />
{
this.props.data.participants.map(function(player) {
return <li key={player}>{player}</li>
})
}
</ul>
)
}
});
这给了我一个Uncaught TypeError: Cannot read property 'map' of undefined
。
我有点不确定发生了什么,我的控制台日志会显示正确的数据但不知何故我无法在回复中访问它。
我错过了什么?
答案 0 :(得分:39)
在CurrentGame
组件中,您需要更改初始状态,因为您正在尝试participants
的使用循环,但此属性为undefined
,这就是您收到错误的原因。
getInitialState: function(){
return {
data: {
participants: []
}
};
},
另外,由于player
中的.map
为Object
,您应该从中获取属性
this.props.data.participants.map(function(player) {
return <li key={player.championId}>{player.summonerName}</li>
// -------------------^^^^^^^^^^^---------^^^^^^^^^^^^^^
})
答案 1 :(得分:16)
正如@Alexander解决的那样,问题是异步数据加载之一 - 您立即呈现,并且在异步ajax调用解析并使用data
填充participants
之前,您不会加载参与者
他们提供的解决方案的替代方案是在参与者存在之前防止渲染,如下所示:
render: function() {
if (!this.props.data.participants) {
return null;
}
return (
<ul className="PlayerList">
// I'm the Player List {this.props.data}
// <Player author="The Mini John" />
{
this.props.data.participants.map(function(player) {
return <li key={player}>{player}</li>
})
}
</ul>
);
}
答案 2 :(得分:1)
您可以在进行地图绘制之前简单地进行条件检查
{Array.isArray(this.props.data.participants) && this.props.data.participants.map(function(player) {
return <li key={player.championId}>{player.summonerName}</li>
})
}
现在,.map可以通过两种不同的方式完成,但仍然需要像这样的条件检查
.return的地图
{Array.isArray(this.props.data.participants) && this.props.data.participants.map(player => {
return <li key={player.championId}>{player.summonerName}</li>
})
}
.map不返回
{Array.isArray(this.props.data.participants) && this.props.data.participants.map(player => (
return <li key={player.championId}>{player.summonerName}</li>
))
}
以上两种功能都具有相同的功能