Как предотвратить аутентификацию пользователя в Firebase / Vue.js ПЕРЕД проверкой электронной почты - PullRequest
0 голосов
/ 27 июня 2019

Я создаю интерфейс аутентификации Vue.js / Firebase, который включает компонент проверки электронной почты.До сих пор я был в состоянии успешно настроить мой интерфейс так, чтобы пользователь не мог войти в систему, пока он / она не нажмет ссылку для подтверждения в электронном письме, отправленном на почтовый ящик, связанный с введенным адресом.Однако я замечаю, что адрес электронной почты по-прежнему отображается на портале аутентификации Firebase, даже ДО перехода по ссылке в письме с подтверждением.Это также относится к поддельным адресам электронной почты, которые, очевидно, не могут быть проверены.Мне бы очень хотелось, чтобы адреса электронной почты отображались на портале аутентификации только ПОСЛЕ нажатия на ссылку в письме с подтверждением.Как мне этого добиться?Вот мой текущий код.Спасибо!

<template>
  <div>
    <div class="container">
      <input type="email" id="txtEmail" v-model="authInput.txtEmail" placeholder="Email">
      <input type="Password" id="txtPassword" v-model="authInput.txtPassword" placeholder="Password">
    </div>

    <div class="container">
      <button id="btnLogin" v-on:click="Login()">Log in</button>
      <button id="btnSignUp" v-on:click="SignUp()">Sign Up</button>
      <button id="btnLogout" v-on:click="LogOut()" style="display:none">Log out</button>
    </div>
    <p id="verifyMessage"></p>
  </div>
</template>
<script>
    import Firebase from 'firebase'
    export default {
        data() {
            return {
                authInput: {
                    txtEmail: '',
                    txtPassword: ''
                }
            }
        },
        methods: {
            Login: function(event) {
                const email = this.authInput.txtEmail;
                const pass = this.authInput.txtPassword;
                const auth = Firebase.auth();
                const promise = auth.signInWithEmailAndPassword(email, pass);
                this.authInput.txtEmail = '';
                this.authInput.txtPassword = '';
                promise.catch(event => console.log(event.message));

                auth.onAuthStateChanged(newUser => {
                  if (newUser) {
                      if (newUser.emailVerified == true) {
                          console.log('login success');
                          document.getElementById('btnLogout').style.display = '';
                          document.getElementById('btnLogin').style.display = 'none';
                          document.getElementById('btnSignUp').style.display = 'none';
                          document.getElementById("verifyMessage").innerHTML = "You are now logged in!";
                      } else {
                          document.getElementById('btnLogout').style.display = 'none';
                      }
                  } else {
                      console.log('not logged in');
                      document.getElementById('btnLogout').style.display = 'none';
                      document.getElementById('btnLogin').style.display = '';
                      document.getElementById('btnSignUp').style.display = '';
                  }
                })
            },
            SignUp: function(event) {
                const email = this.authInput.txtEmail;
                const pass = this.authInput.txtPassword;
                const auth = Firebase.auth();
                const promise = auth.createUserWithEmailAndPassword(email, pass);
                this.authInput.txtEmail = '';
                this.authInput.txtPassword = '';
                promise.catch(event => console.log(event.message));

                auth.onAuthStateChanged(firebaseUser => {
                    if (firebaseUser) {
                        firebaseUser.sendEmailVerification().then(function() {
                            console.log('send Verification');
                            document.getElementById("verifyMessage").innerHTML = "Check your inbox for verification email!";
                        }, function(error) {
                            console.log('not send Verification');
                        });
                    } else {
                        console.log('not logged in');
                        document.getElementById('btnLogout').style.display = 'none';
                    }
                })
            },
            LogOut: function() {
                Firebase.auth().signOut();
                document.getElementById("verifyMessage").innerHTML = "You are now logged out!";
            }
        }
    }
</script>
<style media="screen">
  .container {
    margin: 10px;
  }
</style>

1 Ответ

0 голосов
/ 27 июня 2019

Это уже обсуждалось довольно много раз: в настоящее время нет способа предотвратить вход пользователя с непроверенным адресом электронной почты. Но вы можете проверить статус проверки как в своем клиентском коде, так и в своем внутреннем коде (или правилах безопасности), чтобы убедиться, что только пользователи с проверенным адресом электронной почты имеют доступ к вашим ресурсам.

См:

...