mirror of
https://github.com/kmc7468/arkvault.git
synced 2025-12-12 21:08:46 +00:00
/api/file/[id]/thumbnail, /api/file/[id]/thumbnail/download, /api/file/[id]/thumbnail/upload Endpoint 구현
This commit is contained in:
@@ -11,3 +11,4 @@ SESSION_EXPIRES=
|
|||||||
USER_CLIENT_CHALLENGE_EXPIRES=
|
USER_CLIENT_CHALLENGE_EXPIRES=
|
||||||
SESSION_UPGRADE_CHALLENGE_EXPIRES=
|
SESSION_UPGRADE_CHALLENGE_EXPIRES=
|
||||||
LIBRARY_PATH=
|
LIBRARY_PATH=
|
||||||
|
THUMBNAILS_PATH=
|
||||||
|
|||||||
@@ -7,6 +7,7 @@ services:
|
|||||||
user: ${CONTAINER_UID:-0}:${CONTAINER_GID:-0}
|
user: ${CONTAINER_UID:-0}:${CONTAINER_GID:-0}
|
||||||
volumes:
|
volumes:
|
||||||
- ./data/library:/app/data/library
|
- ./data/library:/app/data/library
|
||||||
|
- ./data/thumbnails:/app/data/thumbnails
|
||||||
environment:
|
environment:
|
||||||
# ArkVault
|
# ArkVault
|
||||||
- DATABASE_HOST=database
|
- DATABASE_HOST=database
|
||||||
@@ -17,6 +18,7 @@ services:
|
|||||||
- USER_CLIENT_CHALLENGE_EXPIRES
|
- USER_CLIENT_CHALLENGE_EXPIRES
|
||||||
- SESSION_UPGRADE_CHALLENGE_EXPIRES
|
- SESSION_UPGRADE_CHALLENGE_EXPIRES
|
||||||
- LIBRARY_PATH=/app/data/library
|
- LIBRARY_PATH=/app/data/library
|
||||||
|
- THUMBNAILS_PATH=/app/data/thumbnails
|
||||||
# SvelteKit
|
# SvelteKit
|
||||||
- ADDRESS_HEADER=${TRUST_PROXY:+X-Forwarded-For}
|
- ADDRESS_HEADER=${TRUST_PROXY:+X-Forwarded-For}
|
||||||
- XFF_DEPTH=${TRUST_PROXY:-}
|
- XFF_DEPTH=${TRUST_PROXY:-}
|
||||||
|
|||||||
@@ -327,7 +327,8 @@ export const getAllFilesByCategory = async (
|
|||||||
.where("user_id", "=", userId)
|
.where("user_id", "=", userId)
|
||||||
.where("file_id", "is not", null)
|
.where("file_id", "is not", null)
|
||||||
.$narrowType<{ file_id: NotNull }>()
|
.$narrowType<{ file_id: NotNull }>()
|
||||||
.orderBy(["file_id", "depth"])
|
.orderBy("file_id")
|
||||||
|
.orderBy("depth")
|
||||||
.execute();
|
.execute();
|
||||||
return files.map(({ file_id, depth }) => ({ id: file_id, isRecursive: depth > 0 }));
|
return files.map(({ file_id, depth }) => ({ id: file_id, isRecursive: depth > 0 }));
|
||||||
};
|
};
|
||||||
|
|||||||
86
src/lib/server/db/media.ts
Normal file
86
src/lib/server/db/media.ts
Normal file
@@ -0,0 +1,86 @@
|
|||||||
|
import type { NotNull } from "kysely";
|
||||||
|
import { IntegrityError } from "./error";
|
||||||
|
import db from "./kysely";
|
||||||
|
|
||||||
|
interface Thumbnail {
|
||||||
|
id: number;
|
||||||
|
path: string;
|
||||||
|
createdAt: Date;
|
||||||
|
encContentIv: string;
|
||||||
|
}
|
||||||
|
|
||||||
|
interface FileThumbnail extends Thumbnail {
|
||||||
|
fileId: number;
|
||||||
|
}
|
||||||
|
|
||||||
|
export const updateFileThumbnail = async (
|
||||||
|
userId: number,
|
||||||
|
fileId: number,
|
||||||
|
dekVersion: Date,
|
||||||
|
path: string,
|
||||||
|
encContentIv: string,
|
||||||
|
) => {
|
||||||
|
return await db.transaction().execute(async (trx) => {
|
||||||
|
const file = await trx
|
||||||
|
.selectFrom("file")
|
||||||
|
.select("data_encryption_key_version")
|
||||||
|
.where("id", "=", fileId)
|
||||||
|
.where("user_id", "=", userId)
|
||||||
|
.limit(1)
|
||||||
|
.forUpdate()
|
||||||
|
.executeTakeFirst();
|
||||||
|
if (!file) {
|
||||||
|
throw new IntegrityError("File not found");
|
||||||
|
} else if (file.data_encryption_key_version.getTime() !== dekVersion.getTime()) {
|
||||||
|
throw new IntegrityError("Invalid DEK version");
|
||||||
|
}
|
||||||
|
|
||||||
|
const thumbnail = await trx
|
||||||
|
.selectFrom("thumbnail")
|
||||||
|
.select("path as old_path")
|
||||||
|
.where("file_id", "=", fileId)
|
||||||
|
.limit(1)
|
||||||
|
.forUpdate()
|
||||||
|
.executeTakeFirst();
|
||||||
|
const now = new Date();
|
||||||
|
|
||||||
|
await trx
|
||||||
|
.insertInto("thumbnail")
|
||||||
|
.values({
|
||||||
|
file_id: fileId,
|
||||||
|
path,
|
||||||
|
created_at: now,
|
||||||
|
encrypted_content_iv: encContentIv,
|
||||||
|
})
|
||||||
|
.onConflict((oc) =>
|
||||||
|
oc.column("file_id").doUpdateSet({
|
||||||
|
path,
|
||||||
|
created_at: now,
|
||||||
|
encrypted_content_iv: encContentIv,
|
||||||
|
}),
|
||||||
|
)
|
||||||
|
.execute();
|
||||||
|
return thumbnail?.old_path;
|
||||||
|
});
|
||||||
|
};
|
||||||
|
|
||||||
|
export const getFileThumbnail = async (userId: number, fileId: number) => {
|
||||||
|
const thumbnail = await db
|
||||||
|
.selectFrom("thumbnail")
|
||||||
|
.innerJoin("file", "thumbnail.file_id", "file.id")
|
||||||
|
.selectAll("thumbnail")
|
||||||
|
.where("file.id", "=", fileId)
|
||||||
|
.where("file.user_id", "=", userId)
|
||||||
|
.$narrowType<{ file_id: NotNull }>()
|
||||||
|
.limit(1)
|
||||||
|
.executeTakeFirst();
|
||||||
|
return thumbnail
|
||||||
|
? ({
|
||||||
|
id: thumbnail.id,
|
||||||
|
fileId: thumbnail.file_id,
|
||||||
|
path: thumbnail.path,
|
||||||
|
encContentIv: thumbnail.encrypted_content_iv,
|
||||||
|
createdAt: thumbnail.created_at,
|
||||||
|
} satisfies FileThumbnail)
|
||||||
|
: null;
|
||||||
|
};
|
||||||
@@ -1,4 +1,4 @@
|
|||||||
import type { ColumnType, Generated } from "kysely";
|
import type { Generated } from "kysely";
|
||||||
|
|
||||||
interface ThumbnailTable {
|
interface ThumbnailTable {
|
||||||
id: Generated<number>;
|
id: Generated<number>;
|
||||||
@@ -6,7 +6,7 @@ interface ThumbnailTable {
|
|||||||
file_id: number | null;
|
file_id: number | null;
|
||||||
category_id: number | null;
|
category_id: number | null;
|
||||||
path: string;
|
path: string;
|
||||||
created_at: ColumnType<Date, Date, never>;
|
created_at: Date;
|
||||||
encrypted_content_iv: string; // Base64
|
encrypted_content_iv: string; // Base64
|
||||||
}
|
}
|
||||||
|
|
||||||
|
|||||||
@@ -25,4 +25,5 @@ export default {
|
|||||||
sessionUpgradeExp: ms(env.SESSION_UPGRADE_CHALLENGE_EXPIRES || "5m"),
|
sessionUpgradeExp: ms(env.SESSION_UPGRADE_CHALLENGE_EXPIRES || "5m"),
|
||||||
},
|
},
|
||||||
libraryPath: env.LIBRARY_PATH || "library",
|
libraryPath: env.LIBRARY_PATH || "library",
|
||||||
|
thumbnailsPath: env.THUMBNAILS_PATH || "thumbnails",
|
||||||
};
|
};
|
||||||
|
|||||||
@@ -30,6 +30,17 @@ export const fileRenameRequest = z.object({
|
|||||||
});
|
});
|
||||||
export type FileRenameRequest = z.infer<typeof fileRenameRequest>;
|
export type FileRenameRequest = z.infer<typeof fileRenameRequest>;
|
||||||
|
|
||||||
|
export const fileThumbnailInfoResponse = z.object({
|
||||||
|
encContentIv: z.string().base64().nonempty(),
|
||||||
|
});
|
||||||
|
export type FileThumbnailInfoResponse = z.infer<typeof fileThumbnailInfoResponse>;
|
||||||
|
|
||||||
|
export const fileThumbnailUploadRequest = z.object({
|
||||||
|
dekVersion: z.string().datetime(),
|
||||||
|
encContentIv: z.string().base64().nonempty(),
|
||||||
|
});
|
||||||
|
export type FileThumbnailUploadRequest = z.infer<typeof fileThumbnailUploadRequest>;
|
||||||
|
|
||||||
export const duplicateFileScanRequest = z.object({
|
export const duplicateFileScanRequest = z.object({
|
||||||
hskVersion: z.number().int().positive(),
|
hskVersion: z.number().int().positive(),
|
||||||
contentHmac: z.string().base64().nonempty(),
|
contentHmac: z.string().base64().nonempty(),
|
||||||
|
|||||||
@@ -16,6 +16,7 @@ import {
|
|||||||
getAllFileCategories,
|
getAllFileCategories,
|
||||||
type NewFile,
|
type NewFile,
|
||||||
} from "$lib/server/db/file";
|
} from "$lib/server/db/file";
|
||||||
|
import { getFileThumbnail, updateFileThumbnail } from "$lib/server/db/media";
|
||||||
import type { Ciphertext } from "$lib/server/db/schema";
|
import type { Ciphertext } from "$lib/server/db/schema";
|
||||||
import env from "$lib/server/loadenv";
|
import env from "$lib/server/loadenv";
|
||||||
|
|
||||||
@@ -85,6 +86,59 @@ export const renameFile = async (
|
|||||||
}
|
}
|
||||||
};
|
};
|
||||||
|
|
||||||
|
export const getFileThumbnailInformation = async (userId: number, fileId: number) => {
|
||||||
|
const thumbnail = await getFileThumbnail(userId, fileId);
|
||||||
|
if (!thumbnail) {
|
||||||
|
error(404, "File or its thumbnail not found");
|
||||||
|
}
|
||||||
|
|
||||||
|
return { encContentIv: thumbnail.encContentIv };
|
||||||
|
};
|
||||||
|
|
||||||
|
export const getFileThumbnailStream = async (userId: number, fileId: number) => {
|
||||||
|
const thumbnail = await getFileThumbnail(userId, fileId);
|
||||||
|
if (!thumbnail) {
|
||||||
|
error(404, "File or its thumbnail not found");
|
||||||
|
}
|
||||||
|
|
||||||
|
const { size } = await stat(thumbnail.path);
|
||||||
|
return {
|
||||||
|
encContentStream: Readable.toWeb(createReadStream(thumbnail.path)),
|
||||||
|
encContentSize: size,
|
||||||
|
};
|
||||||
|
};
|
||||||
|
|
||||||
|
export const uploadFileThumbnail = async (
|
||||||
|
userId: number,
|
||||||
|
fileId: number,
|
||||||
|
dekVersion: Date,
|
||||||
|
encContentIv: string,
|
||||||
|
encContentStream: Readable,
|
||||||
|
) => {
|
||||||
|
const path = `${env.thumbnailsPath}/${userId}/${uuidv4()}`;
|
||||||
|
await mkdir(dirname(path), { recursive: true });
|
||||||
|
|
||||||
|
try {
|
||||||
|
await pipeline(encContentStream, createWriteStream(path, { flags: "wx", mode: 0o600 }));
|
||||||
|
|
||||||
|
const oldPath = await updateFileThumbnail(userId, fileId, dekVersion, path, encContentIv);
|
||||||
|
if (oldPath) {
|
||||||
|
safeUnlink(oldPath); // Intended
|
||||||
|
}
|
||||||
|
} catch (e) {
|
||||||
|
await safeUnlink(path);
|
||||||
|
|
||||||
|
if (e instanceof IntegrityError) {
|
||||||
|
if (e.message === "File not found") {
|
||||||
|
error(404, "File not found");
|
||||||
|
} else if (e.message === "Invalid DEK version") {
|
||||||
|
error(400, "Mismatched DEK version");
|
||||||
|
}
|
||||||
|
}
|
||||||
|
throw e;
|
||||||
|
}
|
||||||
|
};
|
||||||
|
|
||||||
export const scanDuplicateFiles = async (
|
export const scanDuplicateFiles = async (
|
||||||
userId: number,
|
userId: number,
|
||||||
hskVersion: number,
|
hskVersion: number,
|
||||||
|
|||||||
23
src/routes/api/file/[id]/thumbnail/+server.ts
Normal file
23
src/routes/api/file/[id]/thumbnail/+server.ts
Normal file
@@ -0,0 +1,23 @@
|
|||||||
|
import { error, json } from "@sveltejs/kit";
|
||||||
|
import { z } from "zod";
|
||||||
|
import { authorize } from "$lib/server/modules/auth";
|
||||||
|
import { fileThumbnailInfoResponse, type FileThumbnailInfoResponse } from "$lib/server/schemas";
|
||||||
|
import { getFileThumbnailInformation } from "$lib/server/services/file";
|
||||||
|
import type { RequestHandler } from "./$types";
|
||||||
|
|
||||||
|
export const GET: RequestHandler = async ({ locals, params }) => {
|
||||||
|
const { userId } = await authorize(locals, "activeClient");
|
||||||
|
|
||||||
|
const zodRes = z
|
||||||
|
.object({
|
||||||
|
id: z.coerce.number().int().positive(),
|
||||||
|
})
|
||||||
|
.safeParse(params);
|
||||||
|
if (!zodRes.success) error(400, "Invalid path parameters");
|
||||||
|
const { id } = zodRes.data;
|
||||||
|
|
||||||
|
const { encContentIv } = await getFileThumbnailInformation(userId, id);
|
||||||
|
return json(
|
||||||
|
fileThumbnailInfoResponse.parse({ encContentIv } satisfies FileThumbnailInfoResponse),
|
||||||
|
);
|
||||||
|
};
|
||||||
25
src/routes/api/file/[id]/thumbnail/download/+server.ts
Normal file
25
src/routes/api/file/[id]/thumbnail/download/+server.ts
Normal file
@@ -0,0 +1,25 @@
|
|||||||
|
import { error } from "@sveltejs/kit";
|
||||||
|
import { z } from "zod";
|
||||||
|
import { authorize } from "$lib/server/modules/auth";
|
||||||
|
import { getFileThumbnailStream } from "$lib/server/services/file";
|
||||||
|
import type { RequestHandler } from "./$types";
|
||||||
|
|
||||||
|
export const GET: RequestHandler = async ({ locals, params }) => {
|
||||||
|
const { userId } = await authorize(locals, "activeClient");
|
||||||
|
|
||||||
|
const zodRes = z
|
||||||
|
.object({
|
||||||
|
id: z.coerce.number().int().positive(),
|
||||||
|
})
|
||||||
|
.safeParse(params);
|
||||||
|
if (!zodRes.success) error(400, "Invalid path parameters");
|
||||||
|
const { id } = zodRes.data;
|
||||||
|
|
||||||
|
const { encContentStream, encContentSize } = await getFileThumbnailStream(userId, id);
|
||||||
|
return new Response(encContentStream as ReadableStream, {
|
||||||
|
headers: {
|
||||||
|
"Content-Type": "application/octet-stream",
|
||||||
|
"Content-Length": encContentSize.toString(),
|
||||||
|
},
|
||||||
|
});
|
||||||
|
};
|
||||||
72
src/routes/api/file/[id]/thumbnail/upload/+server.ts
Normal file
72
src/routes/api/file/[id]/thumbnail/upload/+server.ts
Normal file
@@ -0,0 +1,72 @@
|
|||||||
|
import Busboy from "@fastify/busboy";
|
||||||
|
import { error, text } from "@sveltejs/kit";
|
||||||
|
import { Readable, Writable } from "stream";
|
||||||
|
import { z } from "zod";
|
||||||
|
import { authorize } from "$lib/server/modules/auth";
|
||||||
|
import { fileThumbnailUploadRequest, type FileThumbnailUploadRequest } from "$lib/server/schemas";
|
||||||
|
import { uploadFileThumbnail } from "$lib/server/services/file";
|
||||||
|
import type { RequestHandler } from "./$types";
|
||||||
|
|
||||||
|
export const POST: RequestHandler = async ({ locals, params, request }) => {
|
||||||
|
const { userId } = await authorize(locals, "activeClient");
|
||||||
|
|
||||||
|
const zodRes = z
|
||||||
|
.object({
|
||||||
|
id: z.coerce.number().int().positive(),
|
||||||
|
})
|
||||||
|
.safeParse(params);
|
||||||
|
if (!zodRes.success) error(400, "Invalid path parameters");
|
||||||
|
const { id } = zodRes.data;
|
||||||
|
|
||||||
|
const contentType = request.headers.get("Content-Type");
|
||||||
|
if (!contentType?.startsWith("multipart/form-data") || !request.body) {
|
||||||
|
error(400, "Invalid request body");
|
||||||
|
}
|
||||||
|
|
||||||
|
return new Promise<Response>((resolve, reject) => {
|
||||||
|
const bb = Busboy({ headers: { "content-type": contentType } });
|
||||||
|
const handler =
|
||||||
|
<T extends unknown[]>(f: (...args: T) => Promise<void>) =>
|
||||||
|
(...args: T) => {
|
||||||
|
f(...args).catch(reject);
|
||||||
|
};
|
||||||
|
|
||||||
|
let metadata: FileThumbnailUploadRequest | null = null;
|
||||||
|
let content: Readable | null = null;
|
||||||
|
bb.on(
|
||||||
|
"field",
|
||||||
|
handler(async (fieldname, val) => {
|
||||||
|
if (fieldname === "metadata") {
|
||||||
|
// Ignore subsequent metadata fields
|
||||||
|
if (!metadata) {
|
||||||
|
metadata = fileThumbnailUploadRequest.parse(val);
|
||||||
|
}
|
||||||
|
} else {
|
||||||
|
error(400, "Invalid request body");
|
||||||
|
}
|
||||||
|
}),
|
||||||
|
);
|
||||||
|
bb.on(
|
||||||
|
"file",
|
||||||
|
handler(async (fieldname, file) => {
|
||||||
|
if (fieldname !== "content") error(400, "Invalid request body");
|
||||||
|
if (!metadata || content) error(400, "Invalid request body");
|
||||||
|
content = file;
|
||||||
|
|
||||||
|
await uploadFileThumbnail(
|
||||||
|
userId,
|
||||||
|
id,
|
||||||
|
new Date(metadata.dekVersion),
|
||||||
|
metadata.encContentIv,
|
||||||
|
content,
|
||||||
|
);
|
||||||
|
resolve(text("Thumbnail uploaded", { headers: { "Content-Type": "text/plain" } }));
|
||||||
|
}),
|
||||||
|
);
|
||||||
|
bb.on("error", (e) => {
|
||||||
|
content?.emit("error", e) ?? reject(e);
|
||||||
|
});
|
||||||
|
|
||||||
|
request.body!.pipeTo(Writable.toWeb(bb)).catch(() => {}); // busboy will handle the error
|
||||||
|
});
|
||||||
|
};
|
||||||
Reference in New Issue
Block a user