【发布时间】:2019-02-24 11:38:35
【问题描述】:
我有什么:
- 具有需要身份验证的路由和公共路由的路由器
- 具有用户身份验证状态的 vuex
我想要什么:使用axios 向服务器发送请求以检查用户的身份验证状态在应用加载之前(在路由器解析之前)。
router.js:
import Vue from 'vue'
import Router from 'vue-router'
import store from './store'
Vue.use(Router)
const router = new Router({
...
routes: [
{
path: '/',
name: 'home',
component: Home
},
{
path: '/account',
name: 'account',
component: () => import(/* webpackChunkName: "account" */ './views/Account.vue'),
meta: {
requiresAuth: true
}
}
]
})
router.beforeEach((to, from, next) => {
if (to.matched.some(route => route.meta.requiresAuth)) {
if (store.state.authStatus)
next()
else
next({name: 'home'})
} else {
next()
}
})
export default router
store.js:
import Vue from 'vue'
import Vuex from 'vuex'
import axios from 'axios'
Vue.use(Vuex)
const store = new Vuex.Store({
state: {
authStatus: false
},
mutations: {
setAuthStatus(state, authStatus) {
state.authStatus = authStatus
}
}
})
axios.get(...)
.then(response => {
store.commit('setAuthStatus', true)
})
export default store
main.js:
import Vue from 'vue'
import App from './App.vue'
import router from './router'
import store from './store'
new Vue({
router,
store,
render: h => h(App)
}).$mount('#app')
我的问题:当我在浏览器中输入mydomain.com/acount(之前未加载应用程序)同时获得授权时,无论如何我都会重定向到home。重定向后,我看到我已获得授权(我在 Home 组件中设置了一些 DOM 元素,仅对授权用户显示)。
我试过了,没有帮助:
store.js:
const store = new Vuex.Store({
...
actions: {
setAuthStatus({commit}) {
axios.get(...)
.then(response => {
commit('setAuthStatus', true)
})
}
}
})
main.js:
store.dispatch('setAuthStatus').then(() => {
new Vue({
router,
store,
render: h => h(App)
}).$mount('#app')
})
编辑:在main.js 我试图从
new Vue({
router,
store,
render: h => h(App)
}).$mount('#app')
到
new Vue({
store,
router,
render: h => h(App)
}).$mount('#app')
它也没有帮助。
【问题讨论】:
标签: vue.js axios vuex vue-router