开发者问题收集

ReactJS:React-Router 将值传递到另一个页面

2020-06-25
414

我需要使用 react-router 将一个值从一个页面传递到另一个页面。

我曾尝试过这种方式:

<li>
    <A 
      className="btn btn-link btn-sm"
      href={{ pathname: Routes.detail_page, search: `?_id=${C.Code}`, state: this.props.current  }}>
      { 'Open' }
    </A>
</li>

我会将 this.props.current 传递给详细信息页面。

在另一个页面中,如果我尝试在 componentDidMount() 中打印 this.props.current ,结果将未定义(当然在第一页中这个值是参数化的)。

constructor(props){
    super(props);
    this.state = {
    };
  }
componentDidMount(){
    let C = this.props.current
    console.log("C is: ", C) // this is undefined
    this.updateIsDeletableState()
  }

我该怎么办?

1个回答

您必须确保已在 Route 中定义 URL 参数

// file-where-you-define-routes.js
...
<Switch>
  <Route path={`your-path/:id`} component={YourComponent} />
</Switch>
...

然后使用钩子 useParams 获取参数

function YourComponent() {
  const { id } = useParams();
  let C = id;
  console.log("C is: ", C) // this should be defined now
  ...
}

或者如果您使用类组件 this.props.match.params.id

class YourComponent extends Component {
  ...
  componentDidMount(){
    let C = this.props.match.params.id; // match
    console.log("C is: ", C) // this should be defined now
    this.updateIsDeletableState()
  }
}
Rostyslav
2020-06-25