我想知道,将组件作为子代传递时如何处理PropTypes错误:

Failed prop type: The prop `value` is marked as required in `ChildComponent`, but its value is `undefined`.


渲染工作正常,并正确传递了值prop。

我想发生这种情况是因为我将组件放在App组件的render函数中而没有任何道具。
ChildComponent映射其子项(即ChildComponent)时,我只会将这些道具传递给ParentComponent

参见代码:https://codesandbox.io/embed/r70r5z3j9q

有办法防止这种情况发生吗?
我应该如何构造我的组件?
我不应该小时候通过组件吗?

编辑:将道具“名称”更改为“值”。给它一个更普通的感觉。
我试图简化代码中的问题。
我知道我可以直接在App中传递道具。
用例是当父母在进行计算并且应该将这些计算传递给孩子时。没有明确知道这些孩子是什么。
这就是为什么我首先将其用作儿童的原因。

最佳答案

您正在使用cloneElement,并且正在将prop传递给它,而不是原始元素。要解决此问题,请直接传递道具:

const App = () => (
  <div>
    <ParentComponent>
      <ChildComponent name="bob" />
    </ParentComponent>
  </div>
);


您可以轻松地将组件作为道具(而不是子组件)传递给您ParentComponent,并且仅在进行大量计算后才呈现它:

const App = () => (
  <div>
    <ParentComponent component={ChildrenComponent} />
  </div>
);

const ParentComponent extends React.Component {
  state = { heavyComputationFinished: false } // initial state

  componentDidMount() {
    runYourHeavyComputations
      .then(() => { this.setState({ heavyComputationsFinished: true }) })
  }

  render() {
    const { component } = this.props
    const { heavyComputationsFinished, name } = this.state

    // return nothing if heavy computations hasn't been finished
    if (!heavyComputationsFinished) { return null }

    // we're getting this component (not its rendering call) as a prop
    return React.render(component, { name })
  }
}

关于javascript - react child 抛出PropTypes错误,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/50252657/

10-09 18:34