37 lines
1.0 KiB
TypeScript
37 lines
1.0 KiB
TypeScript
import jimp from "jimp";
|
|
|
|
export async function resizeBase64Image(
|
|
base64OrUrl: string,
|
|
opts?: {
|
|
maxSize?: number;
|
|
}
|
|
) {
|
|
if (!base64OrUrl.startsWith("data:")) {
|
|
// might be a `https://` or something
|
|
return base64OrUrl;
|
|
}
|
|
const mimeMatch = base64OrUrl.match(/^data:(\w+\/\w+);/);
|
|
const mimetype = mimeMatch?.[1];
|
|
if (!mimetype) {
|
|
throw new Error(`Could not distinguish mimetype`);
|
|
}
|
|
const buffer = Buffer.from(base64OrUrl.replace(/^data:image\/\w+;base64,/, ""), "base64");
|
|
|
|
const {
|
|
// 96px is the height of the image on https://cal.com/peer
|
|
maxSize = 96 * 4,
|
|
} = opts ?? {};
|
|
const image = await jimp.read(buffer);
|
|
if (image.getHeight() !== image.getHeight()) {
|
|
// this could be handled later
|
|
throw new Error("Image is not a square");
|
|
}
|
|
const currentSize = Math.max(image.getWidth(), image.getHeight());
|
|
if (currentSize > maxSize) {
|
|
image.resize(jimp.AUTO, maxSize);
|
|
}
|
|
const newBuffer = await image.getBufferAsync(mimetype);
|
|
|
|
return `data:${mimetype};base64,${newBuffer.toString("base64")}`;
|
|
}
|