React-Router-v3

react-router

一、基本使用

  1. 安装
$ npm install -S react-router
备注:我当时install下来是v3.0.0,所以不适用于v4.0.0哦
  1. 引入
import { Router, Route, hashHistory } from 'react-router'
  1. 示例
import { Router, Route, hashHistory } from 'react-router';

render((

    // hashHistory:表示路由切换是由URL中'/#/'的'#'部分发生hash变化来触发,例: http://localhost:8080/#/
    <Router history={ hashHistory }>

        // 访问 '/' 路径,component组件 App 就会加载到 document.getElementById('app')
        <Route path="/" component={ App }/> 

        // 访问http://localhost:8080/#/repos时,就会加载component组件 Repos 到 document.getElementById('app')
        <Route path="/repos" component={ Repos }/>
        <Route path="/about" component={ About }/>

    </Router>

), document.getElementById('app'));

二、路由嵌套

1. 方法一:

<Router history='hashHistory'>
    <Route path='/' component={ App }>
        <Route path='/repos' component={ Repos }/>
        <Route path='/about' component={ About }/>
    </Route>
</Router>

2. 方法二:

let routes = <Route path="/" component={App}>
    <Route path="/repos" component={Repos}/>
    <Route path="/about" component={About}/>
</Route>;

<Router routes={routes} history={browserHistory}/>

访问'/repos'时,会先加载App组件,再在App组件内加载Repos组件,结构如下:

<App>
    <Repos />
</App>

但是,App组件得这么写:

export default React.createClass({
    render() {
        return <div>
            {this.props.children} // 此处则是用于加载<Repos />组件内容的地方
        </div>
    }
})

三、path 属性

Route组件的path属性指定路由的匹配规则。这个属性是可以省略的,这样的话,不管路径是否匹配,总是会加载指定组件。

path通配符

<Route path="/hello/:name">
// 匹配 /hello/michael
// 匹配 /hello/ryan

<Route path="/hello(/:name)">
// 匹配 /hello
// 匹配 /hello/michael
// 匹配 /hello/ryan

<Route path="/files/*.*">
// 匹配 /files/hello.jpg
// 匹配 /files/hello.html

<Route path="/files/*">
// 匹配 /files/ 
// 匹配 /files/a
// 匹配 /files/a/b

<Route path="/**/*.jpg">
// 匹配 /files/hello.jpg
// 匹配 /files/path/to/file.jpg
1. :paramName
    :paramName匹配URL的一个部分,直到遇到下一个/、?、#为止。这个路径参数可以通过this.props.params.paramName取出。
2. ()
    ()表示URL的这个部分是可选的。
3. *
    * 匹配任意字符,直到模式里面的下一个字符为止。匹配方式是非贪婪模式。
4. **
    ** 匹配任意字符,直到下一个/、?、#为止。匹配方式是贪婪模式。

* 路由匹配规则是从上到下执行,一旦发现匹配,就不再匹配其余的规则了,因此,带参数的路径一般要写在路由规则的底部
例:

<Route path="/comments" ... />
<Route path="/comments" ... />  // no
<Router>
    <Route path="/:userName/:id" component={ UserPage }/>
    <Route path="/about/me" component={ About }/>  // no
</Router>

四、histroy 属性

用来监听浏览器地址栏的变化,并将URL解析成一个地址对象,供 React Router 匹配,有三种值:

  • hashHistory
  • browserHistory(推荐)
  • createMemoryHistory
  1. hashHistory
    路由将通过URL的hash部分(#)切换,URL的形式类似example.com/#/some/path

    import { hashHistory } from 'react-router'
    
    render(
        <Router history={hashHistory} routes={routes} />,
        document.getElementById('app')
    )
    
  2. browserHistory
    浏览器的路由就不再通过hash完成了,而显示正常的路径example.com/some/path,背后调用的是浏览器的History API

    * 使用该方式需要配置服务器,否则会404

    • 开发服务器是webpack-dev-server,需要加上 --history-api-fallback 参数
    devserver{
        historyApiFallback: true // 不跳转,依赖于HTML5 history API ,如果设置为true,所有的跳转将指向index.html
    }
    

    or

    $ webpack-dev-server --history-api-fallback
    
    • node服务,则需要添加以下设置:
    // handle every other route with index.html, which will contain
    // a script tag to your application's JavaScript file(s).
    app.get('*', function (request, response){
      response.sendFile(path.resolve(__dirname, 'public', 'index.html'))
    });
    
    • nginx服务器,需添加如下配置:
    server {
          //...
          location / {
                try_files $uri /index.html;
          }
    }
    
    • Apache服务器,首先在项目根目录下创建一个.htaccess文件,添加如下代码:
    RewriteBase /
    RewriteRule ^index\.html$ - [L]
    RewriteCond %{REQUEST_FILENAME} !-f
    RewriteCond %{REQUEST_FILENAME} !-d
    RewriteRule . /index.html [L]
    
  3. createMemoryHistory
    主要用于服务器渲染。它创建一个内存中的history对象,不与浏览器URL互动

    const history = createMemoryHistory(location)
    

五、IndexRoute 组件

访问'/'根路径时,默认加载某个组件

<Router>
    <Route path="/" component={ App } >
        // 设置IndexRoute后 访问'/'路径时,默认加载'Home'组件 
        <IndexRoute component={ Home }/> 
        <Route path="accounts" component={ Accounts }/>
        <Route path="statements" component={ Statements }/>
    </Route>
</Router>

* 注意:IndexRoute组件没有路径参数path

六、跳转 - IndexRedirect 组件

访问'/'根路径时,默认重定向到某个子组件

<Route path="/" component={ App }>
    // 设置IndexRedirect后,访问'/'路径时,默认重定向到'welcome'组件
    <IndexRedirect to="/welcome" /> // to
    <Route path="welcome" component={ Welcome }  /> 
    <Route path="about" component={ About } />
</Route>

七、跳转 - Redirect 组件

由访问路由自动跳转到另一个路由

<Route path="inbox" component={ Inbox }>
    // 访问/inbox/messages/5,会自动跳转到/messages/5
    <Redirect from="messages/:id" to="/messages/:id" /> // to
</Route>

八、跳转 - Link 组件

作用类似于<a>标签,生成一个链接,允许点击后跳转到另一个路由,可以接收Router的状态

render() {
    return <div>
        <ul role='nav'>
            // 点击跳转到 /about
            <li><Link to='/about'>About</Link></li> // to
            <li><Link to='/repos'>Repos</Link></li>
        </ul>
    </div>
}
  1. activeStyle
    用于设定css样式,实现自定义样式

    <Link to="/about" activeStyle={{color: 'red'}}>About</Link>
    
  2. activeClassName
    用于设定class

    <Link to="/repos" activeClassName="repos">Repos</Link>
    

九、跳转 - push

可使用浏览器的History API进行路由的跳转,一般用于触发某个元素的事件进行跳转

import { browserHistory } from 'react-router'; 
browserHistory.push('/some/path');

十、跳转 - IndexLink

用于跳转到跟路由'/',不能直接使用Link。'/'会匹配所有子路由,所以activeStyle和activeClassName会失效,而IndexLink组件会使用路径的精确匹配,才能使用activeClassName

<IndexLink to='/' activeClassNmae='home'> // to 
    Home
<IndexLink/>

实际等同于:

<Link to='/' activeClassName='home' onlyActiveOnIndex={true}>
    Home
</Link>

所以简单使用<IndexLink>就好

十一、表单跳转,按钮跳转

// form
<form onSubmit={this.handleSubmit}>
  <input type="text" placeholder="userName"/>
  <input type="text" placeholder="repo"/>
  <button type="submit">Go</button>
</form>

方法一:push

import { browserHistory } from 'react-router'

// ...
  handleSubmit(event) {
    event.preventDefault()
    const userName = event.target.elements[0].value
    const repo = event.target.elements[1].value
    const path = `/repos/${userName}/${repo}`
    browserHistory.push(path)
  },

方法二:context

export default React.createClass({

  // ask for `router` from context
  contextTypes: {
    router: React.PropTypes.object
  },

  handleSubmit(event) {
    // ...
    this.context.router.push(path)
  },
})

十二、路由钩子

  1. onEnter
    进入路由时触发
    示例:onEnter替代<Redirect>
    <Route path="inbox" component={Inbox}>
        <Route path="messages/:id 
            onEnter={({params}, replace) => replace(`/messages/${params.id}`)} 
        />
    </Route>
    
    示例:认证
    const requireAuth = (nextState, replace) => {
        if (!auth.isAdmin()) {
            // Redirect to Home page if not an Admin
            replace({ pathname: '/' })
        }
    }
    
    export const AdminRoutes = () => {
        return (
        <Route path="/admin" component={Admin} onEnter={requireAuth} />
        )
    }
    
  2. onLeave
    离开路由时触发
    示例:离开一个路径的时候,跳出一个提示框,要求用户确认是否离开
    const Home = withRouter(
        React.createClass({
            componentDidMount() {
                this.props.router.setRouteLeaveHook(
                    this.props.route, 
                    this.routerWillLeave
                )
            },
            routerWillLeave(nextLocation) {
                // 返回 false 会继续停留当前页面,
                // 否则,返回一个字符串,会显示给用户,让其自己决定
                if (!this.state.isSaved)
                    return '确认要离开?';
            },
        })
    )
    

(End~)

最后编辑于
©著作权归作者所有,转载或内容合作请联系作者
  • 序言:七十年代末,一起剥皮案震惊了整个滨河市,随后出现的几起案子,更是在滨河造成了极大的恐慌,老刑警刘岩,带你破解...
    沈念sama阅读 213,417评论 6 492
  • 序言:滨河连续发生了三起死亡事件,死亡现场离奇诡异,居然都是意外死亡,警方通过查阅死者的电脑和手机,发现死者居然都...
    沈念sama阅读 90,921评论 3 387
  • 文/潘晓璐 我一进店门,熙熙楼的掌柜王于贵愁眉苦脸地迎上来,“玉大人,你说我怎么就摊上这事。” “怎么了?”我有些...
    开封第一讲书人阅读 158,850评论 0 349
  • 文/不坏的土叔 我叫张陵,是天一观的道长。 经常有香客问我,道长,这世上最难降的妖魔是什么? 我笑而不...
    开封第一讲书人阅读 56,945评论 1 285
  • 正文 为了忘掉前任,我火速办了婚礼,结果婚礼上,老公的妹妹穿的比我还像新娘。我一直安慰自己,他们只是感情好,可当我...
    茶点故事阅读 66,069评论 6 385
  • 文/花漫 我一把揭开白布。 她就那样静静地躺着,像睡着了一般。 火红的嫁衣衬着肌肤如雪。 梳的纹丝不乱的头发上,一...
    开封第一讲书人阅读 50,188评论 1 291
  • 那天,我揣着相机与录音,去河边找鬼。 笑死,一个胖子当着我的面吹牛,可吹牛的内容都是我干的。 我是一名探鬼主播,决...
    沈念sama阅读 39,239评论 3 412
  • 文/苍兰香墨 我猛地睁开眼,长吁一口气:“原来是场噩梦啊……” “哼!你这毒妇竟也来了?” 一声冷哼从身侧响起,我...
    开封第一讲书人阅读 37,994评论 0 268
  • 序言:老挝万荣一对情侣失踪,失踪者是张志新(化名)和其女友刘颖,没想到半个月后,有当地人在树林里发现了一具尸体,经...
    沈念sama阅读 44,409评论 1 304
  • 正文 独居荒郊野岭守林人离奇死亡,尸身上长有42处带血的脓包…… 初始之章·张勋 以下内容为张勋视角 年9月15日...
    茶点故事阅读 36,735评论 2 327
  • 正文 我和宋清朗相恋三年,在试婚纱的时候发现自己被绿了。 大学时的朋友给我发了我未婚夫和他白月光在一起吃饭的照片。...
    茶点故事阅读 38,898评论 1 341
  • 序言:一个原本活蹦乱跳的男人离奇死亡,死状恐怖,灵堂内的尸体忽然破棺而出,到底是诈尸还是另有隐情,我是刑警宁泽,带...
    沈念sama阅读 34,578评论 4 336
  • 正文 年R本政府宣布,位于F岛的核电站,受9级特大地震影响,放射性物质发生泄漏。R本人自食恶果不足惜,却给世界环境...
    茶点故事阅读 40,205评论 3 317
  • 文/蒙蒙 一、第九天 我趴在偏房一处隐蔽的房顶上张望。 院中可真热闹,春花似锦、人声如沸。这庄子的主人今日做“春日...
    开封第一讲书人阅读 30,916评论 0 21
  • 文/苍兰香墨 我抬头看了看天上的太阳。三九已至,却和暖如春,着一层夹袄步出监牢的瞬间,已是汗流浃背。 一阵脚步声响...
    开封第一讲书人阅读 32,156评论 1 267
  • 我被黑心中介骗来泰国打工, 没想到刚下飞机就差点儿被人妖公主榨干…… 1. 我叫王不留,地道东北人。 一个月前我还...
    沈念sama阅读 46,722评论 2 363
  • 正文 我出身青楼,却偏偏与公主长得像,于是被迫代替她去往敌国和亲。 传闻我的和亲对象是个残疾皇子,可洞房花烛夜当晚...
    茶点故事阅读 43,781评论 2 351

推荐阅读更多精彩内容

  • Lesson11、首先确保安装了Node.js和npm依赖包管理工具2、在git上克隆官方示例程序 git clo...
    冰_心阅读 2,703评论 0 16
  • Spring Cloud为开发人员提供了快速构建分布式系统中一些常见模式的工具(例如配置管理,服务发现,断路器,智...
    卡卡罗2017阅读 134,644评论 18 139
  • React-Router v4 1. 设计理念1.1. 动态路由1.2. 嵌套路由1.3. 响应式路由 2. 快速...
    wlszouc阅读 8,549评论 0 14
  • React Router 4.0 (以下简称 RR4) 已经正式发布,它遵循React的设计理念,即万物皆组件。所...
    梁相辉阅读 97,400评论 24 195
  • 不知道是停或者沉沦。 我今年23岁。任何方面都是平平。属于路人的路人甲。 今年七月。喜欢上了一个有家有室、而立之年...
    反受其乱阅读 1,338评论 0 0