web-dev-qa-db-ja.com

react.jsで子コンポーネントを再帰的にレンダリングする方法

独自のコンポーネント内から反応コンポーネントを再帰的に追加したかった。 tree component のこの例を見ました。これは、子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>
    );
  }
});

次のエラーメッセージが表示されます。

Uncaught 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>"
      }
    ]
}
38
svnm

子ノードをrenderメソッドの上部にオブジェクトとして作成すると、うまく機能します。

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>
    )
  }
}
14
svnm

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
}

他のコンポーネントもあります:

<Comments children={post.comments}/>
40

最も簡単な方法は、クラスのインスタンスを返す関数をクラスに作成することです:

RecursiveComponent.rt.js:

var RecursiveComponent = React.createClass({
 render: function() {
  // JSX
  ....
 },
 renderRecursive: function(param1)
   return React.createElement(RecursiveComponent, {param1: param1});

});

react-templates library を使用する場合:

RecursiveComponent.rt:

<div>
  ...
  <div rt-repeat="recursiveChild in this.props.recursiveItem.recursiveChilds">
            {this.renderRecursive(recursiveChild)}
  </div>
</div>
1
maimArt