mirror of
https://github.com/Frooodle/Stirling-PDF.git
synced 2026-03-28 02:31:17 +01:00
# Description of Changes <!-- Please provide a summary of the changes, including: - What was changed - Why the change was made - Any challenges encountered Closes #(issue_number) --> --- ## Checklist ### General - [ ] I have read the [Contribution Guidelines](https://github.com/Stirling-Tools/Stirling-PDF/blob/main/CONTRIBUTING.md) - [ ] I have read the [Stirling-PDF Developer Guide](https://github.com/Stirling-Tools/Stirling-PDF/blob/main/devGuide/DeveloperGuide.md) (if applicable) - [ ] I have read the [How to add new languages to Stirling-PDF](https://github.com/Stirling-Tools/Stirling-PDF/blob/main/devGuide/HowToAddNewLanguage.md) (if applicable) - [ ] I have performed a self-review of my own code - [ ] My changes generate no new warnings ### Documentation - [ ] I have updated relevant docs on [Stirling-PDF's doc repo](https://github.com/Stirling-Tools/Stirling-Tools.github.io/blob/main/docs/) (if functionality has heavily changed) - [ ] I have read the section [Add New Translation Tags](https://github.com/Stirling-Tools/Stirling-PDF/blob/main/devGuide/HowToAddNewLanguage.md#add-new-translation-tags) (for new translation tags only) ### UI Changes (if applicable) - [ ] Screenshots or videos demonstrating the UI changes are attached (e.g., as comments or direct attachments in the PR) ### Testing (if applicable) - [ ] I have tested my changes locally. Refer to the [Testing Guide](https://github.com/Stirling-Tools/Stirling-PDF/blob/main/devGuide/DeveloperGuide.md#6-testing) for more details. --------- Co-authored-by: Anthony Stirling <77850077+Frooodle@users.noreply.github.com>
96 lines
3.7 KiB
TypeScript
96 lines
3.7 KiB
TypeScript
import { useTranslation } from 'react-i18next';
|
|
import { useToolOperation, ToolType } from '../shared/useToolOperation';
|
|
import { createStandardErrorHandler } from '../../../utils/toolErrorHandler';
|
|
import { RemoveAnnotationsParameters, defaultParameters } from './useRemoveAnnotationsParameters';
|
|
import { PDFDocument, PDFName, PDFRef, PDFDict } from 'pdf-lib';
|
|
// Client-side PDF processing using PDF-lib
|
|
const removeAnnotationsProcessor = async (_parameters: RemoveAnnotationsParameters, files: File[]): Promise<File[]> => {
|
|
const processedFiles: File[] = [];
|
|
|
|
for (const file of files) {
|
|
try {
|
|
// Load the PDF
|
|
const fileArrayBuffer = await file.arrayBuffer();
|
|
const pdfBytesIn = new Uint8Array(fileArrayBuffer);
|
|
const pdfDoc = await PDFDocument.load(pdfBytesIn, { ignoreEncryption: true });
|
|
const ctx = pdfDoc.context;
|
|
|
|
const pages = pdfDoc.getPages();
|
|
for (let i = 0; i < pages.length; i++) {
|
|
const page = pages[i];
|
|
|
|
// Annots() returns PDFArray | undefined
|
|
const annots = page.node.Annots();
|
|
if (!annots || annots.size() === 0) continue;
|
|
|
|
// Delete each annotation object (they are usually PDFRef)
|
|
for (let j = annots.size() - 1; j >= 0; j--) {
|
|
try {
|
|
const entry = annots.get(j);
|
|
if (entry instanceof PDFRef) {
|
|
ctx.delete(entry);
|
|
} else if (entry instanceof PDFDict) {
|
|
// In practice, Annots array should contain refs; if not, just remove the array linkage.
|
|
// (We avoid poking internal maps to find a ref for the dict.)
|
|
}
|
|
} catch (err) {
|
|
console.warn(`Failed to remove annotation ${j} on page ${i + 1}:`, err);
|
|
}
|
|
}
|
|
|
|
// Remove the Annots key entirely
|
|
try {
|
|
if (page.node.has(PDFName.of('Annots'))) {
|
|
page.node.delete(PDFName.of('Annots'));
|
|
}
|
|
} catch (err) {
|
|
console.warn(`Failed to delete /Annots on page ${i + 1}:`, err);
|
|
}
|
|
}
|
|
|
|
// Optional: if removing ALL annotations across the doc, strip AcroForm to avoid dangling widget refs
|
|
try {
|
|
const catalog = pdfDoc.context.lookup(pdfDoc.context.trailerInfo.Root);
|
|
if (catalog && 'has' in catalog && 'delete' in catalog) {
|
|
const catalogDict = catalog as any;
|
|
if (catalogDict.has(PDFName.of('AcroForm'))) {
|
|
catalogDict.delete(PDFName.of('AcroForm'));
|
|
}
|
|
}
|
|
} catch (err) {
|
|
console.warn('Failed to remove /AcroForm:', err);
|
|
}
|
|
|
|
// Save returns Uint8Array — safe for Blob
|
|
const outBytes = await pdfDoc.save();
|
|
const outBlob = new Blob([new Uint8Array(outBytes)], { type: 'application/pdf' });
|
|
|
|
// Create new file with original name
|
|
const processedFile = new File([outBlob], file.name, { type: 'application/pdf' });
|
|
|
|
processedFiles.push(processedFile);
|
|
} catch (error) {
|
|
console.error('Error processing file:', file.name, error);
|
|
throw new Error(`Failed to process ${file.name}: ${error instanceof Error ? error.message : 'Unknown error'}`);
|
|
}
|
|
}
|
|
|
|
return processedFiles;
|
|
};
|
|
|
|
// Static configuration object
|
|
export const removeAnnotationsOperationConfig = {
|
|
toolType: ToolType.custom,
|
|
operationType: 'removeAnnotations',
|
|
customProcessor: removeAnnotationsProcessor,
|
|
defaultParameters,
|
|
} as const;
|
|
|
|
export const useRemoveAnnotationsOperation = () => {
|
|
const { t } = useTranslation();
|
|
|
|
return useToolOperation<RemoveAnnotationsParameters>({
|
|
...removeAnnotationsOperationConfig,
|
|
getErrorMessage: createStandardErrorHandler(t('removeAnnotations.error.failed', 'An error occurred while removing annotations from the PDF.'))
|
|
});
|
|
}; |