118 lines
3.3 KiB
TypeScript

import { FreshContext, Handlers } from "$fresh/server.ts";
import { getImageContent } from "@lib/image.ts";
import { SILVERBULLET_SERVER } from "@lib/env.ts";
import { createLogger } from "@lib/log/index.ts";
import { isLocalImage } from "@lib/string.ts";
const log = createLogger("api/image");
// Constants for image processing
const CONFIG = {
maxDimension: 2048,
minDimension: 1,
acceptedMimeTypes: new Set([
"image/jpeg",
"image/png",
"image/webp",
"image/gif",
]),
};
interface ImageParams {
image: string;
height: number;
width: number;
}
/**
* Validates and parses URL parameters for image processing
*/
function parseParams(reqUrl: URL): ImageParams | string {
try {
const image = reqUrl.searchParams.get("image")?.replace(/^\//, "");
if (!image) {
return "Missing 'image' query parameter.";
}
// Parse dimensions with defaults
const height = Math.floor(Number(reqUrl.searchParams.get("height")) || 0);
const width = Math.floor(Number(reqUrl.searchParams.get("width")) || 0);
// Validate dimensions
if (height < 0 || width < 0) {
return "Negative height or width is not supported.";
}
if (height > CONFIG.maxDimension || width > CONFIG.maxDimension) {
return `Width and height cannot exceed ${CONFIG.maxDimension}.`;
}
// If dimensions are provided, ensure they're not too small
if (
(height > 0 && height < CONFIG.minDimension) ||
(width > 0 && width < CONFIG.minDimension)
) {
return `Dimensions must be at least ${CONFIG.minDimension} pixel.`;
}
return { image, height, width };
} catch (error) {
log.error("Error parsing parameters:", error);
return "Invalid parameters provided.";
}
}
// Helper function to generate ETag
async function generateETag(content: ArrayBuffer): Promise<string> {
const hashBuffer = await crypto.subtle.digest("SHA-256", content);
return `"${
Array.from(new Uint8Array(hashBuffer))
.map((b) => b.toString(16).padStart(2, "0"))
.join("")
}"`;
}
async function GET(req: Request, _ctx: FreshContext): Promise<Response> {
try {
const url = new URL(req.url);
const params = parseParams(url);
if (typeof params === "string") {
return new Response(params, {
status: 400,
headers: { "Content-Type": "text/plain" },
});
}
const imageUrl = isLocalImage(params.image)
? `${SILVERBULLET_SERVER}/${params.image.replace(/^\//, "")}`
: params.image;
log.debug("Processing image request:", { imageUrl, params });
const image = await getImageContent(imageUrl, params);
// Generate ETag based on image content
const eTag = await generateETag(image.content);
// Set caching headers
return new Response(image.content, {
headers: {
"Content-Type": image.mimeType,
"Cache-Control": "public, max-age=31536000, immutable", // Cache for 1 year
"ETag": eTag,
"Last-Modified": new Date().toUTCString(), // Replace with image's actual modified date if available
},
});
} catch (error) {
log.error("Error processing image:", error);
return new Response("Internal server error", {
status: 500,
headers: { "Content-Type": "text/plain" },
});
}
}
export const handler: Handlers = {
GET,
};