如何根据React中的javascript对象渲染组件X次?

时间:2015-12-28 02:05:01

标签: javascript reactjs

我正在尝试根据OBJECT (photos)的长度渲染X张照片。我试过将数据附加到字符串但它不起作用。有什么好的解决方案吗?

var RenderPhotos = React.createClass({
  getInitialState: function() {
      return {
        photos: this.props.photos
      };
  },
  render: function(){
    var photoHolder = "";
    for(var i=0;i<this.props.photos.length;i++){
      photoHolder += ("<View>
        <Text>" { this.props.photos[0].description } "</Text>
      </View>");
    }

    return (
      { photoHolder }
      // <View>
      //   <Text> { this.props.photos[0].description } </Text>
      // </View>
    )
  }
});

1 个答案:

答案 0 :(得分:8)

更新2017年12月:React v16现在允许您从render函数返回一个数组。

使用React类,您的顶级render函数必须返回单个组件。但是,在JSX中,您可以插入单个组件或组件数组。

像这样:

render() {
    var photoHolder = [];
    for(var i=0;i<this.props.photos.length;i++){
        photoHolder.push(
            (<View>
                <Text>{ this.props.photos[0].description }</Text>
            </View>)
        );  
    }

    return (
        <View>
            {photoHolder}
        </View>
    )
}

编辑:这是另一种解决方案:

render() {
    return (
        <View>
            {this.props.photos.map((photo, i) => {
                return (
                    <View><Text>{photo.description}</Text></View>
                );
            })}
        </View>
    )
}