如何递归地呈现react.js中的子组件

svn*_*vnm 40 javascript recursion reactjs

我想以递归方式从其自己的组件中添加react组件.我看到了一个树组件的例子,它通过子TreeNodes进行映射并以相同的方式添加子节点.不幸的是,它对我来说根本不起作用.我们的想法是拥有一个简单的注释组件,并且回复将重用相同的组件.

var Comment = React.createClass({
  render: function() {    
    return (
        <div className="comment">

          {/* text and author */}
          <div className="comment-text">
            <span className="author">{this.props.author}</span>         
            <span className="body" dangerouslySetInnerHTML={{__html: this.props.body}} />
          </div>

          {/* replies */}
          <div className="replies">
           {
             this.props.replies.map(function(reply) {
               <Comment body={reply.body} author={reply.author} />
             }.bind(this))
          }
          </div>

      </div>
    );
  }
});
Run Code Online (Sandbox Code Playgroud)

我收到以下错误消息:

未捕获TypeError:无法构造'Comment':请使用'new'运算符,此DOM对象构造函数不能作为函数调用.

这是传递给组件的JSON数据的示例.

{ "author" : "Some user",
  "body" : "<div>Great work</div>",
  "replies" : [ { "author" : "A user replying",
        "body" : "<div Yes it was great work</div>"
      },
      { "author" : "Another user replying",
        "body" : "<div It really was great work!</div>"
      }
    ]
}
Run Code Online (Sandbox Code Playgroud)

Fra*_*ino 44

这是ES6的另一种选择:

import React, { Component, PropTypes } from 'react'

export default class Comments extends Component {

  render() {

    const { children } = this.props

    return (
      <div className="comments">
        {children.map(comment =>
          <div key={comment.id} className="comment">
            <span>{comment.content}</span>
            {comment.children && <Comments children={comment.children}/>}
          </div>
        )}
      </div>
    )

  }

}

Comments.propTypes = {
  children: PropTypes.array.isRequired
}
Run Code Online (Sandbox Code Playgroud)

还有一些其他组成部分:

<Comments children={post.comments}/>
Run Code Online (Sandbox Code Playgroud)

  • &lt;Comments /&gt;组件如果有子组件则呈现自身 (2认同)

svn*_*vnm 15

如果我在渲染方法的顶部创建子节点作为对象,它可以正常工作.

export default class extends React.Component {
  let replies = null
  if(this.props.replies){
    replies = this.props.replies.map((reply) => {
      return (
        <Comment author={reply.author} body={reply.body} />
      )
    })
  }

  render() {
    return (
      <div className="comment">
        <div className="replies">{ replies }</div>
      </div>
    )
  }
}
Run Code Online (Sandbox Code Playgroud)