{"version":3,"file":"5979.a81b13f6.js","sources":["webpack://app/./src/components/campaign/.gitignore","webpack://app/./src/components/CurieSelect.tsx","webpack://app/./src/components/ErrorBlock.tsx","webpack://app/./src/components/SimpleMultiSelect.tsx","webpack://app/./src/components/editors/monaco/MonacoTextEditor.tsx","webpack://app/./src/components/editors/monaco/validationStrategies.tsx","webpack://app/./src/components/modals/task-forms/ToolTip.tsx","webpack://app/./src/services/superAdminService.ts","webpack://app/./src/utils/blob-types.ts"],"sourcesContent":["export default \"# These are some examples of commonly ignored file patterns.\\n# You should customize this list as applicable to your project.\\n# Learn more about .gitignore:\\n# https://www.atlassian.com/git/tutorials/saving-changes/gitignore\\n\\n# Node artifact files\\nnode_modules/\\ndist/\\n\\n# Compiled Java class files\\n*.class\\n\\n# Compiled Python bytecode\\n*.py[cod]\\n\\n# Log files\\n*.log\\n\\n# Package files\\n*.jar\\n\\n# Maven\\ntarget/\\ndist/\\n\\n# JetBrains IDE\\n.idea/\\n\\n# Unit test reports\\nTEST*.xml\\n\\n# Generated by MacOS\\n.DS_Store\\n\\n# Generated by Windows\\nThumbs.db\\n\\n# Applications\\n*.app\\n*.exe\\n*.war\\n\\n# Large media files\\n*.mp4\\n*.tiff\\n*.avi\\n*.flv\\n*.mov\\n*.wmv\";","import { Select, Selection, SelectItem } from '@nextui-org/react'\nimport { cm } from '~/utils/utils'\n\ninterface SelectProps {\n className?: string\n placeholder?: string\n ariaLabel?: string\n size?: 'sm' | 'md' | 'lg'\n items: { key: string; label: string }[]\n selectedKeys?: string[]\n onSelectionChange?: (keys: Selection) => void\n disabled?: boolean\n label?: string\n startContents?: React.ReactNode[]\n triggerPadding?: string\n fontSize?: string\n listProps?: {\n topContent?: React.ReactNode\n }\n}\n\nexport function CurieSelect({\n className,\n items,\n ariaLabel,\n placeholder,\n size = 'sm',\n selectedKeys = ['Indexing...'],\n onSelectionChange = () => {},\n disabled = false,\n label = '',\n startContents,\n triggerPadding = '',\n fontSize = 'text-xs',\n listProps\n}: SelectProps) {\n ariaLabel = ariaLabel || placeholder\n return (\n \n {items.map((item, index) => (\n \n {item.label}\n \n ))}\n \n )\n}\n","import { FiAlertTriangle } from '@react-icons/all-files/fi/FiAlertTriangle'\ninterface ErrorBlockProps {\n children: React.ReactNode\n}\nexport const ErrorBlock = ({ children }: ErrorBlockProps) => (\n
\n
\n \n {children}\n
\n
\n)\n","import { Select, SelectItem } from '@nextui-org/react'\nimport React from 'react'\n\nexport interface SelectItemType {\n value: string\n label: string\n description?: string\n icon?: React.ReactNode\n disabled?: boolean\n}\n\ninterface SimpleSelectProps {\n className?: string\n placeholder?: string\n ariaLabel?: string\n size?: 'sm' | 'md' | 'lg'\n selectedKeys: string[]\n onSelectionChange: (selections: string[]) => void\n disabled?: boolean\n readOnly?: boolean\n label?: string\n startContents?: React.ReactNode[]\n isMultiSelect?: boolean\n items: SelectItemType[]\n maxSelectedItems?: number\n}\n\nexport function SimpleMultiSelect({\n className,\n ariaLabel,\n placeholder,\n size = 'sm',\n selectedKeys,\n onSelectionChange,\n disabled = false,\n readOnly = false,\n label = '',\n isMultiSelect = false,\n items,\n maxSelectedItems\n}: SimpleSelectProps) {\n const handleSelectionChange = (keys: Set) => {\n if (readOnly) return\n\n // Convert to string array\n const newSelection = Array.from(keys).map(key => String(key))\n\n // If not multiselect, ensure we only have the last selected item\n let finalSelection = isMultiSelect\n ? newSelection\n : newSelection.length > 0\n ? [newSelection[newSelection.length - 1]]\n : []\n\n // Apply maxSelectedItems limit if specified\n if (isMultiSelect && maxSelectedItems && finalSelection.length > maxSelectedItems) {\n // If trying to add a new item beyond the limit, keep the most recently selected items\n // up to the maximum limit\n finalSelection = finalSelection.slice(-maxSelectedItems)\n }\n\n // Only update if there's a change\n if (JSON.stringify(finalSelection) !== JSON.stringify(selectedKeys)) {\n onSelectionChange(finalSelection)\n }\n }\n\n // Determine which items should be disabled based on selection limit\n const getDisabledKeys = () => {\n if (readOnly) {\n return items.map(item => item.value)\n }\n\n if (isMultiSelect && maxSelectedItems && selectedKeys.length >= maxSelectedItems) {\n // Disable all items that are not already selected\n return items.filter(item => !selectedKeys.includes(item.value)).map(item => item.value)\n }\n\n return []\n }\n\n return (\n {\n if (keys instanceof Set) {\n handleSelectionChange(keys)\n }\n }}\n isDisabled={disabled}\n disabledKeys={getDisabledKeys()}\n selectionMode={isMultiSelect ? 'multiple' : 'single'}\n classNames={{\n base: 'w-full border-box dark:bg-medium6 pb-4 px-[1px]',\n trigger: `w-full h-full bg-white dark:bg-medium6 data-[hover=true]:bg-light3 \n dark:data-[hover=true]:bg-medium2 shadow-sm ring-1 ring-[#d4dce2] \n group-data-[focus=true]:bg-transparent rounded-md \n ${readOnly ? 'opacity-70' : ''}`,\n innerWrapper: 'truncate',\n popoverContent: 'rounded-xl text-xs dark:bg-medium6',\n label: 'text-sm',\n value: 'text-base',\n listbox: 'px-3'\n }}\n description={\n isMultiSelect && maxSelectedItems\n ? `Maximum ${maxSelectedItems} selection${maxSelectedItems !== 1 ? 's' : ''}`\n : undefined\n }\n >\n {items.map(item => (\n \n {item.label}\n \n ))}\n \n )\n}\n","import * as monaco from 'monaco-editor'\nimport { useEffect, useRef, useState } from 'react'\nimport { ErrorBlock } from '~/components/ErrorBlock'\nimport { cm } from '~/utils/utils'\nimport { getMonacoOptions, initializeMonaco } from './monacoInitializer'\nimport { ValidationResult, validationStrategies } from './validationStrategies'\n\ntype Language = 'xml' | 'json' | 'csv' | 'yaml' | 'edi' | 'auto'\n\ninterface MonacoTextAreaProps {\n value: string\n onChange: (value: string) => void\n language?: Language\n theme?: string\n options?: monaco.editor.IEditorOptions\n placeholder?: string\n className?: string\n requireLangs?: Language[]\n onError: () => void\n onErrorClear: () => void\n isReadOnly?: boolean\n}\n\nawait initializeMonaco()\n\nexport const MonacoTextEditor = ({\n value,\n onChange,\n language = 'auto',\n theme = 'vs-dark',\n options = {},\n placeholder = '',\n className,\n onError,\n onErrorClear,\n requireLangs = [],\n isReadOnly = false\n}: MonacoTextAreaProps) => {\n const editorRef = useRef(null)\n const containerRef = useRef(null)\n const decorationIds = useRef([])\n const errorDecorations = useRef([])\n const [validationError, setValidationError] = useState(null)\n const [detectedLanguage, setDetectedLanguage] = useState(language)\n const languageRef = useRef(language)\n const requireLangsRef = useRef(requireLangs)\n\n useEffect(() => {\n requireLangsRef.current = requireLangs\n }, [requireLangs])\n\n useEffect(() => {\n if (containerRef.current) {\n editorRef.current = monaco.editor.create(containerRef.current, {\n value: value,\n theme: theme,\n automaticLayout: true,\n minimap: { enabled: false },\n ...getMonacoOptions(),\n ...options,\n language: detectedLanguage,\n readOnly: isReadOnly\n })\n\n editorRef.current.onDidChangeModelContent(() => {\n const newValue = editorRef.current!.getValue()\n onChange(newValue)\n updatePlaceholder(newValue)\n validateContent(newValue, languageRef.current)\n })\n\n updatePlaceholder(value)\n validateContent(value, languageRef.current)\n }\n\n return () => {\n editorRef.current?.dispose()\n }\n }, [])\n\n useEffect(() => {\n if (editorRef.current) {\n const model = editorRef.current.getModel()\n if (model && value !== model.getValue()) {\n model.setValue(value)\n updatePlaceholder(value)\n validateContent(value, languageRef.current)\n }\n }\n }, [value])\n\n useEffect(() => {\n languageRef.current = language\n if (editorRef.current) {\n if (language === 'auto') {\n detectLanguage(editorRef.current.getValue())\n } else {\n setDetectedLanguage(language)\n monaco.editor.setModelLanguage(editorRef.current.getModel()!, language)\n validateContent(editorRef.current.getValue(), language)\n }\n }\n }, [language])\n\n const detectLanguage = (content: string) => {\n // If requireLangs is provided, only check those languages\n const languagesToCheck =\n requireLangsRef.current.length > 0\n ? requireLangsRef.current\n : (['xml', 'json', 'yaml', 'csv'] as const)\n\n for (const lang of languagesToCheck) {\n const result = validationStrategies[lang].validate(content)\n if (result.isValid) {\n setDetectedLanguage(lang)\n if (editorRef.current) {\n monaco.editor.setModelLanguage(editorRef.current.getModel()!, lang)\n }\n validateContent(content, lang)\n onErrorClear()\n return\n }\n }\n\n // If we have required languages and none matched, show a specific error\n if (requireLangsRef.current.length > 0) {\n const requiredFormats = requireLangsRef.current.map(lang => lang.toUpperCase()).join(', ')\n setValidationError(`Invalid format. Content must be valid: ${requiredFormats}.`)\n onError()\n } else {\n setValidationError('Invalid format. Must be one of: XML, JSON, YAML, or CSV.')\n onError()\n }\n\n setDetectedLanguage('plaintext') // Default to plaintext if no valid format is detected\n if (editorRef.current) {\n monaco.editor.setModelLanguage(editorRef.current.getModel()!, 'plaintext')\n }\n }\n\n const updatePlaceholder = (currentValue: string) => {\n if (!editorRef.current || !placeholder) return\n\n const model = editorRef.current.getModel()\n if (!model) return\n\n editorRef.current.deltaDecorations(decorationIds.current, [])\n\n if (currentValue.trim() === '') {\n const decorations = [\n {\n range: new monaco.Range(1, 1, 1, 1),\n options: {\n isWholeLine: true,\n className: 'monaco-placeholder',\n glyphMarginClassName: 'monaco-placeholder',\n overviewRuler: { color: 'transparent', position: 1 },\n minimap: { color: 'transparent', position: 1 },\n after: {\n content: placeholder,\n inlineClassName: 'text-gray-400 opacity-50'\n }\n }\n }\n ]\n decorationIds.current = editorRef.current.deltaDecorations([], decorations)\n }\n }\n\n const validateContent = (content: string, language: string) => {\n if (language === 'auto') {\n detectLanguage(content)\n } else if (editorRef.current && validationStrategies[language]) {\n const result = validationStrategies[language].validate(content)\n if (result.isValid) {\n // If language is valid but requireLangs is specified, check if this language is allowed\n if (\n requireLangsRef.current.length > 0 &&\n !requireLangsRef.current.includes(language as Language)\n ) {\n const requiredFormats = requireLangsRef.current.map(lang => lang.toUpperCase()).join(', ')\n setValidationError(`Content format not allowed. Must be one of: ${requiredFormats}.`)\n onError()\n } else {\n setValidationError(null)\n errorDecorations.current = editorRef.current.deltaDecorations(\n errorDecorations.current,\n []\n )\n onErrorClear()\n }\n } else {\n setValidationError(result.error || 'Unknown error')\n onError()\n markErrors(result)\n }\n } else {\n // Check if the current language is allowed by requireLangs\n if (\n requireLangsRef.current.length > 0 &&\n !requireLangsRef.current.includes(language as Language)\n ) {\n const requiredFormats = requireLangsRef.current.map(lang => lang.toUpperCase()).join(', ')\n setValidationError(`Content format not allowed. Must be one of: ${requiredFormats}.`)\n onError()\n } else {\n setValidationError(null)\n onErrorClear()\n if (editorRef.current) {\n errorDecorations.current = editorRef.current.deltaDecorations(\n errorDecorations.current,\n []\n )\n }\n }\n }\n }\n\n const markErrors = (result: ValidationResult) => {\n if (!editorRef.current) return\n\n const model = editorRef.current.getModel()\n if (!model) return\n\n const line = result.line || 1\n const column = result.column || 1\n const endColumn = model.getLineMaxColumn(line)\n\n const newDecorations = [\n {\n range: new monaco.Range(line, column, line, endColumn),\n options: {\n className: 'squiggly-error',\n hoverMessage: { value: result.error || 'Validation Error' },\n inlineClassName: 'error-underline'\n }\n }\n ]\n\n errorDecorations.current = editorRef.current.deltaDecorations(\n errorDecorations.current,\n newDecorations\n )\n }\n\n return (\n
\n
\n {validationError && {validationError}}\n
\n )\n}\n","import { parse as csvParse } from 'csv-parse/sync'\nimport { ValidationError, XMLValidator } from 'fast-xml-parser'\nimport { load as yamlLoad } from 'js-yaml'\n\nexport interface ValidationResult {\n isValid: boolean\n error?: string\n line?: number\n column?: number\n}\n\ninterface ValidationStrategy {\n validate: (content: string) => ValidationResult\n}\n\nclass XMLValidationStrategy implements ValidationStrategy {\n validate(content: string): ValidationResult {\n if (!content.trim()) {\n return { isValid: true }\n }\n\n try {\n const result = XMLValidator.validate(content, { allowBooleanAttributes: true })\n if (result === true) {\n return { isValid: true }\n } else {\n const { line, col, msg } = result.err\n return {\n isValid: false,\n error: `Invalid XML: ${msg}`,\n line,\n column: col\n }\n }\n } catch (error) {\n const err = error as ValidationError\n return {\n isValid: false,\n error: `Invalid XML: ${err.err}`,\n line: err.err.line,\n column: err.err.col\n }\n }\n }\n}\n\nclass JSONValidationStrategy implements ValidationStrategy {\n validate(content: string): ValidationResult {\n if (!content.trim()) {\n return { isValid: true }\n }\n\n try {\n JSON.parse(content)\n return { isValid: true }\n } catch (error) {\n const err = error as SyntaxError\n const match = err.message.match(/at position (\\d+)/)\n const position = match ? parseInt(match[1]) : 0\n const lines = content.slice(0, position).split('\\n')\n return {\n isValid: false,\n error: `Invalid JSON: ${err.message}`,\n line: lines.length - 1,\n column: lines[lines.length - 1].length + 1\n }\n }\n }\n}\n\nclass CSVValidationStrategy implements ValidationStrategy {\n validate(content: string): ValidationResult {\n if (!content.trim()) {\n return { isValid: true }\n }\n\n try {\n csvParse(content, {\n skip_empty_lines: true,\n columns: true,\n trim: true\n })\n return { isValid: true }\n } catch (error) {\n const err = error as Error\n const match = err.message.match(/\\(line (\\d+)\\)/)\n const line = match ? parseInt(match[1]) : 1\n return {\n isValid: false,\n error: `Invalid CSV: ${err.message}`,\n line,\n column: 1\n }\n }\n }\n}\n\nclass YAMLValidationStrategy implements ValidationStrategy {\n validate(content: string): ValidationResult {\n if (!content.trim()) {\n return { isValid: true }\n }\n\n try {\n yamlLoad(content)\n return { isValid: true }\n } catch (error) {\n const err = error as Error\n const match = err.message.match(/line (\\d+), column (\\d+):/)\n const line = match ? parseInt(match[1]) : 1\n const column = match ? parseInt(match[2]) : 1\n return {\n isValid: false,\n error: `Invalid YAML: ${err.message}`,\n line,\n column\n }\n }\n }\n}\n\nexport const validationStrategies: Record = {\n xml: new XMLValidationStrategy(),\n json: new JSONValidationStrategy(),\n csv: new CSVValidationStrategy(),\n yaml: new YAMLValidationStrategy()\n}\n","import { Button, Tooltip } from \"@nextui-org/react\";\nimport { TooltipIcon } from '~/constants/icon';\n\ninterface InfoTooltipProps {\n content: string;\n className?: string;\n}\n\nexport function InfoTooltip({ content, className = \"max-w-[300px]\" }: InfoTooltipProps) {\n return (\n \n \n \n );\n}","import { CommandType } from '~/protos/agents'\nimport { ConversationWithMessages } from '~/types/Conversations'\nimport { BillingInfo } from '~/types/ResponseType'\nimport { fetchWrapper } from '~/utils/fetchWrapper'\n\nexport const getSuperAdminHeartbeat = async () => {\n const path = '/api/super-admin/heartbeat'\n const response = await fetchWrapper(path)\n if (!response.ok) {\n const reason = await response.text()\n throw new Error(`Failed to get super admin heartbeat. ${reason}`)\n }\n}\n\nexport const getSignupsCSV = async (queryParams?: string): Promise => {\n const url = queryParams\n ? `/api/super-admin/csv/signups?${queryParams}`\n : '/api/super-admin/csv/signups'\n\n const response = await fetchWrapper(url, {\n headers: {\n Accept: 'text/csv'\n }\n })\n\n if (!response.ok) {\n const responseJson = await response.json()\n const reason = responseJson.detail\n throw new Error(`Failed to download signups CSV. ${reason}`)\n }\n\n return response.blob()\n}\n\nexport const getUserActivitiesCSV = async (queryParams?: string): Promise => {\n const url = queryParams\n ? `/api/super-admin/csv/user-activities?${queryParams}`\n : '/api/super-admin/csv/user-activities'\n\n const response = await fetchWrapper(url, {\n headers: {\n Accept: 'text/csv'\n }\n })\n\n if (!response.ok) {\n const responseJson = await response.json()\n const reason = responseJson.detail\n throw new Error(`Failed to download user activities CSV. ${reason}`)\n }\n\n return response.blob()\n}\n\nexport const getLastActiveUsersCSV = async (queryParams?: string): Promise => {\n const url = queryParams\n ? `/api/super-admin/csv/last-active-users?${queryParams}`\n : '/api/super-admin/csv/last-active-users'\n\n const response = await fetchWrapper(url, {\n headers: {\n Accept: 'text/csv'\n }\n })\n\n if (!response.ok) {\n const responseJson = await response.json()\n const reason = responseJson.detail\n throw new Error(`Failed to download last active users CSV. ${reason}`)\n }\n\n return response.blob()\n}\n\nexport const getUserTaskSubmission = async (queryParams?: string): Promise => {\n const url = queryParams\n ? `/api/super-admin/csv/user-task-submissions?${queryParams}`\n : '/api/super-admin/csv/user-task-submissions'\n\n const response = await fetchWrapper(url, {\n headers: {\n Accept: 'text/csv'\n }\n })\n\n if (!response.ok) {\n const responseJson = await response.json()\n const reason = responseJson.detail\n throw new Error(`Failed to download user activities CSV. ${reason}`)\n }\n\n return response.blob()\n}\n\nexport const getAccessLogsByEmailCSV = async (queryParams: string): Promise => {\n const url = `/api/super-admin/lookup/email-access-logs?${queryParams}`\n const response = await fetchWrapper(url, {\n headers: {\n Accept: 'text/csv'\n }\n })\n\n if (!response.ok) {\n const responseJson = await response.json()\n const reason = responseJson.detail\n throw new Error(`Failed to download access logs by email CSV. ${reason}`)\n }\n return response.blob()\n}\n\nexport const getUserByUuid = async (queryParams: string): Promise => {\n const url = `/api/super-admin/lookup/uuid-user?${queryParams}`\n const response = await fetchWrapper(url, {\n headers: {\n Accept: 'text/csv'\n }\n })\n\n if (!response.ok) {\n const responseJson = await response.json()\n const reason = responseJson.detail\n throw new Error(`Failed to get email. ${reason}`)\n }\n return response.blob()\n}\n\nexport const getSettingsCampaignAgentType = async () => {\n const path = '/api/super-admin/settings/campaigns-agent-type'\n const response = await fetchWrapper(path)\n if (!response.ok) {\n const reason = await response.text()\n throw new Error(`Failed to get campaign agent type settings. ${reason}`)\n }\n return response.json()\n}\n\nexport const updateSettingsCampaignAgentType = async (payload: { agentType: CommandType }) => {\n const { agentType } = payload\n const path = '/api/super-admin/settings/campaigns-agent-type'\n const response = await fetchWrapper(path, {\n method: 'POST',\n headers: {\n 'Content-Type': 'application/json'\n },\n body: JSON.stringify({ agentType })\n })\n if (!response.ok) {\n const reason = await response.text()\n throw new Error(`Failed to update campaign agent type settings. ${reason}`)\n }\n}\n\nexport const getBillingList = async () => {\n const path = '/api/super-admin/billingList'\n const response = await fetchWrapper(path, { method: 'GET' })\n if (!response.ok) {\n const reason = await response.text()\n throw new Error(`Failed to get billing list. ${reason}`)\n }\n return response.json()\n}\n\nexport const updateAccountType = async (BillingInfo: BillingInfo) => {\n const path = '/api/super-admin/billing/update-billing-type'\n const response = await fetchWrapper(path, {\n method: 'POST',\n headers: {\n 'Content-Type': 'application/json'\n },\n body: JSON.stringify(BillingInfo)\n })\n if (!response.ok) {\n const reason = await response.text()\n throw new Error(`Failed to update billing type. ${reason}`)\n }\n}\n\nexport const getTasksDomainList = async () => {\n const path = '/api/super-admin/tasks/domains'\n const response = await fetchWrapper(path)\n if (!response.ok) {\n const reason = await response.text()\n throw new Error(`Failed to get tasks domain list. ${reason}`)\n }\n return response.json()\n}\n\nexport const getTasksEmailList = async (domain: string) => {\n const path = `/api/super-admin/tasks/emails?domain=${encodeURIComponent(domain)}`\n const response = await fetchWrapper(path)\n if (!response.ok) {\n const reason = await response.text()\n throw new Error(`Failed to get tasks email list. ${reason}`)\n }\n return response.json()\n}\n\nexport const getTasksWorkspaceList = async (email: string) => {\n const path = `/api/super-admin/tasks/workspaces?email=${encodeURIComponent(email)}`\n const response = await fetchWrapper(path)\n if (!response.ok) {\n const reason = await response.text()\n throw new Error(`Failed to get tasks workspace list. ${reason}`)\n }\n return response.json()\n}\n\nexport const getConversationByUuid = async (uuid: string) => {\n const path = `/api/conversation/${uuid}`\n const response = await fetchWrapper(path, {\n method: 'GET',\n headers: {\n 'Content-Type': 'application/json'\n }\n })\n if (!response.ok) {\n const reason = await response.text()\n throw new Error(`Failed to get conversation details. Reason: ${reason}`)\n }\n const data = await response.json()\n return data as ConversationWithMessages\n}\n","// Magic numbers for file type detection\nconst GZIP_MAGIC = new Uint8Array([0x1f, 0x8b]); // First two bytes of gzip files\nconst TAR_MAGIC = new Uint8Array([0x75, 0x73, 0x74, 0x61, 0x72]); // \"ustar\" in ASCII\n\n/**\n * Checks if the given array starts with the specified magic number\n */\nexport function startsWithMagic(data: Uint8Array, magic: Uint8Array): boolean {\n if (data.length < magic.length) return false;\n return magic.every((byte, i) => data[i] === byte);\n}\n\n/**\n * Detects if data is gzipped by checking magic numbers\n */\nexport function isGzipped(data: Uint8Array): boolean {\n return startsWithMagic(data, GZIP_MAGIC);\n}\n\n/**\n * Detects if data is a tar file by checking magic numbers\n * Note: Checks for \"ustar\" at offset 257 (traditional tar format)\n */\nexport function isTar(data: Uint8Array): boolean {\n if (data.length < 262) return false; // Too small to be a valid tar\n const magicBytes = data.slice(257, 262);\n return startsWithMagic(magicBytes, TAR_MAGIC);\n}"],"names":["CurieSelect","className","items","ariaLabel","placeholder","size","selectedKeys","onSelectionChange","disabled","label","startContents","triggerPadding","fontSize","listProps","Select","cm","item","index","SelectItem","ErrorBlock","children","FiAlertTriangle","SimpleMultiSelect","readOnly","isMultiSelect","maxSelectedItems","handleSelectionChange","keys","newSelection","Array","key","String","finalSelection","JSON","Set","undefined","initializeMonaco","MonacoTextEditor","value","onChange","language","theme","options","onError","onErrorClear","requireLangs","isReadOnly","editorRef","useRef","containerRef","decorationIds","errorDecorations","validationError","setValidationError","useState","detectedLanguage","setDetectedLanguage","languageRef","requireLangsRef","useEffect","monaco","getMonacoOptions","newValue","updatePlaceholder","validateContent","model","detectLanguage","content","lang","result","validationStrategies","requiredFormats","currentValue","decorations","markErrors","line","column","endColumn","newDecorations","XMLValidator","col","msg","error","err","match","position","parseInt","lines","csvParse","yamlLoad","InfoTooltip","Tooltip","Button","TooltipIcon","getConversationByUuid","uuid","path","response","fetchWrapper","reason","Error","Uint8Array","TAR_MAGIC","isTar","data","magic","byte","i"],"mappings":"gIAAA,MAAe,gqB,2GCqBR,SAASA,EAAY,CAC1BC,UAAAA,CAAS,CACTC,MAAAA,CAAK,CACLC,UAAAA,CAAS,CACTC,YAAAA,CAAW,CACXC,KAAAA,EAAO,IAAI,CACXC,aAAAA,EAAe,CAAC,cAAc,CAC9BC,kBAAAA,EAAoB,KAAO,CAAC,CAC5BC,SAAAA,EAAW,EAAK,CAChBC,MAAAA,EAAQ,EAAE,CACVC,cAAAA,CAAa,CACbC,eAAAA,EAAiB,EAAE,CACnBC,SAAAA,EAAW,SAAS,CACpBC,UAAAA,CAAS,CACG,EAEZ,OADAV,EAAYA,GAAaC,EAEvB,UAACU,EAAAA,CAAMA,CAAAA,CACL,eAAe,UACf,OAAO,OACP,KAAMT,EACN,MAAOI,EACP,YAAaL,EACb,aAAYD,EACZ,UAAWF,EACX,oBAAqBK,EACrB,aAAcA,EACd,kBAAmBC,EACnB,WAAYC,EACZ,WAAY,CACV,KAAM,kDACN,QAASO,AAAAA,GAAAA,EAAAA,EAAAA,AAAAA,EACP,gGACA,oFACAJ,GAEF,aAAc,WACd,eAAgBI,AAAAA,GAAAA,EAAAA,EAAAA,AAAAA,EAAG,6BAA8BH,GACjD,MAAOA,CACT,EACA,aAAcC,E,SAEbX,EAAM,GAAG,CAAC,CAACc,EAAMC,IAChB,UAACC,EAAAA,CAAUA,CAAAA,CAET,UAAU,6BACV,aAAcR,EAAgBA,CAAa,CAACO,EAAM,CAAG,KACrD,WAAY,CACV,KAAM,WACR,E,SAECD,EAAK,KAAK,A,EAPNA,EAAK,GAAG,EAAIC,G,EAY3B,C,mECzEO,IAAME,EAAa,CAAC,CAAEC,SAAAA,CAAQ,CAAmB,GACtD,UAAC,OAAI,UAAU,yC,SACb,WAAC,OAAI,UAAU,6B,UACb,UAACC,EAAAA,CAAeA,CAAAA,CAAC,UAAU,2BAA2B,KAAM,E,GAC5D,UAAC,QAAK,UAAU,qB,SAAsBD,C,qVCmBrC,SAASE,EAAkB,CAChCrB,UAAAA,CAAS,CACTE,UAAAA,CAAS,CACTC,YAAAA,CAAW,CACXC,KAAAA,EAAO,IAAI,CACXC,aAAAA,CAAY,CACZC,kBAAAA,CAAiB,CACjBC,SAAAA,EAAW,EAAK,CAChBe,SAAAA,EAAW,EAAK,CAChBd,MAAAA,EAAQ,EAAE,CACVe,cAAAA,EAAgB,EAAK,CACrBtB,MAAAA,CAAK,CACLuB,iBAAAA,CAAgB,CACE,EAClB,IAAMC,EAAwB,AAACC,IAC7B,GAAIJ,EAAU,OAGd,IAAMK,EAAeC,MAAM,IAAI,CAACF,GAAM,GAAG,CAACG,AAAAA,GAAOC,OAAOD,IAGpDE,EAAiBR,EACjBI,EACAA,EAAa,MAAM,CAAG,EACpB,CAACA,CAAY,CAACA,EAAa,MAAM,CAAG,EAAE,CAAC,CACvC,EAAE,CAGJJ,GAAiBC,GAAoBO,EAAe,MAAM,CAAGP,GAG/DO,CAAAA,EAAiBA,EAAe,KAAK,CAAC,CAACP,EAAgB,EAIrDQ,KAAK,SAAS,CAACD,KAAoBC,KAAK,SAAS,CAAC3B,IACpDC,EAAkByB,EAEtB,EAgBA,MACE,UAAClB,EAAAA,CAAMA,CAAAA,CACL,eAAe,SACf,OAAO,KACP,KAAMT,EACN,MAAOI,EACP,YAAaL,EACb,aAAYD,GAAaC,EACzB,UAAWH,EACX,aAAc,IAAIiC,IAAI5B,GACtB,kBAAmBqB,AAAAA,IACbA,aAAgBO,KAClBR,EAAsBC,EAE1B,EACA,WAAYnB,EACZ,aA5BF,AAAIe,EACKrB,EAAM,GAAG,CAACc,AAAAA,GAAQA,EAAK,KAAK,EAGjCQ,GAAiBC,GAAoBnB,EAAa,MAAM,EAAImB,EAEvDvB,EAAM,MAAM,CAACc,AAAAA,GAAQ,CAACV,EAAa,QAAQ,CAACU,EAAK,KAAK,GAAG,GAAG,CAACA,AAAAA,GAAQA,EAAK,KAAK,EAGjF,EAAE,CAoBP,cAAeQ,EAAgB,WAAa,SAC5C,WAAY,CACV,KAAM,kDACN,QAAS,CAAC;;;UAGR,EAAED,EAAW,aAAe,GAAG,CAAC,CAClC,aAAc,WACd,eAAgB,qCAChB,MAAO,UACP,MAAO,YACP,QAAS,MACX,EACA,YACEC,GAAiBC,EACb,CAAC,QAAQ,EAAEA,EAAiB,UAAU,EAAEA,AAAqB,IAArBA,EAAyB,IAAM,GAAG,CAAC,CAC3EU,KAAAA,E,SAGLjC,EAAM,GAAG,CAACc,AAAAA,GACT,UAACE,EAAAA,CAAUA,CAAAA,CAET,MAAOF,EAAK,KAAK,CACjB,WAAY,CACV,KAAM,CAAC,UAAU,EAAEO,EAAW,qBAAuB,mEAAmE,CAAC,CACzH,MAAO,UACP,QAAS,oCACT,aAAc,cAChB,EACA,aAAcP,EAAK,IAAI,CACvB,YAAaA,EAAK,WAAW,C,SAE5BA,EAAK,KAAK,A,EAXNA,EAAK,KAAK,E,EAgBzB,C,wLChHA,OAAMoB,AAAAA,GAAAA,EAAAA,EAAAA,AAAAA,IAEC,IAAMC,EAAmB,CAAC,CAC/BC,MAAAA,CAAK,CACLC,SAAAA,CAAQ,CACRC,SAAAA,EAAW,MAAM,CACjBC,MAAAA,EAAQ,SAAS,CACjBC,QAAAA,EAAU,CAAC,CAAC,CACZtC,YAAAA,EAAc,EAAE,CAChBH,UAAAA,CAAS,CACT0C,QAAAA,CAAO,CACPC,aAAAA,CAAY,CACZC,aAAAA,EAAe,EAAE,CACjBC,WAAAA,EAAa,EAAK,CACE,IACpB,IAAMC,EAAYC,AAAAA,GAAAA,EAAAA,MAAAA,AAAAA,EAAmD,MAC/DC,EAAeD,AAAAA,GAAAA,EAAAA,MAAAA,AAAAA,EAA8B,MAC7CE,EAAgBF,AAAAA,GAAAA,EAAAA,MAAAA,AAAAA,EAAiB,EAAE,EACnCG,EAAmBH,AAAAA,GAAAA,EAAAA,MAAAA,AAAAA,EAAiB,EAAE,EACtC,CAACI,EAAiBC,EAAmB,CAAGC,AAAAA,GAAAA,EAAAA,QAAAA,AAAAA,EAAwB,MAChE,CAACC,EAAkBC,EAAoB,CAAGF,AAAAA,GAAAA,EAAAA,QAAAA,AAAAA,EAAiBd,GAC3DiB,EAAcT,AAAAA,GAAAA,EAAAA,MAAAA,AAAAA,EAAOR,GACrBkB,EAAkBV,AAAAA,GAAAA,EAAAA,MAAAA,AAAAA,EAAOH,GAE/Bc,AAAAA,GAAAA,EAAAA,SAAAA,AAAAA,EAAU,KACRD,EAAgB,OAAO,CAAGb,CAC5B,EAAG,CAACA,EAAa,EAEjBc,AAAAA,GAAAA,EAAAA,SAAAA,AAAAA,EAAU,KACJV,EAAa,OAAO,GACtBF,EAAU,OAAO,CAAGa,EAAAA,MAAAA,CAAAA,MAAoB,CAACX,EAAa,OAAO,CAAE,CAC7D,MAAOX,EACP,MAAOG,EACP,gBAAiB,GACjB,QAAS,CAAE,QAAS,EAAM,EAC1B,GAAGoB,AAAAA,GAAAA,EAAAA,EAAAA,AAAAA,GAAkB,CACrB,GAAGnB,CAAO,CACV,SAAUa,EACV,SAAUT,CACZ,GAEAC,EAAU,OAAO,CAAC,uBAAuB,CAAC,KACxC,IAAMe,EAAWf,EAAU,OAAO,CAAE,QAAQ,GAC5CR,EAASuB,GACTC,EAAkBD,GAClBE,EAAgBF,EAAUL,EAAY,OAAO,CAC/C,GAEAM,EAAkBzB,GAClB0B,EAAgB1B,EAAOmB,EAAY,OAAO,GAGrC,KACLV,EAAU,OAAO,EAAE,SACrB,GACC,EAAE,EAELY,AAAAA,GAAAA,EAAAA,SAAAA,AAAAA,EAAU,KACR,GAAIZ,EAAU,OAAO,CAAE,CACrB,IAAMkB,EAAQlB,EAAU,OAAO,CAAC,QAAQ,GACpCkB,GAAS3B,IAAU2B,EAAM,QAAQ,KACnCA,EAAM,QAAQ,CAAC3B,GACfyB,EAAkBzB,GAClB0B,EAAgB1B,EAAOmB,EAAY,OAAO,EAE9C,CACF,EAAG,CAACnB,EAAM,EAEVqB,AAAAA,GAAAA,EAAAA,SAAAA,AAAAA,EAAU,KACRF,EAAY,OAAO,CAAGjB,EAClBO,EAAU,OAAO,GACfP,AAAa,SAAbA,EACF0B,EAAenB,EAAU,OAAO,CAAC,QAAQ,KAEzCS,EAAoBhB,GACpBoB,EAAAA,MAAAA,CAAAA,gBAA8B,CAACb,EAAU,OAAO,CAAC,QAAQ,GAAKP,GAC9DwB,EAAgBjB,EAAU,OAAO,CAAC,QAAQ,GAAIP,IAGpD,EAAG,CAACA,EAAS,EAEb,IAAM0B,EAAiB,AAACC,IAOtB,IAAK,IAAMC,KAJTV,EAAgB,OAAO,CAAC,MAAM,CAAG,EAC7BA,EAAgB,OAAO,CACtB,CAAC,MAAO,OAAQ,OAAQ,MAAM,CAInC,GAAIW,AADWC,EAAAA,CAAoB,CAACF,EAAK,CAAC,QAAQ,CAACD,GACxC,OAAO,CAAE,CAClBX,EAAoBY,GAChBrB,EAAU,OAAO,EACnBa,EAAAA,MAAAA,CAAAA,gBAA8B,CAACb,EAAU,OAAO,CAAC,QAAQ,GAAKqB,GAEhEJ,EAAgBG,EAASC,GACzBxB,IACA,MACF,CAIF,GAAIc,EAAgB,OAAO,CAAC,MAAM,CAAG,EAAG,CACtC,IAAMa,EAAkBb,EAAgB,OAAO,CAAC,GAAG,CAACU,AAAAA,GAAQA,EAAK,WAAW,IAAI,IAAI,CAAC,MACrFf,EAAmB,CAAC,uCAAuC,EAAEkB,EAAgB,CAAC,CAAC,EAC/E5B,GACF,MACEU,EAAmB,4DACnBV,IAGFa,EAAoB,aAChBT,EAAU,OAAO,EACnBa,EAAAA,MAAAA,CAAAA,gBAA8B,CAACb,EAAU,OAAO,CAAC,QAAQ,GAAK,YAElE,EAEMgB,EAAoB,AAACS,IACzB,GAAI,AAACzB,EAAU,OAAO,EAAK3C,GAEb2C,EAAU,OAAO,CAAC,QAAQ,KAGxCA,EAAU,OAAO,CAAC,gBAAgB,CAACG,EAAc,OAAO,CAAE,EAAE,EAExDsB,AAAwB,KAAxBA,EAAa,IAAI,IAAW,CAC9B,IAAMC,EAAc,CAClB,CACE,MAAO,IAAIb,EAAAA,KAAY,CAAC,EAAG,EAAG,EAAG,GACjC,QAAS,CACP,YAAa,GACb,UAAW,qBACX,qBAAsB,qBACtB,cAAe,CAAE,MAAO,cAAe,SAAU,CAAE,EACnD,QAAS,CAAE,MAAO,cAAe,SAAU,CAAE,EAC7C,MAAO,CACL,QAASxD,EACT,gBAAiB,0BACnB,CACF,CACF,EACD,AACD8C,CAAAA,EAAc,OAAO,CAAGH,EAAU,OAAO,CAAC,gBAAgB,CAAC,EAAE,CAAE0B,EACjE,CACF,EAEMT,EAAkB,CAACG,EAAiB3B,KACxC,GAAIA,AAAa,SAAbA,EACF0B,EAAeC,QACV,GAAIpB,EAAU,OAAO,EAAIuB,EAAAA,CAAoB,CAAC9B,EAAS,CAAE,CAC9D,IAAM6B,EAASC,EAAAA,CAAoB,CAAC9B,EAAS,CAAC,QAAQ,CAAC2B,GACvD,GAAIE,EAAO,OAAO,EAEhB,GACEX,EAAgB,OAAO,CAAC,MAAM,CAAG,GACjC,CAACA,EAAgB,OAAO,CAAC,QAAQ,CAAClB,GAClC,CACA,IAAM+B,EAAkBb,EAAgB,OAAO,CAAC,GAAG,CAACU,AAAAA,GAAQA,EAAK,WAAW,IAAI,IAAI,CAAC,MACrFf,EAAmB,CAAC,4CAA4C,EAAEkB,EAAgB,CAAC,CAAC,EACpF5B,GACF,MACEU,EAAmB,MACnBF,EAAiB,OAAO,CAAGJ,EAAU,OAAO,CAAC,gBAAgB,CAC3DI,EAAiB,OAAO,CACxB,EAAE,EAEJP,SAGFS,EAAmBgB,EAAO,KAAK,EAAI,iBACnC1B,IACA+B,EAAWL,EAEf,MAEE,GACEX,EAAgB,OAAO,CAAC,MAAM,CAAG,GACjC,CAACA,EAAgB,OAAO,CAAC,QAAQ,CAAClB,GAClC,CACA,IAAM+B,EAAkBb,EAAgB,OAAO,CAAC,GAAG,CAACU,AAAAA,GAAQA,EAAK,WAAW,IAAI,IAAI,CAAC,MACrFf,EAAmB,CAAC,4CAA4C,EAAEkB,EAAgB,CAAC,CAAC,EACpF5B,GACF,MACEU,EAAmB,MACnBT,IACIG,EAAU,OAAO,EACnBI,CAAAA,EAAiB,OAAO,CAAGJ,EAAU,OAAO,CAAC,gBAAgB,CAC3DI,EAAiB,OAAO,CACxB,EAAE,EAKZ,EAEMuB,EAAa,AAACL,IAClB,GAAI,CAACtB,EAAU,OAAO,CAAE,OAExB,IAAMkB,EAAQlB,EAAU,OAAO,CAAC,QAAQ,GACxC,GAAI,CAACkB,EAAO,OAEZ,IAAMU,EAAON,EAAO,IAAI,EAAI,EACtBO,EAASP,EAAO,MAAM,EAAI,EAC1BQ,EAAYZ,EAAM,gBAAgB,CAACU,GAEnCG,EAAiB,CACrB,CACE,MAAO,IAAIlB,EAAAA,KAAY,CAACe,EAAMC,EAAQD,EAAME,GAC5C,QAAS,CACP,UAAW,iBACX,aAAc,CAAE,MAAOR,EAAO,KAAK,EAAI,kBAAmB,EAC1D,gBAAiB,iBACnB,CACF,EACD,AAEDlB,CAAAA,EAAiB,OAAO,CAAGJ,EAAU,OAAO,CAAC,gBAAgB,CAC3DI,EAAiB,OAAO,CACxB2B,EAEJ,EAEA,MACE,WAAC,OAAI,UAAW/D,AAAAA,GAAAA,EAAAA,EAAAA,AAAAA,EAAG,iDAAkDd,G,UACnE,UAAC,OAAI,IAAKgD,EAAc,UAAU,iC,GACjCG,GAAmB,UAACjC,EAAAA,CAAUA,CAAAA,C,SAAEiC,C,KAGvC,E,4GClIO,IAAMkB,EAA2D,CACtE,IAAK,IA3GP,MACE,SAASH,CAAe,CAAoB,CAC1C,GAAI,CAACA,EAAQ,IAAI,GACf,MAAO,CAAE,QAAS,EAAK,EAGzB,GAAI,CACF,IAAME,EAASU,EAAAA,YAAAA,CAAAA,QAAqB,CAACZ,EAAS,CAAE,uBAAwB,EAAK,GAC7E,GAAIE,AAAW,KAAXA,EACF,MAAO,CAAE,QAAS,EAAK,CAClB,EACL,GAAM,CAAEM,KAAAA,CAAI,CAAEK,IAAAA,CAAG,CAAEC,IAAAA,CAAG,CAAE,CAAGZ,EAAO,GAAG,CACrC,MAAO,CACL,QAAS,GACT,MAAO,CAAC,aAAa,EAAEY,EAAI,CAAC,CAC5BN,KAAAA,EACA,OAAQK,CACV,CACF,CACF,CAAE,MAAOE,EAAO,CAEd,MAAO,CACL,QAAS,GACT,MAAO,CAAC,aAAa,EAAEC,AAHbD,EAGiB,GAAG,CAAC,CAAC,CAChC,KAAMC,AAJID,EAIA,GAAG,CAAC,IAAI,CAClB,OAAQC,AALED,EAKE,GAAG,CAAC,GAAG,AACrB,CACF,CACF,CACF,EA+EE,KAAM,IA7ER,MACE,SAASf,CAAe,CAAoB,CAC1C,GAAI,CAACA,EAAQ,IAAI,GACf,MAAO,CAAE,QAAS,EAAK,EAGzB,GAAI,CAEF,OADAlC,KAAK,KAAK,CAACkC,GACJ,CAAE,QAAS,EAAK,CACzB,CAAE,MAAOe,EAAO,CAEd,IAAME,EAAQD,AADFD,EACM,OAAO,CAAC,KAAK,CAAC,qBAC1BG,EAAWD,EAAQE,SAASF,CAAK,CAAC,EAAE,EAAI,EACxCG,EAAQpB,EAAQ,KAAK,CAAC,EAAGkB,GAAU,KAAK,CAAC,MAC/C,MAAO,CACL,QAAS,GACT,MAAO,CAAC,cAAc,EAAEF,AANdD,EAMkB,OAAO,CAAC,CAAC,CACrC,KAAMK,EAAM,MAAM,CAAG,EACrB,OAAQA,CAAK,CAACA,EAAM,MAAM,CAAG,EAAE,CAAC,MAAM,CAAG,CAC3C,CACF,CACF,CACF,EAwDE,IAAK,IAtDP,MACE,SAASpB,CAAe,CAAoB,CAC1C,GAAI,CAACA,EAAQ,IAAI,GACf,MAAO,CAAE,QAAS,EAAK,EAGzB,GAAI,CAMF,MALAqB,AAAAA,GAAAA,EAAAA,CAAAA,AAAAA,EAASrB,EAAS,CAChB,iBAAkB,GAClB,QAAS,GACT,KAAM,EACR,GACO,CAAE,QAAS,EAAK,CACzB,CAAE,MAAOe,EAAO,CAEd,IAAME,EAAQD,AADFD,EACM,OAAO,CAAC,KAAK,CAAC,kBAC1BP,EAAOS,EAAQE,SAASF,CAAK,CAAC,EAAE,EAAI,EAC1C,MAAO,CACL,QAAS,GACT,MAAO,CAAC,aAAa,EAAED,AALbD,EAKiB,OAAO,CAAC,CAAC,CACpCP,KAAAA,EACA,OAAQ,CACV,CACF,CACF,CACF,EA8BE,KAAM,IA5BR,MACE,SAASR,CAAe,CAAoB,CAC1C,GAAI,CAACA,EAAQ,IAAI,GACf,MAAO,CAAE,QAAS,EAAK,EAGzB,GAAI,CAEF,MADAsB,AAAAA,GAAAA,EAAAA,EAAAA,AAAAA,EAAStB,GACF,CAAE,QAAS,EAAK,CACzB,CAAE,MAAOe,EAAO,CAEd,IAAME,EAAQD,AADFD,EACM,OAAO,CAAC,KAAK,CAAC,6BAC1BP,EAAOS,EAAQE,SAASF,CAAK,CAAC,EAAE,EAAI,EACpCR,EAASQ,EAAQE,SAASF,CAAK,CAAC,EAAE,EAAI,EAC5C,MAAO,CACL,QAAS,GACT,MAAO,CAAC,cAAc,EAAED,AANdD,EAMkB,OAAO,CAAC,CAAC,CACrCP,KAAAA,EACAC,OAAAA,CACF,CACF,CACF,CACF,CAOA,C,yFCtHO,SAASc,EAAY,CAAEvB,QAAAA,CAAO,CAAElE,UAAAA,EAAY,eAAe,CAAoB,EAClF,MACI,UAAC0F,EAAAA,CAAOA,CAAAA,CACJ,QAASxB,EACT,UAAWlE,EACX,WAAY,CACR,QAAS,gDACT,MAAO,eACX,E,SAEA,UAAC2F,EAAAA,CAAMA,CAAAA,CAAC,WAAU,GAAC,KAAK,KAAK,QAAQ,QAAQ,UAAU,sB,SACnD,UAACC,EAAAA,EAAWA,CAAAA,CAAAA,E,IAI5B,C,yDCwLO,IAAMC,EAAwB,MAAOC,IAC1C,IAAMC,EAAO,CAAC,kBAAkB,EAAED,EAAK,CAAC,CAClCE,EAAW,MAAMC,AAAAA,GAAAA,EAAAA,CAAAA,AAAAA,EAAaF,EAAM,CACxC,OAAQ,MACR,QAAS,CACP,eAAgB,kBAClB,CACF,GACA,GAAI,CAACC,EAAS,EAAE,CAAE,CAChB,IAAME,EAAS,MAAMF,EAAS,IAAI,EAClC,OAAM,AAAIG,MAAM,CAAC,4CAA4C,EAAED,EAAO,CAAC,CACzE,CAEA,OADa,MAAMF,EAAS,IAAI,EAElC,C,oNC5NmB,IAAII,WAAW,CAAC,GAAM,IAAK,EAC9C,IAAMC,EAAY,IAAID,WAAW,CAAC,IAAM,IAAM,IAAM,GAAM,IAAK,EAqBxD,SAASE,EAAMC,CAAgB,MAhBNA,QAiB9B,CAAIA,CAAAA,EAAK,MAAM,CAAG,GAAE,IAhBhBA,CAAAA,CAD0BA,EAkBXA,EAAK,KAAK,CAAC,IAAK,MAjB1B,MAAM,CAAGC,AAkBiBH,EAlBX,MAAM,AAAD,GACtBG,AAiB4BH,EAjBtB,KAAK,CAAC,CAACI,EAAMC,IAAMH,CAAI,CAACG,EAAE,GAAKD,EAkB9C,C"}