mirror of
https://github.com/Stirling-Tools/Stirling-PDF.git
synced 2025-09-19 01:49:24 +00:00

# Description of Changes A new universal file context rather than the splintered ones for the main views, tools and manager we had before (manager still has its own but its better integreated with the core context) File context has been split it into a handful of different files managing various file related issues separately to reduce the monolith - FileReducer.ts - State management fileActions.ts - File operations fileSelectors.ts - Data access patterns lifecycle.ts - Resource cleanup and memory management fileHooks.ts - React hooks interface contexts.ts - Context providers Improved thumbnail generation Improved indexxedb handling Stopped handling files as blobs were not necessary to improve performance A new library handling drag and drop https://github.com/atlassian/pragmatic-drag-and-drop (Out of scope yes but I broke the old one with the new filecontext and it needed doing so it was a might as well) A new library handling virtualisation on page editor @tanstack/react-virtual, as above. Quickly ripped out the last remnants of the old URL params stuff and replaced with the beginnings of what will later become the new URL navigation system (for now it just restores the tool name in url behavior) Fixed selected file not regestered when opening a tool Fixed png thumbnails 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: Reece Browne <you@example.com>
264 lines
8.9 KiB
TypeScript
264 lines
8.9 KiB
TypeScript
import React, { useState, useEffect } from 'react';
|
|
import {
|
|
Modal,
|
|
Text,
|
|
Button,
|
|
Group,
|
|
Stack,
|
|
Checkbox,
|
|
ScrollArea,
|
|
Box,
|
|
Image,
|
|
Badge,
|
|
ThemeIcon,
|
|
SimpleGrid
|
|
} from '@mantine/core';
|
|
import PictureAsPdfIcon from '@mui/icons-material/PictureAsPdf';
|
|
import { useTranslation } from 'react-i18next';
|
|
|
|
interface FilePickerModalProps {
|
|
opened: boolean;
|
|
onClose: () => void;
|
|
storedFiles: any[]; // Files from storage (various formats supported)
|
|
onSelectFiles: (selectedFiles: File[]) => void;
|
|
}
|
|
|
|
const FilePickerModal = ({
|
|
opened,
|
|
onClose,
|
|
storedFiles,
|
|
onSelectFiles,
|
|
}: FilePickerModalProps) => {
|
|
const { t } = useTranslation();
|
|
const [selectedFileIds, setSelectedFileIds] = useState<string[]>([]);
|
|
|
|
// Reset selection when modal opens
|
|
useEffect(() => {
|
|
if (opened) {
|
|
setSelectedFileIds([]);
|
|
}
|
|
}, [opened]);
|
|
|
|
const toggleFileSelection = (fileId: string) => {
|
|
setSelectedFileIds(prev => {
|
|
return prev.includes(fileId)
|
|
? prev.filter(id => id !== fileId)
|
|
: [...prev, fileId];
|
|
});
|
|
};
|
|
|
|
const selectAll = () => {
|
|
setSelectedFileIds(storedFiles.map(f => f.id).filter(Boolean));
|
|
};
|
|
|
|
const selectNone = () => {
|
|
setSelectedFileIds([]);
|
|
};
|
|
|
|
const handleConfirm = async () => {
|
|
const selectedFiles = storedFiles.filter(f =>
|
|
selectedFileIds.includes(f.id)
|
|
);
|
|
|
|
// Convert stored files to File objects
|
|
const convertedFiles = await Promise.all(
|
|
selectedFiles.map(async (fileItem) => {
|
|
try {
|
|
// If it's already a File object, 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' });
|
|
return new File([blob], fileItem.name, {
|
|
type: fileItem.type || 'application/pdf',
|
|
lastModified: fileItem.lastModified || Date.now()
|
|
});
|
|
}
|
|
|
|
// 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;
|
|
}
|
|
})
|
|
);
|
|
|
|
// Filter out any null values and return valid Files
|
|
const validFiles = convertedFiles.filter((f): f is File => f !== null);
|
|
|
|
onSelectFiles(validFiles);
|
|
onClose();
|
|
};
|
|
|
|
const formatFileSize = (bytes: number) => {
|
|
if (bytes === 0) return '0 B';
|
|
const k = 1024;
|
|
const sizes = ['B', 'KB', 'MB', 'GB'];
|
|
const i = Math.floor(Math.log(bytes) / Math.log(k));
|
|
return parseFloat((bytes / Math.pow(k, i)).toFixed(1)) + ' ' + sizes[i];
|
|
};
|
|
|
|
return (
|
|
<Modal
|
|
opened={opened}
|
|
onClose={onClose}
|
|
title={t("fileUpload.selectFromStorage", "Select Files from Storage")}
|
|
size="lg"
|
|
scrollAreaComponent={ScrollArea.Autosize}
|
|
>
|
|
<Stack gap="md">
|
|
{storedFiles.length === 0 ? (
|
|
<Text c="dimmed" ta="center" py="xl">
|
|
{t("fileUpload.noFilesInStorage", "No files available in storage. Upload some files first.")}
|
|
</Text>
|
|
) : (
|
|
<>
|
|
{/* Selection controls */}
|
|
<Group justify="space-between">
|
|
<Text size="sm" c="dimmed">
|
|
{storedFiles.length} {t("fileUpload.filesAvailable", "files available")}
|
|
{selectedFileIds.length > 0 && (
|
|
<> • {selectedFileIds.length} selected</>
|
|
)}
|
|
</Text>
|
|
<Group gap="xs">
|
|
<Button size="xs" variant="light" onClick={selectAll}>
|
|
{t("pageEdit.selectAll", "Select All")}
|
|
</Button>
|
|
<Button size="xs" variant="light" onClick={selectNone}>
|
|
{t("pageEdit.deselectAll", "Select None")}
|
|
</Button>
|
|
</Group>
|
|
</Group>
|
|
|
|
{/* File grid */}
|
|
<ScrollArea.Autosize mah={400}>
|
|
<SimpleGrid cols={2} spacing="md">
|
|
{storedFiles.map((file) => {
|
|
const fileId = file.id;
|
|
const isSelected = selectedFileIds.includes(fileId);
|
|
|
|
return (
|
|
<Box
|
|
key={fileId}
|
|
p="sm"
|
|
style={{
|
|
border: isSelected
|
|
? '2px solid var(--mantine-color-blue-6)'
|
|
: '1px solid var(--mantine-color-gray-3)',
|
|
borderRadius: 8,
|
|
backgroundColor: isSelected
|
|
? 'var(--mantine-color-blue-0)'
|
|
: 'transparent',
|
|
cursor: 'pointer',
|
|
transition: 'all 0.2s ease'
|
|
}}
|
|
onClick={() => toggleFileSelection(fileId)}
|
|
>
|
|
<Group gap="sm" align="flex-start">
|
|
<Checkbox
|
|
checked={isSelected}
|
|
onChange={() => toggleFileSelection(fileId)}
|
|
onClick={(e) => e.stopPropagation()}
|
|
/>
|
|
|
|
{/* Thumbnail */}
|
|
<Box
|
|
style={{
|
|
width: 60,
|
|
height: 80,
|
|
border: '1px solid var(--mantine-color-gray-3)',
|
|
borderRadius: 4,
|
|
display: 'flex',
|
|
alignItems: 'center',
|
|
justifyContent: 'center',
|
|
backgroundColor: 'var(--mantine-color-gray-0)',
|
|
flexShrink: 0
|
|
}}
|
|
>
|
|
{file.thumbnail ? (
|
|
<Image
|
|
src={file.thumbnail}
|
|
alt="PDF thumbnail"
|
|
height={70}
|
|
width={50}
|
|
fit="contain"
|
|
/>
|
|
) : (
|
|
<ThemeIcon
|
|
variant="light"
|
|
color="red"
|
|
size={40}
|
|
>
|
|
<PictureAsPdfIcon style={{ fontSize: 24 }} />
|
|
</ThemeIcon>
|
|
)}
|
|
</Box>
|
|
|
|
{/* File info */}
|
|
<Stack gap="xs" style={{ flex: 1, minWidth: 0 }}>
|
|
<Text size="sm" fw={500} lineClamp={2}>
|
|
{file.name}
|
|
</Text>
|
|
<Group gap="xs">
|
|
<Badge size="xs" variant="light" color="gray">
|
|
{formatFileSize(file.size || (file.file?.size || 0))}
|
|
</Badge>
|
|
</Group>
|
|
</Stack>
|
|
</Group>
|
|
</Box>
|
|
);
|
|
})}
|
|
</SimpleGrid>
|
|
</ScrollArea.Autosize>
|
|
|
|
{/* Selection summary */}
|
|
{selectedFileIds.length > 0 && (
|
|
<Text size="sm" c="blue" ta="center">
|
|
{selectedFileIds.length} {t("fileManager.filesSelected", "files selected")}
|
|
</Text>
|
|
)}
|
|
</>
|
|
)}
|
|
|
|
{/* Action buttons */}
|
|
<Group justify="flex-end" mt="md">
|
|
<Button variant="light" onClick={onClose}>
|
|
{t("close", "Cancel")}
|
|
</Button>
|
|
<Button
|
|
onClick={handleConfirm}
|
|
disabled={selectedFileIds.length === 0}
|
|
>
|
|
{selectedFileIds.length > 0
|
|
? `${t("fileUpload.loadFromStorage", "Load")} ${selectedFileIds.length} ${t("fileUpload.uploadFiles", "Files")}`
|
|
: t("fileUpload.loadFromStorage", "Load Files")
|
|
}
|
|
</Button>
|
|
</Group>
|
|
</Stack>
|
|
</Modal>
|
|
);
|
|
};
|
|
|
|
export default FilePickerModal; |