0
Fork 0
mirror of https://github.com/logto-io/logto.git synced 2024-12-16 20:26:19 -05:00

refactor: move admin console app to database (#3185)

This commit is contained in:
Gao Sun 2023-02-22 22:35:17 +08:00 committed by GitHub
parent 5c7e20bfd4
commit 09d2dac1ea
No known key found for this signature in database
GPG key ID: 4AEE18F83AFDEB23
15 changed files with 167 additions and 72 deletions

View file

@ -10,6 +10,7 @@ import {
createMeApiInAdminTenant,
createDefaultSignInExperience,
createAdminTenantSignInExperience,
createDefaultAdminConsoleApplication,
} from '@logto/schemas';
import { Hooks, Tenants } from '@logto/schemas/models';
import type { DatabaseTransactionConnection } from 'slonik';
@ -128,6 +129,7 @@ export const seedTables = async (
insertInto(createDefaultSignInExperience(defaultTenantId), 'sign_in_experiences')
),
connection.query(insertInto(createAdminTenantSignInExperience(), 'sign_in_experiences')),
connection.query(insertInto(createDefaultAdminConsoleApplication(), 'applications')),
updateDatabaseTimestamp(connection, latestTimestamp),
]);
};

View file

@ -13,7 +13,7 @@ import './scss/overlayscrollbars.scss';
import '@fontsource/roboto-mono';
import AppLoading from '@/components/AppLoading';
import Toast from '@/components/Toast';
import { managementApi, meApi } from '@/consts/management-api';
import { getManagementApi, meApi } from '@/consts/management-api';
import AppBoundary from '@/containers/AppBoundary';
import AppLayout from '@/containers/AppLayout';
import ErrorBoundary from '@/containers/ErrorBoundary';
@ -48,6 +48,7 @@ import {
UserDetailsTabs,
adminTenantEndpoint,
getUserTenantId,
getBasename,
} from './consts';
import { isCloud } from './consts/cloud';
import AppContent from './containers/AppContent';
@ -161,26 +162,29 @@ const Main = () => {
);
};
const App = () => (
<BrowserRouter basename={`/${getUserTenantId() ?? ''}`}>
<AppEndpointsProvider>
<LogtoProvider
config={{
endpoint: adminTenantEndpoint,
appId: adminConsoleApplicationId,
resources: [managementApi.indicator, meApi.indicator],
scopes: [
UserScope.Email,
UserScope.Identities,
UserScope.CustomData,
managementApi.scopeAll,
],
}}
>
<Main />
</LogtoProvider>
</AppEndpointsProvider>
</BrowserRouter>
);
const App = () => {
const managementApi = getManagementApi(getUserTenantId());
return (
<BrowserRouter basename={getBasename()}>
<AppEndpointsProvider>
<LogtoProvider
config={{
endpoint: adminTenantEndpoint,
appId: adminConsoleApplicationId,
resources: [managementApi.indicator, meApi.indicator],
scopes: [
UserScope.Email,
UserScope.Identities,
UserScope.CustomData,
managementApi.scopeAll,
],
}}
>
<Main />
</LogtoProvider>
</AppEndpointsProvider>
</BrowserRouter>
);
};
export default App;

View file

@ -1,14 +1,10 @@
import {
adminTenantId,
defaultTenantId,
getManagementApiResourceIndicator,
PredefinedScope,
} from '@logto/schemas';
import { adminTenantId, getManagementApiResourceIndicator, PredefinedScope } from '@logto/schemas';
export const managementApi = Object.freeze({
indicator: getManagementApiResourceIndicator(defaultTenantId),
scopeAll: PredefinedScope.All,
});
export const getManagementApi = (tenantId: string) =>
Object.freeze({
indicator: getManagementApiResourceIndicator(tenantId),
scopeAll: PredefinedScope.All,
});
export const meApi = Object.freeze({
indicator: getManagementApiResourceIndicator(adminTenantId, 'me'),

View file

@ -1,6 +1,19 @@
import { defaultTenantId, ossConsolePath } from '@logto/schemas';
import { isCloud } from './cloud';
const isProduction = process.env.NODE_ENV === 'production';
export const adminTenantEndpoint =
process.env.ADMIN_TENANT_ENDPOINT ??
(isProduction ? window.location.origin : 'http://localhost:3002');
export const getUserTenantId = () => window.location.pathname.split('/')[1];
export const getUserTenantId = () => {
if (isCloud) {
return window.location.pathname.split('/')[1] ?? '';
}
return defaultTenantId;
};
export const getBasename = () => (isCloud ? '/' + getUserTenantId() : ossConsolePath);

View file

@ -5,7 +5,7 @@ import { useCallback, useContext, useMemo } from 'react';
import { toast } from 'react-hot-toast';
import { useTranslation } from 'react-i18next';
import { managementApi, requestTimeout } from '@/consts';
import { getManagementApi, getUserTenantId, requestTimeout } from '@/consts';
import { AppEndpointsContext } from '@/containers/AppEndpointsProvider';
export class RequestError extends Error {
@ -28,7 +28,7 @@ type StaticApiProps = {
export const useStaticApi = ({
prefixUrl,
hideErrorToast,
resourceIndicator = managementApi.indicator,
resourceIndicator = getManagementApi(getUserTenantId()).indicator,
}: StaticApiProps) => {
const { isAuthenticated, getAccessToken } = useLogto();
const { t, i18n } = useTranslation(undefined, { keyPrefix: 'admin_console' });

View file

@ -1,3 +1,6 @@
import path from 'path';
import { ossConsolePath } from '@logto/schemas';
import type { MiddlewareType } from 'koa';
import type { IRouterParamContext } from 'koa-router';
@ -13,14 +16,14 @@ export default function koaConsoleRedirectProxy<
return async (ctx, next) => {
const hasUser = await hasActiveUsers();
if ((ctx.path === '/' || ctx.path === '/console') && !hasUser) {
ctx.redirect('/console/welcome');
if ((ctx.path === '/' || ctx.path === ossConsolePath) && !hasUser) {
ctx.redirect(path.join(ossConsolePath, '/welcome'));
return;
}
if ((ctx.path === '/' || ctx.path === '/console/welcome') && hasUser) {
ctx.redirect('/console');
if ((ctx.path === '/' || ctx.path === path.join(ossConsolePath, '/welcome')) && hasUser) {
ctx.redirect(ossConsolePath);
return;
}

View file

@ -13,21 +13,26 @@ import { appendPath } from '#src/utils/url.js';
import { getConstantClientMetadata } from './utils.js';
const buildAdminConsoleClientMetadata = (envSet: EnvSet): AllClientMetadata => {
const { adminUrlSet, cloudUrlSet } = EnvSet.values;
const urls = [
...adminUrlSet.deduplicated().map((url) => appendPath(url, '/console').toString()),
// Logto Cloud uses `https://some.cloud.endpoint/[tenantId]` to serve Admin Console for specific Tenant ID
...cloudUrlSet.deduplicated().map((url) => appendPath(url, '/' + envSet.tenantId).toString()),
];
/**
* Append `redirect_uris` and `post_logout_redirect_uris` for Admin Console
* as Admin Console is attached to the admin tenant in OSS and its endpoints are dynamic (from env variable).
*/
const transpileMetadata = (clientId: string, data: AllClientMetadata): AllClientMetadata => {
const { adminUrlSet } = EnvSet.values;
const urls = adminUrlSet.deduplicated().map((url) => appendPath(url, '/console').toString());
return {
...getConstantClientMetadata(envSet, ApplicationType.SPA),
client_id: adminConsoleApplicationId,
client_name: 'Admin Console',
redirect_uris: urls.map((url) => appendPath(url, '/callback').toString()),
post_logout_redirect_uris: urls,
};
if (clientId === adminConsoleApplicationId) {
return {
...data,
redirect_uris: [
...(data.redirect_uris ?? []),
...urls.map((url) => appendPath(url, '/callback').toString()),
],
post_logout_redirect_uris: [...(data.post_logout_redirect_uris ?? []), ...urls],
};
}
return data;
};
const buildDemoAppClientMetadata = (envSet: EnvSet): AllClientMetadata => {
@ -77,7 +82,7 @@ export default function postgresAdapter(
client_secret,
client_name,
...getConstantClientMetadata(envSet, type),
...snakecaseKeys(oidcClientMetadata),
...transpileMetadata(client_id, snakecaseKeys(oidcClientMetadata)),
// `node-oidc-provider` won't camelCase custom parameter keys, so we need to keep the keys camelCased
...customClientMetadata,
});
@ -85,11 +90,6 @@ export default function postgresAdapter(
return {
upsert: reject,
find: async (id) => {
// Directly return client metadata since Admin Console does not belong to any tenant in the OSS version.
if (id === adminConsoleApplicationId) {
return buildAdminConsoleClientMetadata(envSet);
}
if (id === demoAppApplicationId) {
return buildDemoAppClientMetadata(envSet);
}

View file

@ -83,14 +83,17 @@ export default class Tenant implements TenantContext {
// Mount `/me` APIs for admin tenant
app.use(mount('/me', initMeApis(tenantContext)));
// Mount Admin Console
app.use(koaConsoleRedirectProxy(queries));
app.use(
mount(
'/' + AdminApps.Console,
koaSpaProxy(mountedApps, AdminApps.Console, 5002, AdminApps.Console)
)
);
// Mount Admin Console when needed
// Skip in domain-based multi-tenancy since Logto Cloud serves Admin Console in this case
if (!EnvSet.values.isDomainBasedMultiTenancy) {
app.use(koaConsoleRedirectProxy(queries));
app.use(
mount(
'/' + AdminApps.Console,
koaSpaProxy(mountedApps, AdminApps.Console, 5002, AdminApps.Console)
)
);
}
} else {
// Mount demo app
app.use(

View file

@ -40,12 +40,17 @@ const data = {
],
},
socialSignInConnectorTargets: [],
signInMode: 'Register',
customCss: null,
};
} as const;
const alteration: AlterationScript = {
up: async (pool) => {
const hasActiveUsers = await pool.exists(sql`
select id
from users
where tenant_id = 'default'
limit 1
`);
await pool.query(sql`
insert into sign_in_experiences (
tenant_id,
@ -69,7 +74,7 @@ const alteration: AlterationScript = {
${sql.jsonb(data.signUp)},
${sql.jsonb(data.signIn)},
${sql.jsonb(data.socialSignInConnectorTargets)},
${data.signInMode},
${hasActiveUsers ? 'SignIn' : 'Register'},
${data.customCss}
);
`);

View file

@ -0,0 +1,37 @@
import { generateStandardId } from '@logto/core-kit';
import { sql } from 'slonik';
import type { AlterationScript } from '../lib/types/alteration.js';
const alteration: AlterationScript = {
up: async (pool) => {
await pool.query(sql`
insert into applications (
tenant_id,
id,
name,
secret,
description,
type,
oidc_client_metadata
) values (
'admin',
'admin-console',
'Admin Console',
${generateStandardId()},
'Logto Admin Console.',
'SPA',
'{ "redirectUris": [], "postLogoutRedirectUris": [] }'::jsonb
);
`);
},
down: async (pool) => {
await pool.query(sql`
delete from applications
where tenant_id = 'admin'
and id = 'admin-console';
`);
},
};
export default alteration;

View file

@ -1 +0,0 @@
export const cloudApiIndicator = 'https://cloud.logto.io/api';

View file

@ -1 +1,2 @@
export * from './cloud.js';
export * from './system.js';
export * from './oidc.js';

View file

@ -0,0 +1 @@
export const tenantIdKey = 'tenant_id';

View file

@ -0,0 +1,14 @@
/** The API Resource Indicator for Logto Cloud. It's only useful when domain-based multi-tenancy is enabled. */
export const cloudApiIndicator = 'https://cloud.logto.io/api';
/**
* In OSS:
*
* - Only one single user tenant (`default`) is available.
* - Admin tenant and Admin Console share one endpoint (`ADMIN_ENDPOINT`).
*
* There's no need to parse tenant ID from the first path segment in OSS, and the segment should be a fixed value.
*
* If we use `/default`, the URL will look ugly; thus we keep the old fashion `/console`.
*/
export const ossConsolePath = '/console';

View file

@ -1,3 +1,9 @@
import { generateStandardId } from '@logto/core-kit';
import type { CreateApplication } from '../db-entries/index.js';
import { ApplicationType } from '../db-entries/index.js';
import { adminTenantId } from './tenant.js';
/**
* The fixed application ID for Admin Console.
*
@ -6,3 +12,14 @@
export const adminConsoleApplicationId = 'admin-console';
export const demoAppApplicationId = 'demo-app';
export const createDefaultAdminConsoleApplication = (): Readonly<CreateApplication> =>
Object.freeze({
tenantId: adminTenantId,
id: adminConsoleApplicationId,
name: 'Admin Console',
secret: generateStandardId(),
description: 'Logto Admin Console.',
type: ApplicationType.SPA,
oidcClientMetadata: { redirectUris: [], postLogoutRedirectUris: [] },
});