10 KiB
		
	
	
	
	
	
	
	
			
		
		
	
	Authentication
This Authentication API requires the Users & Permissions plugin which comes with Strapi, installed by default.
Token usage
A jwt token may be used for making permission-restricted API requests. To make an API request as a user, place the jwt token into an Authorization header of the GET request. A request without a token, will assume the public role permissions by default. Modify the permissions of each user's role in admin dashboard. Authentication failures return a 401 (unauthorized) error.
Usage
- The tokenvariable is thedata.jwtreceived when login in or registering.
import axios from 'axios';
const token = 'YOUR_TOKEN_HERE';
// Request API.
axios
  .get('http://localhost:1337/posts', {
    headers: {
      Authorization: `Bearer ${token}`
    }
  })
  .then(response => {
    // Handle success.
    console.log('Data: ', response.data);
  })
  .catch(error => {
    // Handle error.
    console.log('An error occurred:', error);
  });
Registration
Creates a new user in the database with a default role as 'registered'.
Usage
import axios from 'axios';
// Request API. 
// Add your own code here to customize or restrict how the public can register new users.
axios
  .post('http://localhost:1337/auth/local/register', {
    username: 'Strapi user',
    email: 'user@strapi.io',
    password: 'strapiPassword'
  })
  .then(response => {
    // Handle success.
    console.log('Well done!');
    console.log('User profile', response.data.user);
    console.log('User token', response.data.jwt);
  })
  .catch(error => {
    // Handle error.
    console.log('An error occurred:', error);
  });
Login
Submit the user's identifier and password credentials for authentication. When the authentication is successful, the response data returned will have the users information along with a jwt authentication token.
Local
- The identifierparam can either be an email or a username.
import axios from 'axios';
// Request API.
axios
  .post('http://localhost:1337/auth/local', {
      identifier: 'user@strapi.io',
      password: 'strapiPassword'
  })
  .then(response => {
    // Handle success.
    console.log('Well done!');
    console.log('User profile', response.data.user);
    console.log('User token', response.data.jwt);
  })
  .catch(error => {
    // Handle error.
    console.log('An error occurred:', error);
  });
Providers
Thanks to Grant and Purest, you can easily use OAuth and OAuth2 providers to enable authentication in your application. By default, Strapi comes with the following providers:
👀 See our complete example with detailed tutorials for each provider (with React)
Set your providers credentials in the admin interface (Plugin Users & Permissions > Providers). Then update and enable the provider you want use.
To authenticate the user, use the GET method to request the url, /connect/:provider. eg: GET /connect/facebook
After authentication, create and customize your own redirect callback at /auth/:provider/callback. The jwt and user data will be available in a .json response.
Response payload:
{
  "user": {},
  "jwt": ""
}
Forgotten password
This action sends an email to a user with the link of you reset password page. This link contains an URL param code which is required to reset user password.
Usage
- emailis your user email.
- urlis the url link that user will receive. After the user triggers a new password reset, it is used to redirect the user to the new-password form.
import axios from 'axios';
// Request API.
axios
  .post('http://localhost:1337/auth/forgot-password', {
    email: 'user@strapi.io',
    url: 'http:/localhost:1337/admin/plugins/users-permissions/auth/reset-password'
  })
  .then(response => {
    // Handle success.
    console.log('Your user received an email');
  })
  .catch(error => {
    // Handle error.
    console.log('An error occurred:', error);
  });
Password reset
This action will reset the user password.
Usage
- codeis the url params received from the email link (see forgot password)
import axios from 'axios';
// Request API.
axios
  .post('http://localhost:1337/auth/reset-password', {
    code: 'privateCode',
    password: 'myNewPassword',
    passwordConfirmation: 'myNewPassword'
  })
  .then(response => {
    // Handle success.
    console.log('Your user\'s password has been changed.');
  })
  .catch(error => {
    // Handle error.
    console.log('An error occurred:', error);
  });
});
User object in Strapi context
The user object is available to successfully authenticated requests.
Usage
- The authenticated userobject is a property ofctx.state.
  create: async (ctx) => {
    const { _id } = ctx.state.user
    const depositObj = {
      ...ctx.request.body,
      depositor: _id
    }
    const data = await strapi.services.deposit.add(depositObj);
    // Send 201 `created`
    ctx.created(data);
  }
Adding a new provider
To add a new provider on Strapi, you will need to perform changes onto the following files:
packages/strapi-plugin-users-permissions/services/Providers.js
packages/strapi-plugin-users-permissions/config/functions/bootstrap.js
packages/strapi-plugin-users-permissions/admin/src/components/PopUpForm/index.js
packages/strapi-plugin-users-permissions/admin/src/translations/en.json
We will go step by step.
Configure your Provider Request
Configure the new provider in the Provider.js file at the getProfile function.
The getProfile takes three params:
- provider :: The name of the used provider as a string.
- query :: The query is the result of the provider callback.
- callback :: The callback function who will continue the internal Strapi login logic.
Here is an example that uses the discord provider.
Configure your oauth generic information
    case 'discord': {
      const discord = new Purest({
        provider: 'discord',
        config: {
          'discord': {
            'https://discordapp.com/api/': {
              '__domain': {
                'auth': {
                  'auth': {'bearer': '[0]'}
                }
              },
              '{endpoint}': {
                '__path': {
                  'alias': '__default'
                }
              }
            }
          }
        }
      });
    }
This code creates a Purest object that gives us a generic way to interact with the provider's REST API.
For more specs on using the Purest module, please refer to the Official Purest Documentation
You may also want to take a look onto the numerous already made configurations here.
Retrieve your user's information:
For our discord provider it will look like:
      discord.query().get('users/@me').auth(access_token).request((err, res, body) => {
        if (err) {
          callback(err);
        } else {
          // Combine username and discriminator because discord username is not unique
          const username = `${body.username}#${body.discriminator}`;
          callback(null, {
            username,
            email: body.email
          });
        }
      });
      break;
    }
Here is the next part of our switch. Now that we have properly configured our provider, we want to use it to retrieve user information.
Here you see the real power of purest, you can simply make a get request on the desired URL, using the access_token
from the query parameter to authenticate.
That way, you should be able to retrieve the user info you need.
Now, you can simply call the callback function with the username and email of your user. That way, strapi will be able
to retrieve your user from the database and log you in.
Configure the new provider model onto database
Now, we need to configure our 'model' for our new provider. That way, our settings can be stored in the database, and managed from the admin panel.
Open the file packages/strapi-plugin-users-permissions/config/functions/bootstrap.js
Add the fields your provider needs into the grantConfig object.
For our discord provider it will look like:
    discord: {
      enabled: false,  // make this provider disabled by default
      icon: 'comments', // The icon to use on the UI
      key: '',  // our provider app id (leave it blank, you will fill it with the content manager)
      secret: '', // our provider secret key (leave it blank, you will fill it with the content manager)
      callback: '/auth/discord/callback', // the callback endpoint of our provider
      scope: [  // the scope that we need from our user to retrieve infos
        'identify',
        'email'
      ]
    },
Configure frontend for your new provider
To make the new provider available on the front end of the application,
edit packages/strapi-plugin-users-permissions/admin/src/components/PopUpForm/index.js
Add the new provider info. For our discord provider it will look like:
      case 'discord':
        return `${strapi.backendURL}/connect/discord/callback`;
Add language translation
Add the language translation in packages/strapi-plugin-users-permissions/admin/src/translations/en.json
  'PopUpForm.Providers.discord.providerConfig.redirectURL': 'The redirect URL to add in your Discord application configurations',
These two change will set up the popup message that appears in the UI. That's it, now you should be able to use your new provider.
