File handling fixes

This commit is contained in:
Reece 2025-06-24 20:25:03 +01:00
parent 25e9db2570
commit 2f90220b7b
9 changed files with 487 additions and 184 deletions

View File

@ -27,8 +27,8 @@ interface FileItem {
interface FileEditorProps { interface FileEditorProps {
onOpenPageEditor?: (file: File) => void; onOpenPageEditor?: (file: File) => void;
onMergeFiles?: (files: File[]) => void; onMergeFiles?: (files: File[]) => void;
sharedFiles?: { file: File; url: string }[]; activeFiles?: File[];
setSharedFiles?: (files: { file: File; url: string }[]) => void; setActiveFiles?: (files: File[]) => void;
preSelectedFiles?: { file: File; url: string }[]; preSelectedFiles?: { file: File; url: string }[];
onClearPreSelection?: () => void; onClearPreSelection?: () => void;
} }
@ -36,15 +36,14 @@ interface FileEditorProps {
const FileEditor = ({ const FileEditor = ({
onOpenPageEditor, onOpenPageEditor,
onMergeFiles, onMergeFiles,
sharedFiles = [], activeFiles = [],
setSharedFiles, setActiveFiles,
preSelectedFiles = [], preSelectedFiles = [],
onClearPreSelection onClearPreSelection
}: FileEditorProps) => { }: FileEditorProps) => {
const { t } = useTranslation(); const { t } = useTranslation();
const files = sharedFiles; // Use sharedFiles as the source of truth const [files, setFiles] = useState<FileItem[]>([]);
const [selectedFiles, setSelectedFiles] = useState<string[]>([]); const [selectedFiles, setSelectedFiles] = useState<string[]>([]);
const [status, setStatus] = useState<string | null>(null); const [status, setStatus] = useState<string | null>(null);
const [loading, setLoading] = useState(false); const [loading, setLoading] = useState(false);
@ -74,6 +73,39 @@ const FileEditor = ({
}; };
}, []); }, []);
// Convert activeFiles to FileItem format
useEffect(() => {
const convertActiveFiles = async () => {
if (activeFiles.length > 0) {
setLoading(true);
try {
const convertedFiles = await Promise.all(
activeFiles.map(async (file) => {
const thumbnail = await generateThumbnailForFile(file);
return {
id: `file-${Date.now()}-${Math.random()}`,
name: file.name.replace(/\.pdf$/i, ''),
pageCount: Math.floor(Math.random() * 20) + 1, // Mock for now
thumbnail,
size: file.size,
file,
};
})
);
setFiles(convertedFiles);
} catch (err) {
console.error('Error converting active files:', err);
} finally {
setLoading(false);
}
} else {
setFiles([]);
}
};
convertActiveFiles();
}, [activeFiles]);
// Only load shared files when explicitly passed (not on mount) // Only load shared files when explicitly passed (not on mount)
useEffect(() => { useEffect(() => {
const loadSharedFiles = async () => { const loadSharedFiles = async () => {
@ -84,7 +116,10 @@ const FileEditor = ({
const convertedFiles = await Promise.all( const convertedFiles = await Promise.all(
preSelectedFiles.map(convertToFileItem) preSelectedFiles.map(convertToFileItem)
); );
setFiles(convertedFiles); if (setActiveFiles) {
const updatedActiveFiles = convertedFiles.map(fileItem => fileItem.file);
setActiveFiles(updatedActiveFiles);
}
} catch (err) { } catch (err) {
console.error('Error converting pre-selected files:', err); console.error('Error converting pre-selected files:', err);
} finally { } finally {
@ -137,8 +172,8 @@ const FileEditor = ({
await fileStorage.storeFile(file, thumbnail); await fileStorage.storeFile(file, thumbnail);
} }
if (setSharedFiles) { if (setActiveFiles) {
setSharedFiles(prev => [...prev, ...newFiles]); setActiveFiles(prev => [...prev, ...newFiles.map(f => f.file)]);
} }
setStatus(`Added ${newFiles.length} files`); setStatus(`Added ${newFiles.length} files`);
@ -149,7 +184,7 @@ const FileEditor = ({
} finally { } finally {
setLoading(false); setLoading(false);
} }
}, [setSharedFiles]); }, [setActiveFiles]);
const selectAll = useCallback(() => { const selectAll = useCallback(() => {
setSelectedFiles(files.map(f => f.id)); setSelectedFiles(files.map(f => f.id));
@ -283,8 +318,9 @@ const FileEditor = ({
? selectedFiles ? selectedFiles
: [draggedFile]; : [draggedFile];
if (setSharedFiles) { if (setActiveFiles) {
setSharedFiles(prev => { // Update the local files state and sync with activeFiles
setFiles(prev => {
const newFiles = [...prev]; const newFiles = [...prev];
const movedFiles = filesToMove.map(id => newFiles.find(f => f.id === id)!).filter(Boolean); const movedFiles = filesToMove.map(id => newFiles.find(f => f.id === id)!).filter(Boolean);
@ -296,6 +332,10 @@ const FileEditor = ({
// Insert at target position // Insert at target position
newFiles.splice(targetIndex, 0, ...movedFiles); newFiles.splice(targetIndex, 0, ...movedFiles);
// Update activeFiles with the reordered File objects
setActiveFiles(newFiles.map(f => f.file));
return newFiles; return newFiles;
}); });
} }
@ -304,7 +344,7 @@ const FileEditor = ({
setStatus(`${moveCount > 1 ? `${moveCount} files` : 'File'} reordered`); setStatus(`${moveCount > 1 ? `${moveCount} files` : 'File'} reordered`);
handleDragEnd(); handleDragEnd();
}, [draggedFile, files, selectionMode, selectedFiles, multiFileDrag, handleDragEnd, setSharedFiles]); }, [draggedFile, files, selectionMode, selectedFiles, multiFileDrag, handleDragEnd, setActiveFiles]);
const handleEndZoneDragEnter = useCallback(() => { const handleEndZoneDragEnter = useCallback(() => {
if (draggedFile) { if (draggedFile) {
@ -314,11 +354,16 @@ const FileEditor = ({
// File operations // File operations
const handleDeleteFile = useCallback((fileId: string) => { const handleDeleteFile = useCallback((fileId: string) => {
if (setSharedFiles) { if (setActiveFiles) {
setSharedFiles(prev => prev.filter(f => f.id !== fileId)); // Remove from local files and sync with activeFiles
setFiles(prev => {
const newFiles = prev.filter(f => f.id !== fileId);
setActiveFiles(newFiles.map(f => f.file));
return newFiles;
});
} }
setSelectedFiles(prev => prev.filter(id => id !== fileId)); setSelectedFiles(prev => prev.filter(id => id !== fileId));
}, [setSharedFiles]); }, [setActiveFiles]);
const handleViewFile = useCallback((fileId: string) => { const handleViewFile = useCallback((fileId: string) => {
const file = files.find(f => f.id === fileId); const file = files.find(f => f.id === fileId);
@ -483,8 +528,9 @@ const FileEditor = ({
<FilePickerModal <FilePickerModal
opened={showFilePickerModal} opened={showFilePickerModal}
onClose={() => setShowFilePickerModal(false)} onClose={() => setShowFilePickerModal(false)}
sharedFiles={sharedFiles || []} storedFiles={[]} // FileEditor doesn't have access to stored files, needs to be passed from parent
onSelectFiles={handleLoadFromStorage} onSelectFiles={handleLoadFromStorage}
allowMultiple={true}
/> />
{status && ( {status && (

View File

@ -27,13 +27,13 @@ import FilePickerModal from '../shared/FilePickerModal';
import FileUploadSelector from '../shared/FileUploadSelector'; import FileUploadSelector from '../shared/FileUploadSelector';
export interface PageEditorProps { export interface PageEditorProps {
file: { file: File; url: string } | null; activeFiles: File[];
setFile?: (file: { file: File; url: string } | null) => void; setActiveFiles: (files: File[]) => void;
downloadUrl?: string | null; downloadUrl?: string | null;
setDownloadUrl?: (url: string | null) => void; setDownloadUrl?: (url: string | null) => void;
sharedFiles?: { file: File; url: string }[]; sharedFiles?: any[]; // For FileUploadSelector when no files loaded
// Optional callbacks to expose internal functions // Optional callbacks to expose internal functions for PageEditorControls
onFunctionsReady?: (functions: { onFunctionsReady?: (functions: {
handleUndo: () => void; handleUndo: () => void;
handleRedo: () => void; handleRedo: () => void;
@ -43,6 +43,8 @@ export interface PageEditorProps {
handleDelete: () => void; handleDelete: () => void;
handleSplit: () => void; handleSplit: () => void;
showExportPreview: (selectedOnly: boolean) => void; showExportPreview: (selectedOnly: boolean) => void;
onExportSelected: () => void;
onExportAll: () => void;
exportLoading: boolean; exportLoading: boolean;
selectionMode: boolean; selectionMode: boolean;
selectedPages: string[]; selectedPages: string[];
@ -51,31 +53,46 @@ export interface PageEditorProps {
} }
const PageEditor = ({ const PageEditor = ({
file, activeFiles,
setFile, setActiveFiles,
downloadUrl, downloadUrl,
setDownloadUrl, setDownloadUrl,
sharedFiles = [],
onFunctionsReady, onFunctionsReady,
sharedFiles,
}: PageEditorProps) => { }: PageEditorProps) => {
const { t } = useTranslation(); const { t } = useTranslation();
const { processPDFFile, loading: pdfLoading } = usePDFProcessor(); const { processPDFFile, loading: pdfLoading } = usePDFProcessor();
const [pdfDocument, setPdfDocument] = useState<PDFDocument | null>(null); // Multi-file state
const [currentFileIndex, setCurrentFileIndex] = useState(0);
const [processedFiles, setProcessedFiles] = useState<Map<string, PDFDocument>>(new Map());
// Current file references
const currentFile = activeFiles[currentFileIndex] || null;
const currentFileKey = currentFile ? `${currentFile.name}-${currentFile.size}` : null;
const currentPdfDocument = currentFileKey ? processedFiles.get(currentFileKey) : null;
const [filename, setFilename] = useState<string>("");
// Page editor state
const [selectedPages, setSelectedPages] = useState<string[]>([]); const [selectedPages, setSelectedPages] = useState<string[]>([]);
const [status, setStatus] = useState<string | null>(null); const [status, setStatus] = useState<string | null>(null);
const [loading, setLoading] = useState(false); const [loading, setLoading] = useState(false);
const [error, setError] = useState<string | null>(null); const [error, setError] = useState<string | null>(null);
const [csvInput, setCsvInput] = useState<string>(""); const [csvInput, setCsvInput] = useState<string>("");
const [selectionMode, setSelectionMode] = useState(false); const [selectionMode, setSelectionMode] = useState(false);
const [filename, setFilename] = useState<string>("");
// Drag and drop state
const [draggedPage, setDraggedPage] = useState<string | null>(null); const [draggedPage, setDraggedPage] = useState<string | null>(null);
const [dropTarget, setDropTarget] = useState<string | null>(null); const [dropTarget, setDropTarget] = useState<string | null>(null);
const [multiPageDrag, setMultiPageDrag] = useState<{pageIds: string[], count: number} | null>(null); const [multiPageDrag, setMultiPageDrag] = useState<{pageIds: string[], count: number} | null>(null);
const [dragPosition, setDragPosition] = useState<{x: number, y: number} | null>(null); const [dragPosition, setDragPosition] = useState<{x: number, y: number} | null>(null);
// Export state
const [exportLoading, setExportLoading] = useState(false); const [exportLoading, setExportLoading] = useState(false);
const [showExportModal, setShowExportModal] = useState(false); const [showExportModal, setShowExportModal] = useState(false);
const [exportPreview, setExportPreview] = useState<{pageCount: number; splitCount: number; estimatedSize: string} | null>(null); const [exportPreview, setExportPreview] = useState<{pageCount: number; splitCount: number; estimatedSize: string} | null>(null);
// Animation state
const [movingPage, setMovingPage] = useState<string | null>(null); const [movingPage, setMovingPage] = useState<string | null>(null);
const [pagePositions, setPagePositions] = useState<Map<string, { x: number; y: number }>>(new Map()); const [pagePositions, setPagePositions] = useState<Map<string, { x: number; y: number }>>(new Map());
const [isAnimating, setIsAnimating] = useState(false); const [isAnimating, setIsAnimating] = useState(false);
@ -122,14 +139,26 @@ const PageEditor = ({
return; return;
} }
const fileKey = `${fileToProcess.name}-${fileToProcess.size}`;
// Skip if already processed
if (processedFiles.has(fileKey)) return;
setLoading(true); setLoading(true);
setError(null); setError(null);
try { try {
const document = await processPDFFile(fileToProcess); const document = await processPDFFile(fileToProcess);
setPdfDocument(document);
// Store processed document
setProcessedFiles(prev => new Map(prev).set(fileKey, document));
setFilename(fileToProcess.name.replace(/\.pdf$/i, '')); setFilename(fileToProcess.name.replace(/\.pdf$/i, ''));
setSelectedPages([]); setSelectedPages([]);
// Add to activeFiles if not already there
if (!activeFiles.some(f => f.name === fileToProcess.name && f.size === fileToProcess.size)) {
setActiveFiles([...activeFiles, fileToProcess]);
}
if (document.pages.length > 0) { if (document.pages.length > 0) {
// Only store if it's a new file (not from storage) // Only store if it's a new file (not from storage)
@ -138,12 +167,7 @@ const PageEditor = ({
await fileStorage.storeFile(fileToProcess, thumbnail); await fileStorage.storeFile(fileToProcess, thumbnail);
} }
} }
if (setFile) {
const fileUrl = URL.createObjectURL(fileToProcess);
setFile({ file: fileToProcess, url: fileUrl });
}
setStatus(`PDF loaded successfully with ${document.totalPages} pages`); setStatus(`PDF loaded successfully with ${document.totalPages} pages`);
} catch (err) { } catch (err) {
const errorMessage = err instanceof Error ? err.message : 'Failed to process PDF'; const errorMessage = err instanceof Error ? err.message : 'Failed to process PDF';
@ -152,13 +176,38 @@ const PageEditor = ({
} finally { } finally {
setLoading(false); setLoading(false);
} }
}, [processPDFFile, setFile]); }, [processPDFFile, activeFiles, setActiveFiles, processedFiles]);
// Auto-process files from activeFiles
useEffect(() => { useEffect(() => {
if (file?.file && !pdfDocument) { activeFiles.forEach(file => {
handleFileUpload(file.file); const fileKey = `${file.name}-${file.size}`;
if (!processedFiles.has(fileKey)) {
handleFileUpload(file);
}
});
}, [activeFiles, processedFiles, handleFileUpload]);
// Reset current file index when activeFiles changes
useEffect(() => {
if (currentFileIndex >= activeFiles.length) {
setCurrentFileIndex(0);
} }
}, [file, pdfDocument, handleFileUpload]); }, [activeFiles.length, currentFileIndex]);
// Clear selections when switching files
useEffect(() => {
setSelectedPages([]);
setCsvInput("");
setSelectionMode(false);
}, [currentFileIndex]);
// Update filename when current file changes
useEffect(() => {
if (currentFile) {
setFilename(currentFile.name.replace(/\.pdf$/i, ''));
}
}, [currentFile]);
// Global drag cleanup to handle drops outside valid areas // Global drag cleanup to handle drops outside valid areas
useEffect(() => { useEffect(() => {
@ -187,10 +236,10 @@ const PageEditor = ({
}, [draggedPage]); }, [draggedPage]);
const selectAll = useCallback(() => { const selectAll = useCallback(() => {
if (pdfDocument) { if (currentPdfDocument) {
setSelectedPages(pdfDocument.pages.map(p => p.id)); setSelectedPages(currentPdfDocument.pages.map(p => p.id));
} }
}, [pdfDocument]); }, [currentPdfDocument]);
const deselectAll = useCallback(() => setSelectedPages([]), []); const deselectAll = useCallback(() => setSelectedPages([]), []);
@ -215,7 +264,7 @@ const PageEditor = ({
}, []); }, []);
const parseCSVInput = useCallback((csv: string) => { const parseCSVInput = useCallback((csv: string) => {
if (!pdfDocument) return []; if (!currentPdfDocument) return [];
const pageIds: string[] = []; const pageIds: string[] = [];
const ranges = csv.split(',').map(s => s.trim()).filter(Boolean); const ranges = csv.split(',').map(s => s.trim()).filter(Boolean);
@ -223,23 +272,23 @@ const PageEditor = ({
ranges.forEach(range => { ranges.forEach(range => {
if (range.includes('-')) { if (range.includes('-')) {
const [start, end] = range.split('-').map(n => parseInt(n.trim())); const [start, end] = range.split('-').map(n => parseInt(n.trim()));
for (let i = start; i <= end && i <= pdfDocument.totalPages; i++) { for (let i = start; i <= end && i <= currentPdfDocument.totalPages; i++) {
if (i > 0) { if (i > 0) {
const page = pdfDocument.pages.find(p => p.pageNumber === i); const page = currentPdfDocument.pages.find(p => p.pageNumber === i);
if (page) pageIds.push(page.id); if (page) pageIds.push(page.id);
} }
} }
} else { } else {
const pageNum = parseInt(range); const pageNum = parseInt(range);
if (pageNum > 0 && pageNum <= pdfDocument.totalPages) { if (pageNum > 0 && pageNum <= currentPdfDocument.totalPages) {
const page = pdfDocument.pages.find(p => p.pageNumber === pageNum); const page = currentPdfDocument.pages.find(p => p.pageNumber === pageNum);
if (page) pageIds.push(page.id); if (page) pageIds.push(page.id);
} }
} }
}); });
return pageIds; return pageIds;
}, [pdfDocument]); }, [currentPdfDocument]);
const updatePagesFromCSV = useCallback(() => { const updatePagesFromCSV = useCallback(() => {
const pageIds = parseCSVInput(csvInput); const pageIds = parseCSVInput(csvInput);
@ -313,22 +362,29 @@ const PageEditor = ({
// Don't clear drop target on drag leave - let dragover handle it // Don't clear drop target on drag leave - let dragover handle it
}, []); }, []);
// Create setPdfDocument wrapper for current file
const setPdfDocument = useCallback((updatedDoc: PDFDocument) => {
if (currentFileKey) {
setProcessedFiles(prev => new Map(prev).set(currentFileKey, updatedDoc));
}
}, [currentFileKey]);
const animateReorder = useCallback((pageId: string, targetIndex: number) => { const animateReorder = useCallback((pageId: string, targetIndex: number) => {
if (!pdfDocument || isAnimating) return; if (!currentPdfDocument || isAnimating) return;
// In selection mode, if the dragged page is selected, move all selected pages // In selection mode, if the dragged page is selected, move all selected pages
const pagesToMove = selectionMode && selectedPages.includes(pageId) const pagesToMove = selectionMode && selectedPages.includes(pageId)
? selectedPages ? selectedPages
: [pageId]; : [pageId];
const originalIndex = pdfDocument.pages.findIndex(p => p.id === pageId); const originalIndex = currentPdfDocument.pages.findIndex(p => p.id === pageId);
if (originalIndex === -1 || originalIndex === targetIndex) return; if (originalIndex === -1 || originalIndex === targetIndex) return;
setIsAnimating(true); setIsAnimating(true);
// Get current positions of all pages // Get current positions of all pages
const currentPositions = new Map<string, { x: number; y: number }>(); const currentPositions = new Map<string, { x: number; y: number }>();
pdfDocument.pages.forEach((page) => { currentPdfDocument.pages.forEach((page) => {
const element = pageRefs.current.get(page.id); const element = pageRefs.current.get(page.id);
if (element) { if (element) {
const rect = element.getBoundingClientRect(); const rect = element.getBoundingClientRect();
@ -339,11 +395,11 @@ const PageEditor = ({
// Execute the reorder - for multi-page, we use a different command // Execute the reorder - for multi-page, we use a different command
if (pagesToMove.length > 1) { if (pagesToMove.length > 1) {
// Multi-page move - use MovePagesCommand // Multi-page move - use MovePagesCommand
const command = new MovePagesCommand(pdfDocument, setPdfDocument, pagesToMove, targetIndex); const command = new MovePagesCommand(currentPdfDocument, setPdfDocument, pagesToMove, targetIndex);
executeCommand(command); executeCommand(command);
} else { } else {
// Single page move // Single page move
const command = new ReorderPageCommand(pdfDocument, setPdfDocument, pageId, targetIndex); const command = new ReorderPageCommand(currentPdfDocument, setPdfDocument, pageId, targetIndex);
executeCommand(command); executeCommand(command);
} }
@ -353,8 +409,7 @@ const PageEditor = ({
const newPositions = new Map<string, { x: number; y: number }>(); const newPositions = new Map<string, { x: number; y: number }>();
// Get the updated document from the state after command execution // Get the updated document from the state after command execution
// The command has already updated the document, so we need to get the new order const currentDoc = currentPdfDocument; // This should be the updated version after command
const currentDoc = pdfDocument; // This should be the updated version after command
currentDoc.pages.forEach((page) => { currentDoc.pages.forEach((page) => {
const element = pageRefs.current.get(page.id); const element = pageRefs.current.get(page.id);
@ -400,17 +455,17 @@ const PageEditor = ({
}, 400); }, 400);
}); });
}); });
}, [pdfDocument, isAnimating, executeCommand, selectionMode, selectedPages]); }, [currentPdfDocument, isAnimating, executeCommand, selectionMode, selectedPages, setPdfDocument]);
const handleDrop = useCallback((e: React.DragEvent, targetPageId: string | 'end') => { const handleDrop = useCallback((e: React.DragEvent, targetPageId: string | 'end') => {
e.preventDefault(); e.preventDefault();
if (!draggedPage || !pdfDocument || draggedPage === targetPageId) return; if (!draggedPage || !currentPdfDocument || draggedPage === targetPageId) return;
let targetIndex: number; let targetIndex: number;
if (targetPageId === 'end') { if (targetPageId === 'end') {
targetIndex = pdfDocument.pages.length; targetIndex = currentPdfDocument.pages.length;
} else { } else {
targetIndex = pdfDocument.pages.findIndex(p => p.id === targetPageId); targetIndex = currentPdfDocument.pages.findIndex(p => p.id === targetPageId);
if (targetIndex === -1) return; if (targetIndex === -1) return;
} }
@ -423,7 +478,7 @@ const PageEditor = ({
const moveCount = multiPageDrag ? multiPageDrag.count : 1; const moveCount = multiPageDrag ? multiPageDrag.count : 1;
setStatus(`${moveCount > 1 ? `${moveCount} pages` : 'Page'} reordered`); setStatus(`${moveCount > 1 ? `${moveCount} pages` : 'Page'} reordered`);
}, [draggedPage, pdfDocument, animateReorder, multiPageDrag]); }, [draggedPage, currentPdfDocument, animateReorder, multiPageDrag]);
const handleEndZoneDragEnter = useCallback(() => { const handleEndZoneDragEnter = useCallback(() => {
if (draggedPage) { if (draggedPage) {
@ -432,38 +487,38 @@ const PageEditor = ({
}, [draggedPage]); }, [draggedPage]);
const handleRotate = useCallback((direction: 'left' | 'right') => { const handleRotate = useCallback((direction: 'left' | 'right') => {
if (!pdfDocument) return; if (!currentPdfDocument) return;
const rotation = direction === 'left' ? -90 : 90; const rotation = direction === 'left' ? -90 : 90;
const pagesToRotate = selectionMode const pagesToRotate = selectionMode
? selectedPages ? selectedPages
: pdfDocument.pages.map(p => p.id); : currentPdfDocument.pages.map(p => p.id);
if (selectionMode && selectedPages.length === 0) return; if (selectionMode && selectedPages.length === 0) return;
const command = new RotatePagesCommand( const command = new RotatePagesCommand(
pdfDocument, currentPdfDocument,
setPdfDocument, setPdfDocument,
pagesToRotate, pagesToRotate,
rotation rotation
); );
executeCommand(command); executeCommand(command);
const pageCount = selectionMode ? selectedPages.length : pdfDocument.pages.length; const pageCount = selectionMode ? selectedPages.length : currentPdfDocument.pages.length;
setStatus(`Rotated ${pageCount} pages ${direction}`); setStatus(`Rotated ${pageCount} pages ${direction}`);
}, [pdfDocument, selectedPages, selectionMode, executeCommand]); }, [currentPdfDocument, selectedPages, selectionMode, executeCommand, setPdfDocument]);
const handleDelete = useCallback(() => { const handleDelete = useCallback(() => {
if (!pdfDocument) return; if (!currentPdfDocument) return;
const pagesToDelete = selectionMode const pagesToDelete = selectionMode
? selectedPages ? selectedPages
: pdfDocument.pages.map(p => p.id); : currentPdfDocument.pages.map(p => p.id);
if (selectionMode && selectedPages.length === 0) return; if (selectionMode && selectedPages.length === 0) return;
const command = new DeletePagesCommand( const command = new DeletePagesCommand(
pdfDocument, currentPdfDocument,
setPdfDocument, setPdfDocument,
pagesToDelete pagesToDelete
); );
@ -472,55 +527,55 @@ const PageEditor = ({
if (selectionMode) { if (selectionMode) {
setSelectedPages([]); setSelectedPages([]);
} }
const pageCount = selectionMode ? selectedPages.length : pdfDocument.pages.length; const pageCount = selectionMode ? selectedPages.length : currentPdfDocument.pages.length;
setStatus(`Deleted ${pageCount} pages`); setStatus(`Deleted ${pageCount} pages`);
}, [pdfDocument, selectedPages, selectionMode, executeCommand]); }, [currentPdfDocument, selectedPages, selectionMode, executeCommand, setPdfDocument]);
const handleSplit = useCallback(() => { const handleSplit = useCallback(() => {
if (!pdfDocument) return; if (!currentPdfDocument) return;
const pagesToSplit = selectionMode const pagesToSplit = selectionMode
? selectedPages ? selectedPages
: pdfDocument.pages.map(p => p.id); : currentPdfDocument.pages.map(p => p.id);
if (selectionMode && selectedPages.length === 0) return; if (selectionMode && selectedPages.length === 0) return;
const command = new ToggleSplitCommand( const command = new ToggleSplitCommand(
pdfDocument, currentPdfDocument,
setPdfDocument, setPdfDocument,
pagesToSplit pagesToSplit
); );
executeCommand(command); executeCommand(command);
const pageCount = selectionMode ? selectedPages.length : pdfDocument.pages.length; const pageCount = selectionMode ? selectedPages.length : currentPdfDocument.pages.length;
setStatus(`Split markers toggled for ${pageCount} pages`); setStatus(`Split markers toggled for ${pageCount} pages`);
}, [pdfDocument, selectedPages, selectionMode, executeCommand]); }, [currentPdfDocument, selectedPages, selectionMode, executeCommand, setPdfDocument]);
const showExportPreview = useCallback((selectedOnly: boolean = false) => { const showExportPreview = useCallback((selectedOnly: boolean = false) => {
if (!pdfDocument) return; if (!currentPdfDocument) return;
const exportPageIds = selectedOnly ? selectedPages : []; const exportPageIds = selectedOnly ? selectedPages : [];
const preview = pdfExportService.getExportInfo(pdfDocument, exportPageIds, selectedOnly); const preview = pdfExportService.getExportInfo(currentPdfDocument, exportPageIds, selectedOnly);
setExportPreview(preview); setExportPreview(preview);
setShowExportModal(true); setShowExportModal(true);
}, [pdfDocument, selectedPages]); }, [currentPdfDocument, selectedPages]);
const handleExport = useCallback(async (selectedOnly: boolean = false) => { const handleExport = useCallback(async (selectedOnly: boolean = false) => {
if (!pdfDocument) return; if (!currentPdfDocument) return;
setExportLoading(true); setExportLoading(true);
try { try {
const exportPageIds = selectedOnly ? selectedPages : []; const exportPageIds = selectedOnly ? selectedPages : [];
const errors = pdfExportService.validateExport(pdfDocument, exportPageIds, selectedOnly); const errors = pdfExportService.validateExport(currentPdfDocument, exportPageIds, selectedOnly);
if (errors.length > 0) { if (errors.length > 0) {
setError(errors.join(', ')); setError(errors.join(', '));
return; return;
} }
const hasSplitMarkers = pdfDocument.pages.some(page => page.splitBefore); const hasSplitMarkers = currentPdfDocument.pages.some(page => page.splitBefore);
if (hasSplitMarkers) { if (hasSplitMarkers) {
const result = await pdfExportService.exportPDF(pdfDocument, exportPageIds, { const result = await pdfExportService.exportPDF(currentPdfDocument, exportPageIds, {
selectedOnly, selectedOnly,
filename, filename,
splitDocuments: true splitDocuments: true
@ -534,7 +589,7 @@ const PageEditor = ({
setStatus(`Exported ${result.blobs.length} split documents`); setStatus(`Exported ${result.blobs.length} split documents`);
} else { } else {
const result = await pdfExportService.exportPDF(pdfDocument, exportPageIds, { const result = await pdfExportService.exportPDF(currentPdfDocument, exportPageIds, {
selectedOnly, selectedOnly,
filename filename
}) as { blob: Blob; filename: string }; }) as { blob: Blob; filename: string };
@ -548,7 +603,7 @@ const PageEditor = ({
} finally { } finally {
setExportLoading(false); setExportLoading(false);
} }
}, [pdfDocument, selectedPages, filename]); }, [currentPdfDocument, selectedPages, filename]);
const handleUndo = useCallback(() => { const handleUndo = useCallback(() => {
if (undo()) { if (undo()) {
@ -563,11 +618,17 @@ const PageEditor = ({
}, [redo]); }, [redo]);
const closePdf = useCallback(() => { const closePdf = useCallback(() => {
setPdfDocument(null); setCurrentFileIndex(0);
setFile && setFile(null); setActiveFiles([]);
}, [setFile]); setProcessedFiles(new Map());
setSelectedPages([]);
}, [setActiveFiles]);
// Expose functions to parent component // PageEditorControls needs onExportSelected and onExportAll
const onExportSelected = useCallback(() => showExportPreview(true), [showExportPreview]);
const onExportAll = useCallback(() => showExportPreview(false), [showExportPreview]);
// Expose functions to parent component for PageEditorControls
useEffect(() => { useEffect(() => {
if (onFunctionsReady) { if (onFunctionsReady) {
onFunctionsReady({ onFunctionsReady({
@ -579,6 +640,8 @@ const PageEditor = ({
handleDelete, handleDelete,
handleSplit, handleSplit,
showExportPreview, showExportPreview,
onExportSelected,
onExportAll,
exportLoading, exportLoading,
selectionMode, selectionMode,
selectedPages, selectedPages,
@ -595,13 +658,15 @@ const PageEditor = ({
handleDelete, handleDelete,
handleSplit, handleSplit,
showExportPreview, showExportPreview,
onExportSelected,
onExportAll,
exportLoading, exportLoading,
selectionMode, selectionMode,
selectedPages, selectedPages,
closePdf closePdf
]); ]);
if (!pdfDocument) { if (!currentPdfDocument) {
return ( return (
<Box pos="relative" h="100vh" style={{ overflow: 'auto' }}> <Box pos="relative" h="100vh" style={{ overflow: 'auto' }}>
<LoadingOverlay visible={loading || pdfLoading} /> <LoadingOverlay visible={loading || pdfLoading} />
@ -610,7 +675,7 @@ const PageEditor = ({
<FileUploadSelector <FileUploadSelector
title="Select a PDF to edit" title="Select a PDF to edit"
subtitle="Choose a file from storage or upload a new PDF" subtitle="Choose a file from storage or upload a new PDF"
sharedFiles={sharedFiles || []} sharedFiles={sharedFiles}
onFileSelect={handleFileUpload} onFileSelect={handleFileUpload}
allowMultiple={false} allowMultiple={false}
accept={["application/pdf"]} accept={["application/pdf"]}
@ -625,6 +690,37 @@ const PageEditor = ({
<Box pos="relative" h="100vh" style={{ overflow: 'auto' }}> <Box pos="relative" h="100vh" style={{ overflow: 'auto' }}>
<LoadingOverlay visible={loading || pdfLoading} /> <LoadingOverlay visible={loading || pdfLoading} />
{/* File Switcher Tabs */}
{activeFiles.length > 1 && (
<Box p="md" pb={0} style={{ borderBottom: '1px solid var(--mantine-color-gray-3)' }}>
<Group gap="xs">
{activeFiles.map((file, index) => {
const isActive = index === currentFileIndex;
return (
<Button
key={`${file.name}-${file.size}`}
size="sm"
variant={isActive ? "filled" : "light"}
color={isActive ? "blue" : "gray"}
onClick={() => setCurrentFileIndex(index)}
styles={{
root: {
maxWidth: 200,
overflow: 'hidden',
textOverflow: 'ellipsis',
whiteSpace: 'nowrap'
}
}}
>
{file.name.replace('.pdf', '')}
</Button>
);
})}
</Group>
</Box>
)}
<Box p="md" pt="xl"> <Box p="md" pt="xl">
<Group mb="md"> <Group mb="md">
<TextInput <TextInput
@ -666,7 +762,7 @@ const PageEditor = ({
)} )}
<DragDropGrid <DragDropGrid
items={pdfDocument.pages} items={currentPdfDocument.pages}
selectedItems={selectedPages} selectedItems={selectedPages}
selectionMode={selectionMode} selectionMode={selectionMode}
isAnimating={isAnimating} isAnimating={isAnimating}
@ -685,7 +781,7 @@ const PageEditor = ({
<PageThumbnail <PageThumbnail
page={page} page={page}
index={index} index={index}
totalPages={pdfDocument.pages.length} totalPages={currentPdfDocument.pages.length}
selectedPages={selectedPages} selectedPages={selectedPages}
selectionMode={selectionMode} selectionMode={selectionMode}
draggedPage={draggedPage} draggedPage={draggedPage}
@ -707,7 +803,7 @@ const PageEditor = ({
RotatePagesCommand={RotatePagesCommand} RotatePagesCommand={RotatePagesCommand}
DeletePagesCommand={DeletePagesCommand} DeletePagesCommand={DeletePagesCommand}
ToggleSplitCommand={ToggleSplitCommand} ToggleSplitCommand={ToggleSplitCommand}
pdfDocument={pdfDocument} pdfDocument={currentPdfDocument}
setPdfDocument={setPdfDocument} setPdfDocument={setPdfDocument}
/> />
)} )}
@ -753,7 +849,7 @@ const PageEditor = ({
<Text fw={500}>{exportPreview.estimatedSize}</Text> <Text fw={500}>{exportPreview.estimatedSize}</Text>
</Group> </Group>
{pdfDocument && pdfDocument.pages.some(p => p.splitBefore) && ( {currentPdfDocument && currentPdfDocument.pages.some(p => p.splitBefore) && (
<Alert color="blue"> <Alert color="blue">
This will create multiple PDF files based on split markers. This will create multiple PDF files based on split markers.
</Alert> </Alert>
@ -771,7 +867,7 @@ const PageEditor = ({
loading={exportLoading} loading={exportLoading}
onClick={() => { onClick={() => {
setShowExportModal(false); setShowExportModal(false);
const selectedOnly = exportPreview.pageCount < (pdfDocument?.totalPages || 0); const selectedOnly = exportPreview.pageCount < (currentPdfDocument?.totalPages || 0);
handleExport(selectedOnly); handleExport(selectedOnly);
}} }}
> >
@ -800,9 +896,19 @@ const PageEditor = ({
</Notification> </Notification>
)} )}
{error && (
<Notification
color="red"
mt="md"
onClose={() => setError(null)}
style={{ position: 'fixed', bottom: 70, right: 20, zIndex: 1000 }}
>
{error}
</Notification>
)}
</Box> </Box>
); );
}; };
export default PageEditor; export default PageEditor;

View File

@ -1,4 +1,4 @@
import React from 'react'; import React, { useCallback } from 'react';
import { Text, Checkbox, Tooltip, ActionIcon } from '@mantine/core'; import { Text, Checkbox, Tooltip, ActionIcon } from '@mantine/core';
import ArrowBackIcon from '@mui/icons-material/ArrowBack'; import ArrowBackIcon from '@mui/icons-material/ArrowBack';
import ArrowForwardIcon from '@mui/icons-material/ArrowForward'; import ArrowForwardIcon from '@mui/icons-material/ArrowForward';
@ -67,8 +67,18 @@ const PageThumbnail = ({
pdfDocument, pdfDocument,
setPdfDocument, setPdfDocument,
}: PageThumbnailProps) => { }: PageThumbnailProps) => {
// Register this component with pageRefs for animations
const pageElementRef = useCallback((element: HTMLDivElement | null) => {
if (element) {
pageRefs.current.set(page.id, element);
} else {
pageRefs.current.delete(page.id);
}
}, [page.id, pageRefs]);
return ( return (
<div <div
ref={pageElementRef}
data-page-id={page.id} data-page-id={page.id}
className={` className={`
${styles.pageContainer} ${styles.pageContainer}

View File

@ -22,6 +22,7 @@ interface FileManagerProps {
allowMultiple?: boolean; allowMultiple?: boolean;
setCurrentView?: (view: string) => void; setCurrentView?: (view: string) => void;
onOpenFileEditor?: (selectedFiles?: FileWithUrl[]) => void; onOpenFileEditor?: (selectedFiles?: FileWithUrl[]) => void;
onOpenPageEditor?: (selectedFiles?: FileWithUrl[]) => void;
onLoadFileToActive?: (file: File) => void; onLoadFileToActive?: (file: File) => void;
} }
@ -31,6 +32,7 @@ const FileManager = ({
allowMultiple = true, allowMultiple = true,
setCurrentView, setCurrentView,
onOpenFileEditor, onOpenFileEditor,
onOpenPageEditor,
onLoadFileToActive, onLoadFileToActive,
}: FileManagerProps) => { }: FileManagerProps) => {
const { t } = useTranslation(); const { t } = useTranslation();
@ -335,6 +337,13 @@ const FileManager = ({
} }
}; };
const handleOpenSelectedInPageEditor = () => {
if (onOpenPageEditor && selectedFiles.length > 0) {
const selected = files.filter(f => selectedFiles.includes(f.id || f.name));
onOpenPageEditor(selected);
}
};
return ( return (
<div style={{ <div style={{
width: "100%", width: "100%",
@ -379,6 +388,14 @@ const FileManager = ({
> >
{t("fileManager.openInFileEditor", "Open in File Editor")} {t("fileManager.openInFileEditor", "Open in File Editor")}
</Button> </Button>
<Button
size="xs"
color="blue"
onClick={handleOpenSelectedInPageEditor}
disabled={selectedFiles.length === 0}
>
{t("fileManager.openInPageEditor", "Open in Page Editor")}
</Button>
</Group> </Group>
</Group> </Group>
</Box> </Box>

View File

@ -19,15 +19,17 @@ import { useTranslation } from 'react-i18next';
interface FilePickerModalProps { interface FilePickerModalProps {
opened: boolean; opened: boolean;
onClose: () => void; onClose: () => void;
sharedFiles: any[]; storedFiles: any[]; // Files from storage (FileWithUrl format)
onSelectFiles: (selectedFiles: any[]) => void; onSelectFiles: (selectedFiles: File[]) => void;
allowMultiple?: boolean;
} }
const FilePickerModal = ({ const FilePickerModal = ({
opened, opened,
onClose, onClose,
sharedFiles, storedFiles,
onSelectFiles, onSelectFiles,
allowMultiple = true,
}: FilePickerModalProps) => { }: FilePickerModalProps) => {
const { t } = useTranslation(); const { t } = useTranslation();
const [selectedFileIds, setSelectedFileIds] = useState<string[]>([]); const [selectedFileIds, setSelectedFileIds] = useState<string[]>([]);
@ -40,15 +42,22 @@ const FilePickerModal = ({
}, [opened]); }, [opened]);
const toggleFileSelection = (fileId: string) => { const toggleFileSelection = (fileId: string) => {
setSelectedFileIds(prev => setSelectedFileIds(prev => {
prev.includes(fileId) if (allowMultiple) {
? prev.filter(id => id !== fileId) return prev.includes(fileId)
: [...prev, fileId] ? prev.filter(id => id !== fileId)
); : [...prev, fileId];
} else {
// Single selection mode
return prev.includes(fileId) ? [] : [fileId];
}
});
}; };
const selectAll = () => { const selectAll = () => {
setSelectedFileIds(sharedFiles.map(f => f.id || f.name)); if (allowMultiple) {
setSelectedFileIds(storedFiles.map(f => f.id || f.name));
}
}; };
const selectNone = () => { const selectNone = () => {
@ -56,56 +65,54 @@ const FilePickerModal = ({
}; };
const handleConfirm = async () => { const handleConfirm = async () => {
const selectedFiles = sharedFiles.filter(f => const selectedFiles = storedFiles.filter(f =>
selectedFileIds.includes(f.id || f.name) selectedFileIds.includes(f.id || f.name)
); );
// Convert FileWithUrl objects to proper File objects if needed // Convert stored files to File objects
const convertedFiles = await Promise.all( const convertedFiles = await Promise.all(
selectedFiles.map(async (fileItem) => { selectedFiles.map(async (fileItem) => {
console.log('Converting file item:', fileItem); try {
// If it's already a File object, return as is
// If it's already a File object, return as is if (fileItem instanceof File) {
if (fileItem instanceof File) { return fileItem;
console.log('File is already a File object'); }
return fileItem;
} // If it has a file property, use that
if (fileItem.file && fileItem.file instanceof File) {
// If it has a file property, use that return fileItem.file;
if (fileItem.file && fileItem.file instanceof File) { }
console.log('Using .file property');
return fileItem.file; // If it's from IndexedDB storage, reconstruct the File
} if (fileItem.arrayBuffer && typeof fileItem.arrayBuffer === 'function') {
// If it's a FileWithUrl from storage, reconstruct the File
if (fileItem.arrayBuffer && typeof fileItem.arrayBuffer === 'function') {
try {
console.log('Reconstructing file from storage:', fileItem.name, fileItem);
const arrayBuffer = await fileItem.arrayBuffer(); const arrayBuffer = await fileItem.arrayBuffer();
console.log('Got arrayBuffer:', arrayBuffer);
const blob = new Blob([arrayBuffer], { type: fileItem.type || 'application/pdf' }); const blob = new Blob([arrayBuffer], { type: fileItem.type || 'application/pdf' });
console.log('Created blob:', blob); return new File([blob], fileItem.name, {
const reconstructedFile = new File([blob], fileItem.name, {
type: fileItem.type || 'application/pdf', type: fileItem.type || 'application/pdf',
lastModified: fileItem.lastModified || Date.now() lastModified: fileItem.lastModified || Date.now()
}); });
console.log('Reconstructed file:', reconstructedFile, 'instanceof File:', reconstructedFile instanceof File);
return reconstructedFile;
} catch (error) {
console.error('Error reconstructing file:', error, fileItem);
return null;
} }
// If it has data property, reconstruct the File
if (fileItem.data) {
const blob = new Blob([fileItem.data], { type: fileItem.type || 'application/pdf' });
return new File([blob], fileItem.name, {
type: fileItem.type || 'application/pdf',
lastModified: fileItem.lastModified || Date.now()
});
}
console.warn('Could not convert file item:', fileItem);
return null;
} catch (error) {
console.error('Error converting file:', error, fileItem);
return null;
} }
console.log('No valid conversion method found for:', fileItem);
return null; // Don't return invalid objects
}) })
); );
// Filter out any null values from failed conversions // Filter out any null values and return valid Files
const validFiles = convertedFiles.filter(f => f !== null); const validFiles = convertedFiles.filter((f): f is File => f !== null);
onSelectFiles(validFiles); onSelectFiles(validFiles);
onClose(); onClose();
@ -128,7 +135,7 @@ const FilePickerModal = ({
scrollAreaComponent={ScrollArea.Autosize} scrollAreaComponent={ScrollArea.Autosize}
> >
<Stack gap="md"> <Stack gap="md">
{sharedFiles.length === 0 ? ( {storedFiles.length === 0 ? (
<Text c="dimmed" ta="center" py="xl"> <Text c="dimmed" ta="center" py="xl">
{t("fileUpload.noFilesInStorage", "No files available in storage. Upload some files first.")} {t("fileUpload.noFilesInStorage", "No files available in storage. Upload some files first.")}
</Text> </Text>
@ -137,22 +144,27 @@ const FilePickerModal = ({
{/* Selection controls */} {/* Selection controls */}
<Group justify="space-between"> <Group justify="space-between">
<Text size="sm" c="dimmed"> <Text size="sm" c="dimmed">
{sharedFiles.length} {t("fileUpload.filesAvailable", "files available")} {storedFiles.length} {t("fileUpload.filesAvailable", "files available")}
{allowMultiple && selectedFileIds.length > 0 && (
<> {selectedFileIds.length} selected</>
)}
</Text> </Text>
<Group gap="xs"> {allowMultiple && (
<Button size="xs" variant="light" onClick={selectAll}> <Group gap="xs">
{t("pageEdit.selectAll", "Select All")} <Button size="xs" variant="light" onClick={selectAll}>
</Button> {t("pageEdit.selectAll", "Select All")}
<Button size="xs" variant="light" onClick={selectNone}> </Button>
{t("pageEdit.deselectAll", "Select None")} <Button size="xs" variant="light" onClick={selectNone}>
</Button> {t("pageEdit.deselectAll", "Select None")}
</Group> </Button>
</Group>
)}
</Group> </Group>
{/* File grid */} {/* File grid */}
<ScrollArea.Autosize mah={400}> <ScrollArea.Autosize mah={400}>
<SimpleGrid cols={2} spacing="md"> <SimpleGrid cols={2} spacing="md">
{sharedFiles.map((file) => { {storedFiles.map((file) => {
const fileId = file.id || file.name; const fileId = file.id || file.name;
const isSelected = selectedFileIds.includes(fileId); const isSelected = selectedFileIds.includes(fileId);
@ -174,11 +186,21 @@ const FilePickerModal = ({
onClick={() => toggleFileSelection(fileId)} onClick={() => toggleFileSelection(fileId)}
> >
<Group gap="sm" align="flex-start"> <Group gap="sm" align="flex-start">
<Checkbox {allowMultiple ? (
checked={isSelected} <Checkbox
onChange={() => toggleFileSelection(fileId)} checked={isSelected}
onClick={(e) => e.stopPropagation()} onChange={() => toggleFileSelection(fileId)}
/> onClick={(e) => e.stopPropagation()}
/>
) : (
<input
type="radio"
checked={isSelected}
onChange={() => toggleFileSelection(fileId)}
onClick={(e) => e.stopPropagation()}
style={{ margin: '4px' }}
/>
)}
{/* Thumbnail */} {/* Thumbnail */}
<Box <Box

View File

@ -143,8 +143,9 @@ const FileUploadSelector = ({
<FilePickerModal <FilePickerModal
opened={showFilePickerModal} opened={showFilePickerModal}
onClose={() => setShowFilePickerModal(false)} onClose={() => setShowFilePickerModal(false)}
sharedFiles={sharedFiles} storedFiles={sharedFiles}
onSelectFiles={handleStorageSelection} onSelectFiles={handleStorageSelection}
allowMultiple={allowMultiple}
/> />
</> </>
); );

View File

@ -8,15 +8,26 @@ export function useFileWithUrl(file: File | null): { file: File; url: string } |
return useMemo(() => { return useMemo(() => {
if (!file) return null; if (!file) return null;
const url = URL.createObjectURL(file); // Validate that file is a proper File or Blob object
if (!(file instanceof File) && !(file instanceof Blob)) {
console.warn('useFileWithUrl: Expected File or Blob, got:', file);
return null;
}
// Return object with cleanup function try {
const result = { file, url }; const url = URL.createObjectURL(file);
// Store cleanup function for later use // Return object with cleanup function
(result as any)._cleanup = () => URL.revokeObjectURL(url); const result = { file, url };
return result; // Store cleanup function for later use
(result as any)._cleanup = () => URL.revokeObjectURL(url);
return result;
} catch (error) {
console.error('useFileWithUrl: Failed to create object URL:', error, file);
return null;
}
}, [file]); }, [file]);
} }

View File

@ -121,7 +121,7 @@ export function useToolParams(selectedToolKey: string, currentView: string) {
}); });
setSearchParams(newParams, { replace: true }); setSearchParams(newParams, { replace: true });
}, [selectedToolKey, currentView, setSearchParams, searchParams]); }, [selectedToolKey, currentView, setSearchParams]);
return { return {
toolParams, toolParams,

View File

@ -173,15 +173,109 @@ export default function HomePage() {
}, [addToActiveFiles]); }, [addToActiveFiles]);
// Handle opening file editor with selected files // Handle opening file editor with selected files
const handleOpenFileEditor = useCallback((selectedFiles) => { const handleOpenFileEditor = useCallback(async (selectedFiles) => {
setPreSelectedFiles(selectedFiles || []); if (!selectedFiles || selectedFiles.length === 0) {
handleViewChange("fileEditor"); setPreSelectedFiles([]);
}, [handleViewChange]); handleViewChange("fileEditor");
return;
}
// Convert FileWithUrl[] to File[] and add to activeFiles
try {
const convertedFiles = await Promise.all(
selectedFiles.map(async (fileItem) => {
// If it's already a File, return as is
if (fileItem instanceof File) {
return fileItem;
}
// If it has a file property, use that
if (fileItem.file && fileItem.file instanceof File) {
return fileItem.file;
}
// If it's from IndexedDB storage, reconstruct the File
if (fileItem.arrayBuffer && typeof fileItem.arrayBuffer === 'function') {
const arrayBuffer = await fileItem.arrayBuffer();
const blob = new Blob([arrayBuffer], { type: fileItem.type || 'application/pdf' });
const file = new File([blob], fileItem.name, {
type: fileItem.type || 'application/pdf',
lastModified: fileItem.lastModified || Date.now()
});
// Mark as from storage to avoid re-storing
(file as any).storedInIndexedDB = true;
return file;
}
console.warn('Could not convert file item:', fileItem);
return null;
})
);
// Filter out nulls and add to activeFiles
const validFiles = convertedFiles.filter((f): f is File => f !== null);
setActiveFiles(validFiles);
setPreSelectedFiles([]); // Clear preselected since we're using activeFiles now
handleViewChange("fileEditor");
} catch (error) {
console.error('Error converting selected files:', error);
}
}, [handleViewChange, setActiveFiles]);
// Handle opening page editor with selected files
const handleOpenPageEditor = useCallback(async (selectedFiles) => {
if (!selectedFiles || selectedFiles.length === 0) {
handleViewChange("pageEditor");
return;
}
// Convert FileWithUrl[] to File[] and add to activeFiles
try {
const convertedFiles = await Promise.all(
selectedFiles.map(async (fileItem) => {
// If it's already a File, return as is
if (fileItem instanceof File) {
return fileItem;
}
// If it has a file property, use that
if (fileItem.file && fileItem.file instanceof File) {
return fileItem.file;
}
// If it's from IndexedDB storage, reconstruct the File
if (fileItem.arrayBuffer && typeof fileItem.arrayBuffer === 'function') {
const arrayBuffer = await fileItem.arrayBuffer();
const blob = new Blob([arrayBuffer], { type: fileItem.type || 'application/pdf' });
const file = new File([blob], fileItem.name, {
type: fileItem.type || 'application/pdf',
lastModified: fileItem.lastModified || Date.now()
});
// Mark as from storage to avoid re-storing
(file as any).storedInIndexedDB = true;
return file;
}
console.warn('Could not convert file item:', fileItem);
return null;
})
);
// Filter out nulls and add to activeFiles
const validFiles = convertedFiles.filter((f): f is File => f !== null);
setActiveFiles(validFiles);
handleViewChange("pageEditor");
} catch (error) {
console.error('Error converting selected files for page editor:', error);
}
}, [handleViewChange, setActiveFiles]);
const selectedTool = toolRegistry[selectedToolKey]; const selectedTool = toolRegistry[selectedToolKey];
// Convert current active file to format expected by Viewer/PageEditor // For Viewer - convert first active file to expected format (only when needed)
const currentFileWithUrl = useFileWithUrl(activeFiles[0] || null); const currentFileWithUrl = useFileWithUrl(
(currentView === "viewer" && activeFiles[0]) ? activeFiles[0] : null
);
return ( return (
<Group <Group
@ -288,6 +382,7 @@ export default function HomePage() {
setFiles={setStoredFiles} setFiles={setStoredFiles}
setCurrentView={handleViewChange} setCurrentView={handleViewChange}
onOpenFileEditor={handleOpenFileEditor} onOpenFileEditor={handleOpenFileEditor}
onOpenPageEditor={handleOpenPageEditor}
onLoadFileToActive={addToActiveFiles} onLoadFileToActive={addToActiveFiles}
/> />
) : (currentView != "fileManager") && !activeFiles[0] ? ( ) : (currentView != "fileManager") && !activeFiles[0] ? (
@ -309,8 +404,8 @@ export default function HomePage() {
</Container> </Container>
) : currentView === "fileEditor" ? ( ) : currentView === "fileEditor" ? (
<FileEditor <FileEditor
sharedFiles={activeFiles} activeFiles={activeFiles}
setSharedFiles={setActiveFiles} setActiveFiles={setActiveFiles}
preSelectedFiles={preSelectedFiles} preSelectedFiles={preSelectedFiles}
onClearPreSelection={() => setPreSelectedFiles([])} onClearPreSelection={() => setPreSelectedFiles([])}
onOpenPageEditor={(file) => { onOpenPageEditor={(file) => {
@ -339,18 +434,12 @@ export default function HomePage() {
) : currentView === "pageEditor" ? ( ) : currentView === "pageEditor" ? (
<> <>
<PageEditor <PageEditor
file={currentFileWithUrl} activeFiles={activeFiles}
setFile={(fileObj) => { setActiveFiles={setActiveFiles}
if (fileObj) {
setCurrentActiveFile(fileObj.file);
} else {
setActiveFiles([]);
}
}}
downloadUrl={downloadUrl} downloadUrl={downloadUrl}
setDownloadUrl={setDownloadUrl} setDownloadUrl={setDownloadUrl}
sharedFiles={storedFiles}
onFunctionsReady={setPageEditorFunctions} onFunctionsReady={setPageEditorFunctions}
sharedFiles={activeFiles}
/> />
{activeFiles[0] && pageEditorFunctions && ( {activeFiles[0] && pageEditorFunctions && (
<PageEditorControls <PageEditorControls
@ -362,8 +451,8 @@ export default function HomePage() {
onRotate={pageEditorFunctions.handleRotate} onRotate={pageEditorFunctions.handleRotate}
onDelete={pageEditorFunctions.handleDelete} onDelete={pageEditorFunctions.handleDelete}
onSplit={pageEditorFunctions.handleSplit} onSplit={pageEditorFunctions.handleSplit}
onExportSelected={() => pageEditorFunctions.showExportPreview(true)} onExportSelected={pageEditorFunctions.onExportSelected}
onExportAll={() => pageEditorFunctions.showExportPreview(false)} onExportAll={pageEditorFunctions.onExportAll}
exportLoading={pageEditorFunctions.exportLoading} exportLoading={pageEditorFunctions.exportLoading}
selectionMode={pageEditorFunctions.selectionMode} selectionMode={pageEditorFunctions.selectionMode}
selectedPages={pageEditorFunctions.selectedPages} selectedPages={pageEditorFunctions.selectedPages}
@ -376,6 +465,7 @@ export default function HomePage() {
setFiles={setStoredFiles} setFiles={setStoredFiles}
setCurrentView={handleViewChange} setCurrentView={handleViewChange}
onOpenFileEditor={handleOpenFileEditor} onOpenFileEditor={handleOpenFileEditor}
onOpenPageEditor={handleOpenPageEditor}
onLoadFileToActive={addToActiveFiles} onLoadFileToActive={addToActiveFiles}
/> />
)} )}