mirror of
https://github.com/documenso/documenso.git
synced 2025-11-13 08:13:56 +10:00
This PR is handles the changes required to support envelopes. The new envelope editor/signing page will be hidden during release. The core changes here is to migrate the documents and templates model to a centralized envelopes model. Even though Documents and Templates are removed, from the user perspective they will still exist as we remap envelopes to documents and templates.
86 lines
2.2 KiB
TypeScript
86 lines
2.2 KiB
TypeScript
import { PDFDocument } from '@cantoo/pdf-lib';
|
|
import { DocumentDataType } from '@prisma/client';
|
|
import { base64 } from '@scure/base';
|
|
import { match } from 'ts-pattern';
|
|
|
|
import { env } from '@documenso/lib/utils/env';
|
|
|
|
import { AppError } from '../../errors/app-error';
|
|
import { createDocumentData } from '../../server-only/document-data/create-document-data';
|
|
import { uploadS3File } from './server-actions';
|
|
|
|
type File = {
|
|
name: string;
|
|
type: string;
|
|
arrayBuffer: () => Promise<ArrayBuffer>;
|
|
};
|
|
|
|
/**
|
|
* Uploads a document file to the appropriate storage location and creates
|
|
* a document data record.
|
|
*/
|
|
export const putPdfFileServerSide = async (file: File) => {
|
|
const isEncryptedDocumentsAllowed = false; // Was feature flag.
|
|
|
|
const arrayBuffer = await file.arrayBuffer();
|
|
|
|
const pdf = await PDFDocument.load(arrayBuffer).catch((e) => {
|
|
console.error(`PDF upload parse error: ${e.message}`);
|
|
|
|
throw new AppError('INVALID_DOCUMENT_FILE');
|
|
});
|
|
|
|
if (!isEncryptedDocumentsAllowed && pdf.isEncrypted) {
|
|
throw new AppError('INVALID_DOCUMENT_FILE');
|
|
}
|
|
|
|
if (!file.name.endsWith('.pdf')) {
|
|
file.name = `${file.name}.pdf`;
|
|
}
|
|
|
|
const { type, data } = await putFileServerSide(file);
|
|
|
|
return await createDocumentData({ type, data });
|
|
};
|
|
|
|
/**
|
|
* Uploads a file to the appropriate storage location.
|
|
*/
|
|
export const putFileServerSide = async (file: File) => {
|
|
const NEXT_PUBLIC_UPLOAD_TRANSPORT = env('NEXT_PUBLIC_UPLOAD_TRANSPORT');
|
|
|
|
return await match(NEXT_PUBLIC_UPLOAD_TRANSPORT)
|
|
.with('s3', async () => putFileInS3(file))
|
|
.otherwise(async () => putFileInDatabase(file));
|
|
};
|
|
|
|
const putFileInDatabase = async (file: File) => {
|
|
const contents = await file.arrayBuffer();
|
|
|
|
const binaryData = new Uint8Array(contents);
|
|
|
|
const asciiData = base64.encode(binaryData);
|
|
|
|
return {
|
|
type: DocumentDataType.BYTES_64,
|
|
data: asciiData,
|
|
};
|
|
};
|
|
|
|
const putFileInS3 = async (file: File) => {
|
|
const buffer = await file.arrayBuffer();
|
|
|
|
const blob = new Blob([buffer], { type: file.type });
|
|
|
|
const newFile = new File([blob], file.name, {
|
|
type: file.type,
|
|
});
|
|
|
|
const { key } = await uploadS3File(newFile);
|
|
|
|
return {
|
|
type: DocumentDataType.S3_PATH,
|
|
data: key,
|
|
};
|
|
};
|