0
Fork 0
mirror of https://github.com/logto-io/logto.git synced 2025-03-31 22:51:25 -05:00

refactor(core): optimize tenant disposal

This commit is contained in:
Gao Sun 2023-03-13 15:44:01 +08:00
parent fa85b7d0eb
commit 3e9ba19fa2
No known key found for this signature in database
GPG key ID: 13EBE123E4773688
3 changed files with 71 additions and 11 deletions

View file

@ -17,6 +17,18 @@ const logListening = (type: 'core' | 'admin' = 'core') => {
}
};
const getTenant = async (tenantId: string) => {
try {
return await tenantPool.get(tenantId);
} catch (error: unknown) {
if (error instanceof TenantNotFoundError) {
return error;
}
throw error;
}
};
export default async function initApp(app: Koa): Promise<void> {
app.use(async (ctx, next) => {
if (EnvSet.values.isDomainBasedMultiTenancy && ctx.URL.pathname === '/status') {
@ -33,18 +45,20 @@ export default async function initApp(app: Koa): Promise<void> {
return next();
}
const tenant = await getTenant(tenantId);
if (tenant instanceof TenantNotFoundError) {
ctx.status = 404;
return next();
}
try {
const tenant = await tenantPool.get(tenantId);
tenant.requestStart();
await tenant.run(ctx, next);
return;
tenant.requestEnd();
} catch (error: unknown) {
if (error instanceof TenantNotFoundError) {
ctx.status = 404;
return next();
}
tenant.requestEnd();
throw error;
}
});

View file

@ -34,6 +34,9 @@ export default class Tenant implements TenantContext {
return new Tenant(envSet, id);
}
#requestCount = 0;
#onRequestEmpty?: () => Promise<void>;
public readonly provider: Provider;
public readonly queries: Queries;
public readonly libraries: Libraries;
@ -130,4 +133,47 @@ export default class Tenant implements TenantContext {
this.app = app;
this.provider = provider;
}
public requestStart() {
this.#requestCount += 1;
}
public requestEnd() {
if (this.#requestCount > 0) {
this.#requestCount -= 1;
if (this.#requestCount === 0) {
void this.#onRequestEmpty?.();
}
}
}
/**
* Try to dispose the tenant resources. If there are any pending requests, this function will wait for them to end with 5s timeout.
*
* Currently this function only ends the database pool.
*
* @returns Resolves `true` for a normal disposal and `'timeout'` for a timeout.
*/
public async dispose() {
if (this.#requestCount <= 0) {
await this.envSet.end();
return true;
}
return new Promise<true | 'timeout'>((resolve) => {
const timeout = setTimeout(async () => {
this.#onRequestEmpty = undefined;
await this.envSet.end();
resolve('timeout');
}, 5000);
this.#onRequestEmpty = async () => {
clearTimeout(timeout);
await this.envSet.end();
resolve(true);
};
});
}
}

View file

@ -5,8 +5,8 @@ import Tenant from './Tenant.js';
export class TenantPool {
protected cache = new LRUCache<string, Tenant>({
max: 100,
dispose: async (tenant) => {
await tenant.envSet.end();
dispose: (tenant) => {
void tenant.dispose();
},
});