react-router 学习笔记

前言:

  本文为个人学习react-router的总结。包括路由基础配置,跳转,权限管理,组件与路由配置的关系,代码分割。欢迎交流指导。

一、路由基础

  1.路由配置 & 显示路由组件的view(类比angular的ui-view)

  路由配置:路由匹配的规则

render((    <Router history={ hashHistory }>
        <Route path="/" component={ App }>
            <Route path="select" component={ Select }></Route>
            <Route path="found" component={ Found }></Route>
            <Route path="follow" component={ Follow }></Route>
            <Route path="my" component={ My }>
                <Route path=":myname" component={ MyName }></Route>
                <Route path="mysex" component={ MySex }></Route>
            </Route>
        </Route>
    </Router>), document.getElementById(‘root‘));

  view:放置路由组件的地方(URL匹配了,然后对应的组件应该放到什么地方去),

  每一个Route都只是一个组件,子路由就是 this.props.children 里面的组件,Route通过匹配URL决定显示哪一个子路由

class App extends PureComponent {
    render() {        return (            <div>
                <GlobalNav />
                { this.props.children } { /* this.props.children 是被嵌套在App的组件,相当于放子路由的View*/}            </div>
        )
    }
}

二、默认路由(IndexRoute )

  组件<App /> 的匹配路径是 ‘/‘, 有四个子路由,当前路由只是‘/‘,那么<App />应该显示什么页面呢?

  这里给与IndexRoute组件 -- 若希望直接使用4个其中一个则使用IndexRedirect

render((    <Router history={ hashHistory }>
        <Route path="/" component={ App }>
            <IndexRoute component={ IndexApp } />
            <Route path="select" component={ Select }></Route>
            <Route path="found" component={ Found }></Route>
            <Route path="follow" component={ Follow }></Route>
            <Route path="my" component={ My }>
                <Route path=":myname" component={ MyName }></Route>
                <Route path="mysex" component={ MySex }></Route>
            </Route>
        </Route>
    </Router>), document.getElementById(‘root‘));

   如果不使用IndexRoute组件,也还有一种投机取巧的方法,直接在 App组件中,使用  {this.props.children || <IndexApp />} ,在ui展示的层面上修改this.props.children为undefined的情况。

   缺点:这种形式,没有参与到路由机制中,onEnter,onLeave 等HOOK都无法使用

三、路由跳转   

  1. IndexLink & Link (active状态之争)

  倘若有如下两个链接,正好URL是‘/my/mioawwwww‘, 两个路由都匹配的了,那么就是两个都是active状态(相应地添加activeStyle,activeClassName的样式)

<Link to="/my" >Mypage</Link>
<Link to="/my/:myname" >myname</Link>

  若你只想为 <Link to="/my/:myname" >myname</Link> 这一个按钮添加active样式,就可以为 <Link to="/my" >Mypage</Link> 使用IndexLink

<IndexLink to="/my" >Mypage</IndexLink>
<Link to="/my/:myname" >myname</Link>

  IndexLink是补充Link的,只要URL完整匹配‘/my‘的时候才会激活active状态

  2.跳转参数 to

    2.1:通过 to=’xx/xx‘ 直接跳转 <Link to={`/my/${myname}/info`}>check my info</Link>

     2.2:to=对象,带参数跳转(pathname, query, hash, state(额外数据)),注意:这些参数都被存放到this.props.location中

 <li><Link to={{pathname:"/select", hash:‘#ahash‘, query:{foo: ‘bar‘, boo:‘boz‘}, state:{data:‘miao‘}  }} activeClassName="GlobalNav-active">精选</Link></li>

     2.3:to=函数,注册到路由跳转事件中,每一次路由变化,都会执行该函数,并经最新的location作为参数

<Link to={location => ({ ...location, query: { name: ‘ryan‘ } })}>
  Hello</Link>

    2.4:不使用Link,在函数内直接操作router

      旧版本:由于router只用的context传递路由信息,因此每一个组件都可以轻易的通过this.context.router获取路由

      新版本:router被放置在this.props中,通过this.props.router可以获取路由

      注意:push与replace的区别,一个是添加,一个是替换,历史记录中被替换的已经不存在了,所以浏览器回退不到替换前的页面。

    changeRouter = () => {
        console.log(this.props)        // this.props.router.push(‘/follow‘);        // this.props.router.push({        //     pathname:‘/follow‘,        //     state:{name:‘xxx‘},        //     query: {foo: ‘bar‘}        // })        
        // this.props.router.replace(‘/follow‘);
        this.props.router.replace({
            pathname: ‘/follow‘,
            query: {foo:‘bar‘}
        })
    }

  3.若不是Route组件,而是Route的子组件,则this.props.router === undefined

    若不使用Link,有两种方法

    3.1 contextTypes

    static contextTypes = {
        router: PropTypes.object
    }
    handleClick = (e) => {
        e.stopPropagation();
        e.preventDefault();        this.context.router.push(‘login‘);                //...

    3.2 引入browserHistory,hashHistory

import {browserHistory} from ‘react-router‘;//...
    handleClick = (e) => {
        e.stopPropagation();
        e.preventDefault();
        browserHistory.push(‘login‘)        //...

四、重定向

  <Redirect>:重定向到同等级的其他路由

   <Redirect from="name/xxx" to=‘mysex‘ />

render((    <Router history={ browserHistory }>
        <Route path="/" component={ App }>
            <IndexRoute component={ IndexApp } />
            <Route path="select" component={ Select }></Route>
            <Route path="found" component={ Found } onEnter={onEnterHook} onLeave={onLeaveHook}></Route>
            <Route path="follow" component={ Follow }>
            </Route>
            <Route path="my" component={ My } >
                <Redirect from="name/xxx" to=‘mysex‘ />
                
                <Route path="name/:myname" component={ MyName }>
                    <Route path="info" component={ MyInfo } ></Route>
                </Route>
                <Route path="mysex" component={ MySex } />
            </Route>            <Redirect from="*" to=‘/‘ />
        </Route>
    </Router>), document.getElementById(‘root‘));

  <IndexRedirect>:从父路由的目录开始重定向

<Route path="/" component={App}>
  <IndexRedirect to="/welcome" />
  <Route path="welcome" component={Welcome} />
  <Route path="about" component={About} />
</Route>

五、路由机制的权限

  1.onEnter

const onEnterHook = (nextState, replace /*,cb*//*若添加cb参数,钩子变成异步执行,cb返回之前,将发生阻塞*/) => {
    console.log(‘onenter‘, nextState);    // replace // 是router.replace(),若访问者没有权限,则引导到其他页面}

  nextState的属性

  2.onLeave:与onEnter类似,nextState属性不同

   3.onChange(prevState, nextState, replace, callback?) ,用于子路由,

    进入该路由的某个子路由是触发,或者改变query,hash

    一旦添加onChange属性,则子路由通过onChangeHook决定,Link不起作用

  

 六、组件与路由的一一对应关系,按需加载组件

<Route path="follow" component={ Follow }></Route> // this.props.children;<Route path="follow" component={ {main:Follow, sidebar: Sidebar} }></Route> // const { main, sidebar } = this.props;

  异步加载组件,使用(需要加上 require.ensure([], (require) => {}) 实现代码分割

   getComponent(nextState, callback)  &&  getComponents(nextState, callback)

   cb(err, component)

  getComponent(nextState, cb) {
    require.ensure([], (require) => {
      cb(null, require(‘./components/Calendar‘))
    })
  }

  

 七、每一个Route组件的属性

八、另一种路由配置的方式

const selectRouter = {
    path:‘select‘,
    component: Select
}const foundRouter = {
    path:‘found‘,
    component: Found
}const myRouter = {
    path:‘my‘,
    getComponent(nextState,cb) {
        cb(null, My)
    }
}// import Follow from ‘./components/Follow.js‘;const followRouter = {
    path:‘follow‘,
    getComponent(nextState,cb) {
        require.ensure([], (require) => {
            cb(null, require(‘./components/Follow‘))
        })
    }    // getComponent(nextState, cb) {    //     cb(null, Follow)    // }}const rootRouter = {
    path: ‘/‘,
    component: App,    // indexRoute: {component:IndexApp},    childRoutes: [
        selectRouter,
        foundRouter,
        followRouter,        // require(‘./components/Follow.index‘),        myRouter
        ]
}// const rootRouter = {//     path: ‘/‘,//     component: App,//     getIndexRoute(partialNextState, cb) {//         cb(null,  {compoment:IndexApp});//     },//     getChildRoutes(location, cb) {//         cb(null, [//             selectRouter,//             foundRouter,//             followRouter,//             myRouter//         ])//     }// }render(    <Router history={browserHistory} routes={rootRouter} />,
    document.getElementById(‘root‘)
)

  代码分割的注意事项:

    1. require.ensure中分割的组件,需要使用module.export 暴露出来

module.exports = xxx; //可获取xxx组件
export default xxx // 不可获取xxx组件

    2. getComponent,getComponents,getIndexRoute,getChildRoutes只是实现了异步加载,要实现代码分割还是要使用require.ensure

时间: 2024-10-28 21:01:53

react-router 学习笔记的相关文章

React Redux学习笔记

React Router React Router 使用教程 Redux中间件middleware [译]深入浅出Redux中间件 Redux学习之一:何为middleware? ES6 ES6新特性概览 ant ant.design rekit 先记录两篇博文,等有时间,整理一篇

React+Redux学习笔记:React+Redux简易开发步骤

前言 React+Redux 分为两部分: UI组件:即React组件,也叫用户自定义UI组件,用于渲染DOM 容器组件:即Redux逻辑,处理数据和业务逻辑,支持所有Redux API,参考之前的文章:Redux学习笔记:Redux简易开发步骤 而React+Redux是以上两部分结合起来,方便在React中使用Redux,专用库为React-Redux.js.React-Redux.js新增了一些新方法: Provider:容器跟组件,可直接把外部的state传递给所有子组件和UI组件: m

React Native学习笔记(一)Mac OS X下React Native的环境搭建

本文介绍Mac OS X系统下的React Native环境搭建过程. 1.环境要求: 1) Mac OS X操作系统 2) Xcode6.4或以上版本 3) Node.js4.0或以上版本 4) watchman和flow 2.安装过程 1) Node.js的安装可以在Node.js的官网https://nodejs.org/ 中下载最新的版本.这里下载的是node-v4.4.2.pkg版本.直接双击运行安装就可以了.查看是否安装成功可以在终端中输入如下命令: $node -v 如果能够显示版

[转]React官方学习笔记

Origin1.React并不会通过String类型的Html片段生成DOM2.在componentWillReceiveProps中调用setState()不会触发re-render3.componentWillUpdate中不能调用this.setState()4.在通过Ajax获取到数据,调用this.setState()之前,应该通过this.isMounted()确定当前的component已经处在渲染完成的阶段5.父组件到子组件通过props传递数据,子组件向父组件传递数据通过glo

React.js学习笔记(一):组件协同与mixin

组件协同: <!DOCTYPE html> <html> <head lang="en"> <meta charset="UTF-8"> <title>父子关系</title> </head> <body> <script src="react.js"></script> <script src="JSXTran

React Native学习笔记

React 是使用ES6 ,支持JSX语法, 开发组件化web或native的工具. 现阶段使用Babel工具转换成ES5 代码. 组件通过props属性传递不变化的内容,UI通过state属性变动来产生变化. React 一个界面框架, 数据的管理在js中比较麻烦, 容易混乱 . 有个redux库可以管理一个统一的数据存储点. 一个应用只有一个Store对象,内部是一个全局可随处访问的变量. Redux 的三个概念 : container, reduce, actions . 1. 创建con

React Native学习笔记之一

1:运行React Native报连接错误解决 解决方式: 在终端进入项目文件里,然后执行:(cd Pods/React; npm run start) 2:组件生命周期介绍 创建阶段 1. getDefaultProps 作用于组件类,也就是调用React.createClass()的时候被调用. 每次创建组件的时候执行且只执行一次,方式如 reload Js. 用来处理props的默认值. note : 如果在JS文件中定义了一个组件,但是没有使用它,此组件的getDefaultProps也

React.js学习笔记之事件系统

事件系统 React 标准化了事件对象,因此在不同的浏览器中都会有相同的属性. 组件createClass后创建的是许多方法组成的对象.组件中使用的方法分为React自有的方法与用户定义的方法.其中React自有方法是组件生命周期中的方法,如:render.componentWillUpdate.componentDidMount等.用户自定义的方法可以起符合JS命名规范的方法就可以(最好使用驼峰命名),如:handleClick.handleChange.handleMouseover等. 事

React Native学习笔记 -- 开发环境搭建

工欲善其事,必先利其器.这次主要介绍mac osx下React Native的开发环境的搭建. homebrew mac上的包管理工具,用于安装nodejs和其他一些工具软件,在terminal输入下面命令进行安装: /usr/bin/ruby -e "$(curl -fsSL https://raw.githubusercontent.com/Homebrew/install/master/install)" 如果在安装过程中遇到提示ACCES: permission denied(

react-native学习笔记--史上最详细Windows版本搭建安装React Native环境配置

参考:http://www.lcode.org/react-native/ React native中文网:http://reactnative.cn/docs/0.23/android-setup.html#content 1.安装Jdk(最好默认安装路径尽量别改) http://jingyan.baidu.com/article/a24b33cd59b58e19fe002bb9.html http://www.jb51.net/article/36811.htm(三个环境变量都配置)  Ja