Files
immich/server/src/services/api-key.service.ts

72 lines
2.4 KiB
TypeScript
Raw Normal View History

import { BadRequestException, Injectable } from '@nestjs/common';
2025-04-08 12:40:03 -04:00
import { ApiKey } from 'src/database';
import { APIKeyCreateDto, APIKeyCreateResponseDto, APIKeyResponseDto, APIKeyUpdateDto } from 'src/dtos/api-key.dto';
import { AuthDto } from 'src/dtos/auth.dto';
2025-01-21 11:45:59 -05:00
import { Permission } from 'src/enum';
import { BaseService } from 'src/services/base.service';
import { isGranted } from 'src/utils/access';
@Injectable()
export class ApiKeyService extends BaseService {
async create(auth: AuthDto, dto: APIKeyCreateDto): Promise<APIKeyCreateResponseDto> {
const token = this.cryptoRepository.randomBytesAsText(32);
const tokenHashed = this.cryptoRepository.hashSha256(token);
if (auth.apiKey && !isGranted({ requested: dto.permissions, current: auth.apiKey.permissions })) {
throw new BadRequestException('Cannot grant permissions you do not have');
}
2025-03-04 11:15:41 -05:00
const entity = await this.apiKeyRepository.create({
key: tokenHashed,
name: dto.name || 'API Key',
userId: auth.user.id,
permissions: dto.permissions,
});
return { secret: token, apiKey: this.map(entity) };
}
async update(auth: AuthDto, id: string, dto: APIKeyUpdateDto): Promise<APIKeyResponseDto> {
2025-03-04 11:15:41 -05:00
const exists = await this.apiKeyRepository.getById(auth.user.id, id);
if (!exists) {
throw new BadRequestException('API Key not found');
}
const key = await this.apiKeyRepository.update(auth.user.id, id, { name: dto.name, permissions: dto.permissions });
2023-06-30 21:49:30 -04:00
return this.map(key);
}
async delete(auth: AuthDto, id: string): Promise<void> {
2025-03-04 11:15:41 -05:00
const exists = await this.apiKeyRepository.getById(auth.user.id, id);
if (!exists) {
throw new BadRequestException('API Key not found');
}
2025-03-04 11:15:41 -05:00
await this.apiKeyRepository.delete(auth.user.id, id);
}
async getById(auth: AuthDto, id: string): Promise<APIKeyResponseDto> {
2025-03-04 11:15:41 -05:00
const key = await this.apiKeyRepository.getById(auth.user.id, id);
if (!key) {
throw new BadRequestException('API Key not found');
}
2023-06-30 21:49:30 -04:00
return this.map(key);
}
async getAll(auth: AuthDto): Promise<APIKeyResponseDto[]> {
2025-03-04 11:15:41 -05:00
const keys = await this.apiKeyRepository.getByUserId(auth.user.id);
2023-06-30 21:49:30 -04:00
return keys.map((key) => this.map(key));
}
2025-04-08 12:40:03 -04:00
private map(entity: ApiKey): APIKeyResponseDto {
2023-06-30 21:49:30 -04:00
return {
id: entity.id,
name: entity.name,
createdAt: entity.createdAt,
updatedAt: entity.updatedAt,
2025-01-21 11:45:59 -05:00
permissions: entity.permissions as Permission[],
2023-06-30 21:49:30 -04:00
};
}
}