Implementing Login with Facebook with Angular and REST API

| By Maina Wycliffe | | | Angular

Today, I am going to show you how to create an Angular App with a REST API that uses Facebook Login to sign in/up users. For this application, we are going to be using PHP in our backend, but this can work with any Framework or Language for the backend.

First Thing First

The login flow of the app will work something like this: when a user clicks on Login with Facebook, the user is redirected to Facebook to give your app permission. In return, your app will receive an Access Token and some other personal information from Facebook.

But the Golden rule here is never trust anything that comes from the user. So, your app will only send the token received from Facebook to the REST API. Which in turn will verify with Facebook whether it is genuine and request personal information from Facebook.

Once the REST API has verified the details as genuine, go ahead and check whether the user exists in the database. if the user exists, go ahead and log the user in. If the user is not signed up, go ahead and sign the user up and log the user in. You can also send a welcome/confirmation email at this point.

Create a Facebook Application

For this to work, you need a Facebook application. Head over to Facebook Developers portal and create an app as demonstrated by the YouTube video below:

Adding Login with Facebook Button to your App

Assuming you have successfully setup your Facebook App successfully, you should have an App Id and App Secret. For the angular application, we are going to only need the App Id, the app secret will be used by the REST API. For social login, we are going to be using angularx-social-login npm module. You can install it using the command below

npm install --save angular5-social-login 

// Or with yarn
yarn add angular5-social-login

After you have successfully installed the module, Import it in the app.modules.ts in your project.

import { SocialLoginModule, AuthServiceConfig } from 'angular5-social-login';
import { FacebookLoginProvider } from 'angular5-social-login';

Then create a new file socialloginConfig.ts in the root of your project and add a config file for social login:

import {
  AuthServiceConfig,
  FacebookLoginProvider
} from 'angular5-social-login';

export function getAuthServiceConfigs() {
  let config = new AuthServiceConfig([
    {
      id: FacebookLoginProvider.PROVIDER_ID,
      provider: new FacebookLoginProvider('{FACEBOOK_APP_ID_HERE}')
    }
  ]);
  return config;
}

Then import the config file into your app modules:

import { getAuthServiceConfigs } from './socialloginConfig ';

And finally import SocialLoginModule and declare providers for SocialLoginModule as show below

@NgModule({
      imports: [
            /* ... */
            SocialLoginModule
            ],
      providers: [
            /* ... */
            {
                  provideAuthServiceConfig,useFactorygetAuthServiceConfigs
            }
      ],
      bootstrap: [ /* ... */]
});

On your Sign in Component

Then, on your sign in component (or wherever you wish to add this button), import the AuthService, FacebookLoginProvider as shown below:

import {
  AuthService,
  FacebookLoginProvider,
  GoogleLoginProvider
} from 'angular5-social-login';

And Inject AuthService into your component as shown below:

constructorprivate socialAuthServiceAuthService ) {}

Note: If you are like me, you may already have another AuthService Service, you can import the new AuthService as an ALIAS as shown below:

import {
  AuthService as SocialAuthService,
  FacebookLoginProvider,
  GoogleLoginProvider
} from 'angular5-social-login';

And then Inject SocialAuthService into your component as shown below:

constructorprivate socialAuthService: **SocialAuthService **) {}

Now, it’s a simple matter off adding a Facebook login method and a button. The method should look like this:

public facebookLogin() {
    let socialPlatformProvider = FacebookLoginProvider.PROVIDER_ID;
    this.socialAuthService.signIn(socialPlatformProvider).then(
      (userData=> {
            //this will return user data from facebook. What you need is a user token which you will send it to the server
            this.sendToRestApiMethod(userData.token);
       }
    );
}

On success – the user has granted your app permission – then send the token from user data received to the REST API. There is no need to send other personal information such as email and name as the REST API will get that information for itself. Your sendToRestApiMethod() should look like this.

sendToRestApiMethod(token: string) : void {
    this.http.post(url to facebook login here, { token: token } }
        .subscribe(onSuccess => {
                       //login was successful
                       //save the token that you got from your REST API in your preferred location i.e. as a Cookie or LocalStorage as you do with normal login
               }, onFail => {
                       //login was unsuccessful
                       //show an error message
               }
        );
}

(You should put it inside an Authentication Service together with other related authentication services)

And finally add the Login with Facebook button:

<button (click)="facebookLogin()">Login with Facebook</button>

Integrating with a REST API

And Finally, to the REST API. I will demonstrate this using PHP, but you can use any language you wish, you can get detailed support for your specific language here. (Scroll to the section for Facebook Login and User Profiles).

Since you already have a App Secret and App ID and Access Token (Sent from the Angular App), this one is rather straight forward. In your PHP Method/Script for handling Facebook login, add the following code:

First, Initialize connection to Facebook API using the PHP SDK

$fb = new FacebookFacebook([
    'app_id' => "APP ID HERE",
    'app_secret' => "APP SECRET HERE"
    'default_graph_version' => 'v2.12',
]);

Replace the APP ID HERE and APP SECRET HERE with your specific details from your Facebook app.

And then, Send the access token received from the client app and request user id, name and email address of the user from Facebook. This will return those details if the access token is genuine and will fail if it isn’t.

try {
      $fbresponse = $fb->get('/me?fields=id,name,email', "Access Token Here");
} catch (FacebookExceptionsFacebookResponseException $e) {
      //Handle this error, return a failed request to the app with either 401 or 500
} catch (FacebookExceptionsFacebookSDKException $e) {
      //Handle this error, return a 500 error – something is wrong with your code
}

And finally, do something with the data you received from Facebook. You can check if the user exists in your user database by both email and Facebook user Id, if they exist, sign them in and if they don’t exist sign them up. You can also check if the email address is associated with another user and if so, just associate the Facebook account to the account with the email address. This is all up to you, you can handle it any way you want. You can get the Facebook User Id, Names and Email as shown below:

$me = $fbresponse->getGraphUser();
$userId = $me->getId();
$email = $me->getEmail();  
$name = $user->name()
Angular 5 – Handling Token Based Authentication

Token based authentication is popular for single page applications. A token is a security code issued by a server for authenticating and …

Read More
Search Engine Optimization with Angular

Today, I will show you how to optimize your Angular 5 and above for search engine and other crawlers. It is important to note that, pages …

Read More
Deploying a PHP 7 App with MongoDB to AWS Elastic Beanstalk

Introduction Over the weekend, I was working on a PHP REST API that is using Mongo DB as it’s database. I haven’t worked with MongoDB …

Read More
Adaptive Layout Design - Angular Flex Layout

Introduction You probably have heard about Responsive Layout design but let me remind you anyway. Responsive layout is where components and …

Read More
Visual Studio Code - Top 5 Extensions for PHP

Visual Studio Code is one of the best free text editors out there. Right out of the box, Visual Studio Code offers basic PHP support but …

Read More
Angular Material Icons Components with Angular 5

Icons are a necessity when building modern-day web apps and sometimes they can be frustrating. While icon sets like Font Awesome and …

Read More

Comments