feat(canvas): add persistent node favorites with toolbar star and glow
This commit is contained in:
134
components/canvas/__tests__/base-node-wrapper.test.tsx
Normal file
134
components/canvas/__tests__/base-node-wrapper.test.tsx
Normal file
@@ -0,0 +1,134 @@
|
||||
// @vitest-environment jsdom
|
||||
|
||||
import React, { act } from "react";
|
||||
import { createRoot, type Root } from "react-dom/client";
|
||||
import { afterEach, beforeEach, describe, expect, it, vi } from "vitest";
|
||||
|
||||
const mocks = vi.hoisted(() => ({
|
||||
queueNodeDataUpdate: vi.fn(async () => undefined),
|
||||
createNodeWithIntersection: vi.fn(async () => undefined),
|
||||
getNode: vi.fn(),
|
||||
getNodes: vi.fn(() => []),
|
||||
getEdges: vi.fn(() => []),
|
||||
setNodes: vi.fn(),
|
||||
deleteElements: vi.fn(async () => undefined),
|
||||
}));
|
||||
|
||||
vi.mock("@xyflow/react", () => ({
|
||||
NodeToolbar: ({ children }: { children: React.ReactNode }) => (
|
||||
<div data-testid="node-toolbar">{children}</div>
|
||||
),
|
||||
NodeResizeControl: () => null,
|
||||
Position: { Top: "top" },
|
||||
useNodeId: () => "node-1",
|
||||
useReactFlow: () => ({
|
||||
getNode: mocks.getNode,
|
||||
getNodes: mocks.getNodes,
|
||||
getEdges: mocks.getEdges,
|
||||
setNodes: mocks.setNodes,
|
||||
deleteElements: mocks.deleteElements,
|
||||
}),
|
||||
getConnectedEdges: () => [],
|
||||
}));
|
||||
|
||||
vi.mock("@/components/canvas/canvas-sync-context", () => ({
|
||||
useCanvasSync: () => ({
|
||||
queueNodeDataUpdate: mocks.queueNodeDataUpdate,
|
||||
}),
|
||||
}));
|
||||
|
||||
vi.mock("@/components/canvas/canvas-placement-context", () => ({
|
||||
useCanvasPlacement: () => ({
|
||||
createNodeWithIntersection: mocks.createNodeWithIntersection,
|
||||
}),
|
||||
}));
|
||||
|
||||
import BaseNodeWrapper from "@/components/canvas/nodes/base-node-wrapper";
|
||||
|
||||
(globalThis as typeof globalThis & { IS_REACT_ACT_ENVIRONMENT?: boolean }).IS_REACT_ACT_ENVIRONMENT = true;
|
||||
|
||||
describe("BaseNodeWrapper", () => {
|
||||
let container: HTMLDivElement | null = null;
|
||||
let root: Root | null = null;
|
||||
|
||||
beforeEach(() => {
|
||||
mocks.queueNodeDataUpdate.mockClear();
|
||||
mocks.createNodeWithIntersection.mockClear();
|
||||
mocks.getNode.mockReset();
|
||||
mocks.getNodes.mockClear();
|
||||
mocks.getEdges.mockClear();
|
||||
mocks.setNodes.mockClear();
|
||||
mocks.deleteElements.mockClear();
|
||||
|
||||
container = document.createElement("div");
|
||||
document.body.appendChild(container);
|
||||
root = createRoot(container);
|
||||
});
|
||||
|
||||
afterEach(async () => {
|
||||
if (root) {
|
||||
await act(async () => {
|
||||
root?.unmount();
|
||||
});
|
||||
}
|
||||
container?.remove();
|
||||
container = null;
|
||||
root = null;
|
||||
});
|
||||
|
||||
async function renderWrapper(nodeData: Record<string, unknown>, selected = true) {
|
||||
mocks.getNode.mockReturnValue({
|
||||
id: "node-1",
|
||||
type: "text",
|
||||
data: nodeData,
|
||||
position: { x: 0, y: 0 },
|
||||
style: {},
|
||||
});
|
||||
|
||||
await act(async () => {
|
||||
root?.render(
|
||||
<BaseNodeWrapper nodeType="text" selected={selected}>
|
||||
<div>Inner node content</div>
|
||||
</BaseNodeWrapper>,
|
||||
);
|
||||
});
|
||||
}
|
||||
|
||||
it("shows favorite toggle with duplicate and delete controls for selected nodes", async () => {
|
||||
await renderWrapper({ label: "Frame" }, true);
|
||||
|
||||
expect(container?.querySelector('button[title="Favorite"]')).toBeTruthy();
|
||||
expect(container?.querySelector('button[title="Duplicate"]')).toBeTruthy();
|
||||
expect(container?.querySelector('button[title="Delete"]')).toBeTruthy();
|
||||
});
|
||||
|
||||
it("toggles favorite and queues merged node data update", async () => {
|
||||
await renderWrapper({ label: "Frame" }, true);
|
||||
|
||||
const favoriteButton = container?.querySelector('button[title="Favorite"]');
|
||||
if (!(favoriteButton instanceof HTMLButtonElement)) {
|
||||
throw new Error("Favorite button not found");
|
||||
}
|
||||
|
||||
await act(async () => {
|
||||
favoriteButton.dispatchEvent(new MouseEvent("click", { bubbles: true }));
|
||||
});
|
||||
|
||||
expect(mocks.queueNodeDataUpdate).toHaveBeenCalledWith({
|
||||
nodeId: "node-1",
|
||||
data: {
|
||||
label: "Frame",
|
||||
isFavorite: true,
|
||||
},
|
||||
});
|
||||
expect(container?.querySelector('button[title="Duplicate"]')).toBeTruthy();
|
||||
expect(container?.querySelector('button[title="Delete"]')).toBeTruthy();
|
||||
});
|
||||
|
||||
it("applies favorite chrome marker on favorite nodes", async () => {
|
||||
await renderWrapper({ label: "Frame", isFavorite: true }, true);
|
||||
|
||||
const rootElement = container?.firstElementChild;
|
||||
expect(rootElement?.className).toContain("node-favorite-chrome");
|
||||
});
|
||||
});
|
||||
@@ -1,4 +1,6 @@
|
||||
import { describe, expect, it, vi } from "vitest";
|
||||
import { readFileSync } from "node:fs";
|
||||
import { resolve } from "node:path";
|
||||
|
||||
import type { Id } from "@/convex/_generated/dataModel";
|
||||
import { createCanvasSyncEngineController } from "@/components/canvas/use-canvas-sync-engine";
|
||||
@@ -75,6 +77,67 @@ describe("useCanvasSyncEngine", () => {
|
||||
expect(controller.pendingDataAfterCreateRef.current.has("req-2")).toBe(false);
|
||||
});
|
||||
|
||||
it("keeps favorite fields in pinned and deferred optimistic data updates", async () => {
|
||||
const enqueueSyncMutation = vi.fn(async () => undefined);
|
||||
|
||||
const controller = createCanvasSyncEngineController({
|
||||
canvasId: asCanvasId("canvas-1"),
|
||||
isSyncOnline: true,
|
||||
getEnqueueSyncMutation: () => enqueueSyncMutation,
|
||||
getRunBatchRemoveNodes: () => vi.fn(async () => undefined),
|
||||
getRunSplitEdgeAtExistingNode: () => vi.fn(async () => undefined),
|
||||
});
|
||||
|
||||
const favoritePayload = {
|
||||
storageId: "storage-next",
|
||||
filename: "hero.png",
|
||||
isFavorite: true,
|
||||
};
|
||||
|
||||
await controller.queueNodeDataUpdate({
|
||||
nodeId: asNodeId("optimistic_req-favorite"),
|
||||
data: favoritePayload,
|
||||
});
|
||||
|
||||
expect(
|
||||
controller.pendingLocalNodeDataUntilConvexMatchesRef.current.get(
|
||||
"optimistic_req-favorite",
|
||||
),
|
||||
).toEqual(favoritePayload);
|
||||
|
||||
await controller.syncPendingMoveForClientRequest(
|
||||
"req-favorite",
|
||||
asNodeId("node-favorite"),
|
||||
);
|
||||
|
||||
expect(enqueueSyncMutation).toHaveBeenCalledWith("updateData", {
|
||||
nodeId: asNodeId("node-favorite"),
|
||||
data: favoritePayload,
|
||||
});
|
||||
expect(
|
||||
controller.pendingLocalNodeDataUntilConvexMatchesRef.current.get("node-favorite"),
|
||||
).toEqual(favoritePayload);
|
||||
});
|
||||
|
||||
it("uses favorite-preserving payloads in media replacement write paths", () => {
|
||||
const imageNodeSource = readFileSync(
|
||||
resolve(process.cwd(), "components/canvas/nodes/image-node.tsx"),
|
||||
"utf8",
|
||||
);
|
||||
const assetBrowserSource = readFileSync(
|
||||
resolve(process.cwd(), "components/canvas/asset-browser-panel.tsx"),
|
||||
"utf8",
|
||||
);
|
||||
const videoBrowserSource = readFileSync(
|
||||
resolve(process.cwd(), "components/canvas/video-browser-panel.tsx"),
|
||||
"utf8",
|
||||
);
|
||||
|
||||
expect(imageNodeSource).toContain("preserveNodeFavorite(");
|
||||
expect(assetBrowserSource).toContain("preserveNodeFavorite(");
|
||||
expect(videoBrowserSource).toContain("preserveNodeFavorite(");
|
||||
});
|
||||
|
||||
|
||||
it("pins local node data immediately when queueing an update", async () => {
|
||||
const enqueueSyncMutation = vi.fn(async () => undefined);
|
||||
|
||||
@@ -2,6 +2,7 @@
|
||||
|
||||
import React, { act, useEffect } from "react";
|
||||
import { createRoot, type Root } from "react-dom/client";
|
||||
import { renderToStaticMarkup } from "react-dom/server";
|
||||
import { afterEach, describe, expect, it, vi } from "vitest";
|
||||
|
||||
import {
|
||||
@@ -10,6 +11,7 @@ import {
|
||||
useCanvasGraphPreviewOverrides,
|
||||
} from "@/components/canvas/canvas-graph-context";
|
||||
import { useNodeLocalData } from "@/components/canvas/nodes/use-node-local-data";
|
||||
import { readNodeFavorite } from "@/lib/canvas-node-favorite";
|
||||
|
||||
type AdjustmentData = {
|
||||
exposure: number;
|
||||
@@ -582,3 +584,159 @@ describe("useNodeLocalData preview overrides", () => {
|
||||
vi.useRealTimers();
|
||||
});
|
||||
});
|
||||
|
||||
describe("favorite retention in strict local node flows", () => {
|
||||
type LocalDataConfig = {
|
||||
normalize: (value: unknown) => unknown;
|
||||
onSave: (value: unknown) => Promise<void> | void;
|
||||
data: unknown;
|
||||
};
|
||||
|
||||
const createNodeProps = (data: Record<string, unknown>) =>
|
||||
({
|
||||
id: "node-1",
|
||||
data,
|
||||
selected: false,
|
||||
width: 320,
|
||||
height: 240,
|
||||
dragging: false,
|
||||
zIndex: 0,
|
||||
isConnectable: true,
|
||||
type: "curves",
|
||||
xPos: 0,
|
||||
yPos: 0,
|
||||
positionAbsoluteX: 0,
|
||||
positionAbsoluteY: 0,
|
||||
}) as const;
|
||||
|
||||
const setupNodeHarness = async (modulePath: string) => {
|
||||
vi.resetModules();
|
||||
|
||||
let capturedConfig: LocalDataConfig | null = null;
|
||||
const queueNodeDataUpdate = vi.fn(async () => undefined);
|
||||
|
||||
vi.doMock("@/components/canvas/canvas-sync-context", () => ({
|
||||
useCanvasSync: () => ({
|
||||
queueNodeDataUpdate,
|
||||
queueNodeResize: vi.fn(async () => undefined),
|
||||
status: { isOffline: false },
|
||||
}),
|
||||
}));
|
||||
|
||||
vi.doMock("@/components/canvas/canvas-graph-context", () => ({
|
||||
useCanvasGraph: () => ({ nodes: [], edges: [], previewNodeDataOverrides: new Map() }),
|
||||
}));
|
||||
|
||||
vi.doMock("@/components/canvas/canvas-presets-context", () => ({
|
||||
useCanvasAdjustmentPresets: () => [],
|
||||
useSaveCanvasAdjustmentPreset: () => vi.fn(async () => undefined),
|
||||
}));
|
||||
|
||||
vi.doMock("@/components/canvas/nodes/base-node-wrapper", () => ({
|
||||
default: ({ children }: { children: React.ReactNode }) => <div>{children}</div>,
|
||||
}));
|
||||
|
||||
vi.doMock("@/components/canvas/nodes/adjustment-preview", () => ({
|
||||
default: () => null,
|
||||
}));
|
||||
|
||||
vi.doMock("@/components/ui/select", () => ({
|
||||
Select: ({ children }: { children: React.ReactNode }) => <>{children}</>,
|
||||
SelectContent: ({ children }: { children: React.ReactNode }) => <>{children}</>,
|
||||
SelectItem: ({ children }: { children: React.ReactNode }) => <>{children}</>,
|
||||
SelectTrigger: ({ children }: { children: React.ReactNode }) => <>{children}</>,
|
||||
SelectValue: () => null,
|
||||
}));
|
||||
|
||||
vi.doMock("@/src/components/tool-ui/parameter-slider", () => ({
|
||||
ParameterSlider: () => null,
|
||||
}));
|
||||
|
||||
vi.doMock("@/hooks/use-pipeline-preview", () => ({
|
||||
usePipelinePreview: () => ({
|
||||
canvasRef: { current: null },
|
||||
hasSource: false,
|
||||
isRendering: false,
|
||||
previewAspectRatio: 1,
|
||||
histogram: null,
|
||||
error: null,
|
||||
}),
|
||||
}));
|
||||
|
||||
vi.doMock("@/lib/canvas-render-preview", () => ({
|
||||
collectPipelineFromGraph: () => [],
|
||||
getSourceImageFromGraph: () => null,
|
||||
shouldFastPathPreviewPipeline: () => false,
|
||||
findSourceNodeFromGraph: () => null,
|
||||
resolveRenderPreviewInputFromGraph: () => ({ sourceUrl: null, steps: [] }),
|
||||
}));
|
||||
|
||||
vi.doMock("@/components/ui/dialog", () => ({
|
||||
Dialog: ({ children }: { children: React.ReactNode }) => <>{children}</>,
|
||||
DialogContent: ({ children }: { children: React.ReactNode }) => <>{children}</>,
|
||||
DialogTitle: ({ children }: { children: React.ReactNode }) => <>{children}</>,
|
||||
}));
|
||||
|
||||
vi.doMock("@/components/canvas/nodes/use-node-local-data", () => ({
|
||||
useNodeLocalData: (config: LocalDataConfig) => {
|
||||
capturedConfig = config;
|
||||
return {
|
||||
localData: config.normalize(config.data),
|
||||
applyLocalData: vi.fn(),
|
||||
updateLocalData: vi.fn(),
|
||||
};
|
||||
},
|
||||
}));
|
||||
|
||||
vi.doMock("next-intl", () => ({
|
||||
useTranslations: () => () => "",
|
||||
}));
|
||||
|
||||
vi.doMock("@/lib/toast", () => ({
|
||||
toast: { success: vi.fn() },
|
||||
}));
|
||||
|
||||
vi.doMock("@xyflow/react", () => ({
|
||||
Handle: () => null,
|
||||
Position: { Left: "left", Right: "right" },
|
||||
}));
|
||||
|
||||
const importedModule = (await import(modulePath)) as {
|
||||
default: React.ComponentType<Record<string, unknown>>;
|
||||
};
|
||||
renderToStaticMarkup(React.createElement(importedModule.default, createNodeProps({ isFavorite: true })));
|
||||
|
||||
if (capturedConfig === null) {
|
||||
throw new Error("useNodeLocalData config was not captured");
|
||||
}
|
||||
|
||||
const resolvedConfig = capturedConfig as LocalDataConfig;
|
||||
return { capturedConfig: resolvedConfig, queueNodeDataUpdate };
|
||||
};
|
||||
|
||||
it("preserves isFavorite in normalized local data and saved payloads", async () => {
|
||||
const targets = [
|
||||
"@/components/canvas/nodes/crop-node",
|
||||
"@/components/canvas/nodes/curves-node",
|
||||
"@/components/canvas/nodes/color-adjust-node",
|
||||
"@/components/canvas/nodes/light-adjust-node",
|
||||
"@/components/canvas/nodes/detail-adjust-node",
|
||||
];
|
||||
|
||||
for (const modulePath of targets) {
|
||||
const { capturedConfig, queueNodeDataUpdate } = await setupNodeHarness(modulePath);
|
||||
|
||||
const normalizedWithFavorite = capturedConfig.normalize({ isFavorite: true });
|
||||
expect(readNodeFavorite(normalizedWithFavorite)).toBe(true);
|
||||
|
||||
const strictNextData = capturedConfig.normalize({});
|
||||
expect(readNodeFavorite(strictNextData)).toBe(false);
|
||||
|
||||
await capturedConfig.onSave(strictNextData);
|
||||
const queueCalls = (queueNodeDataUpdate as unknown as { mock: { calls: Array<Array<unknown>> } })
|
||||
.mock.calls;
|
||||
const queuedPayload = queueCalls[0]?.[0] as { data?: unknown } | undefined;
|
||||
expect(readNodeFavorite(queuedPayload?.data)).toBe(true);
|
||||
}
|
||||
});
|
||||
});
|
||||
|
||||
@@ -11,6 +11,7 @@ import {
|
||||
} from "react";
|
||||
import { createPortal } from "react-dom";
|
||||
import { useAction } from "convex/react";
|
||||
import { useReactFlow } from "@xyflow/react";
|
||||
import { X, Search, Loader2, AlertCircle } from "lucide-react";
|
||||
import { api } from "@/convex/_generated/api";
|
||||
import type { Id } from "@/convex/_generated/dataModel";
|
||||
@@ -19,6 +20,7 @@ import { Button } from "@/components/ui/button";
|
||||
import { Tabs, TabsList, TabsTrigger } from "@/components/ui/tabs";
|
||||
import { Badge } from "@/components/ui/badge";
|
||||
import { computeMediaNodeSize } from "@/lib/canvas-utils";
|
||||
import { preserveNodeFavorite } from "@/lib/canvas-node-favorite";
|
||||
import { useCanvasSync } from "@/components/canvas/canvas-sync-context";
|
||||
import { toast } from "@/lib/toast";
|
||||
|
||||
@@ -90,6 +92,7 @@ export function AssetBrowserPanel({
|
||||
const [selectingAssetKey, setSelectingAssetKey] = useState<string | null>(null);
|
||||
|
||||
const searchFreepik = useAction(api.freepik.search);
|
||||
const { getNode } = useReactFlow();
|
||||
const { queueNodeDataUpdate, queueNodeResize, status } = useCanvasSync();
|
||||
const shouldSkipInitialSearchRef = useRef(Boolean(initialState?.results?.length));
|
||||
const requestSequenceRef = useRef(0);
|
||||
@@ -198,22 +201,26 @@ export function AssetBrowserPanel({
|
||||
const assetKey = `${asset.assetType}-${asset.id}`;
|
||||
setSelectingAssetKey(assetKey);
|
||||
try {
|
||||
const currentNode = getNode(nodeId);
|
||||
await queueNodeDataUpdate({
|
||||
nodeId: nodeId as Id<"nodes">,
|
||||
data: {
|
||||
assetId: asset.id,
|
||||
assetType: asset.assetType,
|
||||
title: asset.title,
|
||||
previewUrl: asset.previewUrl,
|
||||
intrinsicWidth: asset.intrinsicWidth,
|
||||
intrinsicHeight: asset.intrinsicHeight,
|
||||
url: asset.previewUrl,
|
||||
sourceUrl: asset.sourceUrl,
|
||||
license: asset.license,
|
||||
authorName: asset.authorName,
|
||||
orientation: asset.orientation,
|
||||
canvasId,
|
||||
},
|
||||
data: preserveNodeFavorite(
|
||||
{
|
||||
assetId: asset.id,
|
||||
assetType: asset.assetType,
|
||||
title: asset.title,
|
||||
previewUrl: asset.previewUrl,
|
||||
intrinsicWidth: asset.intrinsicWidth,
|
||||
intrinsicHeight: asset.intrinsicHeight,
|
||||
url: asset.previewUrl,
|
||||
sourceUrl: asset.sourceUrl,
|
||||
license: asset.license,
|
||||
authorName: asset.authorName,
|
||||
orientation: asset.orientation,
|
||||
canvasId,
|
||||
},
|
||||
currentNode?.data,
|
||||
),
|
||||
});
|
||||
|
||||
const targetSize = computeMediaNodeSize("asset", {
|
||||
@@ -234,7 +241,7 @@ export function AssetBrowserPanel({
|
||||
setSelectingAssetKey(null);
|
||||
}
|
||||
},
|
||||
[canvasId, isSelecting, nodeId, onClose, queueNodeDataUpdate, queueNodeResize, status.isOffline],
|
||||
[canvasId, getNode, isSelecting, nodeId, onClose, queueNodeDataUpdate, queueNodeResize, status.isOffline],
|
||||
);
|
||||
|
||||
const handlePreviousPage = useCallback(() => {
|
||||
|
||||
@@ -25,6 +25,7 @@ import {
|
||||
normalizeColorAdjustData,
|
||||
type ColorAdjustData,
|
||||
} from "@/lib/image-pipeline/adjustment-types";
|
||||
import { preserveNodeFavorite } from "@/lib/canvas-node-favorite";
|
||||
import { COLOR_PRESETS } from "@/lib/image-pipeline/presets";
|
||||
import { Select, SelectContent, SelectItem, SelectTrigger, SelectValue } from "@/components/ui/select";
|
||||
import { toast } from "@/lib/toast";
|
||||
@@ -53,10 +54,13 @@ export default function ColorAdjustNode({ id, data, selected, width }: NodeProps
|
||||
const [presetSelection, setPresetSelection] = useState("custom");
|
||||
const normalizeData = useCallback(
|
||||
(value: unknown) =>
|
||||
normalizeColorAdjustData({
|
||||
...cloneAdjustmentData(DEFAULT_COLOR_ADJUST_DATA),
|
||||
...(value as Record<string, unknown>),
|
||||
}),
|
||||
preserveNodeFavorite(
|
||||
normalizeColorAdjustData({
|
||||
...cloneAdjustmentData(DEFAULT_COLOR_ADJUST_DATA),
|
||||
...(value as Record<string, unknown>),
|
||||
}),
|
||||
value,
|
||||
) as ColorAdjustData,
|
||||
[],
|
||||
);
|
||||
const { localData, applyLocalData, updateLocalData } = useNodeLocalData<ColorAdjustData>({
|
||||
@@ -67,7 +71,7 @@ export default function ColorAdjustNode({ id, data, selected, width }: NodeProps
|
||||
onSave: (next) =>
|
||||
queueNodeDataUpdate({
|
||||
nodeId: id as Id<"nodes">,
|
||||
data: next,
|
||||
data: preserveNodeFavorite(next, data),
|
||||
}),
|
||||
debugLabel: "color-adjust",
|
||||
});
|
||||
|
||||
@@ -21,6 +21,7 @@ import {
|
||||
type CropNodeData,
|
||||
type CropResizeMode,
|
||||
} from "@/lib/image-pipeline/crop-node-data";
|
||||
import { preserveNodeFavorite } from "@/lib/canvas-node-favorite";
|
||||
import type { Id } from "@/convex/_generated/dataModel";
|
||||
import { Select, SelectContent, SelectItem, SelectTrigger, SelectValue } from "@/components/ui/select";
|
||||
|
||||
@@ -188,7 +189,11 @@ export default function CropNode({ id, data, selected, width }: NodeProps<CropNo
|
||||
const { queueNodeDataUpdate } = useCanvasSync();
|
||||
const graph = useCanvasGraph();
|
||||
|
||||
const normalizeData = useCallback((value: unknown) => normalizeCropNodeData(value), []);
|
||||
const normalizeData = useCallback(
|
||||
(value: unknown) =>
|
||||
preserveNodeFavorite(normalizeCropNodeData(value), value) as CropNodeData,
|
||||
[],
|
||||
);
|
||||
const previewAreaRef = useRef<HTMLDivElement | null>(null);
|
||||
const interactionRef = useRef<CropInteractionState | null>(null);
|
||||
const { localData, updateLocalData } = useNodeLocalData<CropNodeData>({
|
||||
@@ -199,7 +204,7 @@ export default function CropNode({ id, data, selected, width }: NodeProps<CropNo
|
||||
onSave: (next) =>
|
||||
queueNodeDataUpdate({
|
||||
nodeId: id as Id<"nodes">,
|
||||
data: next,
|
||||
data: preserveNodeFavorite(next, data),
|
||||
}),
|
||||
debugLabel: "crop",
|
||||
});
|
||||
|
||||
@@ -25,6 +25,7 @@ import {
|
||||
normalizeCurvesData,
|
||||
type CurvesData,
|
||||
} from "@/lib/image-pipeline/adjustment-types";
|
||||
import { preserveNodeFavorite } from "@/lib/canvas-node-favorite";
|
||||
import { CURVE_PRESETS } from "@/lib/image-pipeline/presets";
|
||||
import { Select, SelectContent, SelectItem, SelectTrigger, SelectValue } from "@/components/ui/select";
|
||||
import { toast } from "@/lib/toast";
|
||||
@@ -53,10 +54,13 @@ export default function CurvesNode({ id, data, selected, width }: NodeProps<Curv
|
||||
const [presetSelection, setPresetSelection] = useState("custom");
|
||||
const normalizeData = useCallback(
|
||||
(value: unknown) =>
|
||||
normalizeCurvesData({
|
||||
...cloneAdjustmentData(DEFAULT_CURVES_DATA),
|
||||
...(value as Record<string, unknown>),
|
||||
}),
|
||||
preserveNodeFavorite(
|
||||
normalizeCurvesData({
|
||||
...cloneAdjustmentData(DEFAULT_CURVES_DATA),
|
||||
...(value as Record<string, unknown>),
|
||||
}),
|
||||
value,
|
||||
) as CurvesData,
|
||||
[],
|
||||
);
|
||||
const { localData, applyLocalData, updateLocalData } = useNodeLocalData<CurvesData>({
|
||||
@@ -67,7 +71,7 @@ export default function CurvesNode({ id, data, selected, width }: NodeProps<Curv
|
||||
onSave: (next) =>
|
||||
queueNodeDataUpdate({
|
||||
nodeId: id as Id<"nodes">,
|
||||
data: next,
|
||||
data: preserveNodeFavorite(next, data),
|
||||
}),
|
||||
debugLabel: "curves",
|
||||
});
|
||||
|
||||
@@ -25,6 +25,7 @@ import {
|
||||
normalizeDetailAdjustData,
|
||||
type DetailAdjustData,
|
||||
} from "@/lib/image-pipeline/adjustment-types";
|
||||
import { preserveNodeFavorite } from "@/lib/canvas-node-favorite";
|
||||
import { DETAIL_PRESETS } from "@/lib/image-pipeline/presets";
|
||||
import { Select, SelectContent, SelectItem, SelectTrigger, SelectValue } from "@/components/ui/select";
|
||||
import { toast } from "@/lib/toast";
|
||||
@@ -53,10 +54,13 @@ export default function DetailAdjustNode({ id, data, selected, width }: NodeProp
|
||||
const [presetSelection, setPresetSelection] = useState("custom");
|
||||
const normalizeData = useCallback(
|
||||
(value: unknown) =>
|
||||
normalizeDetailAdjustData({
|
||||
...cloneAdjustmentData(DEFAULT_DETAIL_ADJUST_DATA),
|
||||
...(value as Record<string, unknown>),
|
||||
}),
|
||||
preserveNodeFavorite(
|
||||
normalizeDetailAdjustData({
|
||||
...cloneAdjustmentData(DEFAULT_DETAIL_ADJUST_DATA),
|
||||
...(value as Record<string, unknown>),
|
||||
}),
|
||||
value,
|
||||
) as DetailAdjustData,
|
||||
[],
|
||||
);
|
||||
const { localData, applyLocalData, updateLocalData } = useNodeLocalData<DetailAdjustData>({
|
||||
@@ -67,7 +71,7 @@ export default function DetailAdjustNode({ id, data, selected, width }: NodeProp
|
||||
onSave: (next) =>
|
||||
queueNodeDataUpdate({
|
||||
nodeId: id as Id<"nodes">,
|
||||
data: next,
|
||||
data: preserveNodeFavorite(next, data),
|
||||
}),
|
||||
debugLabel: "detail-adjust",
|
||||
});
|
||||
|
||||
@@ -36,6 +36,7 @@ import {
|
||||
createCompressedImagePreview,
|
||||
getImageDimensions,
|
||||
} from "@/components/canvas/canvas-media-utils";
|
||||
import { preserveNodeFavorite } from "@/lib/canvas-node-favorite";
|
||||
|
||||
const ALLOWED_IMAGE_TYPES = new Set([
|
||||
"image/png",
|
||||
@@ -302,13 +303,16 @@ export default function ImageNode({
|
||||
|
||||
await queueNodeDataUpdate({
|
||||
nodeId: id as Id<"nodes">,
|
||||
data: {
|
||||
storageId,
|
||||
...(previewUpload ?? {}),
|
||||
filename: file.name,
|
||||
mimeType: file.type,
|
||||
...(dimensions ? { width: dimensions.width, height: dimensions.height } : {}),
|
||||
},
|
||||
data: preserveNodeFavorite(
|
||||
{
|
||||
storageId,
|
||||
...(previewUpload ?? {}),
|
||||
filename: file.name,
|
||||
mimeType: file.type,
|
||||
...(dimensions ? { width: dimensions.width, height: dimensions.height } : {}),
|
||||
},
|
||||
data,
|
||||
),
|
||||
});
|
||||
|
||||
if (dimensions) {
|
||||
@@ -354,6 +358,7 @@ export default function ImageNode({
|
||||
}
|
||||
},
|
||||
[
|
||||
data,
|
||||
generateUploadUrl,
|
||||
id,
|
||||
isUploading,
|
||||
@@ -377,16 +382,19 @@ export default function ImageNode({
|
||||
try {
|
||||
await queueNodeDataUpdate({
|
||||
nodeId: id as Id<"nodes">,
|
||||
data: {
|
||||
storageId: item.storageId,
|
||||
previewStorageId: item.previewStorageId,
|
||||
filename: item.filename,
|
||||
mimeType: item.mimeType,
|
||||
width: item.width,
|
||||
height: item.height,
|
||||
previewWidth: item.previewWidth,
|
||||
previewHeight: item.previewHeight,
|
||||
},
|
||||
data: preserveNodeFavorite(
|
||||
{
|
||||
storageId: item.storageId,
|
||||
previewStorageId: item.previewStorageId,
|
||||
filename: item.filename,
|
||||
mimeType: item.mimeType,
|
||||
width: item.width,
|
||||
height: item.height,
|
||||
previewWidth: item.previewWidth,
|
||||
previewHeight: item.previewHeight,
|
||||
},
|
||||
data,
|
||||
),
|
||||
});
|
||||
setMediaLibraryPhase("syncing");
|
||||
|
||||
@@ -414,7 +422,7 @@ export default function ImageNode({
|
||||
);
|
||||
}
|
||||
},
|
||||
[id, isNodeLoading, queueNodeDataUpdate, queueNodeResize, t],
|
||||
[data, id, isNodeLoading, queueNodeDataUpdate, queueNodeResize, t],
|
||||
);
|
||||
|
||||
const handleClick = useCallback(() => {
|
||||
|
||||
@@ -25,6 +25,7 @@ import {
|
||||
normalizeLightAdjustData,
|
||||
type LightAdjustData,
|
||||
} from "@/lib/image-pipeline/adjustment-types";
|
||||
import { preserveNodeFavorite } from "@/lib/canvas-node-favorite";
|
||||
import { LIGHT_PRESETS } from "@/lib/image-pipeline/presets";
|
||||
import { Select, SelectContent, SelectItem, SelectTrigger, SelectValue } from "@/components/ui/select";
|
||||
import { toast } from "@/lib/toast";
|
||||
@@ -53,10 +54,13 @@ export default function LightAdjustNode({ id, data, selected, width }: NodeProps
|
||||
const [presetSelection, setPresetSelection] = useState("custom");
|
||||
const normalizeData = useCallback(
|
||||
(value: unknown) =>
|
||||
normalizeLightAdjustData({
|
||||
...cloneAdjustmentData(DEFAULT_LIGHT_ADJUST_DATA),
|
||||
...(value as Record<string, unknown>),
|
||||
}),
|
||||
preserveNodeFavorite(
|
||||
normalizeLightAdjustData({
|
||||
...cloneAdjustmentData(DEFAULT_LIGHT_ADJUST_DATA),
|
||||
...(value as Record<string, unknown>),
|
||||
}),
|
||||
value,
|
||||
) as LightAdjustData,
|
||||
[],
|
||||
);
|
||||
const { localData, applyLocalData, updateLocalData } = useNodeLocalData<LightAdjustData>({
|
||||
@@ -67,7 +71,7 @@ export default function LightAdjustNode({ id, data, selected, width }: NodeProps
|
||||
onSave: (next) =>
|
||||
queueNodeDataUpdate({
|
||||
nodeId: id as Id<"nodes">,
|
||||
data: next,
|
||||
data: preserveNodeFavorite(next, data),
|
||||
}),
|
||||
debugLabel: "light-adjust",
|
||||
});
|
||||
|
||||
@@ -26,6 +26,7 @@ import {
|
||||
isPipelineAbortError,
|
||||
renderFullWithWorkerFallback,
|
||||
} from "@/lib/image-pipeline/worker-client";
|
||||
import { preserveNodeFavorite } from "@/lib/canvas-node-favorite";
|
||||
import type { Id } from "@/convex/_generated/dataModel";
|
||||
import { Dialog, DialogContent, DialogTitle } from "@/components/ui/dialog";
|
||||
|
||||
@@ -105,6 +106,7 @@ type PersistedRenderData = {
|
||||
lastUploadFilename?: string;
|
||||
lastUploadError?: string;
|
||||
lastUploadErrorHash?: string;
|
||||
isFavorite?: true;
|
||||
};
|
||||
|
||||
const DEFAULT_OUTPUT_RESOLUTION: RenderResolutionOption = "original";
|
||||
@@ -348,7 +350,7 @@ function sanitizeRenderData(data: RenderNodeData): PersistedRenderData {
|
||||
next.lastUploadErrorHash = data.lastUploadErrorHash;
|
||||
}
|
||||
|
||||
return next;
|
||||
return preserveNodeFavorite(next, data) as PersistedRenderData;
|
||||
}
|
||||
|
||||
function formatBytes(bytes: number | undefined): string {
|
||||
@@ -496,6 +498,7 @@ export default function RenderNode({ id, data, selected, width, height }: NodePr
|
||||
);
|
||||
|
||||
const steps = renderPreviewInput.steps;
|
||||
const hasCropStep = useMemo(() => steps.some((step) => step.type === "crop"), [steps]);
|
||||
const previewDebounceMs = shouldFastPathPreviewPipeline(
|
||||
steps,
|
||||
graph.previewNodeDataOverrides,
|
||||
@@ -592,6 +595,15 @@ export default function RenderNode({ id, data, selected, width, height }: NodePr
|
||||
});
|
||||
|
||||
const targetAspectRatio = useMemo(() => {
|
||||
if (
|
||||
hasCropStep &&
|
||||
typeof previewAspectRatio === "number" &&
|
||||
Number.isFinite(previewAspectRatio) &&
|
||||
previewAspectRatio > 0
|
||||
) {
|
||||
return previewAspectRatio;
|
||||
}
|
||||
|
||||
const sourceAspectRatio = resolveSourceAspectRatio(sourceNode);
|
||||
if (sourceAspectRatio && Number.isFinite(sourceAspectRatio) && sourceAspectRatio > 0) {
|
||||
return sourceAspectRatio;
|
||||
@@ -606,7 +618,7 @@ export default function RenderNode({ id, data, selected, width, height }: NodePr
|
||||
}
|
||||
|
||||
return null;
|
||||
}, [previewAspectRatio, sourceNode]);
|
||||
}, [hasCropStep, previewAspectRatio, sourceNode]);
|
||||
|
||||
useEffect(() => {
|
||||
if (!hasSource || targetAspectRatio === null) {
|
||||
|
||||
@@ -11,6 +11,7 @@ import {
|
||||
} from "react";
|
||||
import { createPortal } from "react-dom";
|
||||
import { useAction } from "convex/react";
|
||||
import { useReactFlow } from "@xyflow/react";
|
||||
import { X, Search, Loader2, AlertCircle, Play, Pause } from "lucide-react";
|
||||
import { api } from "@/convex/_generated/api";
|
||||
import type { Id } from "@/convex/_generated/dataModel";
|
||||
@@ -18,6 +19,7 @@ import { Input } from "@/components/ui/input";
|
||||
import { Button } from "@/components/ui/button";
|
||||
import type { PexelsVideo, PexelsVideoFile } from "@/lib/pexels-types";
|
||||
import { pickPreviewVideoFile, pickVideoFile } from "@/lib/pexels-types";
|
||||
import { preserveNodeFavorite } from "@/lib/canvas-node-favorite";
|
||||
import { toast } from "@/lib/toast";
|
||||
import { useCanvasSync } from "@/components/canvas/canvas-sync-context";
|
||||
|
||||
@@ -83,6 +85,7 @@ export function VideoBrowserPanel({
|
||||
|
||||
const searchVideos = useAction(api.pexels.searchVideos);
|
||||
const popularVideos = useAction(api.pexels.popularVideos);
|
||||
const { getNode } = useReactFlow();
|
||||
const { queueNodeDataUpdate, queueNodeResize, status } = useCanvasSync();
|
||||
const shouldSkipInitialSearchRef = useRef(
|
||||
Boolean(initialState?.results?.length),
|
||||
@@ -216,22 +219,26 @@ export function VideoBrowserPanel({
|
||||
return;
|
||||
}
|
||||
try {
|
||||
const currentNode = getNode(nodeId);
|
||||
await queueNodeDataUpdate({
|
||||
nodeId: nodeId as Id<"nodes">,
|
||||
data: {
|
||||
pexelsId: video.id,
|
||||
mp4Url: file.link,
|
||||
thumbnailUrl: video.image,
|
||||
width: video.width,
|
||||
height: video.height,
|
||||
duration: video.duration,
|
||||
attribution: {
|
||||
userName: video.user.name,
|
||||
userUrl: video.user.url,
|
||||
videoUrl: video.url,
|
||||
data: preserveNodeFavorite(
|
||||
{
|
||||
pexelsId: video.id,
|
||||
mp4Url: file.link,
|
||||
thumbnailUrl: video.image,
|
||||
width: video.width,
|
||||
height: video.height,
|
||||
duration: video.duration,
|
||||
attribution: {
|
||||
userName: video.user.name,
|
||||
userUrl: video.user.url,
|
||||
videoUrl: video.url,
|
||||
},
|
||||
canvasId,
|
||||
},
|
||||
canvasId,
|
||||
},
|
||||
currentNode?.data,
|
||||
),
|
||||
});
|
||||
|
||||
// Auto-resize to match aspect ratio
|
||||
@@ -253,7 +260,7 @@ export function VideoBrowserPanel({
|
||||
setSelectingVideoId(null);
|
||||
}
|
||||
},
|
||||
[canvasId, isSelecting, nodeId, onClose, queueNodeDataUpdate, queueNodeResize, status.isOffline],
|
||||
[canvasId, getNode, isSelecting, nodeId, onClose, queueNodeDataUpdate, queueNodeResize, status.isOffline],
|
||||
);
|
||||
|
||||
const handlePreviousPage = useCallback(() => {
|
||||
|
||||
Reference in New Issue
Block a user