react路由传值有三种方式:1、“props.params”方法,该方法可以传递一个或多个值,但是每个值的类型都是字符串,没法传递一个对象;2、query方法,该方法类似于表单中的get方法,传递参数为明文,但是刷新页面参数会丢失;3、state方法,该方法获取参数时要用“this.props.match.params.name”,并且刷新页面参数也会丢失。
本教程操作环境:Windows10系统、react17.0.1版、Dell G3电脑。
路由传值的方法有三种
1.props.params(推荐)
//设置路由 <Router history={hashHistory}> <Route path='/user/:name' component={UserPage}></Route> </Router>import { Router,Route,Link,hashHistory} from 'react-router';class App extends React.Component { render() { return ( <Link to="/user/sam">用户</Link> // 或者 hashHistory.push("/user/sam"); ) }}当页面跳转到UserPage页面之后,取出传过来的值:
export default class UserPage extends React.Component{ constructor(props){ super(props); } render(){ return(<div>this.props.match.params.name</div>) }}上面的方法可以传递一个或多个值,但是每个值的类型都是字符串,没法传递一个对象,如果传递的话可以将json对象转换为字符串,然后传递过去,传递过去之后再将json字符串转换为对象将数据取出来
//定义路由<Route path='/user/:data' component={UserPage}></Route>//设置参数var data = {id:3,name:sam,age:36};data = JSON.stringify(data);var path = `/user/${data}`;//传值<Link to={path}>用户</Link>//或hashHistory.push(path);//获取参数var data = JSON.parse(this.props.params.data);var {id,name,age} = data;2.query(不推荐:刷新页面参数丢失)
query方式使用很简单,类似于表单中的get方法,传递参数为明文
//定义路由<Route path='/user' component={UserPage}></Route>//设置参数var data = {id:3,name:sam,age:36};var path = { pathname:'/user', query:data,}//传值<Link to={path}>用户</Link>//或hashHistory.push(path);//获取参数var data = this.props.location.query;var {id,name,age} = data;3.state(不推荐,刷新页面参数丢失)
state方式类似于post方式,使用方式和query类似
//设置路由<Route path='/user' component={UserPage}></Route>//设置参数var data = {id:3,name:sam,age:36};var path = { pathname:'/user', state:data,}//传值<Link to={path}>用户</Link>//或hashHistory.push(path);//获取参数var data = this.props.location.state;var {id,name,age} = data;特别提示:
1,获取参数时要用this.props.match.params.name
2,如果在子组件里打印要记得传this.props,如下:
class Todolist extends Component { render() { return ( <DocumentTitle title="todolist"> <div id="home-container"> <section> <TodolistList {...this.props}/> //不传的话this.props为空对象 </section> </div> </DocumentTitle> ); } }export default Todolist;