Firebaseを使用してVue.jsアプリを認証しようとしています。
ログイン中にログインで保護されたURLに直接アクセスしようとすると、firebase.jsが認証応答を返す前に、ルーターが読み込まれて認証状態を確認するという問題があります。これにより、ユーザーはログインページにバウンスされます(既にログインしている間)。
認証状態がFirebaseから取得されるまで、vue-routerナビゲーションを遅らせるにはどうすればよいですか? Firebaseが認証データをlocalStorageに保存していることがわかりますが、それが予備的な認証チェックとして存在するかどうかを確認しても安全ですか?理想的には、最終結果は、ユーザーが認証されている間に読み込み中のスピナーなどを表示することであり、その後、ユーザーはナビゲートしたページにアクセスできるはずです。
router/index.js
let router = new Router({
mode: 'history',
routes: [
{
path: '/',
name: 'Home',
component: Home
},
{
path: '/login',
name: 'Login',
component: Login
},
{
path: '/example',
name: 'Example',
component: Example,
beforeEnter: loginRequired
}
})
function loginRequired (to, from, next) {
if (authService.authenticated()) {
next()
} else {
next('/login')
}
}
auth.js
import * as firebase from 'firebase'
var config = {
// firebase config
}
firebase.initializeApp(config)
var authService = {
firebase: firebase,
user: null,
authenticated () {
if (this.user == null) {
return false
} else {
return !this.user.isAnonymous
}
},
setUser (user) {
this.user = user
},
login (email, password) {
return this.firebase.auth().signInWithEmailAndPassword(email, password)
.then(user => {
this.setUser(user)
})
},
logout () {
this.firebase.auth().signOut().then(() => {
console.log('logout done')
})
}
}
firebase.auth().onAuthStateChanged(user => {
authService.setUser(user)
})
export default authService
app.vue
<template>
<div id="app">
<p v-if="auth.user !== null">Logged in with {{ auth.user.email }}</p>
<p v-else>not logged in</p>
<router-view v-if="auth.user !== null"></router-view>
</div>
</template>
<script>
import authService from './auth'
export default {
name: 'app',
data () {
return {
auth: authService
}
}
}
</script>
Firebaseは、起動時に常に認証状態変更イベントをトリガーしますが、すぐにはトリガーされません。
Firebaseがユーザー/認証の初期化を完了するのを待つには、authService.authenticated
にpromiseを返すようにする必要があります。
const initializeAuth = new Promise(resolve => {
// this adds a hook for the initial auth-change event
firebase.auth().onAuthStateChanged(user => {
authService.setUser(user)
resolve(user)
})
})
const authService = {
user: null,
authenticated () {
return initializeAuth.then(user => {
return user && !user.isAnonymous
})
},
setUser (user) {
this.user = user
},
login (email, password) {
return firebase.auth().signInWithEmailAndPassword(email, password)
},
logout () {
firebase.auth().signOut().then(() => {
console.log('logout done')
})
}
}
signInWith...
プロミスからsetUser
を呼び出す必要はありません。これは、initializeAuth
プロミスによってすでに処理されているためです。
私はこれと同じ問題を抱えていて、最初のonAuthStatedChangedまでVueオブジェクトの作成を遅らせることになりました。
# main.js
// wait for first firebase auth change before setting up vue
import { AUTH_SUCCESS, AUTH_LOGOUT } from "@/store/actions/auth";
import { utils } from "@/store/modules/auth";
let app;
firebase.auth().onAuthStateChanged(async user => {
if (!app) {
if (user) {
await store.dispatch(AUTH_SUCCESS, utils.mapUser(user));
} else {
await store.dispatch(AUTH_LOGOUT);
}
app = new Vue({
router,
store,
i18n,
render: h => h(App)
}).$mount("#app");
}
});
そして、私のルートでは、通常どおりチェックし、ログインルートに到達した場合は、ダッシュボードページの一種である概要ページにプッシュします。
#router.js
router.beforeEach((to, from, next) => {
let authenticated = store.getters.isAuthenticated;
if (to.matched.some(record => record.meta.requiresAuth)) {
// this route requires auth, check if logged in
// if not, redirect to login page.
if (!authenticated) {
next({
name: "Login",
query: { redirect: to.fullPath }
});
} else {
next();
}
} else {
// doesn't require auth, but if authenticated already and hitting login then go to overview
if (authenticated && to.name === "Login") {
next({
name: "Overview"
});
}
next(); // make sure to always call next()!
}
});
に基づいて構築するには リチャードの 答え、通常のVue(Vuexではない)を使用している人のために
//initialize firebase
firebase.initializeApp(config);
let app: any;
firebase.auth().onAuthStateChanged(async user => {
if (!app) {
//wait to get user
var user = await firebase.auth().currentUser;
//start app
app = new Vue({
router,
created() {
//redirect if user not logged in
if (!user) {
this.$router.Push("/login");
}
},
render: h => h(App)
}).$mount("#app");
}
});
//route definitions
//...
router.beforeEach((to, from, next) => {
const currentUser = firebase.auth().currentUser;
const requiresAuth = to.matched.some(record => record.meta.requiresAuth);
if (requiresAuth && !currentUser) {
const loginpath = window.location.pathname;
next({ name: 'login', query: { from: loginpath } });
} else if (!requiresAuth && currentUser) {
next("defaultView");
} else {
next();
}
});
2つのオプションがあります。
1)コンポーネントからbeforeRouteEnterを使用します。
export default {
name: "example",
....
beforeRouteEnter(to, from, next){
if (authService.authenticated()) {
next()
} else {
next('/login')
}
},
}
2)ルーターからbeforeResolveを使用します。
router.beforeResolve((to, from, next) => {
if(to.fullPath === '/example' && !authService.authenticated()){
next('/login')
}else{
next()
}
})