import { selectedAppIdAtom, appUrlAtom, appOutputAtom } from "@/atoms/appAtoms"; import { useAtomValue, useSetAtom } from "jotai"; import { useRunApp } from "@/hooks/useRunApp"; import { useEffect, useRef, useState } from "react"; import { ArrowLeft, ArrowRight, RefreshCw, ExternalLink, Maximize2, Loader2, X, Sparkles, ChevronDown, Lightbulb, } from "lucide-react"; import { chatInputValueAtom } from "@/atoms/chatAtoms"; import { IpcClient } from "@/ipc/ipc_client"; import { useLoadApp } from "@/hooks/useLoadApp"; import { useLoadAppFile } from "@/hooks/useLoadAppFile"; import { DropdownMenu, DropdownMenuContent, DropdownMenuItem, DropdownMenuTrigger, } from "@/components/ui/dropdown-menu"; import { useSettings } from "@/hooks/useSettings"; import { loadSandpackClient, type SandboxSetup, type ClientOptions, SandpackClient, } from "@codesandbox/sandpack-client"; import { showError } from "@/lib/toast"; import { SandboxConfig } from "@/ipc/ipc_types"; interface ErrorBannerProps { error: string | null; onDismiss: () => void; onAIFix: () => void; } const ErrorBanner = ({ error, onDismiss, onAIFix }: ErrorBannerProps) => { if (!error) return null; return (
{/* Close button in top left */} {/* Error message in the middle */}
{error}
{/* Tip message */}
Tip: Check if refreshing the page or restarting the app fixes the error.
{/* AI Fix button at the bottom */}
); }; // Preview iframe component export const PreviewIframe = ({ loading, error, }: { loading: boolean; error: Error | null; }) => { const selectedAppId = useAtomValue(selectedAppIdAtom); const { appUrl } = useAtomValue(appUrlAtom); const setAppOutput = useSetAtom(appOutputAtom); const { app } = useLoadApp(selectedAppId); // State to trigger iframe reload const [reloadKey, setReloadKey] = useState(0); const [iframeError, setIframeError] = useState(null); const [showError, setShowError] = useState(true); const setInputValue = useSetAtom(chatInputValueAtom); const [availableRoutes, setAvailableRoutes] = useState< Array<{ path: string; label: string }> >([]); // Load router related files to extract routes const { content: routerContent } = useLoadAppFile( selectedAppId, "src/App.tsx" ); // Effect to parse routes from the router file useEffect(() => { if (routerContent) { try { const routes: Array<{ path: string; label: string }> = []; // Extract route imports and paths using regex for React Router syntax // Match const routePathsRegex = /]*\s+)?path=["']([^"']+)["']/g; let match; // Find all route paths in the router content while ((match = routePathsRegex.exec(routerContent)) !== null) { const path = match[1]; // Create a readable label from the path const label = path === "/" ? "Home" : path .split("/") .filter((segment) => segment && !segment.startsWith(":")) .pop() ?.replace(/[-_]/g, " ") .replace(/^\w/, (c) => c.toUpperCase()) || path; if (!routes.some((r) => r.path === path)) { routes.push({ path, label }); } } setAvailableRoutes(routes); } catch (e) { console.error("Error parsing router file:", e); } } }, [routerContent]); // Navigation state const [canGoBack, setCanGoBack] = useState(false); const [canGoForward, setCanGoForward] = useState(false); const [navigationHistory, setNavigationHistory] = useState([]); const [currentHistoryPosition, setCurrentHistoryPosition] = useState(0); const iframeRef = useRef(null); const { settings } = useSettings(); // Add message listener for iframe errors and navigation events useEffect(() => { const handleMessage = (event: MessageEvent) => { // Only handle messages from our iframe if (event.source !== iframeRef.current?.contentWindow) { return; } const { type, payload } = event.data; if (type === "window-error") { const errorMessage = `Error in ${payload.filename} (line ${payload.lineno}, col ${payload.colno}): ${payload.message}`; console.error("Iframe error:", errorMessage); setIframeError(errorMessage); setAppOutput((prev) => [ ...prev, { message: `Iframe error: ${errorMessage}`, type: "client-error", appId: selectedAppId!, }, ]); } else if (type === "unhandled-rejection") { const errorMessage = `Unhandled Promise Rejection: ${payload.reason}`; console.error("Iframe unhandled rejection:", errorMessage); setIframeError(errorMessage); setAppOutput((prev) => [ ...prev, { message: `Iframe unhandled rejection: ${errorMessage}`, type: "client-error", appId: selectedAppId!, }, ]); } else if (type === "pushState" || type === "replaceState") { console.debug(`Navigation event: ${type}`, payload); // Update navigation history based on the type of state change if (type === "pushState") { // For pushState, we trim any forward history and add the new URL const newHistory = [ ...navigationHistory.slice(0, currentHistoryPosition + 1), payload.newUrl, ]; setNavigationHistory(newHistory); setCurrentHistoryPosition(newHistory.length - 1); } else if (type === "replaceState") { // For replaceState, we replace the current URL const newHistory = [...navigationHistory]; newHistory[currentHistoryPosition] = payload.newUrl; setNavigationHistory(newHistory); } // Update navigation buttons state setCanGoBack(currentHistoryPosition > 0); setCanGoForward(currentHistoryPosition < navigationHistory.length - 1); } }; window.addEventListener("message", handleMessage); return () => window.removeEventListener("message", handleMessage); }, [navigationHistory, currentHistoryPosition, selectedAppId]); // Initialize navigation history when iframe loads useEffect(() => { if (appUrl) { setNavigationHistory([appUrl]); setCurrentHistoryPosition(0); setCanGoBack(false); setCanGoForward(false); } }, [appUrl]); // Function to navigate back const handleNavigateBack = () => { if (canGoBack && iframeRef.current?.contentWindow) { iframeRef.current.contentWindow.postMessage( { type: "navigate", payload: { direction: "backward" }, }, "*" ); // Update our local state setCurrentHistoryPosition((prev) => prev - 1); setCanGoBack(currentHistoryPosition - 1 > 0); setCanGoForward(true); } }; // Function to navigate forward const handleNavigateForward = () => { if (canGoForward && iframeRef.current?.contentWindow) { iframeRef.current.contentWindow.postMessage( { type: "navigate", payload: { direction: "forward" }, }, "*" ); // Update our local state setCurrentHistoryPosition((prev) => prev + 1); setCanGoBack(true); setCanGoForward( currentHistoryPosition + 1 < navigationHistory.length - 1 ); } }; // Function to handle reload const handleReload = () => { setReloadKey((prevKey) => prevKey + 1); // Optionally, add logic here if you need to explicitly stop/start the app again // For now, just changing the key should remount the iframe console.debug("Reloading iframe preview for app", selectedAppId); }; // Function to navigate to a specific route const navigateToRoute = (path: string) => { if (iframeRef.current?.contentWindow && appUrl) { // Create the full URL by combining the base URL with the path const baseUrl = new URL(appUrl).origin; const newUrl = `${baseUrl}${path}`; // Navigate to the URL iframeRef.current.contentWindow.location.href = newUrl; // Update navigation history const newHistory = [ ...navigationHistory.slice(0, currentHistoryPosition + 1), newUrl, ]; setNavigationHistory(newHistory); setCurrentHistoryPosition(newHistory.length - 1); setCanGoBack(true); setCanGoForward(false); } }; // Display loading state if (loading) { return
Loading app preview...
; } // Display message if no app is selected if (selectedAppId === null) { return (
Select an app to see the preview.
); } return (
{/* Browser-style header */}
{/* Navigation Buttons */}
{/* Address Bar with Routes Dropdown - using shadcn/ui dropdown-menu */}
{navigationHistory[currentHistoryPosition] ? new URL(navigationHistory[currentHistoryPosition]) .pathname : "/"}
{availableRoutes.length > 0 ? ( availableRoutes.map((route) => ( navigateToRoute(route.path)} className="flex justify-between" > {route.label} {route.path} )) ) : ( Loading routes... )}
{/* Action Buttons */}
setShowError(false)} onAIFix={() => { setInputValue(`Fix the error in ${error?.message || iframeError}`); }} /> {settings?.runtimeMode === "web-sandbox" ? ( ) : !appUrl ? (

Starting up your app...

) : ( ); }; const mapSandpackConfig = (sandboxConfig: SandboxConfig): SandboxSetup => { return { files: Object.fromEntries( Object.entries(sandboxConfig.files).map(([key, value]) => [ key, { code: value.replace( "import './globals.css'", ` const injectedStyle = document.createElement("style"); injectedStyle.textContent = \`${sandboxConfig.files["src/globals.css"]}\`; injectedStyle.type = "text/tailwindcss"; document.head.appendChild(injectedStyle); window.tailwind.config = ${parseTailwindConfig( sandboxConfig.files["tailwind.config.ts"] )} ` ), }, ]) ), dependencies: sandboxConfig.dependencies, entry: sandboxConfig.entry, }; };