参考答案:
在单页应用中,一个web
项目只有一个html
页面,一旦页面加载完成之后,就不用因为用户的操作而进行页面的重新加载或者跳转,其特性如下:
改变 url 且不让浏览器向服务器发送请求
在不刷新页面的前提下动态改变浏览器地址栏中的URL地址
其中主要分成了两种模式:
React Router
对应的hash
模式和history
模式对应的组件为:
这两个组件的使用都十分的简单,作为最顶层组件包裹其他组件,如下所示
1// 1.import { BrowserRouter as Router } from "react-router-dom"; 2// 2.import { HashRouter as Router } from "react-router-dom"; 3 4import React from 'react'; 5import { 6 BrowserRouter as Router, 7 // HashRouter as Router 8 Switch, 9 Route, 10} from "react-router-dom"; 11import Home from './pages/Home'; 12import Login from './pages/Login'; 13import Backend from './pages/Backend'; 14import Admin from './pages/Admin'; 15 16 17function App() { 18 return ( 19 <Router> 20 <Route path="/login" component={Login}/> 21 <Route path="/backend" component={Backend}/> 22 <Route path="/admin" component={Admin}/> 23 <Route path="/" component={Home}/> 24 </Router> 25 ); 26} 27 28export default App;
路由描述了 URL
与 UI
之间的映射关系,这种映射是单向的,即 URL 变化引起 UI 更新(无需刷新页面)
下面以hash
模式为例子,改变hash
值并不会导致浏览器向服务器发送请求,浏览器不发出请求,也就不会刷新页面
hash
值改变,触发全局 window
对象上的 hashchange
事件。所以 hash
模式路由就是利用 hashchange
事件监听 URL
的变化,从而进行 DOM
操作来模拟页面跳转
react-router
也是基于这个特性实现路由的跳转
下面以HashRouter
组件分析进行展开:
HashRouter
包裹了整应用,
通过window.addEventListener('hashChange',callback)
监听hash
值的变化,并传递给其嵌套的组件
然后通过context
将location
数据往后代组件传递,如下:
1import React, { Component } from 'react'; 2import { Provider } from './context' 3// 该组件下Api提供给子组件使用 4class HashRouter extends Component { 5 constructor() { 6 super() 7 this.state = { 8 location: { 9 pathname: window.location.hash.slice(1) || '/' 10 } 11 } 12 } 13 // url路径变化 改变location 14 componentDidMount() { 15 window.location.hash = window.location.hash || '/' 16 window.addEventListener('hashchange', () => { 17 this.setState({ 18 location: { 19 ...this.state.location, 20 pathname: window.location.hash.slice(1) || '/' 21 } 22 }, () => console.log(this.state.location)) 23 }) 24 } 25 render() { 26 let value = { 27 location: this.state.location 28 } 29 return ( 30 <Provider value={value}> 31 { 32 this.props.children 33 } 34 </Provider> 35 ); 36 } 37} 38 39export default HashRouter; 40
Router
组件主要做的是通过BrowserRouter
传过来的当前值,通过props
传进来的path
与context
传进来的pathname
进行匹配,然后决定是否执行渲染组件
1import React, { Component } from 'react'; 2import { Consumer } from './context' 3const { pathToRegexp } = require("path-to-regexp"); 4class Route extends Component { 5 render() { 6 return ( 7 <Consumer> 8 { 9 state => { 10 console.log(state) 11 let {path, component: Component} = this.props 12 let pathname = state.location.pathname 13 let reg = pathToRegexp(path, [], {end: false}) 14 // 判断当前path是否包含pathname 15 if(pathname.match(reg)) { 16 return <Component></Component> 17 } 18 return null 19 } 20 } 21 </Consumer> 22 ); 23 } 24} 25export default Route; 26
最近更新时间:2024-08-10