mirror of
https://github.com/mountain-loop/yaak.git
synced 2026-04-14 04:49:40 +02:00
Nested sidebar ordering almost working
This commit is contained in:
@@ -13,7 +13,7 @@ import { useSidebarHidden } from '../hooks/useSidebarHidden';
|
|||||||
import { useListenToTauriEvent } from '../hooks/useListenToTauriEvent';
|
import { useListenToTauriEvent } from '../hooks/useListenToTauriEvent';
|
||||||
import { useUpdateAnyRequest } from '../hooks/useUpdateAnyRequest';
|
import { useUpdateAnyRequest } from '../hooks/useUpdateAnyRequest';
|
||||||
import { useUpdateRequest } from '../hooks/useUpdateRequest';
|
import { useUpdateRequest } from '../hooks/useUpdateRequest';
|
||||||
import type { HttpRequest } from '../lib/models';
|
import type { Folder, HttpRequest, Workspace } from '../lib/models';
|
||||||
import { isResponseLoading } from '../lib/models';
|
import { isResponseLoading } from '../lib/models';
|
||||||
import { Icon } from './core/Icon';
|
import { Icon } from './core/Icon';
|
||||||
import { StatusTag } from './core/StatusTag';
|
import { StatusTag } from './core/StatusTag';
|
||||||
@@ -21,6 +21,9 @@ import { DropMarker } from './DropMarker';
|
|||||||
import { useActiveEnvironmentId } from '../hooks/useActiveEnvironmentId';
|
import { useActiveEnvironmentId } from '../hooks/useActiveEnvironmentId';
|
||||||
import { useCreateRequest } from '../hooks/useCreateRequest';
|
import { useCreateRequest } from '../hooks/useCreateRequest';
|
||||||
import { VStack } from './core/Stacks';
|
import { VStack } from './core/Stacks';
|
||||||
|
import { useFolders } from '../hooks/useFolders';
|
||||||
|
import { useActiveWorkspace } from '../hooks/useActiveWorkspace';
|
||||||
|
import { useUpdateAnyFolder } from '../hooks/useUpdateAnyFolder';
|
||||||
|
|
||||||
interface Props {
|
interface Props {
|
||||||
className?: string;
|
className?: string;
|
||||||
@@ -30,27 +33,60 @@ enum ItemTypes {
|
|||||||
REQUEST = 'request',
|
REQUEST = 'request',
|
||||||
}
|
}
|
||||||
|
|
||||||
|
interface TreeNode {
|
||||||
|
item: Workspace | Folder | HttpRequest;
|
||||||
|
children: TreeNode[];
|
||||||
|
depth: number;
|
||||||
|
}
|
||||||
|
|
||||||
export const Sidebar = memo(function Sidebar({ className }: Props) {
|
export const Sidebar = memo(function Sidebar({ className }: Props) {
|
||||||
const { hidden } = useSidebarHidden();
|
const { hidden } = useSidebarHidden();
|
||||||
const createRequest = useCreateRequest();
|
const createRequest = useCreateRequest();
|
||||||
const sidebarRef = useRef<HTMLDivElement>(null);
|
const sidebarRef = useRef<HTMLLIElement>(null);
|
||||||
const activeRequestId = useActiveRequestId();
|
const activeRequestId = useActiveRequestId();
|
||||||
const activeEnvironmentId = useActiveEnvironmentId();
|
const activeEnvironmentId = useActiveEnvironmentId();
|
||||||
const unorderedRequests = useRequests();
|
const requests = useRequests();
|
||||||
|
const folders = useFolders();
|
||||||
const deleteAnyRequest = useDeleteAnyRequest();
|
const deleteAnyRequest = useDeleteAnyRequest();
|
||||||
|
const activeWorkspace = useActiveWorkspace();
|
||||||
const routes = useAppRoutes();
|
const routes = useAppRoutes();
|
||||||
const requests = useMemo(
|
|
||||||
() => [...unorderedRequests].sort((a, b) => a.sortPriority - b.sortPriority),
|
|
||||||
[unorderedRequests],
|
|
||||||
);
|
|
||||||
const [hasFocus, setHasFocus] = useState<boolean>(false);
|
const [hasFocus, setHasFocus] = useState<boolean>(false);
|
||||||
const [selectedIndex, setSelectedIndex] = useState<number>();
|
const [selectedIndex, setSelectedIndex] = useState<number>();
|
||||||
|
|
||||||
|
const { tree, treeParentMap } = useMemo<{
|
||||||
|
tree: TreeNode | null;
|
||||||
|
treeParentMap: Record<string, TreeNode>;
|
||||||
|
}>(() => {
|
||||||
|
const treeParentMap: Record<string, TreeNode> = {};
|
||||||
|
if (activeWorkspace == null) {
|
||||||
|
return { tree: null, treeParentMap };
|
||||||
|
}
|
||||||
|
|
||||||
|
// Put requests and folders into a tree structure
|
||||||
|
const next = (node: TreeNode): TreeNode => {
|
||||||
|
const childItems = [...requests, ...folders].filter((f) =>
|
||||||
|
node.item.model === 'workspace' ? f.folderId == null : f.folderId === node.item.id,
|
||||||
|
);
|
||||||
|
|
||||||
|
childItems.sort((a, b) => a.sortPriority - b.sortPriority);
|
||||||
|
const depth = node.depth + 1;
|
||||||
|
for (const item of childItems) {
|
||||||
|
treeParentMap[item.id] = node;
|
||||||
|
node.children.push(next({ item, children: [], depth }));
|
||||||
|
}
|
||||||
|
return node;
|
||||||
|
};
|
||||||
|
|
||||||
|
const tree = next({ item: activeWorkspace, children: [], depth: 0 });
|
||||||
|
return { tree, treeParentMap };
|
||||||
|
}, [activeWorkspace, requests, folders]);
|
||||||
|
|
||||||
// TODO: Move these listeners to a central place
|
// TODO: Move these listeners to a central place
|
||||||
useListenToTauriEvent('new_request', async () => createRequest.mutate({}));
|
useListenToTauriEvent('new_request', async () => createRequest.mutate({}));
|
||||||
|
|
||||||
const focusActiveRequest = useCallback(
|
const focusActiveRequest = useCallback(
|
||||||
(forcedIndex?: number) => {
|
(forcedIndex?: number) => {
|
||||||
|
// TODO: Use tree to find index
|
||||||
const index = forcedIndex ?? requests.findIndex((r) => r.id === activeRequestId);
|
const index = forcedIndex ?? requests.findIndex((r) => r.id === activeRequestId);
|
||||||
if (index < 0) return;
|
if (index < 0) return;
|
||||||
setSelectedIndex(index >= 0 ? index : undefined);
|
setSelectedIndex(index >= 0 ? index : undefined);
|
||||||
@@ -62,6 +98,7 @@ export const Sidebar = memo(function Sidebar({ className }: Props) {
|
|||||||
|
|
||||||
const handleSelect = useCallback(
|
const handleSelect = useCallback(
|
||||||
(requestId: string) => {
|
(requestId: string) => {
|
||||||
|
// TODO: Use tree to find index
|
||||||
const index = requests.findIndex((r) => r.id === requestId);
|
const index = requests.findIndex((r) => r.id === requestId);
|
||||||
const request = requests[index];
|
const request = requests[index];
|
||||||
if (!request) return;
|
if (!request) return;
|
||||||
@@ -70,10 +107,10 @@ export const Sidebar = memo(function Sidebar({ className }: Props) {
|
|||||||
workspaceId: request.workspaceId,
|
workspaceId: request.workspaceId,
|
||||||
environmentId: activeEnvironmentId ?? undefined,
|
environmentId: activeEnvironmentId ?? undefined,
|
||||||
});
|
});
|
||||||
setSelectedIndex(index);
|
// setSelectedIndex(index);
|
||||||
focusActiveRequest(index);
|
// focusActiveRequest(index);
|
||||||
},
|
},
|
||||||
[focusActiveRequest, requests, routes, activeEnvironmentId],
|
[requests, routes, activeEnvironmentId],
|
||||||
);
|
);
|
||||||
|
|
||||||
const handleClearSelected = useCallback(() => {
|
const handleClearSelected = useCallback(() => {
|
||||||
@@ -151,6 +188,80 @@ export const Sidebar = memo(function Sidebar({ className }: Props) {
|
|||||||
undefined,
|
undefined,
|
||||||
[hasFocus, requests, selectedIndex],
|
[hasFocus, requests, selectedIndex],
|
||||||
);
|
);
|
||||||
|
const updateAnyRequest = useUpdateAnyRequest();
|
||||||
|
const updateAnyFolder = useUpdateAnyFolder();
|
||||||
|
|
||||||
|
const [hoveredId, setHoveredId] = useState<string | null>(null);
|
||||||
|
const handleMove = useCallback<DraggableSidebarItemProps['onMove']>(
|
||||||
|
(id, side) => {
|
||||||
|
const hoveredTree = treeParentMap[id];
|
||||||
|
const dragIndex = hoveredTree?.children.findIndex((n) => n.item.id === id) ?? -99;
|
||||||
|
const target = hoveredTree?.children[dragIndex + (side === 'above' ? 0 : 1)]?.item;
|
||||||
|
console.log('SET HOVERED ID', target?.id);
|
||||||
|
setHoveredId(target?.id ?? null);
|
||||||
|
},
|
||||||
|
[treeParentMap, setHoveredId],
|
||||||
|
);
|
||||||
|
|
||||||
|
const handleEnd = useCallback<DraggableSidebarItemProps['onEnd']>(
|
||||||
|
(itemId) => {
|
||||||
|
if (hoveredId === null) return;
|
||||||
|
setHoveredId(null);
|
||||||
|
handleClearSelected();
|
||||||
|
|
||||||
|
const targetTree = treeParentMap[hoveredId] ?? null;
|
||||||
|
if (targetTree == null) {
|
||||||
|
return;
|
||||||
|
}
|
||||||
|
|
||||||
|
const parentTree = treeParentMap[itemId] ?? null;
|
||||||
|
const index = parentTree?.children.findIndex((n) => n.item.id === itemId) ?? -1;
|
||||||
|
const child = parentTree?.children[index ?? -1];
|
||||||
|
if (child === undefined || parentTree == null) return;
|
||||||
|
|
||||||
|
const newChildren = targetTree.children.filter((c) => c.item.id !== itemId);
|
||||||
|
const hoveredIndex = newChildren.findIndex((c) => c.item.id === hoveredId) ?? null;
|
||||||
|
if (hoveredIndex > index) newChildren.splice(hoveredIndex - 1, 0, child);
|
||||||
|
else newChildren.splice(hoveredIndex, 0, child);
|
||||||
|
|
||||||
|
// Do a simple find because the math is too hard
|
||||||
|
const newIndex = newChildren.findIndex((r) => r.item.id === itemId) ?? 0;
|
||||||
|
const prev = newChildren[newIndex - 1]?.item;
|
||||||
|
const next = newChildren[newIndex + 1]?.item;
|
||||||
|
const beforePriority = prev == null || prev.model === 'workspace' ? 0 : prev.sortPriority;
|
||||||
|
const afterPriority = next == null || next.model === 'workspace' ? 0 : next.sortPriority;
|
||||||
|
|
||||||
|
const folderId = targetTree.item.model === 'folder' ? targetTree.item.id : null;
|
||||||
|
const shouldUpdateAll = afterPriority - beforePriority < 1;
|
||||||
|
|
||||||
|
if (shouldUpdateAll) {
|
||||||
|
newChildren.forEach((child, i) => {
|
||||||
|
const sortPriority = i * 1000;
|
||||||
|
if (child.item.model === 'folder') {
|
||||||
|
const updateFolder = (f: Folder) => ({ ...f, sortPriority, folderId });
|
||||||
|
updateAnyFolder.mutate({ id: child.item.id, update: updateFolder });
|
||||||
|
} else if (child.item.model === 'http_request') {
|
||||||
|
const updateRequest = (r: HttpRequest) => ({ ...r, sortPriority, folderId });
|
||||||
|
updateAnyRequest.mutate({ id: child.item.id, update: updateRequest });
|
||||||
|
}
|
||||||
|
});
|
||||||
|
} else {
|
||||||
|
const sortPriority = afterPriority - (afterPriority - beforePriority) / 2;
|
||||||
|
if (child.item.model === 'folder') {
|
||||||
|
const updateFolder = (f: Folder) => ({ ...f, sortPriority, folderId });
|
||||||
|
updateAnyFolder.mutate({ id: child.item.id, update: updateFolder });
|
||||||
|
} else if (child.item.model === 'http_request') {
|
||||||
|
const updateRequest = (r: HttpRequest) => ({ ...r, sortPriority, folderId });
|
||||||
|
updateAnyRequest.mutate({ id: child.item.id, update: updateRequest });
|
||||||
|
}
|
||||||
|
}
|
||||||
|
},
|
||||||
|
[hoveredId, handleClearSelected, treeParentMap, updateAnyFolder, updateAnyRequest],
|
||||||
|
);
|
||||||
|
|
||||||
|
if (tree == null) {
|
||||||
|
return null;
|
||||||
|
}
|
||||||
|
|
||||||
return (
|
return (
|
||||||
<div aria-hidden={hidden} className="h-full">
|
<div aria-hidden={hidden} className="h-full">
|
||||||
@@ -165,11 +276,14 @@ export const Sidebar = memo(function Sidebar({ className }: Props) {
|
|||||||
)}
|
)}
|
||||||
>
|
>
|
||||||
<SidebarItems
|
<SidebarItems
|
||||||
|
treeParentMap={treeParentMap}
|
||||||
selectedIndex={selectedIndex}
|
selectedIndex={selectedIndex}
|
||||||
requests={requests}
|
tree={tree}
|
||||||
focused={hasFocus}
|
focused={hasFocus}
|
||||||
onSelect={handleSelect}
|
onSelect={handleSelect}
|
||||||
onClearSelected={handleClearSelected}
|
hoveredId={hoveredId}
|
||||||
|
handleMove={handleMove}
|
||||||
|
handleEnd={handleEnd}
|
||||||
/>
|
/>
|
||||||
</aside>
|
</aside>
|
||||||
</div>
|
</div>
|
||||||
@@ -177,110 +291,66 @@ export const Sidebar = memo(function Sidebar({ className }: Props) {
|
|||||||
});
|
});
|
||||||
|
|
||||||
interface SidebarItemsProps {
|
interface SidebarItemsProps {
|
||||||
requests: HttpRequest[];
|
tree: TreeNode;
|
||||||
focused: boolean;
|
focused: boolean;
|
||||||
selectedIndex?: number;
|
selectedIndex?: number;
|
||||||
|
treeParentMap: Record<string, TreeNode>;
|
||||||
|
hoveredId: string | null;
|
||||||
|
handleMove: (id: string, side: 'above' | 'below') => void;
|
||||||
|
handleEnd: (id: string) => void;
|
||||||
onSelect: (requestId: string) => void;
|
onSelect: (requestId: string) => void;
|
||||||
onClearSelected: () => void;
|
|
||||||
}
|
}
|
||||||
|
|
||||||
function SidebarItems({
|
function SidebarItems({
|
||||||
requests,
|
tree,
|
||||||
focused,
|
focused,
|
||||||
selectedIndex,
|
selectedIndex,
|
||||||
onSelect,
|
onSelect,
|
||||||
onClearSelected,
|
treeParentMap,
|
||||||
|
hoveredId,
|
||||||
|
handleEnd,
|
||||||
|
handleMove,
|
||||||
}: SidebarItemsProps) {
|
}: SidebarItemsProps) {
|
||||||
const [hoveredIndex, setHoveredIndex] = useState<number | null>(null);
|
|
||||||
const updateRequest = useUpdateAnyRequest();
|
|
||||||
|
|
||||||
const handleMove = useCallback<DraggableSidebarItemProps['onMove']>(
|
|
||||||
(id, side) => {
|
|
||||||
const dragIndex = requests.findIndex((r) => r.id === id);
|
|
||||||
setHoveredIndex(side === 'above' ? dragIndex : dragIndex + 1);
|
|
||||||
},
|
|
||||||
[requests],
|
|
||||||
);
|
|
||||||
|
|
||||||
const handleEnd = useCallback<DraggableSidebarItemProps['onEnd']>(
|
|
||||||
(requestId) => {
|
|
||||||
if (hoveredIndex === null) return;
|
|
||||||
setHoveredIndex(null);
|
|
||||||
onClearSelected();
|
|
||||||
|
|
||||||
const index = requests.findIndex((r) => r.id === requestId);
|
|
||||||
const request = requests[index];
|
|
||||||
if (request === undefined) return;
|
|
||||||
|
|
||||||
const newRequests = requests.filter((r) => r.id !== requestId);
|
|
||||||
if (hoveredIndex > index) newRequests.splice(hoveredIndex - 1, 0, request);
|
|
||||||
else newRequests.splice(hoveredIndex, 0, request);
|
|
||||||
|
|
||||||
// Do a simple find because the math is too hard
|
|
||||||
const newIndex = newRequests.findIndex((r) => r.id === requestId) ?? 0;
|
|
||||||
const beforePriority = newRequests[newIndex - 1]?.sortPriority ?? 0;
|
|
||||||
const afterPriority = newRequests[newIndex + 1]?.sortPriority ?? 0;
|
|
||||||
|
|
||||||
const shouldUpdateAll = afterPriority - beforePriority < 1;
|
|
||||||
if (shouldUpdateAll) {
|
|
||||||
newRequests.forEach(({ id }, i) => {
|
|
||||||
const sortPriority = i * 1000;
|
|
||||||
const update = (r: HttpRequest) => ({ ...r, sortPriority });
|
|
||||||
updateRequest.mutate({ id, update });
|
|
||||||
});
|
|
||||||
} else {
|
|
||||||
const sortPriority = afterPriority - (afterPriority - beforePriority) / 2;
|
|
||||||
const update = (r: HttpRequest) => ({ ...r, sortPriority });
|
|
||||||
updateRequest.mutate({ id: requestId, update });
|
|
||||||
}
|
|
||||||
},
|
|
||||||
[hoveredIndex, requests, updateRequest, onClearSelected],
|
|
||||||
);
|
|
||||||
|
|
||||||
return (
|
return (
|
||||||
<VStack as="ul" role="menu" aria-orientation="vertical" dir="ltr">
|
<VStack as="ul" role="menu" aria-orientation="vertical" dir="ltr">
|
||||||
{requests.map((r, i) => (
|
{tree.children.map((child, i) => (
|
||||||
<Fragment key={r.id}>
|
<Fragment key={child.item.id}>
|
||||||
{hoveredIndex === i && <DropMarker />}
|
{hoveredId === child.item.id && <DropMarker />}
|
||||||
<DraggableSidebarItem
|
<DraggableSidebarItem
|
||||||
key={r.id}
|
|
||||||
selected={selectedIndex === i}
|
selected={selectedIndex === i}
|
||||||
requestId={r.id}
|
itemId={child.item.id}
|
||||||
requestName={r.name}
|
itemName={child.item.name}
|
||||||
|
itemModel={child.item.model}
|
||||||
onMove={handleMove}
|
onMove={handleMove}
|
||||||
onEnd={handleEnd}
|
onEnd={handleEnd}
|
||||||
useProminentStyles={focused}
|
useProminentStyles={focused}
|
||||||
onSelect={onSelect}
|
onSelect={onSelect}
|
||||||
|
className={classNames(tree.depth > 0 && 'border-l border-highlight ml-5')}
|
||||||
/>
|
/>
|
||||||
|
{child.item.model === 'folder' && (
|
||||||
|
<SidebarItems
|
||||||
|
treeParentMap={treeParentMap}
|
||||||
|
tree={child}
|
||||||
|
focused={focused}
|
||||||
|
selectedIndex={selectedIndex}
|
||||||
|
onSelect={onSelect}
|
||||||
|
handleMove={handleMove}
|
||||||
|
handleEnd={handleEnd}
|
||||||
|
hoveredId={hoveredId}
|
||||||
|
/>
|
||||||
|
)}
|
||||||
</Fragment>
|
</Fragment>
|
||||||
))}
|
))}
|
||||||
{hoveredIndex === requests.length && <DropMarker />}
|
{hoveredId === tree.children[tree.children.length - 1]?.item.id && <DropMarker />}
|
||||||
<VStack as="ul" role="menu" aria-orientation="vertical" dir="ltr" className="pl-3">
|
|
||||||
{requests.slice(0, 1).map((r, i) => (
|
|
||||||
<Fragment key={r.id}>
|
|
||||||
{hoveredIndex === i && <DropMarker />}
|
|
||||||
<DraggableSidebarItem
|
|
||||||
key={r.id}
|
|
||||||
selected={selectedIndex === i}
|
|
||||||
requestId={r.id}
|
|
||||||
requestName={r.name}
|
|
||||||
onMove={handleMove}
|
|
||||||
onEnd={handleEnd}
|
|
||||||
useProminentStyles={focused}
|
|
||||||
onSelect={onSelect}
|
|
||||||
/>
|
|
||||||
</Fragment>
|
|
||||||
))}
|
|
||||||
{hoveredIndex === requests.length && <DropMarker />}
|
|
||||||
</VStack>
|
|
||||||
</VStack>
|
</VStack>
|
||||||
);
|
);
|
||||||
}
|
}
|
||||||
|
|
||||||
type SidebarItemProps = {
|
type SidebarItemProps = {
|
||||||
className?: string;
|
className?: string;
|
||||||
requestId: string;
|
itemId: string;
|
||||||
requestName: string;
|
itemName: string;
|
||||||
|
itemModel: string;
|
||||||
useProminentStyles?: boolean;
|
useProminentStyles?: boolean;
|
||||||
selected?: boolean;
|
selected?: boolean;
|
||||||
onSelect: (requestId: string) => void;
|
onSelect: (requestId: string) => void;
|
||||||
@@ -288,14 +358,14 @@ type SidebarItemProps = {
|
|||||||
};
|
};
|
||||||
|
|
||||||
const _SidebarItem = forwardRef(function SidebarItem(
|
const _SidebarItem = forwardRef(function SidebarItem(
|
||||||
{ className, requestName, requestId, useProminentStyles, selected, onSelect }: SidebarItemProps,
|
{ className, itemName, itemId, useProminentStyles, selected, onSelect }: SidebarItemProps,
|
||||||
ref: ForwardedRef<HTMLLIElement>,
|
ref: ForwardedRef<HTMLLIElement>,
|
||||||
) {
|
) {
|
||||||
const latestResponse = useLatestResponse(requestId);
|
const latestResponse = useLatestResponse(itemId);
|
||||||
const updateRequest = useUpdateRequest(requestId);
|
const updateRequest = useUpdateRequest(itemId);
|
||||||
const [editing, setEditing] = useState<boolean>(false);
|
const [editing, setEditing] = useState<boolean>(false);
|
||||||
const activeRequestId = useActiveRequestId();
|
const activeRequestId = useActiveRequestId();
|
||||||
const isActive = activeRequestId === requestId;
|
const isActive = activeRequestId === itemId;
|
||||||
|
|
||||||
const handleSubmitNameEdit = useCallback(
|
const handleSubmitNameEdit = useCallback(
|
||||||
(el: HTMLInputElement) => {
|
(el: HTMLInputElement) => {
|
||||||
@@ -337,8 +407,8 @@ const _SidebarItem = forwardRef(function SidebarItem(
|
|||||||
);
|
);
|
||||||
|
|
||||||
const handleSelect = useCallback(() => {
|
const handleSelect = useCallback(() => {
|
||||||
onSelect(requestId);
|
onSelect(itemId);
|
||||||
}, [onSelect, requestId]);
|
}, [onSelect, itemId]);
|
||||||
|
|
||||||
return (
|
return (
|
||||||
<li ref={ref} className={classNames(className, 'block group/item px-2 pb-0.5')}>
|
<li ref={ref} className={classNames(className, 'block group/item px-2 pb-0.5')}>
|
||||||
@@ -360,14 +430,14 @@ const _SidebarItem = forwardRef(function SidebarItem(
|
|||||||
{editing ? (
|
{editing ? (
|
||||||
<input
|
<input
|
||||||
ref={handleFocus}
|
ref={handleFocus}
|
||||||
defaultValue={requestName}
|
defaultValue={itemName}
|
||||||
className="bg-transparent outline-none w-full"
|
className="bg-transparent outline-none w-full"
|
||||||
onBlur={handleBlur}
|
onBlur={handleBlur}
|
||||||
onKeyDown={handleInputKeyDown}
|
onKeyDown={handleInputKeyDown}
|
||||||
/>
|
/>
|
||||||
) : (
|
) : (
|
||||||
<span className={classNames('truncate', !requestName && 'text-gray-400 italic')}>
|
<span className={classNames('truncate', !itemName && 'text-gray-400 italic')}>
|
||||||
{requestName || 'New Request'}
|
{itemName || 'New Request'}
|
||||||
</span>
|
</span>
|
||||||
)}
|
)}
|
||||||
{latestResponse && (
|
{latestResponse && (
|
||||||
@@ -393,12 +463,13 @@ type DraggableSidebarItemProps = SidebarItemProps & {
|
|||||||
|
|
||||||
type DragItem = {
|
type DragItem = {
|
||||||
id: string;
|
id: string;
|
||||||
requestName: string;
|
itemName: string;
|
||||||
};
|
};
|
||||||
|
|
||||||
const DraggableSidebarItem = memo(function DraggableSidebarItem({
|
const DraggableSidebarItem = memo(function DraggableSidebarItem({
|
||||||
requestName,
|
itemName,
|
||||||
requestId,
|
itemId,
|
||||||
|
itemModel,
|
||||||
onMove,
|
onMove,
|
||||||
onEnd,
|
onEnd,
|
||||||
...props
|
...props
|
||||||
@@ -414,7 +485,8 @@ const DraggableSidebarItem = memo(function DraggableSidebarItem({
|
|||||||
const hoverMiddleY = (hoverBoundingRect.bottom - hoverBoundingRect.top) / 2;
|
const hoverMiddleY = (hoverBoundingRect.bottom - hoverBoundingRect.top) / 2;
|
||||||
const clientOffset = monitor.getClientOffset();
|
const clientOffset = monitor.getClientOffset();
|
||||||
const hoverClientY = (clientOffset as XYCoord).y - hoverBoundingRect.top;
|
const hoverClientY = (clientOffset as XYCoord).y - hoverBoundingRect.top;
|
||||||
onMove(requestId, hoverClientY < hoverMiddleY ? 'above' : 'below');
|
if (!monitor.isOver()) return;
|
||||||
|
onMove(itemId, hoverClientY < hoverMiddleY ? 'above' : 'below');
|
||||||
},
|
},
|
||||||
},
|
},
|
||||||
[onMove],
|
[onMove],
|
||||||
@@ -423,24 +495,24 @@ const DraggableSidebarItem = memo(function DraggableSidebarItem({
|
|||||||
const [{ isDragging }, connectDrag] = useDrag<DragItem, unknown, { isDragging: boolean }>(
|
const [{ isDragging }, connectDrag] = useDrag<DragItem, unknown, { isDragging: boolean }>(
|
||||||
() => ({
|
() => ({
|
||||||
type: ItemTypes.REQUEST,
|
type: ItemTypes.REQUEST,
|
||||||
item: () => ({ id: requestId, requestName }),
|
item: () => ({ id: itemId, itemName }),
|
||||||
collect: (m) => ({ isDragging: m.isDragging() }),
|
collect: (m) => ({ isDragging: m.isDragging() }),
|
||||||
options: { dropEffect: 'move' },
|
options: { dropEffect: 'move' },
|
||||||
end: () => onEnd(requestId),
|
end: () => onEnd(itemId),
|
||||||
}),
|
}),
|
||||||
[onEnd],
|
[onEnd],
|
||||||
);
|
);
|
||||||
|
|
||||||
connectDrag(ref);
|
connectDrag(connectDrop(ref));
|
||||||
connectDrop(ref);
|
|
||||||
|
|
||||||
return (
|
return (
|
||||||
<SidebarItem
|
<SidebarItem
|
||||||
ref={ref}
|
ref={ref}
|
||||||
draggable
|
draggable
|
||||||
className={classNames(isDragging && 'opacity-20')}
|
className={classNames(isDragging && 'opacity-20')}
|
||||||
requestName={requestName}
|
itemName={itemName}
|
||||||
requestId={requestId}
|
itemId={itemId}
|
||||||
|
itemModel={itemModel}
|
||||||
{...props}
|
{...props}
|
||||||
/>
|
/>
|
||||||
);
|
);
|
||||||
|
|||||||
@@ -58,7 +58,7 @@
|
|||||||
-webkit-text-security: none;
|
-webkit-text-security: none;
|
||||||
|
|
||||||
&.placeholder-widget-error {
|
&.placeholder-widget-error {
|
||||||
@apply bg-red-300/40 border-red-300 border-opacity-40;
|
@apply bg-red-300/40 border-red-300/80 border-opacity-40 hover:border-red-300 hover:bg-red-300/50;
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|||||||
@@ -16,6 +16,7 @@ class PlaceholderWidget extends WidgetType {
|
|||||||
elt.className = `placeholder-widget ${
|
elt.className = `placeholder-widget ${
|
||||||
!this.isExistingVariable ? 'placeholder-widget-error' : ''
|
!this.isExistingVariable ? 'placeholder-widget-error' : ''
|
||||||
}`;
|
}`;
|
||||||
|
elt.title = !this.isExistingVariable ? 'Variable not found in active environment' : '';
|
||||||
elt.textContent = this.name;
|
elt.textContent = this.name;
|
||||||
return elt;
|
return elt;
|
||||||
}
|
}
|
||||||
|
|||||||
28
src-web/hooks/useUpdateAnyFolder.ts
Normal file
28
src-web/hooks/useUpdateAnyFolder.ts
Normal file
@@ -0,0 +1,28 @@
|
|||||||
|
import { useMutation, useQueryClient } from '@tanstack/react-query';
|
||||||
|
import { invoke } from '@tauri-apps/api';
|
||||||
|
import type { Folder, HttpRequest } from '../lib/models';
|
||||||
|
import { getFolder, getRequest } from '../lib/store';
|
||||||
|
import { requestsQueryKey } from './useRequests';
|
||||||
|
import { foldersQueryKey } from './useFolders';
|
||||||
|
|
||||||
|
export function useUpdateAnyFolder() {
|
||||||
|
const queryClient = useQueryClient();
|
||||||
|
|
||||||
|
return useMutation<void, unknown, { id: string; update: (r: Folder) => Folder }>({
|
||||||
|
mutationFn: async ({ id, update }) => {
|
||||||
|
const folder = await getFolder(id);
|
||||||
|
if (folder === null) {
|
||||||
|
throw new Error("Can't update a null folder");
|
||||||
|
}
|
||||||
|
|
||||||
|
await invoke('update_folder', { request: update(folder) });
|
||||||
|
},
|
||||||
|
onMutate: async ({ id, update }) => {
|
||||||
|
const folder = await getFolder(id);
|
||||||
|
if (folder === null) return;
|
||||||
|
queryClient.setQueryData<Folder[]>(foldersQueryKey(folder), (folders) =>
|
||||||
|
(folders ?? []).map((f) => (f.id === folder.id ? update(f) : f)),
|
||||||
|
);
|
||||||
|
},
|
||||||
|
});
|
||||||
|
}
|
||||||
@@ -1,5 +1,5 @@
|
|||||||
import { invoke } from '@tauri-apps/api';
|
import { invoke } from '@tauri-apps/api';
|
||||||
import type { Environment, HttpRequest, Workspace } from './models';
|
import type { Environment, Folder, HttpRequest, Workspace } from './models';
|
||||||
|
|
||||||
export async function getRequest(id: string | null): Promise<HttpRequest | null> {
|
export async function getRequest(id: string | null): Promise<HttpRequest | null> {
|
||||||
if (id === null) return null;
|
if (id === null) return null;
|
||||||
@@ -19,6 +19,15 @@ export async function getEnvironment(id: string | null): Promise<Environment | n
|
|||||||
return environment;
|
return environment;
|
||||||
}
|
}
|
||||||
|
|
||||||
|
export async function getFolder(id: string | null): Promise<Folder | null> {
|
||||||
|
if (id === null) return null;
|
||||||
|
const folder: Folder = (await invoke('get_folder', { id })) ?? null;
|
||||||
|
if (folder == null) {
|
||||||
|
return null;
|
||||||
|
}
|
||||||
|
return folder;
|
||||||
|
}
|
||||||
|
|
||||||
export async function getWorkspace(id: string | null): Promise<Workspace | null> {
|
export async function getWorkspace(id: string | null): Promise<Workspace | null> {
|
||||||
if (id === null) return null;
|
if (id === null) return null;
|
||||||
const workspace: Workspace = (await invoke('get_workspace', { id })) ?? null;
|
const workspace: Workspace = (await invoke('get_workspace', { id })) ?? null;
|
||||||
|
|||||||
Reference in New Issue
Block a user