7

我正在尝试将渲染函数中的值传递给组件:

= react_component('App', props: {test: 'abc'}, prerender: false)

路线.jsx

<Route path="/" component={App} >

App.jsx(组件)

class App extends React.Component {
  render() {
    return (
      <Header test={this.props.test}>
      </Header>
      {this.props.children}
      <Footer />
    );
  }
}

App.propTypes = { test: PropTypes.string };

这个完整的流程似乎没有一个连贯的答案。

我尝试了以下方法:

<Route path="/" component={() => (<App myProp="value" />)}/>

但这仍然没有回答获取初始渲染调用(react_component)提供的值的问题

4

3 回答 3

1
<Route path="/" render={attr => <App {...attr} test="abc" />} />
于 2017-11-23T13:06:10.507 回答
1

在路由器 v3 中,你会做这样的事情

像这样将您的 App 组件包装在 withRouter 下

import { withRouter } from 'react-router';

class App extends React.Component {
  render() {
    return (
      <Header test={this.props.test}>
      </Header>
      {
        this.props.children &&
        React.clone(this.props.children, {...this.props} )}
      <Footer />
    );
  }
}
App.propTypes = { test: PropTypes.string };
export const APP = withRouter(App);

并像这样构建你的路线......

<Route path="/" component={APP}>
  <Route path="/lobby" component={Lobby} />
  <Route path="/map" component={GameMap} />
  ...
</Route>

因此,您的子路由将在 APP 子属性内呈现,道具将被传递给它们。

希望这可以帮助!

于 2017-11-23T20:59:01.367 回答
1

寻找关于如何将参数从“视图”传递到“反应路由器”到“组件”的端到端答案

我们将从视图开始:

<%= react_component('MyRoute', {test: 123}, prerender: false) %>

现在我们将创建一个包含我们的组件route

class MyRoute extends Component{
  constructor(props){
    super(props)
  }
  render(){
    return(
      <Switch>
        <Route path="/" render={() => <App test={this.props.test} />} />
        <Route path="/login" component={Login} />
      </Switch>
    )
  }
}

如您所见,我们将testprop 从Route组件传递到App组件。现在我们可以test在组件中使用 prop App

class App extends Component{
  constructor(props){
    super(props)
  }
  render(){
    return(
      <h1>{this.props.test}</h1>
    )
  }
}
于 2017-11-19T03:24:04.503 回答