The Logto Remix SDK written in TypeScript.
Note: This package requires Node.js version 20 or higher.
npm install @logto/remix
yarn add @logto/remix
pnpm add @logto/remix
Before initializing the SDK, we have to create a SessionStorage
instance which takes care of the session persistence. In our case, we want to use a cookie-based session:
// service/auth.server.ts
import { createCookieSessionStorage } from '@remix-run/node';
import { makeLogtoRemix } from '@logto/remix';
const sessionStorage = createCookieSessionStorage({
cookie: {
name: 'logto-session',
maxAge: 14 * 24 * 60 * 60,
secrets: ['secr3tSession'],
},
});
export const logto = makeLogtoRemix(
{
endpoint: process.env.LOGTO_ENDPOINT!,
appId: process.env.LOGTO_APP_ID!,
appSecret: process.env.LOGTO_APP_SECRET!,
baseUrl: process.env.LOGTO_BASE_URL!,
},
{ sessionStorage }
);
Whereas the environment variables reflect the respective configuration of the application in Logto.
The SDK ships with a convenient function that mounts the authentication routes: sign-in, sign-in callback and the sign-out route. Create a file routes/api.logto.$action.ts
// routes/api.logto.$action.ts
import { logto } from '../../service/auth.server';
export const loader = logto.handleAuthRoutes({
'sign-in': {
path: '/api/logto/sign-in',
redirectBackTo: '/api/logto/callback',
},
'sign-in-callback': {
path: '/api/logto/callback',
redirectBackTo: '/',
},
'sign-out': {
path: '/api/logto/sign-out',
redirectBackTo: '/',
},
'sign-up': {
path: '/api/logto/sign-up',
redirectBackTo: '/api/logto/callback',
},
});
As you can see, the mount process is configurable and you can adjust it for your particular route structure. The whole URL path structure can be customized via the passed configuration object.
When mounting the routes as described above, you can navigate your browser to /api/logto/sign-in
and you should be redirected to your Logto instance where you have to authenticate then.
A typical use case is to fetch the authentication context which contains information about the respective user. With that information, it is possible to decide if the user is authenticated or not. The SDK exposes a function that can be used in a Remix loader
function:
// app/routes/index.tsx
import type { LogtoContext } from '@logto/remix';
import { LoaderFunction, json } from '@remix-run/node';
import { useLoaderData } from '@remix-run/react';
import { logto } from '../../service/auth.server';
type LoaderResponse = {
readonly context: LogtoContext;
};
export const loader: LoaderFunction = async ({ request }) => {
const context = await logto.getContext({ getAccessToken: false })(request);
if (!context.isAuthenticated) {
return redirect('/api/logto/sign-in');
}
return json<LoaderResponse>({ context });
};
const Home = () => {
const data = useLoaderData<LoaderResponse>();
return <div>Protected Route.</div>;
};