我目前正在尝试仅显示页面,如果用户已登录。我遇到的问题是requireAuth()
似乎被称为无数次。
代码使用的是:
// Routes
const routes = [
{
path: '/',
component: Dashboard,
beforeEnter: (to, from, next) => {
requireAuth(to, from, next);
},
children: [
{
path: '',
name: 'dashboard',
component: DashboardIndex
}, {
path: '*',
name: '404',
component: NotFound
}
]
}, {
path: '/login',
component: Login,
name: 'login',
},
];
function requireAuth (to, from, next) {
if (!localStorage.token) {
console.log('testing');
next({
path: '/login',
query: { redirect: to.fullPath }
})
} else {
next()
}
}
// Routing logic
let router = new VueRouter({
routes: routes,
mode: 'hash'
});
在收到错误之前 testing
输出~1000次:
路由导航期间[vue-router]未捕获错误: 警告@ app.js
app.js RangeError:超出最大调用堆栈大小
如何确保将/login
重定向到!localStorage.token
?
答案 0 :(得分:2)
我遇到了同样的问题,因为相应的错误来源都归结为next()
函数,这是导航到to.path
作为值的路径所必需的。如果您使用router.push
或router.replace
,那么随着callstack max error显示,可能会被无限次调用。因此,只需使用next()
并让router
API执行繁琐的工作
我做过这种事情,但方式不同。我处理了main.js
文件中的所有逻辑。和routes.js
文件包含 -
var routes = [{
path:'/login',
component: Login
},
{
path:'/',
component: dashboard
}]
现在我已使用vue-router
API控制main.js文件中的所有类型的验证,并从中获取帮助 - https://router.vuejs.org/en/api/route-object.html
所以现在main.js
将包含 -
const checkToken = () => {
if(localStorage.getItem('token') == (null || undefined) ){
console.log('token is not there : ' + localStorage.getItem('token'));
return false;
}
else{
return true
}
}
//then Use `router.push('/login')` as
router.beforeEach((to, from, next) => {
if(to.path == '/') {
if(checkToken()) {
console.log('There is a token, resume. (' + to.path + ')' + 'localstorage token ' + localStorage.getItem("token"));
next();
} else {
console.log('There is no token, redirect to login. (' + to.path + ')');
router.push('/login');
}
}
所以你可以像这样构建控制main.js
中的所有内容并让route.js
离开所有内容
答案 1 :(得分:0)
如果您没有localStorage
令牌,则表示您正在将用户重定向到/login
。
因为这也是一个Vue路由,所以requireAuth逻辑将再次运行(因为它针对每个路由运行)。这意味着您刚刚创建了一个无限循环,即使用户已经在该页面上,用户也会不断被重定向到/login
。
要停止此操作,当您已经在/login
时,请不要重定向到/login
。
我会把这部分留给你,但如果你理解发生了什么事情就不应该那么难。