vue-router报NavigationDuped错误,以及重写$router.push与$router.replace方法
程序员文章站
2022-03-29 08:33:48
...
问题:
编程式路由跳转到当前路由(参数不变),多次执行会抛出NavigationDuped的警告错误
===>>>路由跳转有两种形式:声明式导航、编程式导航
===>>>声明式导航是没有这种问题的,因为vue-router底层已经处理好了
问题的产生原因
“vue-router”: “^3.5.3”:最新的vue-router引入了promise
解决方案
1、通过给push或者replace方法传递相应的成功、失败的回调函数,可以捕捉到当前错误,即可解决
this.$router.push({name: "search", params: {keyword: 'qz'}, query: {k:'aa'}}, ()=>{}, ()=>{})
2、通过修改底层的代码,可以实现解决错误
src/router/index.js
import Vue from 'vue'
import VueRouter from 'vue-router'
import Home from '../views/Home.vue'
Vue.use(VueRouter)
// 先把VueRouter原型对象的push保存一份
const originPush = VueRouter.prototype.push
const originReplace = VueRouter.prototype.replace
// 重写push|replace
// 第一个参数:告诉原来的push方法,你往哪里跳转(传递哪些参数)
// 第二个参数:成功的回调
// 第三个参数:失败的回调
VueRouter.prototype.push = function (location, resolve, reject) {
if (resolve && reject) {
// call|apply的区别
// 相同点:都可以调用函数一次,都可以篡改函数上下文一次
// 不同点:call传递参数用逗号隔开,apply使用数组
originPush.call(this, location, resolve, reject)
} else {
originPush.call(this, location, ()=> {}, ()=> {})
}
}
VueRouter.prototype.replace = function (location, resolve, reject) {
if (resolve && reject) {
originReplace.call(this, location, resolve, reject)
} else {
originPush.call(this, location, ()=> {}, ()=> {})
}
}
const routes = [
{
path: '/',
name: 'Home',
component: Home
},
{
path: '/about',
name: 'About',
component: () => import('../views/About.vue')
}
]
const router = new VueRouter({
mode: 'history',
base: process.env.BASE_URL,
routes
})
export default router