React support for Okta
npm install @okta/okta-react[Okta Auth SDK]: https://github.com/okta/okta-auth-js
[Okta SignIn Widget]: https://github.com/okta/okta-signin-widget
[AuthState]: https://github.com/okta/okta-auth-js#authstatemanager
[react-router]: https://github.com/ReactTraining/react-router
[reach-router]: https://reach.tech/router
[higher-order component]: https://reactjs.org/docs/higher-order-components.html
[React Hook]: https://reactjs.org/docs/hooks-intro.html
[React Context Provider]: https://reactjs.org/docs/context.html#contextprovider
[Migrating from 1.x]: #migrating


* Release status
* Getting started
* Installation
* Usage
* Reference
* Migrating between versions
* Contributing
* Development
Okta React SDK builds on top of the [Okta Auth SDK][].
This SDK is a toolkit to build Okta integration with many common "router" packages, such as [react-router][], [reach-router][], and others.
Users migrating from version 1.x of this SDK that required [react-router][] should see Migrating from 1.x to learn what changes are necessary.
With the [Okta Auth SDK][], you can:
- Login and logout from Okta using the OAuth 2.0 API
- Retrieve user information
- Determine authentication status
- Validate the current user's session
All of these features are supported by this SDK. Additionally, using this SDK, you can:
- Add "secure" routes, which will require authentication before render
- Define custom logic/behavior when authentication is required
- Provide an instance of the [Okta Auth SDK][] and the latest [AuthState][] to your components using a [React Hook][] or a [higher-order component][]
> This SDK does not provide any UI components.
> This SDK does not currently support Server Side Rendering (SSR)
This library currently supports:
- OAuth 2.0 Implicit Flow
- OAuth 2.0 Authorization Code Flow with Proof Key for Code Exchange (PKCE)
:heavy_check_mark: The current stable major version series is: 6.x
| Version | Status |
| ------- | -------------------------------- |
| 6.x | :heavy_check_mark: Stable |
| 5.x | :heavy_check_mark: Stable |
| 4.x | :x: Retired |
| 3.x | :x: Retired |
| 2.x | :x: Retired |
| 1.x | :x: Retired |
The latest release can always be found on the [releases page][github-releases].
- If you do not already have a Developer Edition Account, you can create one at https://developer.okta.com/signup/.
- An Okta Application, configured for Single-Page App (SPA) mode. This is done from the Okta Developer Console. When following the wizard, use the default properties. They are are designed to work with our sample applications.
- React Quickstart
- If you don't have a React app, or are new to React, please start with this guide. It will walk you through the creation of a React app, creating routes, and other application development essentials.
- Okta Sample Application
- A fully functional sample application built using this SDK.
- Okta Guide: Sign users into your single-page application
- Step-by-step guide to integrating an existing React application with Okta login.
- Strategies for Obtaining Tokens
This library is available through npm.
Install @okta/okta-react
``bash`
npm install --save @okta/okta-react
Install peer dependencies
`bash`
npm install --save react
npm install --save react-dom
npm install --save react-router-dom # see note below
npm install --save @okta/okta-auth-js # requires at least version 5.3.1
> ⚠️ NOTE ⚠️
The SecureRoute component packaged in this SDK only works with react-router-dom 5.x.react-router-dom
If you're using 6.x, you'll have to write your own SecureRoute component.
See these samples to get started
okta-react provides the means to connect a React SPA with Okta OIDC information. Most commonly, you will connect to a router library such as [react-router][].
okta-react provides a number of pre-built components to connect a react-router-based SPA to Okta OIDC information. You can use these components directly, or use them as a basis for building your own components.
- SecureRoute - A normal Route except authentication is needed to render the component.
> ⚠️ NOTE ⚠️
The SecureRoute component packaged in this SDK only works with react-router-dom 5.x.react-router-dom
If you're using 6.x, you'll have to write your own SecureRoute component.
See these samples to get started
okta-react provides the necessary tools to build an integration with most common React-based SPA routers.
- Security - Accepts [oktaAuth][Okta Auth SDK] instance (required) and additional configuration as props. This component acts as a [React Context Provider][] that maintains the latest [authState][AuthState] and [oktaAuth][Okta Auth SDK] instance for the downstream consumers. This context can be accessed via the useOktaAuth React Hook, or the withOktaAuth Higher Order Component wrapper from it's descendant component.
- LoginCallback - A simple component which handles the login callback when the user is redirected back to the application from the Okta login site. accepts an optional prop errorComponent that will be used to format the output for any error in handling the callback. This component will be passed an error prop that is an error describing the problem. (see the component for the default rendering)
Users of routers other than react-router can use useOktaAuth to see if authState is not null and authState.isAuthenticated is true. If it is false, you can send them to login via oktaAuth.signInWithRedirect(). See the implementation of as an example.
These hooks can be used in a component that is a descendant of a Security component ( provides the necessary context). Class-based components can gain access to the same information via the withOktaAuth Higher Order Component, which provides oktaAuth and authState as props to the wrapped component.
- useOktaAuth - gives an object with two properties:
- oktaAuth - the [Okta Auth SDK][] instance.authState
- - the [AuthState][] object that shows the current authentication state of the user to your app (initial state is null).
#### Create Routes
This example defines 3 routes:
- / - Anyone can access the home page
- /protected - Protected is only visible to authenticated users
- /login/callback - This is where auth is handled for you after redirection
Note: Make sure you have the /login/callback url (absolute url) added in your Okta App's configuration.
> A common mistake is to try and apply an authentication requirement to all pages, THEN add an exception for the login page. This often fails because of how routes are evaluated in most routing packages. To avoid this problem, declare specific routes or branches of routes that require authentication without exceptions.
#### Creating React Router Routes with class-based components
`jsx
// src/App.js
import React, { Component } from 'react';
import { BrowserRouter as Router, Route, withRouter } from 'react-router-dom';
import { SecureRoute, Security, LoginCallback } from '@okta/okta-react';
import { OktaAuth, toRelativeUrl } from '@okta/okta-auth-js';
import Home from './Home';
import Protected from './Protected';
class App extends Component {
constructor(props) {
super(props);
this.oktaAuth = new OktaAuth({
issuer: 'https://{yourOktaDomain}/oauth2/default',
clientId: '{clientId}',
redirectUri: window.location.origin + '/login/callback'
});
this.restoreOriginalUri = async (_oktaAuth, originalUri) => {
props.history.replace(toRelativeUrl(originalUri || '/', window.location.origin));
};
}
render() {
return (
);
}
}
const AppWithRouterAccess = withRouter(App);
export default class extends Component {
render() {
return (
}
}
`
#### Creating React Router Routes with function-based components
`jsx
import React from 'react';
import { SecureRoute, Security, LoginCallback } from '@okta/okta-react';
import { OktaAuth, toRelativeUrl } from '@okta/okta-auth-js';
import { BrowserRouter as Router, Route, useHistory } from 'react-router-dom';
import Home from './Home';
import Protected from './Protected';
const oktaAuth = new OktaAuth({
issuer: 'https://{yourOktaDomain}/oauth2/default',
clientId: '{clientId}',
redirectUri: window.location.origin + '/login/callback'
});
const App = () => {
const history = useHistory();
const restoreOriginalUri = async (_oktaAuth, originalUri) => {
history.replace(toRelativeUrl(originalUri || '/', window.location.origin));
};
return (
);
};
const AppWithRouterAccess = () => (
);
export default AppWithRouterAccess;
`
#### Show Login and Logout Buttons (class-based)
`jsx
// src/Home.js
import React, { Component } from 'react';
import { withOktaAuth } from '@okta/okta-react';
export default withOktaAuth(class Home extends Component {
constructor(props) {
super(props);
this.login = this.login.bind(this);
this.logout = this.logout.bind(this);
}
async login() {
this.props.oktaAuth.signInWithRedirect();
}
async logout() {
this.props.oktaAuth.signOut('/');
}
render() {
if (!this.props.authState) return
#### Show Login and Logout Buttons (function-based)
`jsx
// src/Home.jsconst Home = () => {
const { oktaAuth, authState } = useOktaAuth();
const login = async () => oktaAuth.signInWithRedirect();
const logout = async () => oktaAuth.signOut('/');
if(!authState) {
return
Loading...;
} if(!authState.isAuthenticated) {
return (
Not Logged in yet
);
} return (
Logged in!
);
};export default Home;
`#### Use the Access Token (class-based)
When your users are authenticated, your React application has an access token that was issued by your Okta Authorization server. You can use this token to authenticate requests for resources on your server or API. As a hypothetical example, let's say you have an API that provides messages for a user. You could create a
MessageList component that gets the access token and uses it to make an authenticated request to your server.Here is what the React component could look like for this hypothetical example:
`jsx
import fetch from 'isomorphic-fetch';
import React, { Component } from 'react';
import { withOktaAuth } from '@okta/okta-react';export default withOktaAuth(class MessageList extends Component {
constructor(props) {
super(props)
this.state = {
messages: null
}
}
async componentDidMount() {
try {
const response = await fetch('http://localhost:{serverPort}/api/messages', {
headers: {
Authorization: 'Bearer ' + this.props.authState.accessToken.accessToken
}
});
const data = await response.json();
this.setState({ messages: data.messages });
} catch (err) {
// handle error as needed
}
}
render() {
if (!this.state.messages) return
Loading...;
const items = this.state.messages.map(message =>
{message}
);
return {items}
;
}
});
`#### Use the Access Token (function-based)
When your users are authenticated, your React application has an access token that was issued by your Okta Authorization server. You can use this token to authenticate requests for resources on your server or API. As a hypothetical example, let's say you have an API that provides messages for a user. You could create a
MessageList component that gets the access token and uses it to make an authenticated request to your server.Here is what the React component could look like for this hypothetical example:
`jsx
import fetch from 'isomorphic-fetch';
import React, { useState, useEffect } from 'react';
import { useOktaAuth } from '@okta/okta-react';export default MessageList = () => {
const { authState } = useOktaAuth();
const [messages, setMessages] = useState(null);
useEffect( () => {
if(authState.isAuthenticated) {
const apiCall = async () => {
try {
const response = await fetch('http://localhost:{serverPort}/api/messages', {
headers: {
Authorization: 'Bearer ' + authState.accessToken.accessToken
}
});
const data = await response.json();
setMessages( data.messages );
} catch (err) {
// handle error as needed
}
}
apiCall();
}
}, [authState] );
if (!messages) return
Loading...;
const items = messages.map(message =>
{message}
);
return {items}
;
};
`Reference
$3
is the top-most component of okta-react. It accepts [oktaAuth][Okta Auth SDK] instance and addtional configuration options as props.#### oktaAuth
(required) The pre-initialized [oktaAuth][Okta Auth SDK] instance. See Configuration Reference for details of how to initialize the instance.
#### restoreOriginalUri
(required) Callback function. Called to restore original URI during oktaAuth.handleLoginRedirect() is called. Will override restoreOriginalUri option of oktaAuth
#### onAuthRequired
(optional) Callback function. Called when authentication is required. If this is not supplied,
okta-react redirects to Okta. This callback will receive [oktaAuth][Okta Auth SDK] instance as the first function parameter. This is triggered when a SecureRoute is accessed without authentication. A common use case for this callback is to redirect users to a custom login route when authentication is required for a SecureRoute.#### Example
`jsx
import { useHistory } from 'react-router-dom';
import { OktaAuth, toRelativeUrl } from '@okta/okta-auth-js';const oktaAuth = new OktaAuth({
issuer: 'https://{yourOktaDomain}/oauth2/default',
clientId: '{clientId}',
redirectUri: window.location.origin + '/login/callback'
});
export default App = () => {
const history = useHistory();
const customAuthHandler = (oktaAuth) => {
// Redirect to the /login page that has a CustomLoginComponent
// This example is specific to React-Router
history.push('/login');
};
const restoreOriginalUri = async (_oktaAuth, originalUri) => {
history.replace(toRelativeUrl(originalUri || '/', window.location.origin));
};
return (
oktaAuth={oktaAuth}
onAuthRequired={customAuthHandler}
restoreOriginalUri={restoreOriginalUri}
>
{/ some routes here /}
#### PKCE Example
Assuming you have configured your application to allow the
Authorization code grant type, you can implement the PKCE flow with the following steps:- Initialize [oktaAuth][Okta Auth SDK] instance (with default PKCE configuration as
true) and pass it to the Security component.
- add /login/callback route with LoginCallback component to handle login redirect from OKTA.`jsx
import { OktaAuth } from '@okta/okta-auth-js';const oktaAuth = new OktaAuth({
issuer: 'https://{yourOktaDomain}/oauth2/default',
clientId: '{clientId}',
redirectUri: window.location.origin + '/login/callback',
});
class App extends Component {
render() {
return (
);
}
}
`$3
SecureRoute ensures that a route is only rendered if the user is authenticated. If the user is not authenticated, it calls onAuthRequired if it exists, otherwise, it redirects to Okta.#### onAuthRequired
SecureRoute accepts onAuthRequired as an optional prop, it overrides onAuthRequired from the Security component if exists.#### errorComponent
SecureRoute runs internal handleLogin process which may throw Error when authState.isAuthenticated is false. By default, the Error will be rendered with OktaError component. If you wish to customise the display of such error messages, you can pass your own component as an errorComponent prop to . The error value will be passed to the errorComponent as the error prop.####
react-router related props
SecureRoute integrates with react-router. Other routers will need their own methods to ensure authentication using the hooks/HOC props provided by this SDK.As with
Route from react-router-dom, can take one of:- a
component prop that is passed a component
- a render prop that is passed a function that returns a component. This function will be passed any additional props that react-router injects (such as history or match)
- children components$3
LoginCallback handles the callback after the redirect to and back from the Okta-hosted login page. By default, it parses the tokens from the uri, stores them, then redirects to /. If a SecureRoute caused the redirect, then the callback redirects to the secured route. For more advanced cases, this component can be copied to your own source tree and modified as needed.#### errorComponent
By default, LoginCallback will display any errors from
authState.error. If you wish to customise the display of such error messages, you can pass your own component as an errorComponent prop to . The authState.error value will be passed to the errorComponent as the error prop.#### loadingElement
By default, LoginCallback will display nothing during handling the callback. If you wish to customize this, you can pass your React element (not component) as
loadingElement prop to . Example: Loading...
#### onAuthResume
When an external auth (such as a social IDP) redirects back to your application AND your Okta sign-in policies require additional authentication factors before authentication is complete, the redirect to your application redirectUri callback will be an
interaction_required error. An
interaction_required error is an indication that you should resume the authentication flow. You can pass an onAuthResume function as a prop to , and the will call the onAuthResume function when an interaction_required error is returned to the redirectUri of your application. If using the [Okta SignIn Widget][], redirecting to your login route will allow the widget to automatically resume your authentication transaction.
`jsx
// Example assumes you are using react-router with a customer-hosted Okta SignIn Widget on your /login route
// This code is wherever you have your component, which must be inside your for react-router
const onAuthResume = async () => {
history.push('/login');
};return (
oktaAuth={oktaAuth}
restoreOriginalUri={restoreOriginalUri}
>
} />
);
`$3
withOktaAuth is a [higher-order component][] which injects an [oktaAuth][Okta Auth SDK] instance and an [authState][AuthState] object as props into the component. Function-based components will want to use the useOktaAuth hook instead. These props provide a way for components to make decisions based on [authState][AuthState] or to call [Okta Auth SDK][] methods, such as .signInWithRedirect() or .signOut(). Components wrapped in withOktaAuth() need to be a child or descendant of a component to have the necessary context.$3
useOktaAuth() is a React Hook that returns an object containing the [authState][AuthState] object and the [oktaAuth][Okta Auth SDK] instance. Class-based components will want to use the withOktaAuth HOC instead. Using this hook will trigger a re-render when the authState object updates. Components calling this hook need to be a child or descendant of a component to have the necessary context.#### Using
useOktaAuth`jsx
import React from 'react';
import { useOktaAuth } from '@okta/okta-react';export default MyComponent = () => {
const { authState } = useOktaAuth();
if( !authState ) {
return
Loading...;
}
if( authState.isAuthenticated ) {
return Hello User!;
}
return You need to login;
};
`Migrating between versions
$3
@okta/okta-react 6.x requires @okta/okta-auth-js 5.x (see notes for migration). Some changes affects @okta/okta-react:
- Initial AuthState is null
- Removed isPending from AuthState
- Default value for originalUri is null
$3
From version 5.0, the Security component explicitly requires prop restoreOriginalUri to decouple from
react-router.
Example of implementation of this callback for react-router:`jsx
import { Security } from '@okta/okta-react';
import { useHistory } from 'react-router-dom';
import { OktaAuth, toRelativeUrl } from '@okta/okta-auth-js';const oktaAuth = new OktaAuth({
issuer: 'https://{yourOktaDomain}/oauth2/default',
clientId: '{clientId}',
redirectUri: window.location.origin + '/login/callback'
});
export default App = () => {
const history = useHistory();
const restoreOriginalUri = async (_oktaAuth, originalUri) => {
history.replace(toRelativeUrl(originalUri, window.location.origin));
};
return (
oktaAuth={oktaAuth}
restoreOriginalUri={restoreOriginalUri}
>
{/ some routes here /}
Note: If you use
basename prop for , use this implementation to fix basename duplication problem:
`jsx
import { toRelativeUrl } from '@okta/okta-auth-js';
const restoreOriginalUri = async (_oktaAuth, originalUri) => {
const basepath = history.createHref({});
const originalUriWithoutBasepath = originalUri.replace(basepath, '/');
history.replace(toRelativeUrl(originalUriWithoutBasepath, window.location.origin));
};
`$3
#### Updating the Security component
From version 4.0, the Security component starts to explicitly accept [oktaAuth][Okta Auth SDK] instance as prop to replace the internal
authService instance. You will need to replace the Okta Auth SDK related configurations with a pre-initialized [oktaAuth][Okta Auth SDK] instance.##### Note
-
@okta/okta-auth-js is now a peer dependency for this SDK. You must add @okta/okta-auth-js as a dependency to your project and install it separately from @okta/okta-react.
- still accept onAuthRequired as a prop.`jsx
import { OktaAuth } from '@okta/okta-auth-js';
import { Security } from '@okta/okta-react';const oktaAuth = new OktaAuth(oidcConfig);
export default () => (
// children component
);
`#### Replacing authService instance
The
authService module has been removed since version 4.0. The useOktaAuth hook and withOktaAuth HOC are exposing oktaAuth instead of authService.- Replace
authService with oktaAuth when use useOktaAuth
`jsx
import { useOktaAuth } from '@okta/okta-react'; export default () => {
const { oktaAuth, authState } = useOktaAuth();
// handle rest component logic
};
`- Replace
props.authService with props.oktaAuth when use withOktaAuth
`jsx
import { withOktaAuth } from '@okta/okta-react'; export default withOktaAuth((props) => {
// use props.oktaAuth
});
`#### Replacing authService public methods
The
oktaAuth instance exposes similar public methods to handle logic for the removed authService module.-
login is removed This method called
onAuthRequired, if it was set in the config options, or redirect if no onAuthRequired option was set. If you had code that was calling this method, you may either call your onAuthRequired function directly or signInWithRedirect.-
redirect is replaced by signInWithRedirect-
logout is replaced by signOut
logout accepted either a string or an object as options. signOut accepts only an options object. If you had code like this:
`javascript
authService.logout('/goodbye');
` it should be rewritten as:
`javascript
oktaAuth.signOut({ postLogoutRedirectUri: window.location.origin + '/goodbye' });
` Note that the value for
postLogoutRedirectUri must be an absolute URL. This URL must also be on the "allowed list" in your Okta app's configuration. If no options are passed or no postLogoutRedirectUri is set on the options object, it will redirect to window.location.origin after sign out is complete.-
getAccessToken and getIdToken have been changed to synchronous methods With maintaining in-memory [AuthState][] since [Okta Auth SDK][] version 4.1, token values can be accessed in synchronous manner.
-
handleAuthentication is replaced by handleLoginRedirect
handleLoginRedirect is called by the OktaLoginCallback component as the last step of the login redirect authorization flow. It will obtain and store tokens and then call restoreOriginalUri which will return the browser to the originalUri which was set before the login redirect flow began.-
authState related methods have been collected in Okta Auth SDK AuthStateManager
- Change authService.updateAuthState to oktaAuth.authStateManager.updateAuthState
- Change authService.getAuthState to oktaAuth.authStateManager.getAuthState
- Change on to oktaAuth.authStateManager.subscribe
- clearAuthState, emitAuthState and emit have been removed- By default
isAuthenticated will be true if both accessToken and idToken are valid If you have a custom
isAuthenticated function which implements the default logic, you should remove it.-
getTokenManager has been removed You may access the
TokenManager with the tokenManager property:
`javascript
const tokens = oktaAuth.tokenManager.getTokens();
`$3
See breaking changes for version 3.0
$3
The 1.x series for this SDK required the use of [react-router][]. These instructions assume you are moving to version 2.0 of this SDK and are still using React Router (v5+)
#### Replacing Security component
The
component is now a generic (not router-specific) provider of Okta context for child components and is required to be an ancestor of any components using the useOktaAuth hook, as well as any components using the withOktaAuth Higher Order Component.Auth.js has been renamed AuthService.js.The
auth prop to the component is now authService. The other prop options to have not changed from the 1.x series to the 2.0.x series#### Replacing the withAuth Higher-Order Component wrapper
This SDK now provides authentication information via React Hooks (see useOktaAuth). If you want a component to receive the auth information as a direct prop to your class-based component, you can use the
withOktaAuth wrapper where you previously used the withAuth wrapper. The exact props provided have changed to allow for synchronous access to authentication information. In addition to the authService object prop (previously auth), there is also an authState object prop that has properties for the current authentication state. #### Replacing
.isAuthenticated(), .getAccessToken(), and .getIdToken() inside a componentTwo complications of the 1.x series of this SDK have been simplified in the 2.x series:
- These functions were asynchronous (because the retrieval layer underneath them can be asynchronous) which made avoiding race conditions in renders/re-renders tricky.
- Recognizing when authentication had yet to be decided versus when it had been decided and was not authenticated was an unclear difference between
null, true, and false.To resolve these the
authService object holds the authentication information and provides it synchronously (following the first async determination) as an authState object. While waiting on that first determination, the authState object is null. When the authentication updates the authService object will emit an authStateChange event after which a new authState object is available.Any component that was using
withAuth() to get the auth object and called the properties above has two options to migrate to the new SDK:
1. Replace the use of withAuth() with withOktaAuth(), and replace any of these asynchronous calls to the auth methods with the values of the related authState properties.
OR
2. Remove the use of withAuth() and instead use the useOktaAuth() React Hook to get the authService and authState objects. Any use of the auth methods (.isAuthenticated(), .getAccessToken(), and .getIdToken()) should change to use the already calculated properties of authState.To use either of these options, your component must be a descendant of a
component, in order to have the necessary context.These changes should result in less complexity within your components as these values are now synchronously available after the initial determination.
If you need access to the
authService instance directly, it is provided by withOktaAuth() as a prop or is available via the useOktaAuth() React Hook. You can use the examples in this README to see how to use authService to perform common tasks such as login/logout, or inspect the provided component to see an example of the use of the authService managing the redirect from the Okta site. #### Updating your ImplicitCallback component
- If you were using the provided ImplicitCallback component, you can replace it with
LoginCallback
- If you were using a modified version of the provided ImplicitCallback component, you will need to examine the new version to see the changes. It may be easier to start with a copy of the new LoginCallback component and copy your changes to it. If you want to use a class-based version of LoginCallback, wrap the component in the [withOktaAuth][] HOC to have the authService and authState properties passed as props.
- If you had your own component that handled the redirect-back-to-the-application after authentication, you should examine the new LoginCallback component as well as the notes in this migration section about the changes to .isAuthenticated(), .getAccessToken(), and .getIdToken().Contributing
We welcome contributions to all of our open-source packages. Please see the contribution guide to understand how to structure a contribution.
Development
$3
We use yarn for dependency management when developing this package:
`bash
yarn install
`$3
| Command | Description |
|--------------|------------------------------------|
|
yarn install| Install dependencies |
| yarn start | Start the sample app using the SDK |
| yarn test | Run unit and integration tests |
| yarn lint` | Run eslint linting tests |