add: add file renaming and delete functionality

This commit is contained in:
KevIsDev 2025-03-03 16:14:31 +00:00
parent 8c83c3c9aa
commit b079a56788
2 changed files with 186 additions and 8 deletions

View File

@ -31,6 +31,7 @@ interface Props {
interface InlineInputProps { interface InlineInputProps {
depth: number; depth: number;
placeholder: string; placeholder: string;
initialValue?: string;
onSubmit: (value: string) => void; onSubmit: (value: string) => void;
onCancel: () => void; onCancel: () => void;
} }
@ -223,18 +224,23 @@ function ContextMenuItem({ onSelect, children }: { onSelect?: () => void; childr
); );
} }
function InlineInput({ depth, placeholder, onSubmit, onCancel }: InlineInputProps) { function InlineInput({ depth, placeholder, initialValue = '', onSubmit, onCancel }: InlineInputProps) {
const inputRef = useRef<HTMLInputElement>(null); const inputRef = useRef<HTMLInputElement>(null);
useEffect(() => { useEffect(() => {
const timer = setTimeout(() => { const timer = setTimeout(() => {
if (inputRef.current) { if (inputRef.current) {
inputRef.current.focus(); inputRef.current.focus();
if (initialValue) {
inputRef.current.value = initialValue;
inputRef.current.select();
}
} }
}, 50); }, 50);
return () => clearTimeout(timer); return () => clearTimeout(timer);
}, []); }, [initialValue]);
const handleKeyDown = (e: React.KeyboardEvent) => { const handleKeyDown = (e: React.KeyboardEvent) => {
if (e.key === 'Enter') { if (e.key === 'Enter') {
@ -272,7 +278,6 @@ function InlineInput({ depth, placeholder, onSubmit, onCancel }: InlineInputProp
); );
} }
// Modify the FileContextMenu component
function FileContextMenu({ function FileContextMenu({
onCopyPath, onCopyPath,
onCopyRelativePath, onCopyRelativePath,
@ -281,8 +286,10 @@ function FileContextMenu({
}: FolderContextMenuProps & { fullPath: string }) { }: FolderContextMenuProps & { fullPath: string }) {
const [isCreatingFile, setIsCreatingFile] = useState(false); const [isCreatingFile, setIsCreatingFile] = useState(false);
const [isCreatingFolder, setIsCreatingFolder] = useState(false); const [isCreatingFolder, setIsCreatingFolder] = useState(false);
const [isRenaming, setIsRenaming] = useState(false);
const [isDragging, setIsDragging] = useState(false); const [isDragging, setIsDragging] = useState(false);
const depth = useMemo(() => fullPath.split('/').length, [fullPath]); const depth = useMemo(() => fullPath.split('/').length, [fullPath]);
const fileName = useMemo(() => path.basename(fullPath), [fullPath]);
const handleDragOver = useCallback((e: React.DragEvent) => { const handleDragOver = useCallback((e: React.DragEvent) => {
e.preventDefault(); e.preventDefault();
@ -355,6 +362,59 @@ function FileContextMenu({
setIsCreatingFolder(false); setIsCreatingFolder(false);
}; };
const handleDelete = async () => {
try {
if (confirm(`Are you sure you want to delete ${fileName}?`)) {
const isDirectory = path.extname(fullPath) === '';
const success = isDirectory
? await workbenchStore.deleteFolder(fullPath)
: await workbenchStore.deleteFile(fullPath);
if (success) {
toast.success('Deleted successfully');
} else {
toast.error('Failed to delete');
}
}
} catch (error) {
toast.error('Error during delete operation');
logger.error(error);
}
};
const handleRename = async (newName: string) => {
if (newName === fileName) {
setIsRenaming(false);
return;
}
const parentDir = path.dirname(fullPath);
const newPath = path.join(parentDir, newName);
try {
const files = workbenchStore.files.get();
const fileEntry = files[fullPath];
const isDirectory = !fileEntry || fileEntry.type === 'folder';
const success = isDirectory
? await workbenchStore.renameFolder(fullPath, newPath)
: await workbenchStore.renameFile(fullPath, newPath);
if (success) {
toast.success('Renamed successfully');
} else {
toast.error('Failed to rename');
}
} catch (error) {
toast.error('Error during rename operation');
logger.error(error);
}
setIsRenaming(false);
};
return ( return (
<> <>
<ContextMenu.Root> <ContextMenu.Root>
@ -368,7 +428,17 @@ function FileContextMenu({
isDragging, isDragging,
})} })}
> >
{children} {!isRenaming && children}
{isRenaming && (
<InlineInput
depth={depth}
placeholder="Enter new name..."
initialValue={fileName}
onSubmit={handleRename}
onCancel={() => setIsRenaming(false)}
/>
)}
</div> </div>
</ContextMenu.Trigger> </ContextMenu.Trigger>
<ContextMenu.Portal> <ContextMenu.Portal>
@ -389,6 +459,18 @@ function FileContextMenu({
New Folder New Folder
</div> </div>
</ContextMenuItem> </ContextMenuItem>
<ContextMenuItem onSelect={() => setIsRenaming(true)}>
<div className="flex items-center gap-2">
<div className="i-ph:pencil-simple" />
Rename
</div>
</ContextMenuItem>
<ContextMenuItem onSelect={handleDelete}>
<div className="flex items-center gap-2">
<div className="i-ph:trash text-red-500" />
<span className="text-red-500">Delete</span>
</div>
</ContextMenuItem>
</ContextMenu.Group> </ContextMenu.Group>
<ContextMenu.Group className="p-1"> <ContextMenu.Group className="p-1">
<ContextMenuItem onSelect={onCopyPath}>Copy path</ContextMenuItem> <ContextMenuItem onSelect={onCopyPath}>Copy path</ContextMenuItem>
@ -413,11 +495,11 @@ function FileContextMenu({
onCancel={() => setIsCreatingFolder(false)} onCancel={() => setIsCreatingFolder(false)}
/> />
)} )}
{/* Remove the isRenaming InlineInput from here since we moved it above */}
</> </>
); );
} }
// Update the Folder component to pass the fullPath
function Folder({ folder, collapsed, selected = false, onCopyPath, onCopyRelativePath, onClick }: FolderProps) { function Folder({ folder, collapsed, selected = false, onCopyPath, onCopyRelativePath, onClick }: FolderProps) {
return ( return (
<FileContextMenu onCopyPath={onCopyPath} onCopyRelativePath={onCopyRelativePath} fullPath={folder.fullPath}> <FileContextMenu onCopyPath={onCopyPath} onCopyRelativePath={onCopyRelativePath} fullPath={folder.fullPath}>
@ -440,7 +522,6 @@ function Folder({ folder, collapsed, selected = false, onCopyPath, onCopyRelativ
); );
} }
// Add this interface after the FolderProps interface
interface FileProps { interface FileProps {
file: FileNode; file: FileNode;
selected: boolean; selected: boolean;
@ -461,7 +542,6 @@ function File({
fileHistory = {}, fileHistory = {},
}: FileProps) { }: FileProps) {
const { depth, name, fullPath } = file; const { depth, name, fullPath } = file;
const parentPath = fullPath.substring(0, fullPath.lastIndexOf('/'));
const fileModifications = fileHistory[fullPath]; const fileModifications = fileHistory[fullPath];
@ -503,7 +583,7 @@ function File({
const showStats = additions > 0 || deletions > 0; const showStats = additions > 0 || deletions > 0;
return ( return (
<FileContextMenu onCopyPath={onCopyPath} onCopyRelativePath={onCopyRelativePath} fullPath={parentPath}> <FileContextMenu onCopyPath={onCopyPath} onCopyRelativePath={onCopyRelativePath} fullPath={fullPath}>
<NodeButton <NodeButton
className={classNames('group', { className={classNames('group', {
'bg-transparent hover:bg-bolt-elements-item-backgroundActive text-bolt-elements-item-contentDefault': 'bg-transparent hover:bg-bolt-elements-item-backgroundActive text-bolt-elements-item-contentDefault':

View File

@ -595,6 +595,104 @@ export class WorkbenchStore {
return false; return false;
} }
} }
async deleteFile(filePath: string) {
try {
const wc = await webcontainer;
const relativePath = extractRelativePath(filePath);
await wc.fs.rm(relativePath);
// If the deleted file was selected, clear the selection
if (this.selectedFile.get() === filePath) {
this.setSelectedFile(undefined);
}
return true;
} catch (error) {
console.error('Error deleting file:', error);
return false;
}
}
async deleteFolder(folderPath: string) {
try {
const wc = await webcontainer;
const relativePath = extractRelativePath(folderPath);
await wc.fs.rm(relativePath, { recursive: true });
const selectedFile = this.selectedFile.get();
if (selectedFile && selectedFile.startsWith(folderPath)) {
this.setSelectedFile(undefined);
}
return true;
} catch (error) {
console.error('Error deleting folder:', error);
return false;
}
}
async renameFile(oldPath: string, newPath: string) {
try {
const wc = await webcontainer;
const oldRelativePath = extractRelativePath(oldPath);
const newRelativePath = extractRelativePath(newPath);
const fileContent = await wc.fs.readFile(oldRelativePath, 'utf-8');
await this.createNewFile(newPath, fileContent);
await this.deleteFile(oldPath);
if (this.selectedFile.get() === oldPath) {
const fullNewPath = path.join(wc.workdir, newRelativePath);
this.setSelectedFile(fullNewPath);
}
return true;
} catch (error) {
console.error('Error renaming file:', error);
return false;
}
}
async renameFolder(oldPath: string, newPath: string) {
try {
await this.createNewFolder(newPath);
const files = this.files.get();
const filesToMove = Object.entries(files)
.filter(([filePath]) => filePath.startsWith(oldPath))
.map(([filePath, dirent]) => ({ path: filePath, dirent }));
for (const { path: filePath, dirent } of filesToMove) {
if (dirent?.type === 'file') {
const relativePath = filePath.substring(oldPath.length);
const newFilePath = path.join(newPath, relativePath);
await this.createNewFile(newFilePath, dirent.content);
}
}
await this.deleteFolder(oldPath);
const selectedFile = this.selectedFile.get();
if (selectedFile && selectedFile.startsWith(oldPath)) {
const relativePath = selectedFile.substring(oldPath.length);
const newSelectedPath = path.join(newPath, relativePath);
this.setSelectedFile(newSelectedPath);
}
return true;
} catch (error) {
console.error('Error renaming folder:', error);
return false;
}
}
} }
export const workbenchStore = new WorkbenchStore(); export const workbenchStore = new WorkbenchStore();