Auth0 Login
Auth0 is a flexible, drop-in solution for adding authentication and authorization services to your applications. Your team and organization can avoid the cost, time, and risk that comes with building your own solution to authenticate and authorize users. You can check the Auth0 document for details.
We will show you how to use Auth0 with refine
Installationβ
Run the following command within your project directory to install the Auth0 React SDK:
npm install @auth0/auth0-react
Configure the Auth0Provider componentβ
Wrap your root component with an Auth0Provider that you can import from the SDK.
import React from "react";
import { createRoot } from "react-dom/client";
import { Auth0Provider } from "@auth0/auth0-react";
import App from "./App";
const container = document.getElementById("root");
const root = createRoot(container!);
root.render(
<React.StrictMode>
<Auth0Provider
domain="YOUR_DOMAIN"
clientId="YOUR_CLIENT_ID"
redirectUri={window.location.origin}
>
<App />
</Auth0Provider>
</React.StrictMode>,
);
Refer to Auth0 docs for detailed configuration.
Override /login
pageβ
First, we need to override the refine login page. In this way, we will redirect it to the Auth0 login page. We create a login.tsx
file in the /pages
folder.
import { Layout, Button, Space, Typography } from "antd";
import { ThemedTitleV2 } from "@refinedev/antd";
import { useAuth0 } from "@auth0/auth0-react";
export const Login: React.FC = () => {
const { loginWithRedirect } = useAuth0();
return (
<Layout
style={{
height: "100vh",
justifyContent: "center",
alignItems: "center",
}}
>
<Space direction="vertical" align="center" size="large">
<ThemedTitleV2
collapsed={false}
wrapperStyles={{
fontSize: "22px",
}}
/>
<Button
type="primary"
size="middle"
onClick={() => loginWithRedirect()}
style={{ width: "240px" }}
>
Sign in
</Button>
<Typography.Text type="secondary">
Powered by Auth0
</Typography.Text>
</Space>
</Layout>
);
};
After clicking the Login
button, you will be directed to the auth0 login screen.
Auth Providerβ
In refine, authentication and authorization processes are performed with the auth provider. Let's write a provider for Auth0.
Show Code
import { Refine, AuthBindings, Authenticated } from "@refinedev/core";
import {
ThemedLayoutV2,
ReadyPage,
notificationProvider,
ErrorComponent,
RefineThemes,
} from "@refinedev/antd";
import dataProvider from "@refinedev/simple-rest";
import routerProvider, {
NavigateToResource,
CatchAllNavigate,
} from "@refinedev/react-router-v6";
import { useAuth0 } from "@auth0/auth0-react";
import { BrowserRouter, Routes, Route, Outlet } from "react-router-dom";
import { ConfigProvider } from "antd";
import "@refinedev/antd/dist/reset.css";
import { Login } from "pages/login";
import axios from "axios";
const API_URL = "https://api.fake-rest.refine.dev";
const App = () => {
const { isLoading, isAuthenticated, user, logout, getIdTokenClaims } =
useAuth0();
if (isLoading) {
return <span>loading...</span>;
}
const authProvider: AuthBindings = {
login: async () => {
return {
success: true,
};
},
logout: async () => {
logout({ returnTo: window.location.origin });
return {
success: true,
};
},
onError: async (error) => {
console.error(error);
return { error };
},
check: async () => {
try {
const token = await getIdTokenClaims();
if (token) {
axios.defaults.headers.common = {
Authorization: `Bearer ${token.__raw}`,
};
return {
authenticated: true,
};
} else {
return {
authenticated: false,
error: {
message: "Check failed",
name: "Token not found",
},
redirectTo: "/login",
logout: true,
};
}
} catch (error: any) {
return {
authenticated: false,
error: new Error(error),
redirectTo: "/login",
logout: true,
};
}
return {
authenticated: false,
error: {
message: "Check failed",
name: "Token not found",
},
redirectTo: "/login",
logout: true,
};
},
getPermissions: async () => null,
getIdentity: async () => {
if (user) {
return {
...user,
avatar: user.picture,
};
}
return null;
},
};
getIdTokenClaims().then((token) => {
if (token) {
axios.defaults.headers.common = {
Authorization: `Bearer ${token.__raw}`,
};
}
});
return (
<BrowserRouter>
<ConfigProvider theme={RefineThemes.Blue}>
<Refine
routerProvider={routerProvider}
authProvider={authProvider}
dataProvider={dataProvider(API_URL, axios)}
notificationProvider={notificationProvider}
resources={[
{
name: "posts",
list: "/posts",
},
]}
>
<Routes>
<Route
element={
<Authenticated
fallback={<CatchAllNavigate to="/login" />}
>
<ThemedLayoutV2>
<Outlet />
</ThemedLayoutV2>
</Authenticated>
}
>
<Route
path="/posts"
element={<div>dummy list page</div>}
/>
</Route>
<Route
element={
<Authenticated fallback={<Outlet />}>
<NavigateToResource />
</Authenticated>
}
>
<Route path="/login" element={<Login />} />
</Route>
<Route path="*" element={<ErrorComponent />} />
</Routes>
</Refine>
</ConfigProvider>
</BrowserRouter>
);
};
export default App;
Methodsβ
loginβ
loginWithRedirect
method comes from the useAuth0
hook.
logoutβ
logout
method comes from the useAuth0
hook.
checkError & getPermissionsβ
We revert to empty promise because Auth0 does not support it.
checkAuthβ
We can use the isAuthenticated
method, which returns the authentication status of the useAuth0
hook.
getUserIdentityβ
We can use it with the user
from the useAuth0
hook.
Exampleβ
Auth0 example doesn't work in CodeSandbox embed mode. With this link, you can open the example in the browser and try it.
npm create refine-app@latest -- --example auth-auth0