mirror of
https://github.com/Abdulazizzn/n8n-enterprise-unlocked.git
synced 2025-12-17 18:12:04 +00:00
147 lines
4.4 KiB
TypeScript
147 lines
4.4 KiB
TypeScript
import type { UnixTimestamp, UpdateApiKeyRequestDto } from '@n8n/api-types';
|
|
import type { CreateApiKeyRequestDto } from '@n8n/api-types/src/dto/api-keys/create-api-key-request.dto';
|
|
import { Service } from '@n8n/di';
|
|
import { TokenExpiredError } from 'jsonwebtoken';
|
|
import type { OpenAPIV3 } from 'openapi-types';
|
|
|
|
import { ApiKey } from '@/databases/entities/api-key';
|
|
import type { User } from '@/databases/entities/user';
|
|
import { ApiKeyRepository } from '@/databases/repositories/api-key.repository';
|
|
import { UserRepository } from '@/databases/repositories/user.repository';
|
|
import { EventService } from '@/events/event.service';
|
|
import type { AuthenticatedRequest } from '@/requests';
|
|
|
|
import { JwtService } from './jwt.service';
|
|
|
|
const API_KEY_AUDIENCE = 'public-api';
|
|
const API_KEY_ISSUER = 'n8n';
|
|
const REDACT_API_KEY_REVEAL_COUNT = 4;
|
|
const REDACT_API_KEY_MAX_LENGTH = 10;
|
|
|
|
@Service()
|
|
export class PublicApiKeyService {
|
|
constructor(
|
|
private readonly apiKeyRepository: ApiKeyRepository,
|
|
private readonly userRepository: UserRepository,
|
|
private readonly jwtService: JwtService,
|
|
private readonly eventService: EventService,
|
|
) {}
|
|
|
|
/**
|
|
* Creates a new public API key for the specified user.
|
|
* @param user - The user for whom the API key is being created.
|
|
*/
|
|
async createPublicApiKeyForUser(user: User, { label, expiresAt }: CreateApiKeyRequestDto) {
|
|
const apiKey = this.generateApiKey(user, expiresAt);
|
|
await this.apiKeyRepository.insert(
|
|
this.apiKeyRepository.create({
|
|
userId: user.id,
|
|
apiKey,
|
|
label,
|
|
}),
|
|
);
|
|
|
|
return await this.apiKeyRepository.findOneByOrFail({ apiKey });
|
|
}
|
|
|
|
/**
|
|
* Retrieves and redacts API keys for a given user.
|
|
* @param user - The user for whom to retrieve and redact API keys.
|
|
*/
|
|
async getRedactedApiKeysForUser(user: User) {
|
|
const apiKeys = await this.apiKeyRepository.findBy({ userId: user.id });
|
|
return apiKeys.map((apiKeyRecord) => ({
|
|
...apiKeyRecord,
|
|
apiKey: this.redactApiKey(apiKeyRecord.apiKey),
|
|
expiresAt: this.getApiKeyExpiration(apiKeyRecord.apiKey),
|
|
}));
|
|
}
|
|
|
|
async deleteApiKeyForUser(user: User, apiKeyId: string) {
|
|
await this.apiKeyRepository.delete({ userId: user.id, id: apiKeyId });
|
|
}
|
|
|
|
async updateApiKeyForUser(user: User, apiKeyId: string, { label }: UpdateApiKeyRequestDto) {
|
|
await this.apiKeyRepository.update({ id: apiKeyId, userId: user.id }, { label });
|
|
}
|
|
|
|
private async getUserForApiKey(apiKey: string) {
|
|
return await this.userRepository
|
|
.createQueryBuilder('user')
|
|
.innerJoin(ApiKey, 'apiKey', 'apiKey.userId = user.id')
|
|
.where('apiKey.apiKey = :apiKey', { apiKey })
|
|
.select('user')
|
|
.getOne();
|
|
}
|
|
|
|
/**
|
|
* Redacts an API key by replacing a portion of it with asterisks.
|
|
*
|
|
* The function keeps the last `REDACT_API_KEY_REVEAL_COUNT` characters of the API key visible
|
|
* and replaces the rest with asterisks, up to a maximum length defined by `REDACT_API_KEY_MAX_LENGTH`.
|
|
*
|
|
* @example
|
|
* ```typescript
|
|
* const redactedKey = PublicApiKeyService.redactApiKey('12345-abcdef-67890');
|
|
* console.log(redactedKey); // Output: '*****-67890'
|
|
* ```
|
|
*/
|
|
redactApiKey(apiKey: string) {
|
|
const visiblePart = apiKey.slice(-REDACT_API_KEY_REVEAL_COUNT);
|
|
const redactedPart = '*'.repeat(
|
|
Math.max(0, REDACT_API_KEY_MAX_LENGTH - REDACT_API_KEY_REVEAL_COUNT),
|
|
);
|
|
|
|
return redactedPart + visiblePart;
|
|
}
|
|
|
|
getAuthMiddleware(version: string) {
|
|
return async (
|
|
req: AuthenticatedRequest,
|
|
_scopes: unknown,
|
|
schema: OpenAPIV3.ApiKeySecurityScheme,
|
|
): Promise<boolean> => {
|
|
const providedApiKey = req.headers[schema.name.toLowerCase()] as string;
|
|
|
|
const user = await this.getUserForApiKey(providedApiKey);
|
|
|
|
if (!user) return false;
|
|
|
|
try {
|
|
this.jwtService.verify(providedApiKey, {
|
|
issuer: API_KEY_ISSUER,
|
|
audience: API_KEY_AUDIENCE,
|
|
});
|
|
} catch (e) {
|
|
if (e instanceof TokenExpiredError) return false;
|
|
throw e;
|
|
}
|
|
|
|
this.eventService.emit('public-api-invoked', {
|
|
userId: user.id,
|
|
path: req.path,
|
|
method: req.method,
|
|
apiVersion: version,
|
|
});
|
|
|
|
req.user = user;
|
|
|
|
return true;
|
|
};
|
|
}
|
|
|
|
private generateApiKey = (user: User, expiresAt: UnixTimestamp) => {
|
|
const nowInSeconds = Math.floor(Date.now() / 1000);
|
|
|
|
return this.jwtService.sign(
|
|
{ sub: user.id, iss: API_KEY_ISSUER, aud: API_KEY_AUDIENCE },
|
|
{ ...(expiresAt && { expiresIn: expiresAt - nowInSeconds }) },
|
|
);
|
|
};
|
|
|
|
private getApiKeyExpiration = (apiKey: string) => {
|
|
const decoded = this.jwtService.decode(apiKey);
|
|
return decoded?.exp ?? null;
|
|
};
|
|
}
|