import * as React from 'react'; import { useTranslation } from 'react-i18next'; import Paper from '@mui/material/Paper'; import Table from '@mui/material/Table'; import TableBody from '@mui/material/TableBody'; import TableCell from '@mui/material/TableCell'; import TableContainer from '@mui/material/TableContainer'; import TablePagination from '@mui/material/TablePagination'; import TableRow from '@mui/material/TableRow'; import { memo, useCallback, useEffect, useMemo } from "react"; import { WorkflowFile } from "maxun-core"; import SearchIcon from '@mui/icons-material/Search'; import { IconButton, Button, Box, Typography, TextField, MenuItem, Menu, ListItemIcon, ListItemText, CircularProgress, FormControlLabel, Checkbox, } from "@mui/material"; import { Schedule, DeleteForever, Edit, PlayCircle, Settings, Power, ContentCopy, MoreHoriz, Refresh } from "@mui/icons-material"; import { useGlobalInfoStore, useCachedRecordings } from "../../context/globalInfo"; import { checkRunsForRecording, deleteRecordingFromStorage } from "../../api/storage"; import { Add } from "@mui/icons-material"; import { useNavigate } from 'react-router-dom'; import { canCreateBrowserInState, getActiveBrowserId, stopRecording } from "../../api/recording"; import { GenericModal } from '../ui/GenericModal'; import { useTheme } from '@mui/material/styles'; declare global { interface Window { openedRecordingWindow?: Window | null; } } /** TODO: * 1. allow editing existing robot after persisting browser steps */ interface Column { id: 'interpret' | 'name' | 'options' | 'schedule' | 'integrate' | 'settings'; label: string; minWidth?: number; align?: 'right'; format?: (value: string) => string; } interface Data { id: string; name: string; createdAt: string; updatedAt: string; content: WorkflowFile; params: string[]; } interface RecordingsTableProps { handleEditRecording: (id: string, fileName: string) => void; handleRunRecording: (id: string, fileName: string, params: string[]) => void; handleScheduleRecording: (id: string, fileName: string, params: string[]) => void; handleIntegrateRecording: (id: string, fileName: string, params: string[]) => void; handleSettingsRecording: (id: string, fileName: string, params: string[]) => void; handleEditRobot: (id: string, name: string, params: string[]) => void; handleDuplicateRobot: (id: string, name: string, params: string[]) => void; } const LoadingRobotRow = memo(({ row, columns }: any) => { return ( {columns.map((column: Column) => { if (column.id === 'name') { return ( {row.name} (Creating...) ); } else if (column.id === 'interpret') { return ( ); } else { return ( - ); } })} ); }); // Virtualized row component for efficient rendering const TableRowMemoized = memo(({ row, columns, handlers }: any) => { if (row.isLoading) { return ; } return ( {columns.map((column: Column) => { const value: any = row[column.id]; if (value !== undefined) { return ( {value} ); } else { switch (column.id) { case 'interpret': return ( handlers.handleRunRecording(row.id, row.name, row.params || [])} /> ); case 'schedule': return ( handlers.handleScheduleRecording(row.id, row.name, row.params || [])} /> ); case 'integrate': return ( handlers.handleIntegrateRecording(row.id, row.name, row.params || [])} /> ); case 'options': return ( handlers.handleRetrainRobot(row.id, row.name)} handleEdit={() => handlers.handleEditRobot(row.id, row.name, row.params || [])} handleDuplicate={() => handlers.handleDuplicateRobot(row.id, row.name, row.params || [])} handleDelete={() => handlers.handleDelete(row.id)} robotType={row.type} /> ); case 'settings': return ( handlers.handleSettingsRecording(row.id, row.name, row.params || [])} /> ); default: return null; } } })} ); }); export const RecordingsTable = ({ handleEditRecording, handleRunRecording, handleScheduleRecording, handleIntegrateRecording, handleSettingsRecording, handleEditRobot, handleDuplicateRobot }: RecordingsTableProps) => { const { t } = useTranslation(); const theme = useTheme(); const [page, setPage] = React.useState(0); const [rowsPerPage, setRowsPerPage] = React.useState(10); const { data: recordingsData = [], isLoading: isFetching, error, refetch } = useCachedRecordings(); const [isModalOpen, setModalOpen] = React.useState(false); const [searchTerm, setSearchTerm] = React.useState(''); const [isWarningModalOpen, setWarningModalOpen] = React.useState(false); const [isDeleteConfirmOpen, setDeleteConfirmOpen] = React.useState(false); const [pendingDeleteId, setPendingDeleteId] = React.useState(null); const [activeBrowserId, setActiveBrowserId] = React.useState(''); const columns = useMemo(() => [ { id: 'interpret', label: t('recordingtable.run'), minWidth: 80 }, { id: 'name', label: t('recordingtable.name'), minWidth: 80 }, { id: 'schedule', label: t('recordingtable.schedule'), minWidth: 80 }, { id: 'integrate', label: t('recordingtable.integrate'), minWidth: 80 }, { id: 'settings', label: t('recordingtable.settings'), minWidth: 80 }, { id: 'options', label: t('recordingtable.options'), minWidth: 80 }, ], [t]); const { notify, setRecordings, browserId, setBrowserId, setInitialUrl, recordingUrl, setRecordingUrl, isLogin, setIsLogin, rerenderRobots, setRerenderRobots, recordingName, setRecordingName, recordingId, setRecordingId } = useGlobalInfoStore(); const navigate = useNavigate(); useEffect(() => { const handleMessage = (event: any) => { if (event.origin === window.location.origin && event.data && event.data.type === 'recording-notification') { const notificationData = event.data.notification; if (notificationData) { notify(notificationData.type, notificationData.message); if ((notificationData.type === 'success' && (notificationData.message.includes('saved') || notificationData.message.includes('retrained'))) || (notificationData.type === 'warning' && notificationData.message.includes('terminated'))) { setRerenderRobots(true); } } } if (event.origin === window.location.origin && event.data && event.data.type === 'session-data-clear') { window.sessionStorage.removeItem('browserId'); window.sessionStorage.removeItem('robotToRetrain'); window.sessionStorage.removeItem('robotName'); window.sessionStorage.removeItem('recordingUrl'); window.sessionStorage.removeItem('recordingSessionId'); window.sessionStorage.removeItem('pendingSessionData'); window.sessionStorage.removeItem('nextTabIsRecording'); window.sessionStorage.removeItem('initialUrl'); } }; window.addEventListener('message', handleMessage); return () => { window.removeEventListener('message', handleMessage); }; }, [notify, setRerenderRobots]); const handleChangePage = useCallback((event: unknown, newPage: number) => { setPage(newPage); }, []); const handleChangeRowsPerPage = (event: React.ChangeEvent) => { setRowsPerPage(+event.target.value); setPage(0); }; const handleSearchChange = useCallback((event: React.ChangeEvent) => { setSearchTerm(event.target.value); setPage(0); }, []); const parseDateString = (dateStr: string): Date => { try { if (dateStr.includes('PM') || dateStr.includes('AM')) { return new Date(dateStr); } return new Date(dateStr.replace(/(\d+)\/(\d+)\//, '$2/$1/')) } catch { return new Date(0); } }; const rows = useMemo(() => { if (!recordingsData) return []; const parsedRows = recordingsData .map((recording: any, index: number) => { if (recording?.recording_meta) { const parsedDate = parseDateString(recording.recording_meta.updatedAt); return { id: index, ...recording.recording_meta, content: recording.recording, parsedDate, isLoading: recording.isLoading || false, isOptimistic: recording.isOptimistic || false }; } return null; }) .filter(Boolean) .sort((a, b) => b.parsedDate.getTime() - a.parsedDate.getTime()); return parsedRows; }, [recordingsData]); useEffect(() => { if (rows.length > 0) { setRecordings(rows.map((recording) => recording.name)); } }, [rows, setRecordings]); const handleNewRecording = useCallback(async () => { navigate('/robots/create'); }, [navigate]); const notifyRecordingTabsToClose = (browserId: string) => { const closeMessage = { action: 'close-recording-tab', browserId: browserId, timestamp: Date.now() }; window.sessionStorage.setItem('recordingTabCloseMessage', JSON.stringify(closeMessage)); if (window.openedRecordingWindow && !window.openedRecordingWindow.closed) { try { window.openedRecordingWindow.close(); } catch (e) { console.log('Could not directly close recording window:', e); } } }; const handleDiscardAndCreate = async () => { if (activeBrowserId) { await stopRecording(activeBrowserId); notify('warning', t('browser_recording.notifications.terminated')); notifyRecordingTabsToClose(activeBrowserId); } setWarningModalOpen(false); setModalOpen(true); }; const handleRetrainRobot = useCallback(async (id: string, name: string) => { const robot = rows.find(row => row.id === id); let targetUrl; if (robot?.content?.workflow && robot.content.workflow.length > 0) { const lastPair = robot.content.workflow[robot.content.workflow.length - 1]; if (lastPair?.what) { if (Array.isArray(lastPair.what)) { const gotoAction = lastPair.what.find((action: any) => action && typeof action === 'object' && 'action' in action && action.action === "goto" ) as any; if (gotoAction?.args?.[0]) { targetUrl = gotoAction.args[0]; } } } } if (targetUrl) { setInitialUrl(targetUrl); setRecordingUrl(targetUrl); window.sessionStorage.setItem('initialUrl', targetUrl); } const canCreateRecording = await canCreateBrowserInState("recording"); if (!canCreateRecording) { const activeBrowserId = await getActiveBrowserId(); if (activeBrowserId) { setActiveBrowserId(activeBrowserId); setWarningModalOpen(true); } else { notify('warning', t('recordingtable.notifications.browser_limit_warning')); } } else { startRetrainRecording(id, name, targetUrl); } }, [rows, setInitialUrl, setRecordingUrl]); const startRetrainRecording = (id: string, name: string, url?: string) => { setBrowserId('new-recording'); setRecordingName(name); setRecordingId(id); window.sessionStorage.setItem('browserId', 'new-recording'); window.sessionStorage.setItem('robotToRetrain', id); window.sessionStorage.setItem('robotName', name); window.sessionStorage.setItem('recordingUrl', url || recordingUrl); const sessionId = Date.now().toString(); window.sessionStorage.setItem('recordingSessionId', sessionId); window.openedRecordingWindow = window.open(`/recording-setup?session=${sessionId}`, '_blank'); window.sessionStorage.setItem('nextTabIsRecording', 'true'); }; const startRecording = () => { setModalOpen(false); // Set local state setBrowserId('new-recording'); setRecordingName(''); setRecordingId(''); window.sessionStorage.setItem('browserId', 'new-recording'); const sessionId = Date.now().toString(); window.sessionStorage.setItem('recordingSessionId', sessionId); window.sessionStorage.setItem('recordingUrl', recordingUrl); window.openedRecordingWindow = window.open(`/recording-setup?session=${sessionId}`, '_blank'); window.sessionStorage.setItem('nextTabIsRecording', 'true'); }; const setBrowserRecordingUrl = (event: React.ChangeEvent) => { setInitialUrl(event.target.value); setRecordingUrl(event.target.value); window.sessionStorage.setItem('initialUrl', event.target.value); } useEffect(() => { if (rerenderRobots) { refetch(); setRerenderRobots(false); } }, [rerenderRobots, setRerenderRobots, refetch]); function useDebounce(value: T, delay: number): T { const [debouncedValue, setDebouncedValue] = React.useState(value); useEffect(() => { const handler = setTimeout(() => { setDebouncedValue(value); }, delay); return () => { clearTimeout(handler); }; }, [value, delay]); return debouncedValue; } const debouncedSearchTerm = useDebounce(searchTerm, 300); // Filter rows based on search term const filteredRows = useMemo(() => { const searchLower = debouncedSearchTerm.toLowerCase(); return debouncedSearchTerm ? rows.filter(row => row.name.toLowerCase().includes(searchLower)) : rows; }, [rows, debouncedSearchTerm]); const visibleRows = useMemo(() => { const start = page * rowsPerPage; return filteredRows.slice(start, start + rowsPerPage); }, [filteredRows, page, rowsPerPage]); const openDeleteConfirm = React.useCallback((id: string) => { setPendingDeleteId(String(id)); setDeleteConfirmOpen(true); }, []); const confirmDeleteRecording = React.useCallback(async () => { if (!pendingDeleteId) return; const hasRuns = await checkRunsForRecording(pendingDeleteId); if (hasRuns) { notify('warning', t('recordingtable.notifications.delete_warning')); setDeleteConfirmOpen(false); setPendingDeleteId(null); return; } const success = await deleteRecordingFromStorage(pendingDeleteId); if (success) { notify('success', t('recordingtable.notifications.delete_success')); refetch(); } setDeleteConfirmOpen(false); setPendingDeleteId(null); }, [pendingDeleteId, notify, t, refetch]); const pendingRow = pendingDeleteId ? rows.find(r => String(r.id) === pendingDeleteId) : null; const handlers = useMemo(() => ({ handleRunRecording, handleScheduleRecording, handleIntegrateRecording, handleSettingsRecording, handleEditRobot, handleDuplicateRobot, handleRetrainRobot, handleDelete: async (id: string) => openDeleteConfirm(id) }), [handleRunRecording, handleScheduleRecording, handleIntegrateRecording, handleSettingsRecording, handleEditRobot, handleDuplicateRobot, handleRetrainRobot, notify, t, refetch]); return ( {t('recordingtable.heading')} }} sx={{ width: '250px' }} /> {t('recordingtable.new')} {isFetching ? ( ) : filteredRows.length === 0 ? ( {debouncedSearchTerm ? t('recordingtable.placeholder.search') : t('recordingtable.placeholder.title')} {debouncedSearchTerm ? t('recordingtable.search_criteria') : t('recordingtable.placeholder.body') } ) : ( <> {columns.map((column) => ( {column.label} ))} {visibleRows.map((row) => ( ))} > )} setWarningModalOpen(false)} modalStyle={modalStyle}> {t('recordingtable.warning_modal.title')} {t('recordingtable.warning_modal.message')} {t('recordingtable.warning_modal.discard_and_create')} setWarningModalOpen(false)} variant="outlined" > {t('recordingtable.warning_modal.cancel')} setModalOpen(false)} modalStyle={modalStyle}> {t('recordingtable.modal.title')} setIsLogin(e.target.checked)} color="primary" /> } label={t('recordingtable.modal.login_title')} style={{ marginBottom: '10px' }} /> {t('recordingtable.modal.button')} { setDeleteConfirmOpen(false); setPendingDeleteId(null); }} modalStyle={{ ...modalStyle, padding: 0, backgroundColor: 'transparent', width: 'auto', maxWidth: '520px' }} > {t('recordingtable.delete_confirm.title', { name: pendingRow?.name, defaultValue: 'Delete {{name}}?' })} {t('recordingtable.delete_confirm.message', { name: pendingRow?.name, defaultValue: 'Are you sure you want to delete the robot "{{name}}"?' })} { setDeleteConfirmOpen(false); setPendingDeleteId(null); }} variant="outlined"> {t('common.cancel', { defaultValue: 'Cancel' })} {t('common.delete', { defaultValue: 'Delete' })} ); } interface InterpretButtonProps { handleInterpret: () => void; } const InterpretButton = ({ handleInterpret }: InterpretButtonProps) => { return ( { handleInterpret(); }} > ) } interface ScheduleButtonProps { handleSchedule: () => void; } const ScheduleButton = ({ handleSchedule }: ScheduleButtonProps) => { return ( { handleSchedule(); }} > ) } interface IntegrateButtonProps { handleIntegrate: () => void; } const IntegrateButton = ({ handleIntegrate }: IntegrateButtonProps) => { return ( { handleIntegrate(); }} > ) } interface SettingsButtonProps { handleSettings: () => void; } const SettingsButton = ({ handleSettings }: SettingsButtonProps) => { return ( { handleSettings(); }} > ) } interface OptionsButtonProps { handleRetrain: () => void; handleEdit: () => void; handleDelete: () => void; handleDuplicate: () => void; robotType: string; } const OptionsButton = ({ handleRetrain, handleEdit, handleDelete, handleDuplicate, robotType }: OptionsButtonProps) => { const [anchorEl, setAnchorEl] = React.useState(null); const handleClick = (event: React.MouseEvent) => { setAnchorEl(event.currentTarget); }; const handleClose = () => { setAnchorEl(null); }; const { t } = useTranslation(); return ( <> {robotType !== 'scrape' && ( { handleRetrain(); handleClose(); }}> Retrain )} { handleEdit(); handleClose(); }}> Edit { handleDelete(); handleClose(); }}> Delete {robotType !== 'scrape' && ( { handleDuplicate(); handleClose(); }}> Duplicate )} > ); }; const MemoizedTableCell = memo(TableCell); // Memoized action buttons const MemoizedInterpretButton = memo(InterpretButton); const MemoizedScheduleButton = memo(ScheduleButton); const MemoizedIntegrateButton = memo(IntegrateButton); const MemoizedSettingsButton = memo(SettingsButton); const MemoizedOptionsButton = memo(OptionsButton); const modalStyle = { top: '50%', left: '50%', transform: 'translate(-50%, -50%)', width: '30%', backgroundColor: 'background.paper', p: 4, height: 'fit-content', display: 'block', padding: '20px', };