mirror of
https://github.com/immich-app/immich.git
synced 2026-03-02 15:35:48 -05:00
* feat(server, web): implement share with partner * chore: regenerate api * chore: regenerate api * Pass userId to getAssetCountByTimeBucket and getAssetByTimeBucket * chore: regenerate api * Use AssetGrid to view partner's assets * Remove disableNavBarActions flag * Check access to buckets * Apply suggestions from code review Co-authored-by: Jason Rasmussen <jrasm91@gmail.com> * Remove exception rethrowing * Simplify partner access check * Create new PartnerController * chore api:generate * Use partnerApi * Remove id from PartnerResponseDto * Refactor PartnerEntity * Rename args * Remove duplicate code in getAll * Create composite primary keys for partners table * Move asset access check into PartnerCore * Remove redundant getUserAssets call * Remove unused getUserAssets method * chore: regenerate api * Simplify getAll * Replace ?? with || * Simplify PartnerRepository.create * Introduce PartnerIds interface * Replace two database migrations with one * Simplify getAll * Change PartnerResponseDto to include UserResponseDto * Move partner sharing endpoints to PartnerController * Rename ShareController to SharedLinkController * chore: regenerate api after rebase * refactor: shared link remove return type * refactor: return user response dto * chore: regenerate open api * refactor: partner getAll * refactor: partner settings event typing * chore: remove unused code * refactor: add partners modal trigger * refactor: update url for viewing partner photos * feat: update partner sharing title * refactor: rename service method names * refactor: http exception logic to service, PartnerIds interface * chore: regenerate open api * test: coverage for domain code * fix: addPartner => createPartner * fix: missed rename * refactor: more code cleanup * chore: alphabetize settings order * feat: stop sharing confirmation modal * Enhance contrast of the email in dark mode * Replace button with CircleIconButton * Fix linter warning * Fix date types for PartnerEntity * Fix PartnerEntity creation * Reset assetStore state * Change layout of the partner's assets page * Add bulk download action for partner's assets --------- Co-authored-by: Jason Rasmussen <jrasm91@gmail.com>
107 lines
3.4 KiB
TypeScript
107 lines
3.4 KiB
TypeScript
import { AssetEntity, SharedLinkEntity } from '@app/infra/entities';
|
|
import { BadRequestException, ForbiddenException, Logger, UnauthorizedException } from '@nestjs/common';
|
|
import { AuthUserDto } from '../auth';
|
|
import { ICryptoRepository } from '../crypto';
|
|
import { CreateSharedLinkDto } from './dto';
|
|
import { ISharedLinkRepository } from './shared-link.repository';
|
|
|
|
export class ShareCore {
|
|
readonly logger = new Logger(ShareCore.name);
|
|
|
|
constructor(private repository: ISharedLinkRepository, private cryptoRepository: ICryptoRepository) {}
|
|
|
|
getAll(userId: string): Promise<SharedLinkEntity[]> {
|
|
return this.repository.getAll(userId);
|
|
}
|
|
|
|
get(userId: string, id: string): Promise<SharedLinkEntity | null> {
|
|
return this.repository.get(userId, id);
|
|
}
|
|
|
|
create(userId: string, dto: CreateSharedLinkDto): Promise<SharedLinkEntity> {
|
|
return this.repository.create({
|
|
key: Buffer.from(this.cryptoRepository.randomBytes(50)),
|
|
description: dto.description,
|
|
userId,
|
|
createdAt: new Date().toISOString(),
|
|
expiresAt: dto.expiresAt ?? null,
|
|
type: dto.type,
|
|
assets: dto.assets,
|
|
album: dto.album,
|
|
allowUpload: dto.allowUpload ?? false,
|
|
allowDownload: dto.allowDownload ?? true,
|
|
showExif: dto.showExif ?? true,
|
|
});
|
|
}
|
|
|
|
async save(userId: string, id: string, entity: Partial<SharedLinkEntity>): Promise<SharedLinkEntity> {
|
|
const link = await this.get(userId, id);
|
|
if (!link) {
|
|
throw new BadRequestException('Shared link not found');
|
|
}
|
|
|
|
return this.repository.save({ ...entity, userId, id });
|
|
}
|
|
|
|
async remove(userId: string, id: string): Promise<void> {
|
|
const link = await this.get(userId, id);
|
|
if (!link) {
|
|
throw new BadRequestException('Shared link not found');
|
|
}
|
|
|
|
await this.repository.remove(link);
|
|
}
|
|
|
|
async addAssets(userId: string, id: string, assets: AssetEntity[]) {
|
|
const link = await this.get(userId, id);
|
|
if (!link) {
|
|
throw new BadRequestException('Shared link not found');
|
|
}
|
|
|
|
return this.repository.save({ ...link, assets: [...link.assets, ...assets] });
|
|
}
|
|
|
|
async removeAssets(userId: string, id: string, assets: AssetEntity[]) {
|
|
const link = await this.get(userId, id);
|
|
if (!link) {
|
|
throw new BadRequestException('Shared link not found');
|
|
}
|
|
|
|
const newAssets = link.assets.filter((asset) => assets.find((a) => a.id === asset.id));
|
|
|
|
return this.repository.save({ ...link, assets: newAssets });
|
|
}
|
|
|
|
async hasAssetAccess(id: string, assetId: string): Promise<boolean> {
|
|
return this.repository.hasAssetAccess(id, assetId);
|
|
}
|
|
|
|
checkDownloadAccess(user: AuthUserDto) {
|
|
if (user.isPublicUser && !user.isAllowDownload) {
|
|
throw new ForbiddenException();
|
|
}
|
|
}
|
|
|
|
async validate(key: string): Promise<AuthUserDto | null> {
|
|
const link = await this.repository.getByKey(key);
|
|
if (link) {
|
|
if (!link.expiresAt || new Date(link.expiresAt) > new Date()) {
|
|
const user = link.user;
|
|
if (user) {
|
|
return {
|
|
id: user.id,
|
|
email: user.email,
|
|
isAdmin: user.isAdmin,
|
|
isPublicUser: true,
|
|
sharedLinkId: link.id,
|
|
isAllowUpload: link.allowUpload,
|
|
isAllowDownload: link.allowDownload,
|
|
isShowExif: link.showExif,
|
|
};
|
|
}
|
|
}
|
|
}
|
|
throw new UnauthorizedException('Invalid share key');
|
|
}
|
|
}
|