当前位置:首页 > 无线信号问题 > 正文内容

js路由是什么

楷峰2023年04月10日 03:00无线信号问题127

如果您是路由器的新手用户,本文js路由是什么将为您提供适用于不同品牌和型号的路由器设置方法和技巧。

本文目录一览:

vue路由学习介绍:什么是路由

1.路由的安装

npm install vue-router

2. import Vue form ’vue‘

import VueRouter from ’Vue-Router‘

Vue.use()明确安装路由功能

新建组件

引入组件到src=>router=>index.js下引入

由于复杂项目脚手架没有提示安装sass 所以必须要安装sass

app.vue

vue实现路由跳转的原理是什么,是调用js底层什么方法

前端路由是直接找到与地址匹配的一个组件或对象并将其渲染出来。改变浏览器地址而不向服务器发出请求有两种方式:

1. 在地址中加入#以欺骗浏览器,地址的改变是由于正在进行页内导航

2. 使用H5的window.history功能,使用URL的Hash来模拟一个完整的URL。

当打包构建应用时,Javascript 包会变得非常大,影响页面加载。如果我们能把不同路由对应的组件分割成不同的代码块,然后当路由被访问的时候才加载对应组件,这样就更加高效了。

目录结构

先来看看整体的目录结构

和流程相关的主要需要关注点的就是 components、history 目录以及 create-matcher.js、create-route-map.js、index.js、install.js。下面就从 basic 应用入口开始来分析 vue-router 的整个流程。

import Vue from 'vue'

import VueRouter from 'vue-router'

// 1. 插件

// 安装 router-view and router-link 组件

// 且给当前应用下所有的组件都注入 $router and $route 对象

Vue.use(VueRouter)

// 2. 定义各个路由下使用的组件,简称路由组件

const Home = { template: 'divhome/div' }

const Foo = { template: 'divfoo/div' }

const Bar = { template: 'divbar/div' }

// 3. 创建 VueRouter 实例 router

const router = new VueRouter({

mode: 'history',

base: __dirname,

routes: [

{ path: '/', component: Home },

{ path: '/foo', component: Foo },

{ path: '/bar', component: Bar }

]

})

// 4. 创建 启动应用

// 一定要确认注入了 router

// 在 router-view 中将会渲染路由组件

new Vue({

router,

template: ` div id="app"

h1Basic/h1

ul

lirouter-link to="/"//router-link/li

lirouter-link to="/foo"/foo/router-link/li

lirouter-link to="/bar"/bar/router-link/li

router-link tag="li" to="/bar"/bar/router-link

/ul

router-view class="view"/router-view

/div

`

}).$mount('#app')123456789101112131415161718192021222324252627282930313233343536373839404142

作为插件

上边代码中关键的第 1 步,利用 Vue.js 提供的插件机制 .use(plugin) 来安装 VueRouter,而这个插件机制则会调用该 plugin 对象的 install 方法(当然如果该 plugin 没有该方法的话会把 plugin 自身作为函数来调用);下边来看下 vue-router 这个插件具体的实现部分。

VueRouter 对象是在 src/index.js 中暴露出来的,这个对象有一个静态的 install 方法:

/* @flow */

// 导入 install 模块

import { install } from './install'// ...import { inBrowser, supportsHistory } from './util/dom'// ...export default class VueRouter {

// ...}

// 赋值 install

VueRouter.install = install

// 自动使用插件if (inBrowser window.Vue) {

window.Vue.use(VueRouter)

}123456789101112131415161718

可以看到这是一个 Vue.js 插件的经典写法,给插件对象增加 install 方法用来安装插件具体逻辑,同时在最后判断下如果是在浏览器环境且存在 window.Vue 的话就会自动使用插件。

install 在这里是一个单独的模块,继续来看同级下的 src/install.js 的主要逻辑:

// router-view router-link 组件import View from './components/view'import Link from './components/link'// export 一个 Vue 引用export let _Vue// 安装函数export function install (Vue) {

if (install.installed) return

install.installed = true

// 赋值私有 Vue 引用

_Vue = Vue // 注入 $router $route

Object.defineProperty(Vue.prototype, '$router', {

get () { return this.$root._router }

}) Object.defineProperty(Vue.prototype, '$route', {

get () { return this.$root._route }

}) // beforeCreate mixin

Vue.mixin({

beforeCreate () { // 判断是否有 router

if (this.$options.router) { // 赋值 _router

this._router = this.$options.router // 初始化 init

this._router.init(this) // 定义响应式的 _route 对象

Vue.util.defineReactive(this, '_route', this._router.history.current)

}

}

}) // 注册组件

Vue.component('router-view', View)

Vue.component('router-link', Link)// ...}12345678910111213141516171819202122232425262728293031323334353637383940414243

这里就会有一些疑问了?

· 为啥要 export 一个 Vue 引用?

插件在打包的时候是肯定不希望把 vue 作为一个依赖包打进去的,但是呢又希望使用 Vue 对象本身的一些方法,此时就可以采用上边类似的做法,在 install 的时候把这个变量赋值 Vue ,这样就可以在其他地方使用 Vue 的一些方法而不必引入 vue 依赖包(前提是保证 install 后才会使用)。

· 通过给 Vue.prototype 定义 $router、$route 属性就可以把他们注入到所有组件中吗?

在 Vue.js 中所有的组件都是被扩展的 Vue 实例,也就意味着所有的组件都可以访问到这个实例原型上定义的属性。

beforeCreate mixin 这个在后边创建 Vue 实例的时候再细说。

实例化 VueRouter

在入口文件中,首先要实例化一个 VueRouter ,然后将其传入 Vue 实例的 options 中。现在继续来看在 src/index.js 中暴露出来的 VueRouter 类:

// ...import { createMatcher } from './create-matcher'// ...export default class VueRouter {

// ...

constructor (options: RouterOptions = {}) {

this.app = null

this.options = options

this.beforeHooks = []

this.afterHooks = []

// 创建 match 匹配函数

this.match = createMatcher(options.routes || [])

// 根据 mode 实例化具体的 History

let mode = options.mode || 'hash'

this.fallback = mode === 'history' !supportsHistory if (this.fallback) {

mode = 'hash'

} if (!inBrowser) {

mode = 'abstract'

}

this.mode = mode switch (mode) {

case 'history':

this.history = new HTML5History(this, options.base) break

case 'hash':

this.history = new HashHistory(this, options.base, this.fallback) break

case 'abstract':

this.history = new AbstractHistory(this) break

default:

assert(false, `invalid mode: ${mode}`)

}

}

// ...}123456789101112131415161718192021222324252627282930313233343536373839

里边包含了重要的一步:创建 match 匹配函数。

match 匹配函数

匹配函数是由 src/create-matcher.js 中的 createMatcher 创建的:

/* @flow */

import Regexp from 'path-to-regexp'// ...import { createRouteMap } from './create-route-map'// ...export function createMatcher (routes: ArrayRouteConfig): Matcher {

// 创建路由 map

const { pathMap, nameMap } = createRouteMap(routes)

// 匹配函数 function match (

raw: RawLocation,

currentRoute?: Route,

redirectedFrom?: Location

): Route {

// ...

} function redirect (

record: RouteRecord,

location: Location

): Route {

// ...

} function alias (

record: RouteRecord,

location: Location,

matchAs: string

): Route {

// ...

} function _createRoute (

record: ?RouteRecord,

location: Location,

redirectedFrom?: Location

): Route { if (record record.redirect) { return redirect(record, redirectedFrom || location)

} if (record record.matchAs) { return alias(record, location, record.matchAs)

} return createRoute(record, location, redirectedFrom)

}

// 返回 return match

}

// ...123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051

具体逻辑后续再具体分析,现在只需要理解为根据传入的 routes 配置生成对应的路由 map,然后直接返回了 match 匹配函数。

继续来看 src/create-route-map.js 中的 createRouteMap 函数:

/* @flow */import { assert, warn } from './util/warn'import { cleanPath } from './util/path'// 创建路由 mapexport function createRouteMap (routes: ArrayRouteConfig): {

pathMap: DictionaryRouteRecord,

nameMap: DictionaryRouteRecord

} { // path 路由 map

const pathMap: DictionaryRouteRecord = Object.create(null) // name 路由 map

const nameMap: DictionaryRouteRecord = Object.create(null) // 遍历路由配置对象 增加 路由记录

routes.forEach(route = {

addRouteRecord(pathMap, nameMap, route)

}) return {

pathMap,

nameMap

}

}// 增加 路由记录 函数function addRouteRecord (

pathMap: DictionaryRouteRecord,

nameMap: DictionaryRouteRecord,

route: RouteConfig,

parent?: RouteRecord,

matchAs?: string

) {

// 获取 path 、name

const { path, name } = route

assert(path != null, `"path" is required in a route configuration.`) // 路由记录 对象

const record: RouteRecord = {

path: normalizePath(path, parent),

components: route.components || { default: route.component },

instances: {},

name, parent,

matchAs,

redirect: route.redirect,

beforeEnter: route.beforeEnter,

meta: route.meta || {}

} // 嵌套子路由 则递归增加 记录

if (route.children) {// ...

route.children.forEach(child = {

addRouteRecord(pathMap, nameMap, child, record)

})

} // 处理别名 alias 逻辑 增加对应的 记录

if (route.alias !== undefined) { if (Array.isArray(route.alias)) {

route.alias.forEach(alias = {

addRouteRecord(pathMap, nameMap, { path: alias }, parent, record.path)

})

} else {

addRouteRecord(pathMap, nameMap, { path: route.alias }, parent, record.path)

}

} // 更新 path map

pathMap[record.path] = record // 更新 name map

if (name) { if (!nameMap[name]) {

nameMap[name] = record

} else {

warn(false, `Duplicate named routes definition: { name: "${name}", path: "${record.path}" }`)

}

}

}function normalizePath (path: string, parent?: RouteRecord): string {

path = path.replace(/\/$/, '') if (path[0] === '/') return path if (parent == null) return path return cleanPath(`${parent.path}/${path}`)

}1234567891011121314151617181920212223242526272829303132333435363738394041424344454647484950515253545556575859606162636465666768697071727374757677787980818283

可以看出主要做的事情就是根据用户路由配置对象生成普通的根据 path 来对应的路由记录以及根据 name 来对应的路由记录的 map,方便后续匹配对应。

实例化 History

这也是很重要的一步,所有的 History 类都是在 src/history/ 目录下,现在呢不需要关心具体的每种 History 的具体实现上差异,只需要知道他们都是继承自 src/history/base.js 中的 History 类的:

/* @flow */// ...import { inBrowser } from '../util/dom'import { runQueue } from '../util/async'import { START, isSameRoute } from '../util/route'// 这里从之前分析过的 install.js 中 export _Vueimport { _Vue } from '../install'export class History {// ...

constructor (router: VueRouter, base: ?string) { this.router = router this.base = normalizeBase(base) // start with a route object that stands for "nowhere"

this.current = START this.pending = null

}// ...}// 得到 base 值function normalizeBase (base: ?string): string { if (!base) { if (inBrowser) { // respect base tag

const baseEl = document.querySelector('base') base = baseEl ? baseEl.getAttribute('href') : '/'

} else { base = '/'

}

} // make sure there's the starting slash

if (base.charAt(0) !== '/') { base = '/' + base

nodejs express 路由设置网页跳转

1、首先创建app.js,输入:

var express=require("express")

var port=process.env.PORT || 3000

var app=express()

app.set('views','./views')

app.set('view engine','jade')

app.listen(port);

console.log('imooc started on port '+port);

2、然后在输入:

//index page

app.get('/',function(req,res){

res.render('index',{

title:'imooc 首页'

})

})

3、然后输入:

//detail page

app.get('/movie/:id',function(req,res){

res.render('index',{

title:'imooc 详情'

})

})

4、然后输入:

//admin page

app.get('/admin/movie',function(req,res){

res.render('admin',{

title:'imooc 后台录入页'

})

})

5、然后输入:

//list page

app.get('/admin/list',function(req,res){

res.render('list',{

title:'imooc 列表页'

})

})

6、创建list.jade\admin.jade\index.jade\detail.jade四个文件,里边的代码都为:

doctype

html

head

meta(charset="utf-8")

title #{title}

body

h1 #{title},执行node app.js 就完成了。

Vue通过JS跳转路由

这里我们通过输出$router来查看,其中push和replace函数就是跳转其他路由的函数

其中push函数是跳转新的路由,跳转后可以通过浏览器的回退功能回退到上一个路由

添加gotoCircle函数,这里我们使用push函数做演示,replace函数的传参和push一样,就不多做演示了

这里的传参与上面v-bind绑定的参数一样都是传一个对象,运行效果如下:

我们鼓励您尝试这些技巧,并发现它们如何帮助您更好地管理和优化您的网络连接。

扫描二维码推送至手机访问。

版权声明:本文由路由设置网发布,如需转载请注明出处。

本文链接:https://www.xt88888.com/post/13877.html

分享给朋友:

“js路由是什么” 的相关文章

家里的路由器怎么分网

家里的路由器怎么分网

今天给各位分享家里的路由器怎么分网的知识,其中也会对路由器怎么分路由器进行解释,如果能碰巧解决你现在面临的问题,别忘了关注本站,现在开始吧!本文目录一览: 1、如何在一个路由器上设置2个网络 2、...

磊科路由器怎么提速

磊科路由器怎么提速

本篇文章给大家谈谈磊科路由器怎么提速,以及磊科路由器网速慢怎么调快对应的知识点,希望对各位有所帮助,不要忘了收藏本站喔。 本文目录一览: 1、路由器怎么设置网速才能快! 2、磊科nr235p路由器...

路由器增强网络怎么设置

路由器增强网络怎么设置

今天给各位分享路由器增强网络怎么设置的知识,其中也会对怎么设置增强路由器信号进行解释,如果能碰巧解决你现在面临的问题,别忘了关注本站,现在开始吧!本文目录一览: 1、怎么用带WDS中继功能的路由器增强...

哪些路由器能连ps4

哪些路由器能连ps4

本篇文章给大家谈谈哪些路由器能连ps4,以及ps4可以无线连网吗对应的知识点,希望对各位有所帮助,不要忘了收藏本站喔。 本文目录一览: 1、PS4路由器有什么推荐? 2、请问电子大神们 我家电信2...

支持广电路由器的有哪些

支持广电路由器的有哪些

本篇文章给大家谈谈支持广电路由器的有哪些,以及广电 路由器对应的知识点,希望对各位有所帮助,不要忘了收藏本站喔。 本文目录一览: 1、广电宽带 得买什么样的路由器 2、腾达AX1803路由器支持广...

路由器都可以刷哪些固件

路由器都可以刷哪些固件

今天给各位分享路由器都可以刷哪些固件的知识,其中也会对什么路由器刷固件进行解释,如果能碰巧解决你现在面临的问题,别忘了关注本站,现在开始吧!本文目录一览: 1、符合哪些性质的路由器可以刷openwrt...