Firebase Authentication is important for your application as it can provide backend services and help authenticate your app users. This Vue Firebase authentication method includes phone numbers, passwords, and other social media authentication options like Facebook, Google, and Twitter. 
In this article, we have included steps to set up Firebase manually, set up Vue, and set up the Firebase projects. The user will sign in and then provide support for password and email authentication.  This article will help you add Firebase to the Vue project. 
Step 1: Setting up Vue
We have already talked about setting up Vue in our previous blogs. You can install Vue CLI and then get to the second step. 
Step 2: Setting up a Firebase project
You need a Gmail account to create a Firebase project. Visit Firebase Google Console and create a Firebase project. 
A new page will open and under the authentication section, click on the sign-in method. And you can get the list of providers Firebase currently supports. 

Next, tap on the Edit icon on the Password/Email provider and switch on Enable toggle

After this, you need to register your app under your newly created Firebase project. Select the Web icon on the overview page under ‘Get started by adding Firebase to your app.’

Step 3: Installing dependencies
Next, use cd into the directory of your project and run the below-given command in order to install all the required dependencies. 
| npm i firebase vue-router@4 vuex@next | 
npm allows you to interact with Firebase
Vue Router is the router for Vue
Vuex describes the state management library for Vue.
Step 4: Integrate Firebase with Vue
Import the Firebase package in the main.js file and configure this file to use the app credentials that we already noted from the Firebase console. 
Create a file named firebaseConfig.js in the src folder and then add the app credentials which will be similar to the following code. 
| // Import the functions you need from the SDKs you need import { initializeApp } from "firebase/app"; import { getAuth } from 'firebase/auth' 
 
 
 const firebaseConfig = {   apiKey: process.env.VUE_APP_FIREBASE_API_KEY,   authDomain: process.env.VUE_APP_FIREBASE_AUTH_DOMAIN,   databaseURL: process.env.VUE_APP_FIREBASE_DATABASE_URL,   projectId: process.env.VUE_APP_FIREBASE_PROJECT_ID,   storageBucket: process.env.VUE_APP_FIREBASE_STORAGE_BUCKET,   messagingSenderId: process.env.VUE_APP_FIREBASE_MESSAGING_SENDER_ID,   appId: process.env.VUE_APP_FIREBASE_APP_ID,   measurementId: process.env.VUE_APP_FIREBASE_MEASUREMENT_ID }; 
 // Initialize Firebase const app = initializeApp(firebaseConfig); 
 //initialize firebase auth const auth = getAuth() 
 
 export { app, auth } | 
Replace the firebaseConfig vales with the Firebase credentials. 
Create the components
Now, you can create the required components for your project. Run the below-given command in the src/components directory to create the components. 
| touch Register.vue Login.vue Dashboard.vue Navbar.vue | 
 
Add the routing to the project
Prior to working on your vuejs components, first add the routes that your app will have. In the src directory, create a new routes folder. Add index.js file and edit this file from the following code. 
| import { createRouter, createWebHistory } from 'vue-router' import Login from '../views/Login.vue'; import Register from '../views/Register.vue'; import Dashboard from '../views/Dashboard.vue'; 
 
 const routes = [         {         path: '/login',         name: 'login',         component: Login     },     {         path: '/register',         name: 'Register',         component: Register     },     {         path: '/',         name: 'Dashboard',         component: Dashboard     } ] 
 
 const router = createRouter({     history: createWebHistory(),     routes   }) 
   export default router      | 
Now, replace App.vue file content with the <router-view/> tag. 
| <template>   <div>     <main class="py-4">       <router-view></router-view>     </main>   </div> </template> 
 <script> export default { }; </script> | 
Managing state with Vuex
In the src directory, create a store.js file and add the below given code to the file. 
| import { createStore } from 'vuex' 
 const store = createStore({ }) 
 // export the store export default store | 
At first, we will define the state with a user object which has the information about the logged user. 
| state: {   user: {     loggedIn: false,     data: null   } }, | 
The loggedIn property carries a default value of false, and acts as a boolean that tells us whether the user is authenticated or not. In the data property, you will see all the information about the logged-in user. 
| getters: {     user(state){       return state.user     }   }, | 
Here we have described a simple getter named user which returns the user object from the state. 
| mutations: {   SET_LOGGED_IN(state, value) {     state.user.loggedIn = value;   },   SET_USER(state, data) {     state.user.data = data;   } } | 
Mutation enables us to make changes to the state. Here we’ve defined two mutations. 
| actions: {       async register(context, { email, password, name}){           const response = await createUserWithEmailAndPassword(auth, email, password)           if (response) {               context.commit('SET_USER', response.user)               response.user.updateProfile({displayName: name})           } else {               throw new Error('Unable to register user')           }       }, 
       async logIn(context, { email, password }){         const response = await signInWithEmailAndPassword(auth, email, password)         if (response) {             context.commit('SET_USER', response.user)         } else {             throw new Error('login failed')         }     }, 
     async logOut(context){         await signOut(auth)         context.commit('SET_USER', null)     }, 
     async fetchUser(context ,user) {       context.commit("SET_LOGGED_IN", user !== null);       if (user) {         context.commit("SET_USER", {           displayName: user.displayName,           email: user.email         });       } else {         context.commit("SET_USER", null);       }   }   } | 
Registering users in Firebase
Here you will learn to register users and store their information on Vue Firebase. Replace src/component/Register.vue with the below-given code. 
| <template>   <div class="container">     <div class="row justify-content-center">       <div class="col-md-8">         <div class="card">           <div class="card-header">Register</div>           <div class="card-body">             <div v-if="error" class="alert alert-danger">{{error}}</div>             <form action="#" @submit.prevent="Register">               <div class="form-group row">                 <label for="name" class="col-md-4 col-form-label text-md-right">Name</label> 
                 <div class="col-md-6">                   <input                     id="name"                     type="name"                     class="form-control"                     name="name"                     value                     required                     autofocus                     v-model="name"                   />                 </div>               </div> 
               <div class="form-group row">                 <label for="email" class="col-md-4 col-form-label text-md-right">Email</label> 
                 <div class="col-md-6"> | 
Here, we’ve created a normal bootstrap form for registering users within <template></template> tag. 
Logging in users
This will help you understand the code enabling users to log in. Edit the Login.vue component that you created earlier. 
| <template>   <div class="container">     <div class="row justify-content-center">       <div class="col-md-8">         <div class="card">           <div class="card-header">Login</div>           <div class="card-body">             <div v-if="error" class="alert alert-danger">{{error}}</div>             <form action="#"  @submit.prevent="Login">               <div class="form-group row">                 <label for="email" class="col-md-4 col-form-label text-md-right">Email</label> 
                 <div class="col-md-6">                   <input                     id="email"                     type="email"                     class="form-control"                     name="email"                     value                     required                     autofocus                     v-model="email"                   />                 </div>               </div> 
               <div class="form-group row">                 <label for="password" class="col-md-4 col-form-label text-md-right">Password</label> 
                 <div class="col-md-6">                   <input                     id="password"                     type="password"                     class="form-control"                     name="password"                     required                     v-model="password"                   />                 </div>               </div> 
               <div class="form-group row mb-0">                 <div class="col-md-8 offset-md-4">                   <button type="submit" class="btn btn-primary">Login</button>                 </div>               </div>             </form>           </div>         </div>       </div>     </div>   </div> </template> 
 <script> import { ref } from 'vue' import { useStore } from 'vuex' import { useRouter } from 'vue-router' 
 export default {   name: "LoginComponent",     setup() {     const email = ref('')     const password = ref('')     const error = ref(null) 
     const store = useStore()     const router = useRouter() 
     const Login = async () => {       try {         await store.dispatch('logIn', {           email: email.value,           password: password.value         })         router.push('/')       }       catch (err) {         error.value = err.message       }     }     return { Login, email, password, error }   } }; </script> | 
And when the user submits their form, the Login function is invoked which handles the actual registration of the user on Firebase. 
|  const Login = async () => {       try {         await store.dispatch('logIn', {           email: email.value,           password: password.value         })         router.push('/')       }       catch (err) {         error.value = err.message       }     } | 
 
No comments:
Post a Comment