How to Add Social Authentication to Django

Introduction

For users of internet services, there are only a few things worse than having to manually sign in (and sign-up) with different websites. The ordeal of the manual sign-in process can be associated with the difficulty that the user may experience in having to remember multiple strong passwords.

The inability to remember a password could lead to the creation of multiple accounts on the same platform or the outright switch to browsing as an unauthenticated user (where it doesn’t prevent access to the sought-after information or service).

Modern web applications solve this problem using social authentication, which is primarily a way to allow users to sign in (and sign-up) with the application using login information from a social network provider that they already have an account with.

In this tutorial, we will build a simple Django application that allows users to sign in via their Facebook, Instagram and LinkedIn accounts. To achieve this, we will use the social-auth-app-django library. We will also learn how to extract additional information such as profile picture and username from the respective social accounts.

At the end of this tutorial, we will have the final application that works like this:

The source code for this project is available here on GitHub.

Prerequisites

You need the following items installed on your machine to follow along with this tutorial:

  1. Python3
  2. Pipenv

Pipenv is a production-ready tool that aims to bring the best of all packaging worlds to the Python world. It harnesses Pipfile, pip, and virtualenv into one single command.

This tutorial assumes that the reader has basic working knowledge with Django. You also need to have an account with Facebook, Instagram and LinkedIn.

Let’s dive right in!

Setting up the Django app

In this section, we will up a new Django project and install dependencies. Let’s start by creating a new folder and making it the present working directory:

    $ mkdir django_social_app
    $ cd django_social_app

We will create and activate a new virtual environment using Pipenv; this has the effect of creating an isolated Python environment and preventing us from polluting the global package directory when we install Django dependencies. We will also install django and social-auth-app-django:

    $ pipenv shell
    $ pipenv install django social-auth-app-django

social-auth-app-django simplifies the implementation of social authentication with Django.

Let’s create (and navigate into) a new Django project, we will call it social_app:

    $ (django_social_app) $ django-admin startproject social_app
    $ (django_social_app) $ cd social_app

Note: It is important that we run the commands from the terminal that is sourced into the virtual environment i.e displays (django_social_app) at the beginning of each command line.

Next, we will create a Django application called core, this application will contain all our views and templates:

    (django_social_app) $ python manage.py startapp core

Note: You need to be in the parent social_app directory to run ‘python manage.py *’ commands.

Let’s find the settings.py file in the social_app project and add both core and social-auth-app-django as INSTALLED_APPS:

    #social_app/settings.py

    INSTALLED_APPS = [
        'django.contrib.admin',
        'django.contrib.auth',
        'django.contrib.contenttypes',
        'django.contrib.sessions',
        'django.contrib.messages',
        'django.contrib.staticfiles',
        'social_django', # add this 
        'core' # add this
      ]

Finally, let’s migrate the database:

    (django_social_app) $ python manage.py migrate

Configuring the authentication classes

Behind the scenes, Django maintains a list of “authentication backends” that it checks during user authentication. If the first authentication method fails, Django tries the second one, and so on, until all backends have been attempted.

The AUTHENTICATION_BACKENDS array contains a list of authentication backend classes (as strings) and is by default set to:

    ['django.contrib.auth.backends.ModelBackend']

We can update it and add new authentication classes in order to allow authentication with the social platforms we are considering in this tutorial.

To update it this, simply add the following code in the settings.py file:

    #social_app/settings.py

    #add this
    AUTHENTICATION_BACKENDS = [
        'social_core.backends.linkedin.LinkedinOAuth2',
        'social_core.backends.instagram.InstagramOAuth2',
        'social_core.backends.facebook.FacebookOAuth2',
        'django.contrib.auth.backends.ModelBackend',
    ]

We just added the authentication backend classes for Linkedin, Instagram and Facebook.

You can find a list of the authentication backends classes supported by social-auth-app-django here.

Adding templates and static files

We’ve only worked on setting up and configuring the application, let’s move on to something visual now. In this section, we will build the foundation of the templates that will display the application.

Let’s create a new folder in the coredirectory, we will call this folder templates:

    (django_social_app) $ cd core/
    (django_social_app) $ mkdir templates/

Create three files within the templates directory and call them:

  1. base.html
  2. login.html
  3. home.html

Now, open the base.html file and paste in the following snippet:

    <!-- templates/base.html -->

    {% load static %}
    <!DOCTYPE html>
    <html lang="en">
    <head>
        <meta charset="UTF-8" />
        <meta name="viewport" content="width=device-width, initial-scale=1.0" />
        <meta http-equiv="X-UA-Compatible" content="ie=edge" />
        <link rel="stylesheet" href="https://stackpath.bootstrapcdn.com/bootstrap/4.1.3/css/bootstrap.min.css" integrity="sha384-MCw98/SFnGE8fJT3GXwEOngsV7Zt27NXFoaoApmYm81iuXoPkFOJwJ8ERdknLPMO"
            crossorigin="anonymous" />
        <link rel="stylesheet" href="{% static 'css/index.css' %}" />
        <title>Social Auth with Django</title>
    </head>
    <body>
        <div class="container-fluid">
            <div>
                <h1 class="text-white text-center">{% block title %}{% endblock %}</h1>
                <div class="card p-5">
                    {% block content %}
                    {% endblock %}
                </div>
            </div>
        </div>
    </body>
    </html>

Paste in the following snippet in the login.html file:

   <!-- templates/login.html -->

    {% extends 'base.html' %}
    {% block title %} Sign in {% endblock %}
    {% block content %}
    <div class="row">
        <div class="col-md-8 mx-auto social-container my-2 order-md-1">
            <button class="btn btn-danger  mb-2">
                <a href="#">Login with Instagram</a>
            </button>
            <button class="btn btn-primary mb-2">
                <a href="#">Login with Facebook
                </a>
            </button>
            <button class="btn btn-info mb-2">
                <a href="#">Login with LinkedIn</a>
            </button>
        </div>
    </div>
    </div>
    {% endblock %}

Lastly, update the home.html file with the code below:

    <!-- templates/home.html -->

    {% extends 'base.html' %}
    {% block title %} Home {% endblock %}
    {% block content %}
    <div class="row">
        <div class="col-sm-12 mb-3">
            <h4 class="text-center"> Welcome {{ user.username }} </h4>
        </div>
    </div>
    {% endblock %}

We need some styles to help our code look nice when rendered, so let’s create a folder called static in the root of the core folder and we will store our styles there.

Create a folder called css folder within the static directory and finally, create an index.css file within the css folder.

Now open the index.css file and update it with the following code:

    /_ index.css _/

    img {
      border: 3px solid #282c34;
    }
    .container-fluid {
      height: 100vh;
      background-color: #282c34;
      display: flex;
      justify-content: center;
      align-items: center;
    }
    .container-fluid > div {
      width: 85%;
      min-width: 300px;
      max-width: 500px;
    }
    .card {
      width: 100%;
    }
    .social-container {
      display: flex;
      flex-direction: column;
      justify-content: center;
    }
    .btn a, .btn a:hover {
      color: white;
      text-decoration: none ;
    }

Setting up the Views and URLs

In this section, we will define the Views and register the URLs that the application needs to work, so open the core/views.py file and replace its content with the snippet below:

    # core/views.py

    from django.shortcuts import render
    from django.contrib.auth.decorators import login_required

    # Create your views here.
    def login(request):
      return render(request, 'login.html')

    @login_required
    def home(request):
      return render(request, 'home.html')

Next, we will register the routes for the application and attach their matching view functions. Replace the content of the social_app/urls.py file with the code below:

    # social_app/urls.py

    from django.contrib import admin
    from django.urls import path, include
    from django.contrib.auth import views as auth_views
    from core import views

    urlpatterns = [
        path('admin/', admin.site.urls),         path("login/", views.login, name="login"),
        path("logout/", auth_views.LogoutView.as_view(), name="logout"),
        path('social-auth/', include('social_django.urls', namespace="social")),
        path("", views.home, name="home"),
    ]

In the settings.py file, we need to set four new values — LOGIN_URL, LOGOUT_URL, LOGIN_REDIRECT_URL and LOGOUT_REDIRECT_URL — because they will be used in redirecting the user when authentication is complete:

    # social_app/settings.py

    # [...]

    LOGIN_URL = 'login'
    LOGIN_REDIRECT_URL = 'home'
    LOGOUT_URL = 'logout'
    LOGOUT_REDIRECT_URL = 'login'

    # [...]

Fantastic! We can now run the application to see what we’ve built so far. Let’s start the server with this command:

    (django_social_app) $ python manage.py runserver

Note: You need to be in the parent social_app directory to run ‘python manage.py *’ commands.

We can view the application on http://localhost:8000, though we will be redirected to /login since we aren’t authenticated:

Looking good! In the next sections, we will register our application with the social network providers so that users can be authenticated via social platforms.

Facebook Authentication

In this section, we will do the heavy lifting and set up authentication via Facebook.

Get Facebook Credentials

Head over to the Facebook Developers’ page, after signing in, click on Add a New App and enter the details for the app on the modal window that appears:

Once the app has been created, you will be redirected to the application’s dashboard. On the left side of the screen, click on** Settings**, then click on the Basic option that appears directly underneath it.

When the new screen loads, under the App Domains section, add localhost like this:

Now scroll down until you see an option that says Add Platform, Click on it and select the Website option. This will create a website section where you will see Site URL, add http://localhost:8000/ in the input and click on the Save Changes button:

Now, copy the App ID and App secret from the applications dashboard and add them to the settings.py file:

    # social_app/settings.py

    #[...]

    SOCIAL_AUTH_FACEBOOK_KEY = YOUR_APP_KRY        # App ID
    SOCIAL_AUTH_FACEBOOK_SECRET = YOUR_APP_SECRET  # App Secret

    #[...]

Replace the YOUR_APP_* keys with the values from your Facebook application dashboard.

Let’s update the URL of the Login with Facebook button in login.html file with this one:

    <!-- templates/login.html -->

            <button class="btn btn-primary mb-2">
                <a href="{% url 'social:begin' 'facebook' %}">Login with Facebook</a>
            </button>

Start up the web server and visit localhost:8000/login to test that we can now log into the application via Facebook:

    (django_social_app) $ python manage.py runserver

Note: You need to be in the parent social_app directory to run ‘python manage.py *’ commands.

When we click on the Login with Facebook button, we should be redirected to a page similar to the one below:

Clicking on Continue as USERNAME will redirect to the home page and your username will be displayed. We have successfully been authenticated via Facebook:

Want to know what just happened behind the scenes? Let’s find out; we will create a superuser account to access the admin panel:

    (django_social_app) $ python manage.py createsuperuser

You will get a prompt to enter a username, email and password for the superuser. Be sure to enter details that you can remember because you will need them to log in to the admin dashboard shortly.

After creating the superuser account, we will run the server and visit the admin panel on this address — http://localhost:8000/admin/:

We can see that a new User (besides the superuser) has been created in the Users category:

We will also see that there is a new account under the User social auths category:

The explanation for the existence of these new accounts is: When a user logs into the application using Facebook (or any social network provider), a new User and User Social Auth instance are created. The User Social Auth is linked to the User account the first time, then subsequently, the User instance is simply queried from the database.

The User instance is created using the details received from the social network provider. In this case, Facebook sent back the first_name and last_name fields of the created User Instance, and the username is a concatenation of the first_name and last_name.

Some social providers (like Instagram) will return the user’s username on their platform and this is used (instead of the concatenation) for the created User instance on the application.

We don’t want our application to just display a username, we want to get additional *_User *_data such as profile picture, so let’s request for extra data from Facebook.

Note: You will need to log out from the admin panel to continue.

Open the settings.py file and update it accordingly:

    # settings.py

    TEMPLATES = [
        {
            'BACKEND': 'django.template.backends.django.DjangoTemplates',
            'DIRS': [],
            'APP_DIRS': True,
            'OPTIONS': {
                'context_processors': [
                    'django.template.context_processors.debug',
                    'django.template.context_processors.request',
                    'django.contrib.auth.context_processors.auth',
                    'django.contrib.messages.context_processors.messages',
                    'social_django.context_processors.backends', # add this
                    'social_django.context_processors.login_redirect', # add this
                ],
            },
        },
    ]

    SOCIAL_AUTH_FACEBOOK_KEY = YOUR_APP_SECRET          # App ID
    SOCIAL_AUTH_FACEBOOK_SECRET = YOUR_APP_SECRET       # App Secret
    SOCIAL_AUTH_FACEBOOK_SCOPE = ['email', 'user_link'] # add this
    SOCIAL_AUTH_FACEBOOK_PROFILE_EXTRA_PARAMS = {       # add this
      'fields': 'id, name, email, picture.type(large), link'
    }
    SOCIAL_AUTH_FACEBOOK_EXTRA_DATA = [                 # add this
        ('name', 'name'),
        ('email', 'email'),
        ('picture', 'picture'),
        ('link', 'profile_url'),
    ]

Replace the YOUR_APP_* keys with the values from your Facebook application dashboard.

The social_django context processors help in adding backend and associations data to template context. This makes it easy for us to access data about the authenticated user using template tags. You can read more about it here.

When a user logs into the application via Facebook, we can access a subset of the user’s data using permissions; permissions are how we ask if we can access the data on Facebook. In the code above, SOCIAL_AUTH_FACEBOOK_SCOPE contains a list of permissions to access the data properties our application requires. The email and user_link permissions request access to the user’s Facebook email and profile link respectively.

Let’s start the server now, visit http://localhost:8000/login/, and attempt logging in via Facebook:

Clicking on Continue as USERNAME will grant the application access to user’s private data on Facebook and for this reason, to request for some permissions, you will need to submit your application to be reviewed by the Facebook team to ensure that the returned data isn’t misused. You can find the list of Facebook permissions here.

SOCIAL_AUTH_FACEBOOK_PROFILE_EXTRA_PARAMS has a key — fields — where the value is a list of attributes that should be returned by Facebook when the user has successfully logged in. The values are dependent on SOCIAL_AUTH_FACEBOOK_SCOP .

When a user logs in using Facebook, the Facebook API returns the data requested in SOCIAL_AUTH_FACEBOOK_PROFILE_EXTRA_PARAMS. To store the data in the database, we need to specify them in SOCIAL_AUTH_FACEBOOK_EXTRA_DATA.

The extra data will be stored in the extra_datafield of the User Social Auth instance:

Now, let’s update the frontend to display the extra data we received from Facebook, we will open the home.html file and replace its content with this one:

<!-- home.html -->

    {% extends 'base.html' %}
    {% block title %} Home {% endblock %}
    {% block content %}
      <div class="row">
        <div class="col-sm-12 mb-3">
          <h4 class="text-center">Welcome {{ user.username }}</h4>
        </div>

            <!-- Add from here -->
        {% for ass in backends.associated %}
          {% if ass.provider == 'facebook' %}
            <div class="col-md-6 text-center">
                <img src="{{ass.extra_data.picture.data.url}}" alt="" width="150" height="150" style="border-radius: 50%">
            </div>
            <div class="col-md-6 social-container my-2">                 <p> Signed in via:  {{ ass.provider }} </p>
                <p> Name:  {{ ass.extra_data.name }} </p>
                <p> Provider url: <a href="{{ass.extra_data.profile_url}}">link</a></p>
            </div>
          {% endif %}
        {% endfor %}
        <div class="col-sm-12 mt-2 text-center">
          <button class="btn btn-danger">
            <a href="{% url 'logout' %}">Logout</a>
          </button>
        </div>
            <!-- End here -->
      </div>
    {% endblock %}

Now we can visit the application’s home address — http://localhost:8000/ — on a web browser and see the extra data:

Note: We now have access to the data that gets stored in the extra_data field because we added the context processors to TEMPLATES; this enables us to access backends data in the frontend.

Congratulations! we have successfully authenticated via Facebook and can now move on to setting up the next social network provider.

Instagram Authentication

Seeing that we’ve gone into details on how things work behind the scene, we can set up the Instagram authentication in just three steps:

  • Get API credentials

  • Setup the backend

  • Setup the frontend

Let’s go!

Get API credentials

Let’s visit the Instagram developers page and click on Register Your Application:

On the screen that comes up next, click on Register a New Client and fill out the details for the application:

Note: Instagram (and most social network providers) require a redirect URL which will be the address the user’s browser will be directed to after the authentication. For this tutorial, we will use this address http://localhost:8000/social-auth/complete/instagram/. You can learn more about this here.

Successful registration of the application will return a screen like this:

Now, we will click on the Manage option to get the application’s Client ID and Client Secret:

Note: We need the ID and the Secret to configure the backend.

Setup the Backend

Let’s add this code to the settings.py file:

    # settings.py

    #[...]

    # add this code
    SOCIAL_AUTH_INSTAGRAM_KEY = YOUR_CLIENT_ID         #Client ID
    SOCIAL_AUTH_INSTAGRAM_SECRET = YOUR_CLIENT_SECRET  #Client SECRET
    SOCIAL_AUTH_INSTAGRAM_EXTRA_DATA = [         ('user', 'user'),
    ]

    #[...]

Replace the YOUR_CLIENT_* keys with the values from your Instagram application.

With the code above, once a user is authenticated via Instagram, a user object will be sent back to the application. We add this object to SOCIAL_AUTH_INSTAGRAM_EXTRA_DATA because we want it to be stored in the database for easy reference.

The user object is returned in this format:

    {
      "id": ...,
      "username": ...,
      "profile_picture": ...,
      "full_name": ...,
      "bio": ...,
      "website": ...,
      "is_business": ...,
    }

Setup the Frontend

We want to display a nice UI for when a user is authenticated via Instagram so let’s replace the content of the home.html file with the code below:

   <!-- home.html -->

    {% extends 'base.html' %}
    {% block title %} Home {% endblock %}
    {% block content %}
    <div class="row">
        <div class="col-sm-12 mb-3">
            <h4 class="text-center">Welcome {{ user.username }}</h4>
        </div>
        <!-- Add from here -->
        {% for ass in backends.associated %}
          {% if ass.provider == 'facebook' %}
            <div class="col-md-6 text-center">
                <img src="{{ass.extra_data.picture.data.url}}" alt="" width="150" height="150" style="border-radius: 50%">
            </div>
            <div class="col-md-6 social-container my-2">                 <p> Signed in via:  {{ ass.provider }} </p>
                <p> Name:  {{ ass.extra_data.name }} </p>
                <p> Provider url: <a href="{{ass.extra_data.profile_url}}">link</a></p>
            </div>
          {% endif %}
          <!-- Add from here -->
          {% if ass.provider == 'instagram' %}
            <div class="col-md-6 text-center">               <img src="{{ ass.extra_data.user.profile_picture }}" alt="" width="150" height="150" style="border-radius: 50%">             </div>
            <div class="col-md-6 social-container my-2">
              <p>Signed in via: {{ ass.provider }} </p>
              <p> Name:  {{ ass.extra_data.user.full_name }} </p>
              <p>Provider url: <a href="https://instagram.com/{{ ass.username }}">link</a></p>
          {% endif %}
          <!-- End here -->
        {% endfor %}
        <div class="col-sm-12 mt-2 text-center">
            <button class="btn btn-danger">
                <a href="{% url 'logout' %}">Logout</a>
            </button>
        </div>
        <!-- End here -->
    </div>
    {% endblock %}

Let’s update the URL of the *_Login with Instagram *_button in login.html file:

    <!-- templates/login.html -->

        <button class="btn btn-danger  mb-2">
            <a href="{% url 'social:begin' 'instagram' %}">Login with Instagram</a>
        </button>

We can now start the server, visit http://localhost:8000/login, and try to login with Instagram:

Note: The Instagram application is in sandbox (test) mode. To make it live, you will have to submit it for a review. You can learn more about this here.

Once the application is authorized, the user will be logged in and redirected to the home page:

Linkedin Authentication

We will set up LinkedIn authentication in three steps:

  • Get API credentials

  • Setup the Backend

  • Setup the Frontend

Get API credentials

Let’s visit the Linkedin developers page and click on Create app:

Fill out the application details:

Note: Most of these fields are required and you will have to fill them out with valid structured data.

Once the app has successfully been created, you will be redirected to the application’s dashboard. Here, add http://localhost:8000/social-auth/complete/linkedin-oauth2/ as the redirect URL and update the application:

Take note of the Client ID and Secret, we will need it in setting up the backend.

Setup the Backend

Let’s add this code to the settings.pyfile:

    # settings.py

    #[...]

    # add this code
    SOCIAL_AUTH_LINKEDIN_OAUTH2_KEY = YOUR_CLIENT_ID         #Client ID
    SOCIAL_AUTH_LINKEDIN_OAUTH2_SECRET = YOUR_CLIENT_SECRET  #Client Secret
    SOCIAL_AUTH_LINKEDIN_OAUTH2_SCOPE = ['r_basicprofile', 'r_emailaddress']
    SOCIAL_AUTH_LINKEDIN_OAUTH2_FIELD_SELECTORS = ['email-address', 'formatted-name', 'public-profile-url', 'picture-url']
    SOCIAL_AUTH_LINKEDIN_OAUTH2_EXTRA_DATA = [
        ('id', 'id'),
        ('formattedName', 'name'),
        ('emailAddress', 'email_address'),
        ('pictureUrl', 'picture_url'),
        ('publicProfileUrl', 'profile_url'),
    ]

    #[...]

Replace the YOUR_CLIENT_* keys with the values from your LinkedIn application.

The SOCIAL_AUTH_LINKEDIN_OAUTH2_SCOPE array contains the permissions needed to access the user’s data, similar to what we saw when we set up authentication via Facebook.

The SOCIAL_AUTH_LINKEDIN_OAUTH_FIELD_SELECTORS array contains the list of data that should be returned when the user is successfully authenticated via Linkedin. It is similar to the SOCIAL_AUTH_FACEBOOK_PROFILE_EXTRA_PARAMS array for Facebook. You can find the full list of data items that can be requested for here.

The SOCIAL_AUTH_LINKEDIN_OAUTH2_EXTRA_DATA array contains the data that we want to store in the database for later reference.

Setting up Frontend

Let’s replace the content of the home.html file with the code below:

    <!-- home.html -->

    {% extends 'base.html' %}
    {% block title %} Home {% endblock %}
    {% block content %}
    <div class="row">
        <div class="col-sm-12 mb-3">
            <h4 class="text-center">Welcome {{ user.username }}</h4>
        </div>
        <!-- Add from here -->
        {% for ass in backends.associated %}
          {% if ass.provider == 'facebook' %}
            <div class="col-md-6 text-center">
                <img src="{{ass.extra_data.picture.data.url}}" alt="" width="150" height="150" style="border-radius: 50%">
            </div>
            <div class="col-md-6 social-container my-2">                 <p> Signed in via:  {{ ass.provider }} </p>
                <p> Name:  {{ ass.extra_data.name }} </p>
                <p> Provider url: <a href="{{ass.extra_data.profile_url}}">link</a></p>
            </div>
          {% endif %}
          {% if ass.provider == 'instagram' %}
            <div class="col-md-6 text-center">               <img src="{{ ass.extra_data.user.profile_picture }}" alt="" width="150" height="150" style="border-radius: 50%">             </div>
            <div class="col-md-6 social-container my-2">
              <p>Signed in via: {{ ass.provider }} </p>
              <p> Name:  {{ ass.extra_data.user.full_name }} </p>
              <p>Provider url: <a href="https://instagram.com/{{ ass.username }}">link</a></p>
          {% endif %}
          <!-- Add from here -->
          {% if ass.provider == 'linkedin-oauth2' %}
            <div class="col-md-6 text-center">
                <img src="{{ass.extra_data.picture_url}}" alt="" width="150" height="150" style="border-radius: 50%">
            </div>
            <div class="col-md-6 social-container my-2">                 <p> Signed in via:  Linkedin </p>
                <p> Name:  {{ ass.extra_data.name }} </p>
                <p> Provider url: <a href="{{ass.extra_data.profile_url}}">link</a></p>
            </div>
          {% endif %}
          <!-- End here -->
        {% endfor %}
        <div class="col-sm-12 mt-2 text-center">
            <button class="btn btn-danger">
                <a href="{% url 'logout' %}">Logout</a>
            </button>
        </div>
        <!-- End here -->
    </div>
    {% endblock %}

We will also update the URL of the Login with LinkedIn button in the login.html file:

    <!-- templates/login.html -->

        <button class="btn btn-info mb-2">
           <a href="{% url 'social:begin' 'linkedin-oauth2' %}">Login with LinkedIn</a>
        </button>

We can now start the server, visit http://localhost:8000/login, and try to login with LinkedIn:

Once we authorize the application by clicking on Allow, we will be directed to the homepage:

Conclusion

We have come to the end of this tutorial and have learnt how to set up social authentication in Django using the social-auth-app-django library with minimal configuration. We have also learnt how to request extra user data once the user has been authenticated via a social network provider.

As we already discussed at the beginning of this article, the importance of social authentication in modern web applications cannot be overemphasized.

The code for this article is available here on GitHub.

#Django #programming

How to Add Social Authentication to Django
4.90 GEEK