{\n if (e.target === e.currentTarget) {\n setFeedbackFormOpen(false);\n }\n }}\n />\n
\n \n
\n Tell us what you think! We read all the suggestions.\n
\n \n \n
\n setSelectedFeedback(\"happy\")}\n />\n setSelectedFeedback(\"neutral\")}\n />\n setSelectedFeedback(\"sad\")}\n />\n
\n
\n
\n \n >\n );\n};\n\nexport default FeedbackForm;\n","const FeedbackButton = ({ setFeedbackFormOpen }) => {\n return (\n
{\n e.target.style.padding = \"15px 8px\";\n e.target.style.fontSize = \"1.1em\";\n }}\n onMouseLeave={(e) => {\n e.target.style.padding = \"10px 5px\";\n e.target.style.fontSize = \"1em\";\n }}\n onClick={() => {\n setFeedbackFormOpen(true);\n }}\n >\n Feedback\n
\n );\n};\n\nexport default FeedbackButton;\n","import React from 'react';\n\nfunction Blog({ isMobile }) {\n const cardStyle = {\n display: \"flex\",\n flexDirection: \"column\",\n alignItems: \"center\",\n justifyContent: \"center\",\n padding: \"20px\",\n margin: \"10px\",\n border: \"2px solid black\",\n borderRadius: \"10px\",\n textDecoration: \"none\",\n color: \"#000\",\n backgroundColor: \"#fff\",\n transition: \"transform 0.3s, background-color 0.3s\",\n height: \"650px\",\n position: \"relative\",\n };\n\n const handleMouseEnter = (e) => {\n e.currentTarget.style.backgroundColor = \"rgba(240, 240, 240, 0.5)\";\n e.currentTarget.style.transform = \"scale(1.01)\";\n };\n\n const handleMouseLeave = (e) => {\n e.currentTarget.style.backgroundColor = \"#fff\";\n e.currentTarget.style.transform = \"scale(1)\";\n };\n\n const blogPosts = [\n {\n title: \"kart.ai @ lichess.org\",\n url: \"https://twitch.tv/penguingm1\",\n text: `A mysterious account by the name of
Kart AI has reached the highest rating!
\n That beats the previous records set by Magnus Carlsen (3379), Alireza Firouzja (3383), Andrew Tang (3319)...
\n Who could this be? Tune into a stream on
August 17, 3:00 PM ET. `,\n image: \"kart_chess.png\",\n date: \"2024-08-15\"\n },\n {\n title: \"Best equipment for your WFH setup\",\n url: \"https://kart.ai/#pwasd7aj6ar\",\n text: `Over the last few months, us co-founders have moved from
Stanford to
Seattle and back to
San Francisco ...\n and if there's anything we've learned, it's that a good home office space goes a long way.
\n Here are a few products -- monitors, webcams, and headpones -- you may consider.`,\n image: \"https://a.storyblok.com/f/99519/1100x619/f8cc46dd1d/the-biggest-challenges-of-working-from-home-3.png\",\n date: \"2024-08-14\"\n },\n {\n title: \"New Feature: Threads\",\n url: \"https://kart.ai/#3fg3vi3qimd\",\n text: `We are happy to announce
threads on kart.ai!
\n Every time you start a conversation on kart, your conversation has a unique hash. \n This makes it easier to share your research with friends and family.
\n Click on this post for an example on
gaming mice. Happy shopping!`,\n image: \"https://media.istockphoto.com/id/1437347979/vector/detective-office-interior-element-wall-board-wits-and-deduction-system-crime-and-criminal.jpg?s=612x612&w=0&k=20&c=rDcyJKE_2OzW-O3LOONNGUD9v0JE_riOYiqsMF8IJiA=\",\n date: \"2023-08-12\"\n },\n // Add more blog posts as needed\n ];\n\n const renderCard = ({ title, url, text, image, date }) => (\n
\n {title}
\n
\n (.*?)<\\/b>/g, '$1') }}>
\n {date}\n \n );\n\n return (\n
\n
\n
kart.ai blog
\n
Stay updated with the latest news and the most popular threads!
\n
\n
\n
\n {blogPosts.map(renderCard)}\n
\n
\n
\n );\n}\n\nexport default Blog;","import React from \"react\";\nimport { MdChatBubbleOutline, MdPublic } from \"react-icons/md\";\nimport { FaTiktok, FaInstagram, FaLinkedin, FaTwitter } from \"react-icons/fa\";\nimport \"./SidebarMobile.css\";\n\nconst Topbar = ({ setProductChatToggle }) => {\n const topbarStyle = {\n backgroundColor: \"#1a1a1a\",\n padding: \"10px 20px\",\n width: \"100%\",\n display: \"flex\",\n justifyContent: \"space-between\",\n alignItems: \"center\",\n };\n\n const buttonStyle = {\n display: \"flex\",\n justifyContent: \"center\",\n alignItems: \"center\",\n padding: \"10px\",\n color: \"white\",\n };\n\n const socialMediaStyle = {\n display: \"flex\",\n justifyContent: \"space-around\",\n alignItems: \"center\",\n width: \"150px\",\n };\n\n return (\n
\n
\n \n \n
\n
\n
\n );\n};\n\nexport default Topbar;\n","import { useState, useRef, useEffect } from \"react\";\nimport \"./App.css\";\nimport \"typeface-roboto\";\nimport React from \"react\";\nimport ChatContainer from \"./ChatContainer/ChatContainer\";\nimport Sidebar from \"./Sidebar/Sidebar\";\nimport Blackboard from \"./Blackboard/Blackboard\";\nimport ProductDatabase from \"./ProductDatabase/ProductDatabase\";\nimport FeedbackForm from \"./Feedback/FeedbackForm\";\nimport FeedbackButton from \"./Feedback/FeedbackButton\";\nimport Blog from \"./Blog/Blog\";\nimport Topbar from \"./Sidebar/SidebarMobile\";\n\nimport {\n SocketReceiveChat,\n SocketReceiveRecommendations,\n SocketReceiveCriteria,\n // openCriteria,\n SocketReceiveFollowups,\n SocketSendStop,\n} from \"./ChatContainer/socket_utils\";\n\nconst App = () => {\n const [darkMode, setDarkMode] = useState(false); // Added darkMode state\n\n const defaultBackground = \"#ffffff\"; // even lighter blue closer to white\n const darkmodeBackground = \"#1a1a1a\";\n const defaultTextColor = \"#302d2d\"; //#5c5555\";\n const darkmodeTextColor = \"#e8e8e8\";\n\n const [reviewChatToggle, setProductChatToggle] = useState(false); // by default, chat is shown, so it is false.\n const [listings, setListings] = useState({});\n const [reviewDatabaseListings, setReviewDatabaseListings] = useState({});\n const [productDatabaseListings, setProductDatabaseListings] = useState({});\n const [sources, setSources] = useState([]);\n const [data, setData] = useState([]);\n const [productType, setProductType] = useState(null);\n const [criteriaList, setCriteriaList] = useState([]);\n const [waitingForResponse, setWaitingForResponse] = useState(false);\n const [relatedQueries, setRelatedQueries] = useState([]);\n const [sourceSummaries, setSourceSummaries] = useState({});\n const [feedbackFormOpen, setFeedbackFormOpen] = useState(false);\n const [selectedFeedback, setSelectedFeedback] = useState(null);\n const [feedbackSubmitted, setFeedbackSubmitted] = useState(false);\n const [userInteracted, setUserInteracted] = useState(false);\n\n const [chatMessages, setChatMessages] = useState([]);\n const websocketRef = useRef(null);\n const [isMobile, setIsMobile] = useState(window.innerWidth <= 768);\n const [hashUpdated, setHashUpdated] = useState(false); // State to track if hash has been updated\n const [waitingForChatHistory, setWaitingForChatHistory] = useState(false);\n const [scrollDirection, setScrollDirection] = useState(\"up\"); // State to track scroll direction\n\n useEffect(() => {\n if (!window.location.hash) {\n setChatMessages([\n {\n message: \"Hello, from your new shopping assistant for electronics.\",\n sender: \"assistant\",\n isHeader: true, // Added isHeader property to mark the first message as a header\n },\n ]);\n } else {\n setChatMessages([]);\n setWaitingForChatHistory(true);\n setHashUpdated(true);\n }\n const handleResize = () => {\n setIsMobile(window.innerWidth <= 768);\n };\n\n window.addEventListener(\"resize\", handleResize);\n return () => {\n window.removeEventListener(\"resize\", handleResize);\n };\n }, []);\n\n useEffect(() => {\n if (chatMessages.length > 1 && !hashUpdated) {\n updateURLWithHash();\n setHashUpdated(true);\n }\n }, [chatMessages, hashUpdated]);\n\n const backend_host =\n window.location.hostname === \"localhost\"\n ? \"http://localhost:8000\"\n : \"https://omni-backend.com\";\n\n useEffect(() => {\n const websocketHost =\n window.location.hostname === \"localhost\"\n ? \"ws://localhost:8000/ws/chat/\"\n : \"wss://omni-backend.com/ws/chat/\";\n websocketRef.current = new WebSocket(websocketHost);\n\n websocketRef.current.onopen = () => {\n if (window.location.hash) {\n setUserInteracted(true);\n websocketRef.current.send(\n JSON.stringify({\n type: \"chat_history_requested\",\n chat_hash: window.location.hash.substring(1),\n })\n );\n }\n };\n\n websocketRef.current.onmessage = (event) => {\n const response_json = JSON.parse(event.data);\n if (response_json.type === \"chat\") {\n SocketReceiveChat(\n setChatMessages,\n response_json,\n setWaitingForResponse,\n websocketRef\n );\n\n if (response_json.message === null) {\n websocketRef.current.send(\n JSON.stringify({\n type: \"get_followups\",\n })\n );\n }\n } else if (response_json.type === \"chat_history\") {\n setChatMessages((prevMessages) => {\n const newMessages = response_json.messages\n .map((msg) => {\n if (msg.role) {\n return {\n sender: msg.role,\n message: msg.content,\n };\n } else {\n const response_json = JSON.parse(msg).response;\n setSources(\n Array.from(\n new Set(\n response_json.map((item) =>\n JSON.stringify({\n text: item.fields[\"source_name\"],\n link: item.fields[\"source\"],\n })\n )\n )\n ).map((item) => JSON.parse(item))\n );\n\n const productNamesJson = response_json.map((item) =>\n JSON.stringify(item.fields)\n );\n return {\n message: productNamesJson,\n sender: \"recommender\",\n topic: JSON.parse(msg).topic,\n };\n }\n })\n .filter(Boolean);\n\n return [\n ...[\n {\n message: \"Hello, from your new shopping assistant.\",\n sender: \"assistant\",\n isHeader: true, // Added isHeader property to mark the first message as a header\n },\n ],\n ...newMessages,\n ];\n });\n\n setRelatedQueries(response_json.related_queries);\n setWaitingForChatHistory(false);\n } else if (response_json.type === \"criteria\") {\n SocketReceiveCriteria(\n setChatMessages,\n response_json,\n setWaitingForResponse,\n setData,\n websocketRef\n );\n\n if (response_json.message === null) {\n websocketRef.current.send(\n JSON.stringify({\n type: \"get_followups\",\n })\n );\n }\n } else if (response_json.type === \"criteria_json\") {\n setData((prevData) => {\n const newData = [...(prevData || []), ...response_json.message];\n return Array.from(new Set(newData.map(JSON.stringify))).map(\n JSON.parse\n );\n });\n } else if (response_json.type === \"get_source_chunks\") {\n SocketReceiveRecommendations(\n setChatMessages,\n setSources,\n setData,\n setWaitingForResponse,\n websocketRef,\n response_json.response,\n response_json.topic ? response_json.topic : null\n );\n\n if (response_json.message === null) {\n websocketRef.current.send(\n JSON.stringify({\n type: \"get_followups\",\n })\n );\n }\n } else if (response_json.type === \"followups\") {\n SocketReceiveFollowups(\n setRelatedQueries,\n setWaitingForResponse,\n response_json.questions\n );\n } else if (response_json.type === \"price_listings\") {\n // update messages\n setChatMessages((prevMessages) => [\n ...prevMessages,\n { message: response_json.message, sender: \"price\" },\n ]);\n } else if (response_json.type === \"product_type\") {\n if (\n typeof response_json.product === \"string\" &&\n response_json.product.trim().length > 0\n ) {\n setProductType(response_json.product);\n setCriteriaList(response_json.criteria_jsons);\n }\n } else if (response_json.type === \"listings\") {\n setListings((prevListings) => {\n const { [response_json.product_name]: _, ...rest } = prevListings;\n return {\n ...rest,\n [response_json.product_name]: response_json.listings,\n };\n });\n } else if (response_json.type === \"source_summary\") {\n setSourceSummaries((prevSourceSummaries) => {\n const product_id = response_json.product_id;\n const message = response_json.message;\n return {\n ...prevSourceSummaries,\n [product_id]: prevSourceSummaries[product_id]\n ? prevSourceSummaries[product_id] + message\n : message,\n };\n });\n } else if (response_json.type == \"reviewdatabase_json\") {\n setReviewDatabaseListings(response_json);\n } else if (response_json.type == \"productdatabase_json\") {\n setProductDatabaseListings(response_json);\n } else if (response_json.type == \"stop_confirmation\") {\n setChatMessages([\n {\n message: \"Hello, from your new shopping assistant.\",\n sender: \"assistant\",\n isHeader: true, // Added isHeader property to mark the first message as a header\n },\n ]);\n setData([]);\n setSources([]);\n setProductType(null);\n setCriteriaList([]);\n setWaitingForResponse(false);\n setRelatedQueries([]);\n setSourceSummaries({});\n setHashUpdated(false); // Reset hashUpdated state\n window.location.hash = \"\";\n }\n };\n\n websocketRef.current.onerror = (event) => {\n console.error(\"WebSocket error:\", event);\n };\n\n return () => {\n websocketRef.current.close();\n };\n }, [setData, setSources, setSourceSummaries]);\n\n useEffect(() => {\n //console.log('Sources updated:', sources);\n }, [sources]);\n\n const handleClearChat = () => {\n SocketSendStop(websocketRef);\n };\n\n // we send chats from before. however, old information may not work\n const updateURLWithHash = () => {\n const hash = Math.random().toString(36).substring(2, 18);\n window.location.hash = hash;\n if (\n websocketRef.current &&\n websocketRef.current.readyState === WebSocket.OPEN\n ) {\n websocketRef.current.send(\n JSON.stringify({\n type: \"hash_update\",\n chat_hash: hash,\n })\n );\n }\n };\n\n useEffect(() => {\n let lastScrollY = window.scrollY;\n const handleScroll = () => {\n if (window.scrollY > lastScrollY) {\n setScrollDirection(\"down\");\n } else {\n setScrollDirection(\"up\");\n }\n lastScrollY = window.scrollY;\n };\n\n window.addEventListener(\"scroll\", handleScroll);\n return () => {\n window.removeEventListener(\"scroll\", handleScroll);\n };\n }, []);\n\n return (\n
\n {isMobile ? (\n <>\n
\n \n
\n
\n {feedbackFormOpen && (\n
\n )}\n
\n
\n {!reviewChatToggle ? (\n \n ) : (\n \n )}\n
\n
\n
\n >\n ) : (\n <>\n
\n {feedbackFormOpen && (\n
\n )}\n
\n
\n \n
\n
\n
1 && !reviewChatToggle) ? \"77%\" : \"100%\" }}>\n {!reviewChatToggle ? (\n \n ) : (\n \n )}\n
\n {chatMessages.length > 1 && !reviewChatToggle && (\n
\n \n
\n )}\n
\n
\n >\n )}\n
\n );\n};\n\nexport default App;","const reportWebVitals = onPerfEntry => {\n if (onPerfEntry && onPerfEntry instanceof Function) {\n import('web-vitals').then(({ getCLS, getFID, getFCP, getLCP, getTTFB }) => {\n getCLS(onPerfEntry);\n getFID(onPerfEntry);\n getFCP(onPerfEntry);\n getLCP(onPerfEntry);\n getTTFB(onPerfEntry);\n });\n }\n};\n\nexport default reportWebVitals;\n","import React from 'react';\nimport ReactDOM from 'react-dom/client';\nimport './index.css';\nimport App from './App';\nimport reportWebVitals from './reportWebVitals';\n\nconst root = ReactDOM.createRoot(document.getElementById('root'));\nroot.render(
);\n\n// If you want to start measuring performance in your app, pass a function\n// to log results (for example: reportWebVitals(console.log))\n// or send to an analytics endpoint. Learn more: https://bit.ly/CRA-vitals\nreportWebVitals();\n"],"names":["StyleSheet","options","_this","this","_insertTag","tag","before","tags","length","insertionPoint","nextSibling","prepend","container","firstChild","insertBefore","push","isSpeedy","undefined","speedy","ctr","nonce","key","_proto","prototype","hydrate","nodes","forEach","insert","rule","document","createElement","setAttribute","appendChild","createTextNode","createStyleElement","sheet","i","styleSheets","ownerNode","sheetForTag","insertRule","cssRules","e","process","flush","parentNode","removeChild","abs","Math","from","String","fromCharCode","assign","Object","trim","value","replace","pattern","replacement","indexof","search","indexOf","charat","index","charCodeAt","substr","begin","end","slice","strlen","sizeof","append","array","line","column","position","character","characters","node","root","parent","type","props","children","return","copy","prev","next","peek","caret","token","alloc","dealloc","delimit","delimiter","whitespace","escaping","count","commenter","identifier","MS","MOZ","WEBKIT","COMMENT","RULESET","DECLARATION","KEYFRAMES","serialize","callback","output","stringify","element","join","compile","parse","rules","rulesets","pseudo","points","declarations","offset","atrule","property","previous","variable","scanning","ampersand","reference","comment","declaration","ruleset","post","size","j","k","x","y","z","identifierWithPointTracking","getRules","parsed","toRules","fixedElements","WeakMap","compat","isImplicitRule","get","set","parentRules","removeLabel","prefix","hash","defaultStylisPlugins","map","combine","exec","match","createCache","ssrStyles","querySelectorAll","Array","call","getAttribute","head","stylisPlugins","_insert","inserted","nodesToHydrate","attrib","split","currentSheet","finalizingPlugins","serializer","collection","middleware","concat","selector","serialized","shouldCache","styles","cache","name","registered","memoize","fn","create","arg","isBrowser","EmotionCacheContext","React","HTMLElement","CacheProvider","Provider","withEmotionCache","func","forwardRef","ref","useContext","ThemeContext","Global","serializeStyles","isBrowser$1","_ref","serializedNames","serializedStyles","dangerouslySetInnerHTML","__html","sheetRef","useInsertionEffectWithLayoutFallback","constructor","rehydrating","querySelector","current","sheetRefCurrent","insertStyles","nextElementSibling","css","_len","arguments","args","_key","keyframes","insertable","apply","anim","toString","unitlessKeys","animationIterationCount","aspectRatio","borderImageOutset","borderImageSlice","borderImageWidth","boxFlex","boxFlexGroup","boxOrdinalGroup","columnCount","columns","flex","flexGrow","flexPositive","flexShrink","flexNegative","flexOrder","gridRow","gridRowEnd","gridRowSpan","gridRowStart","gridColumn","gridColumnEnd","gridColumnSpan","gridColumnStart","msGridRow","msGridRowSpan","msGridColumn","msGridColumnSpan","fontWeight","lineHeight","opacity","order","orphans","tabSize","widows","zIndex","zoom","WebkitLineClamp","fillOpacity","floodOpacity","stopOpacity","strokeDasharray","strokeDashoffset","strokeMiterlimit","strokeOpacity","strokeWidth","hyphenateRegex","animationRegex","isCustomProperty","isProcessableValue","processStyleName","styleName","toLowerCase","processStyleValue","p1","p2","cursor","unitless","handleInterpolation","mergedProps","interpolation","__emotion_styles","obj","string","isArray","interpolated","_i","createStringFromObject","previousCursor","result","cached","labelPattern","stringMode","strings","raw","lastIndex","identifierName","str","h","len","hashString","useInsertionEffect","useInsertionEffectAlwaysWithSyncFallback","getRegisteredStyles","registeredStyles","classNames","rawClassName","className","registerStyles","isStringTag","_interopRequireDefault","require","exports","_createSvgIcon","_jsxRuntime","default","jsx","d","cx","cy","r","defineProperty","enumerable","_utils","createSvgIcon","black","white","A100","A200","A400","A700","_excluded","light","text","primary","secondary","disabled","divider","background","paper","common","action","active","hover","hoverOpacity","selected","selectedOpacity","disabledBackground","disabledOpacity","focus","focusOpacity","activatedOpacity","dark","icon","addLightOrDark","intent","direction","shade","tonalOffset","tonalOffsetLight","tonalOffsetDark","hasOwnProperty","lighten","main","darken","createPalette","palette","mode","contrastThreshold","other","_objectWithoutPropertiesLoose","blue","getDefaultPrimary","purple","getDefaultSecondary","error","red","getDefaultError","info","lightBlue","getDefaultInfo","success","green","getDefaultSuccess","warning","orange","getDefaultWarning","getContrastText","getContrastRatio","augmentColor","color","mainShade","lightShade","darkShade","_extends","Error","_formatMuiErrorMessage","JSON","contrastText","modes","deepmerge","grey","caseAllCaps","textTransform","defaultFontFamily","createTypography","typography","fontFamily","fontSize","fontWeightLight","fontWeightRegular","fontWeightMedium","fontWeightBold","htmlFontSize","allVariants","pxToRem","pxToRem2","coef","buildVariant","letterSpacing","casing","round","variants","h1","h2","h3","h4","h5","h6","subtitle1","subtitle2","body1","body2","button","caption","overline","inherit","clone","createShadow","easing","easeInOut","easeOut","easeIn","sharp","duration","shortest","shorter","short","standard","complex","enteringScreen","leavingScreen","formatMs","milliseconds","getAutoHeightDuration","height","constant","createTransitions","inputTransitions","mergedEasing","mergedDuration","durationOption","easingOption","delay","animatedProp","mobileStepper","fab","speedDial","appBar","drawer","modal","snackbar","tooltip","createTheme","mixins","mixinsInput","paletteInput","transitions","transitionsInput","typographyInput","vars","systemTheme","systemCreateTheme","muiTheme","breakpoints","toolbar","minHeight","up","shadows","reduce","acc","argument","unstable_sxConfig","defaultSxConfig","unstable_sx","styleFunctionSx","sx","theme","prop","slotShouldForwardProp","createStyled","themeId","THEME_ID","defaultTheme","rootShouldForwardProp","resolveProps","defaultProps","keys","propName","defaultSlotProps","slotProps","slotPropName","getThemeProps","params","components","useThemeProps","useTheme","systemUseThemeProps","funcs","_len2","_key2","getSvgIconUtilityClass","slot","generateUtilityClass","generateUtilityClasses","SvgIconRoot","styled","overridesResolver","ownerState","capitalize","_theme$transitions","_theme$transitions$cr","_theme$transitions2","_theme$typography","_theme$typography$pxT","_theme$typography2","_theme$typography2$px","_theme$typography3","_theme$typography3$px","_palette$ownerState$c","_palette","_palette2","_palette3","userSelect","width","display","fill","hasSvgAsChild","transition","small","medium","large","SvgIcon","inProps","component","htmlColor","inheritViewBox","titleAccess","viewBox","instanceFontSize","more","classes","slots","composeClasses","useUtilityClasses","_jsxs","as","clsx","focusable","role","_jsx","muiName","path","displayName","Component","timeout","wait","debounced","clearTimeout","setTimeout","later","clear","validator","reason","muiNames","_muiName","_element$type","_payload","ownerDocument","defaultView","window","componentNameInError","globalId","maybeReactUseId","idOverride","reactId","defaultId","setDefaultId","id","useGlobalId","componentName","location","propFullName","controlled","defaultProp","state","isControlled","valueState","setValue","newValue","unstable_ClassNameGenerator","configure","generator","ClassNameGenerator","useEnhancedEffect","refs","every","instance","setRef","hadKeyboardEvent","hadFocusVisibleRecently","hadFocusVisibleRecentlyTimeout","Timeout","inputTypesWhitelist","url","tel","email","password","number","date","month","week","time","datetime","handleKeyDown","event","metaKey","altKey","ctrlKey","handlePointerDown","handleVisibilityChange","visibilityState","isFocusVisible","target","matches","tagName","readOnly","isContentEditable","focusTriggersKeyboardModality","doc","addEventListener","isFocusVisibleRef","onFocus","onBlur","start","reactPropsRegex","isPropValid","test","testOmitPropsOnStringTag","testOmitPropsOnComponent","getDefaultShouldForwardProp","composeShouldForwardProps","isReal","shouldForwardProp","optionsShouldForwardProp","__emotion_forwardProp","Insertion","newStyled","targetClassName","__emotion_real","baseTag","__emotion_base","label","defaultShouldForwardProp","shouldUseAs","Styled","FinalTag","classInterpolations","finalShouldForwardProp","newProps","withComponent","nextTag","nextOptions","bind","StyledEngineProvider","injectFirst","GlobalStyles","globalStyles","themeInput","emStyled","internal_processStyles","processor","alpha","foreground","lumA","getLuminance","lumB","max","min","_formatMuiErrorMessage2","_clamp","clampWrapper","hexToRgb","re","RegExp","colors","n","parseInt","decomposeColor","charAt","marker","substring","colorSpace","values","shift","parseFloat","colorChannel","decomposedColor","val","idx","recomposeColor","hslToRgb","s","l","a","f","rgb","Number","toFixed","coefficient","emphasize","input","systemDefaultTheme","systemSx","_styleFunctionSx","_extends2","resolveTheme","__mui_systemSx","inputOptions","_styledEngine","filter","style","componentSlot","skipVariantsResolver","inputSkipVariantsResolver","skipSx","inputSkipSx","defaultOverridesResolver","lowercaseFirstLetter","_objectWithoutPropertiesLoose2","_excluded3","shouldForwardPropOption","defaultStyledResolver","transformStyleArg","stylesArg","_deepmerge","isPlainObject","processStyleArg","muiStyledResolver","styleArg","transformedStyleArg","expressions","expressionsWithDefaultTheme","styleOverrides","resolvedStyleOverrides","entries","_ref3","slotKey","slotStyle","_theme$components","numOfCustomFnsApplied","placeholders","withConfig","__esModule","t","_getRequireWildcardCache","has","__proto__","getOwnPropertyDescriptor","u","_interopRequireWildcard","_createTheme","_excluded2","_ref2","callableStyle","resolvedStylesArg","flatMap","resolvedStyle","variant","isMatch","xs","sm","md","lg","xl","defaultBreakpoints","handleBreakpoints","propValue","styleFromPropValue","themeBreakpoints","item","breakpoint","cssKey","createEmptyBreakpointObject","breakpointsInput","_breakpointsInput$key","removeUnusedBreakpoints","breakpointKeys","breakpointOutput","applyStyles","getColorSchemeSelector","sortBreakpointsValues","breakpointsAsArray","sort","breakpoint1","breakpoint2","createBreakpoints","unit","step","sortedValues","down","between","endIndex","only","not","keyIndex","borderRadius","spacing","spacingInput","shape","shapeInput","mui","transform","createUnarySpacing","argsInput","createSpacing","properties","m","p","directions","b","aliases","marginX","marginY","paddingX","paddingY","getCssProperties","dir","marginKeys","paddingKeys","spacingKeys","createUnaryUnit","themeKey","defaultValue","_getPath","themeSpacing","getPath","getValue","transformer","transformed","resolveCssProperty","cssProperties","cssProperty","getStyleFromPropValue","merge","margin","padding","propTypes","filterProps","checkVars","getStyleValue","themeMapping","propValueFinal","userValue","handlers","borderTransform","createBorderStyle","border","borderTop","borderRight","borderBottom","borderLeft","borderColor","borderTopColor","borderRightColor","borderBottomColor","borderLeftColor","outline","outlineColor","compose","gap","columnGap","rowGap","paletteTransform","sizingTransform","maxWidth","_props$theme","_props$theme2","breakpointsValues","minWidth","maxHeight","bgcolor","backgroundColor","pt","pr","pb","pl","px","py","paddingTop","paddingRight","paddingBottom","paddingLeft","paddingInline","paddingInlineStart","paddingInlineEnd","paddingBlock","paddingBlockStart","paddingBlockEnd","mt","mr","mb","ml","mx","my","marginTop","marginRight","marginBottom","marginLeft","marginInline","marginInlineStart","marginInlineEnd","marginBlock","marginBlockStart","marginBlockEnd","displayPrint","overflow","textOverflow","visibility","whiteSpace","flexBasis","flexDirection","flexWrap","justifyContent","alignItems","alignContent","alignSelf","justifyItems","justifySelf","gridAutoFlow","gridAutoColumns","gridAutoRows","gridTemplateColumns","gridTemplateRows","gridTemplateAreas","gridArea","top","right","bottom","left","boxShadow","boxSizing","fontStyle","textAlign","splitProps","_props$theme$unstable","systemProps","otherProps","config","extendSxProp","inSx","finalSx","unstable_createStyleFunctionSx","getThemeValue","_theme$unstable_sxCon","traverse","sxInput","sxObject","emptyBreakpoints","breakpointsKeys","styleKey","maybeFn","objects","allKeys","object","union","Set","objectsHaveSameKeys","contextTheme","useThemeWithoutDefault","defaultGenerator","createClassNameGenerator","generate","reset","toUpperCase","MIN_SAFE_INTEGER","MAX_SAFE_INTEGER","getUtilityClass","utilityClass","getPrototypeOf","Symbol","toStringTag","iterator","deepClone","source","formatMuiErrorMessage","code","encodeURIComponent","globalStateClasses","checked","completed","expanded","focused","focusVisible","open","required","globalStatePrefix","globalStateClass","fnNameMatchRegex","getFunctionName","getFunctionComponentName","fallback","getWrappedName","outerType","innerType","wrapperName","functionName","getDisplayName","$$typeof","ForwardRef","render","Memo","for","c","g","q","v","module","UNINITIALIZED","EMPTY","currentId","disposeEffect","useTimeout","init","initArg","useLazyRef","_assign","emptyObject","validateFormat","format","_invariant","condition","argIndex","framesToPop","MIXINS_KEY","ReactComponent","isValidElement","ReactNoopUpdateQueue","injectedMixins","ReactClassInterface","statics","contextTypes","childContextTypes","getDefaultProps","getInitialState","getChildContext","componentWillMount","componentDidMount","componentWillReceiveProps","shouldComponentUpdate","componentWillUpdate","componentDidUpdate","componentWillUnmount","UNSAFE_componentWillMount","UNSAFE_componentWillReceiveProps","UNSAFE_componentWillUpdate","updateComponent","ReactClassStaticInterface","getDerivedStateFromProps","RESERVED_SPEC_KEYS","Constructor","mixSpecIntoComponent","createMergedResultFunction","mixStaticSpecIntoComponent","autobind","validateMethodOverride","isAlreadyDefined","specPolicy","ReactClassMixin","spec","proto","autoBindPairs","__reactAutoBindPairs","isReactClassMethod","createChainedFunction","mergeIntoWithNoDuplicateKeys","one","two","bindAutoBindMethod","method","IsMountedPreMixin","__isMounted","IsMountedPostMixin","replaceState","newState","updater","enqueueReplaceState","isMounted","ReactClassComponent","context","pairs","autoBindKey","bindAutoBindMethods","initialState","methodName","makeEmptyFunction","emptyFunction","thatReturns","thatReturnsFalse","thatReturnsTrue","thatReturnsNull","thatReturnsThis","thatReturnsArgument","reactIs","REACT_STATICS","contextType","getDerivedStateFromError","KNOWN_STATICS","caller","callee","arity","MEMO_STATICS","compare","TYPE_STATICS","getStatics","isMemo","getOwnPropertyNames","getOwnPropertySymbols","objectPrototype","hoistNonReactStatics","targetComponent","sourceComponent","blacklist","inheritedComponent","targetStatics","sourceStatics","descriptor","w","A","AsyncMode","ConcurrentMode","ContextConsumer","ContextProvider","Element","Fragment","Lazy","Portal","Profiler","StrictMode","Suspense","isAsyncMode","isConcurrentMode","isContextConsumer","isContextProvider","isElement","isForwardRef","isFragment","isLazy","isPortal","isProfiler","isStrictMode","isSuspense","isValidElementType","typeOf","define","sizes","tiny","mdInactive","_react","_propTypes","_webfontloader","_mappings","_react2","_propTypes2","_webfontloader2","_objectWithoutProperties","_classCallCheck","TypeError","_createClass","defineProperties","configurable","writable","protoProps","staticProps","_possibleConstructorReturn","self","ReferenceError","_inherits","subClass","superClass","setPrototypeOf","MaterialIcon","_Component","preloader","onFontActive","processProps","load","google","families","fontactive","fvd","_processProps","styleOverride","clsName","setState","_props","invert","inactive","sizeMapped","defaultColor","inactiveColor","propStyle","_processProps2","isRequired","oneOfType","bool","colorPalette","_500","_50","_100","_200","_300","_400","_600","_700","_800","_900","pink","deepPurple","indigo","cyan","teal","lightGreen","lime","yellow","amber","deepOrange","brown","blueGrey","KeyEscapeUtils","escape","escaperLookup","unescape","unescaperLookup","_prodInvariant","oneArgumentPooler","copyFieldsFrom","Klass","instancePool","pop","standardReleaser","destructor","poolSize","DEFAULT_POOLER","PooledClass","addPoolingTo","CopyConstructor","pooler","NewKlass","getPooled","release","twoArgumentPooler","a1","a2","threeArgumentPooler","a3","fourArgumentPooler","a4","ReactBaseClasses","ReactChildren","ReactDOMFactories","ReactElement","ReactPropTypes","ReactVersion","createReactClass","onlyChild","createFactory","cloneElement","__spread","Children","toArray","PureComponent","PropTypes","createClass","createMixin","mixin","DOM","version","ReactPureComponent","ComponentDummy","isReactComponent","partialState","enqueueSetState","enqueueCallback","forceUpdate","enqueueForceUpdate","isPureReactComponent","traverseAllChildren","userProvidedKeyEscapeRegex","escapeUserProvidedKey","ForEachBookKeeping","forEachFunction","forEachContext","forEachSingleChild","bookKeeping","child","MapBookKeeping","mapResult","keyPrefix","mapFunction","mapContext","mapSingleChildIntoContext","childKey","mappedChild","mapIntoWithKeyPrefixInternal","cloneAndReplaceKey","escapedPrefix","traverseContext","forEachSingleChildDummy","forEachFunc","createDOMFactory","abbr","address","area","article","aside","audio","base","bdi","bdo","big","blockquote","body","br","canvas","cite","col","colgroup","data","datalist","dd","del","details","dfn","dialog","div","dl","dt","em","embed","fieldset","figcaption","figure","footer","form","header","hgroup","hr","html","iframe","img","ins","kbd","keygen","legend","li","link","mark","menu","menuitem","meta","meter","nav","noscript","ol","optgroup","option","param","picture","pre","progress","rp","rt","ruby","samp","script","section","select","span","strong","sub","summary","sup","table","tbody","td","textarea","tfoot","th","thead","title","tr","track","ul","video","wbr","circle","clipPath","defs","ellipse","image","linearGradient","mask","polygon","polyline","radialGradient","rect","stop","svg","tspan","ReactCurrentOwner","REACT_ELEMENT_TYPE","RESERVED_PROPS","__self","__source","hasValidRef","hasValidKey","owner","_owner","childrenLength","childArray","factory","oldElement","newKey","_self","_source","publicInstance","completeState","ITERATOR_SYMBOL","maybeIterable","iteratorFn","argCount","message","argIdx","getIteratorFn","SEPARATOR","SUBSEPARATOR","getComponentKey","traverseAllChildrenImpl","nameSoFar","subtreeCount","nextNamePrefix","ii","done","entry","childrenString","propIsEnumerable","propertyIsEnumerable","test1","test2","test3","letter","err","shouldUseNative","symbols","to","toObject","checkPropTypes","typeSpecs","getStack","resetWarningCache","ReactPropTypesSecret","emptyFunctionWithReset","shim","secret","getShim","bigint","symbol","any","arrayOf","elementType","instanceOf","objectOf","oneOf","exact","ReactIs","emptyFunctionThatReturnsNull","throwOnDirectAccess","FAUX_ITERATOR_SYMBOL","ANONYMOUS","createPrimitiveTypeChecker","createChainableTypeChecker","typeChecker","PropTypeError","getPropType","expectedClass","expectedClassName","isNode","propType","expectedValues","is","valuesString","getPreciseType","arrayOfTypeCheckers","checker","getPostfixForTypeWarning","expectedTypes","checkerResult","expectedType","shapeTypes","invalidValidatorError","stack","validate","checkType","chainedCheckType","isSymbol","Date","Function","aa","ca","da","ea","fa","ha","add","ia","ja","ka","la","ma","acceptsBooleans","attributeName","attributeNamespace","mustUseProperty","propertyName","sanitizeURL","removeEmptyString","ra","sa","ta","pa","isNaN","qa","oa","removeAttribute","setAttributeNS","xlinkHref","ua","__SECRET_INTERNALS_DO_NOT_USE_OR_YOU_WILL_BE_FIRED","va","wa","ya","za","Aa","Ba","Ca","Da","Ea","Fa","Ga","Ha","Ia","Ja","Ka","La","Ma","Na","Oa","prepareStackTrace","Reflect","construct","includes","Pa","Qa","_context","_init","Ra","Sa","Ta","nodeName","Va","_valueTracker","stopTracking","Ua","Wa","Xa","activeElement","Ya","defaultChecked","_wrapperState","initialChecked","Za","initialValue","ab","bb","cb","db","eb","fb","defaultSelected","gb","hb","ib","jb","textContent","kb","lb","nb","namespaceURI","innerHTML","valueOf","MSApp","execUnsafeLocalFunction","ob","lastChild","nodeType","nodeValue","lineClamp","qb","rb","sb","setProperty","tb","ub","vb","wb","xb","srcElement","correspondingUseElement","yb","zb","Ab","Bb","Cb","stateNode","Db","Eb","Fb","Gb","Hb","Ib","Jb","Kb","Lb","Mb","removeEventListener","Nb","onError","Ob","Pb","Qb","Rb","Sb","Tb","Vb","alternate","flags","Wb","memoizedState","dehydrated","Xb","Zb","sibling","Yb","$b","ac","unstable_scheduleCallback","bc","unstable_cancelCallback","cc","unstable_shouldYield","dc","unstable_requestPaint","B","unstable_now","ec","unstable_getCurrentPriorityLevel","fc","unstable_ImmediatePriority","gc","unstable_UserBlockingPriority","hc","unstable_NormalPriority","ic","unstable_LowPriority","jc","unstable_IdlePriority","kc","lc","oc","clz32","pc","qc","log","LN2","rc","sc","tc","uc","pendingLanes","suspendedLanes","pingedLanes","entangledLanes","entanglements","vc","xc","yc","zc","Ac","eventTimes","Cc","C","Dc","Ec","Fc","Gc","Hc","Ic","Jc","Kc","Lc","Mc","Nc","Oc","Map","Pc","Qc","Rc","Sc","delete","pointerId","Tc","nativeEvent","blockedOn","domEventName","eventSystemFlags","targetContainers","Vc","Wc","priority","isDehydrated","containerInfo","Xc","Yc","dispatchEvent","Zc","$c","ad","bd","cd","ReactCurrentBatchConfig","ed","fd","gd","hd","Uc","stopPropagation","jd","kd","ld","nd","od","keyCode","charCode","pd","qd","rd","_reactName","_targetInst","currentTarget","isDefaultPrevented","defaultPrevented","returnValue","isPropagationStopped","preventDefault","cancelBubble","persist","isPersistent","wd","xd","yd","sd","eventPhase","bubbles","cancelable","timeStamp","now","isTrusted","ud","view","detail","vd","Ad","screenX","screenY","clientX","clientY","pageX","pageY","shiftKey","getModifierState","zd","buttons","relatedTarget","fromElement","toElement","movementX","movementY","Bd","Dd","dataTransfer","Fd","Hd","animationName","elapsedTime","pseudoElement","Id","clipboardData","Jd","Ld","Md","Esc","Spacebar","Left","Up","Right","Down","Del","Win","Menu","Apps","Scroll","MozPrintableKey","Nd","Od","Alt","Control","Meta","Shift","Pd","Qd","repeat","locale","which","Rd","Td","pressure","tangentialPressure","tiltX","tiltY","twist","pointerType","isPrimary","Vd","touches","targetTouches","changedTouches","Xd","Yd","deltaX","wheelDeltaX","deltaY","wheelDeltaY","wheelDelta","deltaZ","deltaMode","Zd","$d","ae","be","documentMode","ce","de","ee","fe","ge","he","ie","le","range","me","ne","oe","listeners","pe","qe","se","te","ue","ve","we","xe","ye","ze","oninput","Ae","detachEvent","Be","Ce","attachEvent","De","Ee","Fe","He","Ie","Je","Ke","Le","contains","compareDocumentPosition","Me","HTMLIFrameElement","contentWindow","href","Ne","contentEditable","Oe","focusedElem","selectionRange","documentElement","selectionStart","selectionEnd","getSelection","extend","rangeCount","anchorNode","anchorOffset","focusNode","focusOffset","createRange","setStart","removeAllRanges","addRange","setEnd","scrollLeft","scrollTop","Pe","Qe","Re","Se","Te","Ue","Ve","We","animationend","animationiteration","animationstart","transitionend","Xe","Ye","Ze","animation","$e","af","bf","cf","df","ef","ff","gf","hf","lf","mf","nf","Ub","listener","D","of","pf","qf","rf","random","sf","capture","passive","J","F","tf","uf","parentWindow","vf","wf","na","xa","$a","ba","je","char","ke","unshift","xf","yf","zf","Af","Bf","Cf","Df","Ef","Ff","Gf","Hf","Promise","Jf","queueMicrotask","resolve","then","catch","If","Kf","Lf","Mf","previousSibling","Nf","Of","Pf","Qf","Rf","Sf","Tf","Uf","E","G","Vf","H","Wf","Xf","Yf","__reactInternalMemoizedUnmaskedChildContext","__reactInternalMemoizedMaskedChildContext","Zf","$f","ag","bg","cg","__reactInternalMemoizedMergedChildContext","dg","eg","fg","gg","hg","jg","kg","mg","ng","og","pg","qg","rg","sg","tg","ug","vg","wg","xg","yg","I","zg","Ag","Bg","deletions","Cg","pendingProps","treeContext","retryLane","Dg","Eg","Fg","Gg","memoizedProps","Hg","Ig","Jg","Kg","Lg","_stringRef","Mg","Ng","Og","Pg","Qg","Rg","implementation","Sg","Tg","Ug","Vg","Wg","Xg","Yg","Zg","$g","ah","_currentValue","bh","childLanes","ch","dependencies","firstContext","lanes","dh","eh","memoizedValue","fh","gh","hh","interleaved","ih","jh","kh","updateQueue","baseState","firstBaseUpdate","lastBaseUpdate","shared","pending","effects","lh","mh","eventTime","lane","payload","nh","K","oh","ph","qh","rh","sh","uh","vh","wh","xh","yh","zh","Ah","Bh","L","Ch","revealOrder","Dh","Eh","_workInProgressVersionPrimary","Fh","ReactCurrentDispatcher","Gh","Hh","M","N","O","Ih","Jh","Kh","Lh","P","Mh","Nh","Oh","Ph","Qh","Rh","Sh","Th","baseQueue","queue","Uh","Vh","Wh","lastRenderedReducer","hasEagerState","eagerState","lastRenderedState","dispatch","Xh","Yh","Zh","$h","ai","getSnapshot","bi","ci","Q","di","lastEffect","stores","ei","fi","gi","hi","destroy","deps","ji","ki","mi","ni","oi","pi","qi","ri","si","ti","ui","vi","wi","xi","yi","zi","Ai","R","Bi","readContext","useCallback","useEffect","useImperativeHandle","useLayoutEffect","useMemo","useReducer","useRef","useState","useDebugValue","useDeferredValue","useTransition","useMutableSource","useSyncExternalStore","useId","unstable_isNewReconciler","identifierPrefix","Ci","Di","Ei","_reactInternals","Fi","Gi","Hi","Ii","getSnapshotBeforeUpdate","Ji","digest","Ki","Li","console","Mi","Ni","Oi","Pi","Qi","componentDidCatch","Ri","componentStack","Si","pingCache","Ti","Ui","Vi","Wi","Xi","Yi","Zi","$i","aj","bj","cj","dj","baseLanes","cachePool","ej","fj","gj","hj","ij","jj","kj","pendingContext","lj","zj","Aj","Bj","Cj","mj","nj","oj","pj","qj","sj","dataset","dgst","tj","uj","_reactRetry","rj","subtreeFlags","vj","wj","isBackwards","rendering","renderingStartTime","last","tail","tailMode","xj","Dj","S","Ej","Fj","wasMultiple","multiple","suppressHydrationWarning","onClick","onclick","createElementNS","autoFocus","T","Gj","Hj","Ij","Jj","U","Kj","WeakSet","V","Lj","W","Mj","Nj","Pj","Qj","Rj","Sj","Tj","Uj","Vj","_reactRootContainer","Wj","X","Xj","Yj","Zj","onCommitFiberUnmount","ak","bk","ck","dk","ek","isHidden","fk","gk","hk","ik","jk","kk","__reactInternalSnapshotBeforeUpdate","src","Vk","lk","ceil","mk","nk","ok","Y","Z","pk","qk","rk","sk","tk","Infinity","uk","vk","wk","xk","yk","zk","Ak","Bk","Ck","Dk","callbackNode","expirationTimes","expiredLanes","wc","callbackPriority","ig","Ek","Fk","Gk","Hk","Ik","Jk","Kk","Lk","Mk","Nk","Ok","finishedWork","finishedLanes","Pk","timeoutHandle","Qk","Rk","Sk","Tk","Uk","mutableReadLanes","Bc","Oj","onCommitFiberRoot","mc","onRecoverableError","Wk","onPostCommitFiberRoot","Xk","Yk","$k","pendingChildren","al","mutableSourceEagerHydrationData","bl","pendingSuspenseBoundaries","el","fl","gl","hl","il","yj","Zk","kl","reportError","ll","_internalRoot","nl","rl","ql","unmount","unstable_scheduleHydration","splice","sl","usingClientEntryPoint","Events","tl","findFiberByHostInstance","bundleType","rendererPackageName","rendererConfig","overrideHookState","overrideHookStateDeletePath","overrideHookStateRenamePath","overrideProps","overridePropsDeletePath","overridePropsRenamePath","setErrorHandler","setSuspenseHandler","scheduleUpdate","currentDispatcherRef","findHostInstanceByFiber","findHostInstancesForRefresh","scheduleRefresh","scheduleRoot","setRefreshHandler","getCurrentFiber","reconcilerVersion","__REACT_DEVTOOLS_GLOBAL_HOOK__","vl","isDisabled","supportsFiber","inject","createPortal","cl","createRoot","unstable_strictMode","findDOMNode","flushSync","hydrateRoot","hydratedSources","_getVersion","unmountComponentAtNode","unstable_batchedUpdates","unstable_renderSubtreeIntoContainer","checkDCE","jsxs","_status","_result","act","createContext","_currentValue2","_threadCount","Consumer","_defaultValue","_globalName","createRef","lazy","memo","startTransition","unstable_act","sortIndex","performance","setImmediate","startTime","expirationTime","priorityLevel","navigator","scheduling","isInputPending","MessageChannel","port2","port1","onmessage","postMessage","unstable_Profiling","unstable_continueExecution","unstable_forceFrameRate","floor","unstable_getFirstCallbackNode","unstable_next","unstable_pauseExecution","unstable_runWithPriority","unstable_wrapCallback","o","FontFace","cssText","getElementsByTagName","rel","media","onload","onerror","onreadystatechange","readyState","ga","events","fonts","race","userAgent","offsetWidth","serif","vendor","fontfamily","projectId","api","urls","testStrings","latin","cyrillic","greek","khmer","Hanuman","thin","extralight","ultralight","regular","book","semibold","demibold","bold","extrabold","ultrabold","heavy","italic","normal","Arimo","Cousine","Tinos","Typekit","async","__webfontfontdeckmodule__","weight","hostname","custom","fontdeck","monotype","typekit","excluded","__webpack_module_cache__","__webpack_require__","moduleId","cachedModule","__webpack_modules__","getter","leafPrototypes","getProto","ns","def","definition","chunkId","all","promises","miniCssF","inProgress","dataWebpackPrefix","needAttach","scripts","charset","nc","onScriptComplete","doneFns","installedChunks","installedChunkData","promise","reject","errorType","realSrc","request","webpackJsonpCallback","parentChunkLoadingFunction","chunkIds","moreModules","runtime","some","chunkLoadingGlobal","elevation","alphaValue","getPaperUtilityClass","PaperRoot","square","rounded","_theme$vars$overlays","backgroundImage","getOverlayAlpha","overlays","getCardUtilityClass","CardRoot","Paper","raised","getCardContentUtilityClass","CardContentRoot","getTypographyUtilityClass","TypographyRoot","align","noWrap","gutterBottom","paragraph","font","defaultVariantMapping","colorTransformations","textPrimary","textSecondary","Typography","themeProps","transformDeprecatedColors","variantMapping","getLinkUtilityClass","transformedColor","channelColor","LinkRoot","underline","textDecoration","textDecorationColor","getTextDecoration","WebkitTapHighlightColor","verticalAlign","MozAppearance","WebkitAppearance","borderStyle","linkClasses","Link","TypographyClasses","handleBlurVisible","handleFocusVisible","focusVisibleRef","useIsFocusVisible","setFocusVisible","handlerRef","useForkRef","createBox","defaultClassName","generateClassName","BoxRoot","_extendSxProp","SourceCard","textColor","Card","CardContent","Box","alt","URL","sources","isMobile","AutoAwesomeMotionIcon","overflowX","_typeof","toPropertyKey","toPrimitive","_defineProperty","super","shadow","attachShadow","template","storePropsToUpgrade","_propsToUpgrade","upgradeStoredProps","reflect","applyDefaultProps","observedAttributes","_attributes","connectedCallback","speed","stroke","replaceChildren","content","cloneNode","attributeChangedCallback","customElements","handleUserMessage","buttonTexts","_Fragment","onMouseOver","onMouseOut","_taggedTemplateLiteral","freeze","_assertThisInitialized","_setPrototypeOf","_inheritsLoose","getChildMapping","mapFn","mapper","getProp","getNextChildMapping","nextProps","prevChildMapping","onExited","nextChildMapping","getValueForKey","nextKeysPending","pendingKeys","prevKey","childMapping","nextKey","pendingNextKey","mergeChildMappings","hasPrev","hasNext","prevChild","isLeaving","in","exit","enter","TransitionGroup","_React$Component","handleExited","contextValue","isMounting","firstRender","mounted","appear","currentChildMapping","_this$props","childFactory","TransitionGroupContext","pulsate","rippleX","rippleY","rippleSize","inProp","leaving","setLeaving","rippleClassName","ripple","rippleVisible","ripplePulsate","rippleStyles","childClassName","childLeaving","childPulsate","timeoutId","_templateObject","_templateObject2","_templateObject3","_templateObject4","_t","_t2","_t3","_t4","enterKeyframe","exitKeyframe","pulsateKeyframe","TouchRippleRoot","pointerEvents","TouchRippleRipple","Ripple","touchRippleClasses","_ref4","center","centerProp","ripples","setRipples","rippleCallback","ignoringMouseDown","startTimer","startTimerCommit","startCommit","oldRipples","fakeElement","getBoundingClientRect","sqrt","sizeX","clientWidth","sizeY","clientHeight","getButtonBaseUtilityClass","ButtonBaseRoot","buttonBaseClasses","colorAdjust","ButtonBase","centerRipple","disableRipple","disableTouchRipple","focusRipple","LinkComponent","onContextMenu","onDragLeave","onFocusVisible","onKeyDown","onKeyUp","onMouseDown","onMouseLeave","onMouseUp","onTouchEnd","onTouchMove","onTouchStart","tabIndex","TouchRippleProps","touchRippleRef","buttonRef","rippleRef","handleRippleRef","mountedState","setMountedState","enableTouchRipple","useRippleHandler","rippleAction","eventCallback","skipRippleAction","useEventCallback","handleMouseDown","handleContextMenu","handleDragLeave","handleMouseUp","handleMouseLeave","handleTouchStart","handleTouchEnd","handleTouchMove","handleBlur","handleFocus","isNonNativeButton","keydownRef","handleKeyUp","ComponentProp","buttonProps","handleRef","focusVisibleClassName","composedClasses","TouchRipple","getIconButtonUtilityClass","IconButtonRoot","edge","activeChannel","mainChannel","iconButtonClasses","IconButton","disableFocusRipple","chatMessages","setIsChatbotTyping","isChatbotTyping","inputBackgroundColor","textboxBackgroundColor","shadowColor","userInteracted","setUserInteracted","handleClearChat","inputValue","setInputValue","isTyping","setIsTyping","handleSendMessage","placeholder","resize","onKeyPress","onChange","onMouseEnter","inputElement","ArrowUpwardIcon","RestartAltIcon","MotionConfigContext","transformPagePoint","isStatic","reducedMotion","MotionContext","PresenceContext","useIsomorphicLayoutEffect","LazyContext","strict","camelToDash","optimizedAppearDataAttribute","MotionGlobalConfig","Queue","scheduled","remove","stepsOrder","createRenderBatcher","scheduleNextBatch","allowKeepAlive","runNextFrame","useDefaultElapsed","delta","timestamp","isProcessing","steps","thisFrame","nextFrame","numToRun","flushNextFrame","toKeepAlive","schedule","addToCurrentFrame","cancel","frameData","createRenderStep","processStep","stepId","processBatch","keepAlive","immediate","microtask","cancelMicrotask","isRefObject","useMotionRef","visualState","visualElement","externalRef","mount","isVariantLabel","isAnimationControls","variantPriorityOrder","variantProps","isControllingVariants","animate","isVariantNode","Boolean","useCreateMotionContext","initial","getCurrentTreeVariants","variantLabelsAsDependency","featureProps","drag","tap","pan","inView","layout","featureDefinitions","isEnabled","LayoutGroupContext","SwitchLayoutGroupContext","motionComponentSymbol","createMotionComponent","preloadedFeatures","createVisualElement","useRender","useVisualState","features","loadFeatures","ForwardRefComponent","MeasureLayout","configAndProps","layoutId","useLayoutId","lazyContext","presenceContext","reducedMotionConfig","visualElementRef","renderer","blockInitialAnimation","update","wantsHandoff","HandoffComplete","postRender","animationState","animateChanges","updateFeatures","useVisualElement","initialLayoutGroupConfig","isStrict","layoutGroupId","createMotionProxy","createConfig","Proxy","componentCache","_target","lowercaseSVGElements","isSVGComponent","scaleCorrectors","transformPropOrder","transformProps","isForcedMotionValue","startsWith","isMotionValue","getVelocity","translateAlias","transformPerspective","numTransforms","checkStringStartsWith","isCSSVariableName","startsAsVariableToken","isCSSVariableToken","singleCssVariableRegex","getValueAsType","clamp","scale","sanitize","floatRegex","colorRegex","singleColorRegex","isString","createUnitType","endsWith","degrees","percent","vw","progressPercentage","int","numberValueTypes","borderWidth","borderTopWidth","borderRightWidth","borderBottomWidth","borderLeftWidth","radius","borderTopLeftRadius","borderTopRightRadius","borderBottomRightRadius","borderBottomLeftRadius","rotate","rotateX","rotateY","rotateZ","scaleX","scaleY","scaleZ","skew","skewX","skewY","distance","translateX","translateY","translateZ","perspective","originX","originY","originZ","backgroundPositionX","backgroundPositionY","numOctaves","buildHTMLStyles","latestValues","transformTemplate","transformOrigin","hasTransform","hasTransformOrigin","transformIsNone","valueType","valueAsType","transformIsDefault","enableHardwareAcceleration","allowTransformNone","transformString","transformName","buildTransform","createHtmlRenderState","copyRawValuesOnly","useStyle","useInitialMotionValues","useHTMLProps","htmlProps","dragListener","draggable","WebkitUserSelect","WebkitTouchCallout","touchAction","onTap","onTapStart","whileTap","validMotionProps","isValidMotionProp","shouldForward","isValidProp","_a","calcOrigin","origin","dashKeys","camelKeys","buildSVGAttrs","isSVGTag","attrX","attrY","attrScale","pathLength","pathSpacing","pathOffset","latest","attrs","dimensions","pxOriginX","pxOriginY","calcSVGTransformOrigin","useDashCase","buildSVGPath","createSvgRenderState","useSVGProps","_isStatic","visualProps","rawStyles","createUseRender","forwardMotionProps","filteredProps","isDom","elementProps","renderedChildren","renderHTML","styleProp","projection","getProjectionStyles","camelCaseAttributes","renderSVG","renderState","_styleProp","scrapeMotionValuesFromProps","prevProps","newValues","liveStyle","scrapeMotionValuesFromProps$1","resolveVariantFromProps","currentValues","currentVelocity","useConstant","isKeyframesTarget","isCustomValue","mix","toValue","resolveFinalValueInKeyframes","resolveMotionValue","unwrappedValue","makeUseVisualState","make","createRenderState","onMount","makeLatestValues","makeState","scrapeMotionValues","motionValues","isControllingVariants$1","isVariantNode$1","isInitialAnimationBlocked","variantToSet","resolved","transitionEnd","valueTarget","noop","frame","cancelFrame","requestAnimationFrame","svgMotionConfig","read","getBBox","htmlMotionConfig","addDomEvent","eventName","handler","isPrimaryPointer","extractEventInfo","pointType","point","addPointerInfo","addPointerEvent","combineFunctions","pipe","transformers","createLock","lock","openLock","globalHorizontalLock","globalVerticalLock","getGlobalLock","openHorizontal","openVertical","isDragActive","openGestureLock","Feature","addHoverEvent","isActive","callbackName","handleEvent","getProps","whileHover","setActive","isNodeOrChild","parentElement","fireSyntheticPointerEvent","syntheticPointerEvent","PointerEvent","observerCallbacks","observers","fireObserverCallback","fireAllObserverCallbacks","observeIntersection","rootInteresectionObserver","lookupRoot","rootObservers","IntersectionObserver","initIntersectionObserver","observe","unobserve","thresholdNames","gestureAnimations","hasEnteredView","isInView","startObserver","viewport","rootMargin","amount","once","threshold","isIntersecting","onViewportEnter","onViewportLeave","hasOptionsChanged","prevViewport","hasViewportOptionChanged","removeStartListeners","removeEndListeners","removeAccessibleListeners","startPointerPress","startEvent","startInfo","isPressing","removePointerUpListener","endPointerPress","endEvent","endInfo","checkPressEnd","onTapCancel","globalTapTarget","removePointerCancelListener","cancelEvent","cancelInfo","cancelPress","startPress","startAccessiblePress","removeKeydownListener","keydownEvent","keyupEvent","removeBlurListener","removePointerListener","removeFocusListener","shallowCompare","prevLength","resolveVariant","getCurrent","velocity","secondsToMilliseconds","seconds","millisecondsToSeconds","underDampedSpring","stiffness","damping","restSpeed","keyframesTransition","ease","getDefaultTransition","valueKey","getValueTransition","instantAnimationState","isNotNull","getFinalKeyframe","finalKeyframe","repeatType","resolvedKeyframes","clearTime","newTime","isZeroValueString","invariant","isNumericalString","splitCSSVariableRegex","getVariableValue","depth","token1","token2","parseCSSVariable","getComputedStyle","getPropertyValue","trimmed","positionalKeys","isNumOrPxType","getPosFromMatrix","matrix","pos","getTranslateFromMatrix","pos2","pos3","_bbox","matrix3d","transformKeys","nonTranslationalTransformKeys","positionalValues","_ref5","_ref6","_ref7","_ref8","_ref9","_ref10","_ref11","testValueType","dimensionValueTypes","findDimensionValueType","find","toResolve","isScheduled","anyNeedsMeasurement","measureAllKeyframes","resolversToMeasure","resolver","needsMeasurement","elementsToMeasure","transformsToRestore","removedTransforms","removeNonTranslationalTransform","measureInitialState","restore","measureEndState","suspendedScrollY","scrollTo","complete","readAllKeyframes","readKeyframes","KeyframeResolver","unresolvedKeyframes","onComplete","motionValue","isAsync","isComplete","scheduleResolve","resolveKeyframes","currentValue","valueAsRead","readValue","setFinalKeyframe","renderEndStyles","resume","isColorString","testProp","splitColor","aName","bName","cName","rgbUnit","clampRgbUnit","rgba","alpha$1","hex","hsla","hue","saturation","lightness","NUMBER_TOKEN","COLOR_TOKEN","VAR_TOKEN","VAR_FUNCTION_TOKEN","SPLIT_TOKEN","complexRegex","analyseComplexValue","originalValue","indexes","var","types","parsedValue","parseComplexValue","createTransformer","numSections","convertNumbersToZero","_b","getAnimatableNone","maxDefaults","applyDefaultFilter","functionRegex","functions","defaultValueTypes","WebkitFilter","getDefaultValueType","defaultValueType","invalidTemplates","DOMKeyframesResolver","keyframe","resolveNoneKeyframes","originType","targetType","noneKeyframeIndexes","animatableTemplate","noneIndex","makeNoneKeyframesAnimatable","pageYOffset","measuredOrigin","measureViewportBox","measureKeyframe","jump","finalKeyframeIndex","unsetTransformName","unsetTransformValue","isAnimatable","BaseAnimation","autoplay","repeatDelay","isStopped","hasAttemptedResolve","updateFinishedPromise","_resolved","onKeyframesResolved","onUpdate","isGenerator","originKeyframe","targetKeyframe","isOriginAnimatable","isTargetAnimatable","hasKeyframesChanged","canAnimate","resolveFinishedPromise","resolvedAnimation","initPlayback","onPostResolved","currentFinishedPromise","velocityPerSecond","frameDuration","velocitySampleDuration","calcGeneratorVelocity","resolveValue","prevT","safeMin","minDuration","maxDuration","minDamping","maxDamping","findSpring","envelope","derivative","bounce","mass","dampingRatio","undampedFreq","exponentialDecay","calcAngularFreq","exp","pow","initialGuess","rootIterations","approximateRoot","durationKeys","physicsKeys","isSpringType","spring","restDelta","isResolvedFromDuration","springOptions","derived","getSpringOptions","initialVelocity","initialDelta","undampedAngularFreq","isGranularScale","resolveSpring","angularFreq","sin","cos","dampedAngularFreq","freqForT","sinh","cosh","calculatedDuration","isBelowVelocityThreshold","isBelowDisplacementThreshold","inertia","power","timeConstant","bounceDamping","bounceStiffness","modifyTarget","nearestBoundary","amplitude","ideal","calcDelta","calcLatest","applyFriction","timeReachedBoundary","spring$1","checkCatchBoundary","isOutOfBounds","hasUpdatedFrame","calcBezier","subdivisionPrecision","subdivisionMaxIterations","cubicBezier","mX1","mY1","mX2","mY2","getTForX","aX","lowerBound","upperBound","currentX","currentT","binarySubdivide","mirrorEasing","reverseEasing","circIn","acos","circOut","circInOut","backOut","backIn","backInOut","easingLookup","linear","anticipate","easingDefinitionToFunction","x1","y1","x2","y2","toFromDifference","mixNumber","hueToRgb","mixLinearColor","fromExpo","expo","colorTypes","asRGBA","getColorType","model","hslaToRgba","mixColor","fromRGBA","toRGBA","blended","mixImmediate","mixNumber$1","getMixer","mixComplex","mixArray","mixObject","numValues","blendValue","originStats","targetStats","orderedOrigin","pointers","originIndex","originValue","matchOrder","mixer","interpolate","isClamp","inputLength","reverse","mixers","customMixer","mixerFactory","numMixers","easingFunction","createMixers","interpolator","progressInRange","defaultOffset","arr","remaining","offsetProgress","fillOffset","defaultEasing","keyframeValues","times","easingFunctions","isEasingArray","absoluteTimes","convertOffsetToTimes","mapTimeToKeyframe","frameloopDriver","passTimestamp","generators","decay","tween","percentToProgress","MainThreadAnimation","KeyframeResolver$1","holdTime","cancelTime","currentTime","playbackSpeed","pendingPlayState","teardown","onStop","onResolved","keyframes$1","generatorFactory","mapPercentToKeyframes","mirroredGenerator","calcGeneratorDuration","resolvedDuration","totalDuration","play","pause","tick","sample","timeWithoutDelay","isInDelayPhase","elapsed","frameGenerator","currentIteration","iterationProgress","isAnimationFinished","finish","driver","newSpeed","hasChanged","onPlay","stopDriver","isBezierDefinition","isWaapiSupportedEasing","supportedWaapiEasing","cubicBezierAsString","mapEasingToNativeEasingWithDefault","mapEasingToNativeEasing","supportsWaapi","acceleratedValues","AcceleratedAnimation","pregeneratedAnimation","sampleAnimation","pregeneratedKeyframes","pregenerateKeyframes","valueName","keyframeOptions","iterations","animateStyle","pendingTimeline","timeline","onfinish","playbackRate","playState","attachTimeline","sampleTime","setWithVelocity","supports","animateMotionValue","isHandoff","valueTransition","when","_delay","delayChildren","staggerChildren","staggerDirection","isTransitionDefined","shouldSkip","isWillChangeMotionValue","addUniqueItem","removeItem","SubscriptionManager","subscriptions","notify","numSubscriptions","getSize","collectMotionValues","MotionValue","canTrackVelocity","updateAndNotify","updatedAt","setPrevFrameValue","setCurrent","change","renderRequest","hasAnimated","prevFrameValue","prevUpdatedAt","subscription","on","unsubscribe","clearListeners","eventManagers","attach","passiveEffect","stopPassiveEffect","endAnimation","getPrevious","startAnimation","animationStart","animationComplete","clearAnimation","animationCancel","isAnimating","setMotionValue","hasValue","addValue","shouldBlockAnimation","protectedKeys","needsAnimating","shouldBlock","animateTarget","targetAndTransition","transitionOverride","willChange","animations","animationTypeState","getState","HandoffAppearAnimations","appearId","shouldReduceMotion","setTarget","animateVariant","getAnimation","getChildAnimations","variantChildren","forwardDelay","maxStaggerDuration","generateStaggerDuration","sortByTreeOrder","animateChildren","first","sortNodePosition","reversePriorityOrder","numAnimationTypes","animateList","resolvedDefinition","animateVisualElement","createAnimationState","createTypeState","whileInView","whileDrag","whileFocus","isInitialRender","buildResolvedTypeValues","changedActiveType","getVariantContext","removedKeys","encounteredKeys","removedVariantIndex","typeState","propIsVariant","activeDelta","isInherited","manuallyAnimateOnMount","prevProp","shouldAnimateType","checkVariantsDidChange","handledRemovedValues","definitionList","resolvedValues","prevResolvedValues","markToAnimate","valueHasChanged","fallbackAnimation","fallbackTarget","getBaseTarget","shouldAnimate","setAnimateFunction","makeAnimator","updateAnimationControlsSubscription","subscribe","prevAnimate","isPresent","onExitComplete","prevIsPresent","prevPresenceContext","exitAnimation","register","PanSession","contextWindow","dragSnapToOrigin","lastMoveEvent","lastMoveEventInfo","updatePoint","getPanInfo","history","isPanStarted","isDistancePastThreshold","xDelta","yDelta","distance2D","onStart","onMove","handlePointerMove","transformPoint","handlePointerUp","onEnd","onSessionEnd","resumeAnimation","panInfo","initialInfo","onSessionStart","removeListeners","updateHandlers","subtractPoint","lastDevicePoint","startDevicePoint","timeDelta","timestampedPoint","lastPoint","calcLength","axis","isNear","maxDistance","calcAxisDelta","originPoint","translate","calcBoxDelta","calcRelativeAxis","relative","calcRelativeAxisPosition","calcRelativePosition","calcRelativeAxisConstraints","calcViewportAxisConstraints","layoutAxis","constraintsAxis","defaultElastic","resolveAxisElastic","dragElastic","minLabel","maxLabel","resolvePointElastic","createDelta","eachAxis","convertBoundingBoxToBox","isIdentityScale","hasScale","has2DTranslate","is2DTranslate","scalePoint","applyPointDelta","boxScale","applyAxisDelta","applyBoxDelta","box","snapToDefault","isInteger","translateAxis","transformAxis","transforms","scaleKey","originKey","axisOrigin","xKeys","yKeys","transformBox","topLeft","bottomRight","transformBoxPoints","getContextWindow","elementDragControls","VisualElementDragControls","openGlobalLock","isDragging","currentDirection","constraints","hasMutatedConstraints","elastic","originEvent","snapToCursor","panSession","pauseAnimation","stopAnimation","dragPropagation","onDragStart","resolveConstraints","isAnimationBlocked","getAxisMotionValue","measuredAxis","layoutBox","dragDirectionLock","onDirectionLock","onDrag","lockThreshold","getCurrentDirection","updateAxis","getAnimationState","getTransformPagePoint","onDragEnd","_point","shouldDrag","axisValue","applyConstraints","dragConstraints","measure","prevConstraints","resolveRefConstraints","calcRelativeConstraints","resolveDragElastic","relativeConstraints","rebaseAxisConstraints","onMeasureDragConstraints","constraintsElement","constraintsBox","rootProjectionNode","viewportBox","scroll","measurePageBox","measuredConstraints","calcViewportConstraints","userConstraints","convertBoxToBoundingBox","dragMomentum","dragTransition","onDragTransitionEnd","momentumAnimations","startAxisValueAnimation","dragKey","externalMotionValue","scalePositionWithinConstraints","boxProgress","sourceLength","targetLength","updateScroll","updateLayout","addListeners","stopPointerListener","measureDragConstraints","stopMeasureLayoutListener","stopResizeListener","stopLayoutUpdateListener","hasLayoutChanged","asyncHandler","globalProjectionState","hasAnimatedSinceResize","hasEverUpdated","pixelsToPercent","pixels","correctBorderRadius","correct","correctBoxShadow","treeScale","projectionDelta","original","xScale","yScale","averageScale","MeasureLayoutWithContext","layoutGroup","switchLayoutGroup","correctors","defaultScaleCorrectors","group","didUpdate","safeToRemove","setOptions","layoutDependency","willUpdate","promote","relegate","members","currentAnimation","isLead","promoteContext","scheduleCheckAfterUnmount","deregister","usePresence","applyTo","borders","numBorders","asNumber","isPx","getRadius","radiusName","easeCrossfadeIn","compress","easeCrossfadeOut","copyAxisInto","originAxis","copyBoxInto","originBox","removePointDelta","removeAxisTransforms","sourceAxis","removeAxisDelta","removeBoxTransforms","sourceBox","isAxisDeltaZero","isDeltaZero","boxEqualsRounded","NodeStack","scheduleRender","prevLead","lead","indexOfNode","findIndex","member","preserveFollowOpacity","show","resumeFrom","preserveOpacity","snapshot","animationValues","isUpdating","isLayoutDirty","crossfade","hide","exitAnimationComplete","resumingFrom","removeLeadSnapshot","buildProjectionTransform","latestTransform","xTranslate","yTranslate","zTranslate","elementScaleX","elementScaleY","compareByDepth","FlatTree","isDirty","transformAxes","hiddenVisibility","projectionFrameData","totalNodes","resolvedTargetDeltas","recalculatedProjection","resetDistortingTransform","sharedAnimationValues","setStaticValue","createProjectionNode","attachResizeListener","defaultParent","measureScroll","checkIsScrollRoot","resetTransform","animationId","isTreeAnimating","isProjectionDirty","isSharedProjectionDirty","isTransformDirty","updateManuallyBlocked","updateBlockedByResize","isSVG","needsReset","shouldResetTransform","eventHandlers","hasTreeAnimated","updateScheduled","projectionUpdateScheduled","checkUpdateFailed","clearAllSnapshots","updateProjection","propagateDirtyNodes","resolveTargetDelta","calcProjection","cleanDirtyNodes","MotionDebug","record","hasProjected","isVisible","animationProgress","sharedNodes","notifyListeners","subscriptionManager","hasListeners","SVGElement","cancelDelay","resizeUnblockUpdate","checkElapsed","finishAnimation","registerSharedNode","hasRelativeTargetChanged","newLayout","isTreeAnimationBlocked","relativeTarget","layoutTransition","defaultLayoutTransition","onLayoutAnimationStart","onLayoutAnimationComplete","targetChanged","targetLayout","hasOnlyRelativeTargetChanged","layoutRoot","setAnimationOrigin","animationOptions","blockUpdate","unblockUpdate","isUpdateBlocked","startUpdate","resetSkewAndRotation","getTransformTemplate","shouldNotifyListeners","prevTransformTemplateValue","updateSnapshot","clearMeasurements","clearIsLayoutDirty","HandoffCancelAllAnimations","resetTransformStyle","notifyLayoutUpdate","preRender","clearSnapshot","removeLeadSnapshots","scheduleUpdateProjection","alwaysMeasureLayout","prevLayout","layoutCorrected","phase","layoutScroll","isRoot","isResetRequested","hasProjection","transformTemplateValue","transformTemplateHasChanged","removeTransform","pageBox","removeElementScroll","roundAxis","measuredBox","boxWithoutScroll","rootScroll","applyTransform","transformOnly","withTransforms","boxWithoutTransform","setTargetDelta","targetDelta","forceRelativeParentToResolveTarget","relativeParent","resolvedRelativeTargetAt","forceRecalculation","getLead","isShared","attemptToResolveRelativeTarget","getClosestProjectingParent","relativeTargetOrigin","targetWithTransforms","isProjecting","canSkip","pendingAnimation","prevTreeScaleX","prevTreeScaleY","treePath","isSharedTransition","treeLength","applyTreeDeltas","projectionTransform","projectionDeltaWithTransform","prevProjectionTransform","notifyAll","snapshotLatestValues","mixedValues","relativeLayout","isSharedLayoutAnimation","isOnlyMember","shouldCrossfadeOpacity","hasOpacityCrossfade","prevRelativeTarget","mixTargetDelta","mixAxisDelta","mixAxis","mixBox","boxEquals","follow","opacityExit","borderLabel","followRadius","leadRadius","mixValues","motionValue$1","animateSingleValue","completeAnimation","applyTransformsToTarget","shouldAnimatePositionOnly","animationType","xLength","yLength","initialPromotionConfig","shouldPreserveFollowOpacity","getPrevLead","hasDistortingTransform","resetValues","emptyStyles","valuesToRender","corrected","num","resetTree","measuredLayout","axisSnapshot","layoutDelta","visualDelta","parentSnapshot","parentLayout","relativeSnapshot","onBeforeLayoutMeasure","userAgentContains","roundPoint","DocumentProjectionNode","HTMLProjectionNode","documentNode","removePointerDownListener","onPointerDown","pointerDownEvent","session","createPanHandlers","onPanSessionStart","onPanStart","onPan","onPanEnd","removeGroupControls","controls","dragControls","ProjectionNode","prefersReducedMotion","hasReducedMotionListener","visualElementStore","valueTypes","featureNames","numFeatures","propEventHandlers","numVariantProps","getClosestProjectingNode","allowProjection","VisualElement","_prevProps","_visualElement","valueSubscriptions","prevMotionValues","propEventSubscriptions","notifyUpdate","triggerBuild","renderInstance","baseTarget","initialValues","initialMotionValues","removeFromVariantTree","addVariantChild","bindToMotionValue","matchMedia","motionMediaQuery","setReducedMotionPreferences","addListener","initPrefersReducedMotion","valueIsTransform","removeOnChange","latestValue","removeOnRenderRequest","sortInstanceNodePosition","ProjectionNodeConstructor","renderedProps","FeatureConstructor","MeasureLayoutComponent","feature","build","measureInstanceViewportBox","getStaticValue","nextValue","prevValue","existingValue","removeValue","updateMotionValuesFromProps","handleChildMotionValue","getVariant","getClosestVariantNode","closestVariantNode","removeValueFromRenderState","getBaseTargetFromProps","readValueFromInstance","findValueType","setBaseTarget","valueFromInitial","DOMVisualElement","HTMLVisualElement","defaultType","computedStyle","childSubscription","SVGVisualElement","createDomVisualElement","motion","createDomMotionConfig","openCriteria","websocketRef","criterion","WebSocket","OPEN","send","requested_criteria","blockQuote","breakLine","breakThematic","codeBlock","codeFenced","codeInline","footnote","footnoteReference","gfmTask","heading","headingSetext","htmlBlock","htmlComment","htmlSelfClosing","linkAngleBraceStyleDetector","linkBareUrlDetector","linkMailtoDetector","newlineCoalescer","orderedList","refImage","refLink","tableSeparator","textBolded","textEmphasized","textEscaped","textMarked","textStrikethroughed","unorderedList","MAX","HIGH","MED","LOW","MIN","amp","apos","gt","lt","nbsp","quot","$","_","list","inline","simple","items","ordered","inTable","trimEnd","cells","decodeURIComponent","_e","Ge","overrides","slugify","namedCodesToUnicode","forceInline","forceBlock","wrapper","forceWrapper","lang","enforceAtxHeadings","level","noInnerParse","inAnchor","fallbackChildren","disableParsingRawHTML","renderRule","boxClasses","getDividerUtilityClass","DividerRoot","absolute","orientation","vertical","flexItem","withChildren","withChildrenVertical","textAlignRight","textAlignLeft","dividerChannel","DividerWrapper","wrapperVertical","Divider","muiSkipListHighlight","getTableBodyUtilityClass","TableBodyRoot","tablelvl2","defaultComponent","Tablelvl2Context","getTableCellUtilityClass","TableCellRoot","stickyHeader","TableCell","tableCellClasses","paddingCheckbox","componentProp","paddingProp","scope","scopeProp","sizeProp","sortDirection","variantProp","TableContext","isHeadCell","ariaSort","getTableFooterUtilityClass","TableFooterRoot","getTableHeadUtilityClass","TableHeadRoot","getTableRowUtilityClass","TableRowRoot","tableRowClasses","TableRow","getTableUtilityClass","TableRoot","borderCollapse","borderSpacing","captionSide","useThemeSystem","product_type","PlaylistAddIcon","reviews","bulletPoints","setFilter","sentiment","visibleRows","setVisibleRows","positive","neutral","negative","sentimentCounts","review","sortedAndFilteredReviews","sum","renderReviews","reviewsToShow","visibleReviews","overflowY","positive_summary","listStyleType","negative_summary","neutral_summary","metadata","insights","pros","insight","cons","listings","ProsCons","specs","currentImageIndex","setCurrentImageIndex","thumbnails","product_thumbnail","goToImage","source_summaries","otherSources","wordWrap","comments","youtubeSources","getYoutubeEmbedUrl","videoId","searchParams","frameBorder","allow","allowFullScreen","closePopup","activeTab","setActiveTab","tabs","CloseIcon","word","tab","renderContent","LeftPanel","Details","Videoboard","bullet_points","NewReviews","Testimonials","product","popupOpen","setPopupOpen","product_name","SocketReceiveListings","backend_host","ProductDisplayPage","objectFit","listing_url","fetch","headers","listing","price","chatContainerRef","waitingForResponse","relatedQueries","currentSlides","setCurrentSlides","newSlides","sender","scrollBehavior","isHeader","topic","SingularProduct","MuiMarkdown","innerText","Sources","reload","RelatedQueries","waveform","setData","productType","setCriteriaList","criteriaList","setChatMessages","setRelatedQueries","setWaitingForResponse","waitingForChatHistory","showYCBacked","setShowYCBacked","currentProductTypeIndex","setCurrentProductTypeIndex","productTypes","smoothScrollToBottom","maxScrollTop","scrollHeight","behavior","handleUserInteraction","currentChatContainerRef","interval","setInterval","prevIndex","clearInterval","newUserMessage","userMessage","updatedChatMessages","query","criteria","MessagesContainer","ChatInput","FollowupQueries","onViewportBoxUpdate","newY","innerHeight","newX","innerWidth","objectWithoutPropertiesLoose","sourceSymbolKeys","_defineProperties","plainObjectConstrurctor","cloneStyle","newStyle","createRule","decl","jss","declCopy","plugins","onCreateRule","by","toCssValue","cssValue","getWhitespaceSymbols","linebreak","space","indentStr","indent","toCss","_options$indent","fallbacks","_getWhitespaceSymbols","_prop","_value","_prop2","_value2","allowEmpty","escapeRegex","nativeEscape","CSS","BaseStyleRule","isProcessed","Renderer","force","onChangeValue","isEmpty","isDefined","renderable","removeProperty","attached","StyleRule","_BaseStyleRule","scoped","generateId","selectorText","_proto2","json","toJSON","opts","setSelector","replaceRule","pluginStyleRule","defaultToStringOptions","atRegExp","ConditionalRule","atMatch","at","RuleList","getRule","addRule","onProcessRule","newRule","keyRegExp","pluginConditionalRule","defaultToStringOptions$1","nameRegExp","KeyframesRule","frames","nameMatch","keyRegExp$1","refRegExp","findReferencedKeyframe","replaceRef","refKeyframe","pluginKeyframesRule","onProcessStyle","KeyframeRule","pluginKeyframeRule","FontFaceRule","keyRegExp$2","pluginFontFaceRule","ViewportRule","pluginViewportRule","SimpleRule","keysMap","pluginSimpleRule","defaultUpdateOptions","forceUpdateOptions","counter","ruleOptions","_this$options","oldRule","oldIndex","nameOrSelector","unregister","updateOne","_this$options2","_nextValue","_prevValue","deployed","deploy","detach","deleteRule","addRules","added","_this$rules","PluginsRegistry","internal","external","registry","onProcessSheet","processedValue","use","newPlugin","plugin","SheetsRegistry","_temp","sheets","globalThis$1","globalThis","createGenerateId","ruleCounter","jssId","classNamePrefix","minify","cssRule","attributeStyleMap","indexOfImportantFlag","cssValueWithoutImportantFlag","getHead","findPrevNode","findHigherSheet","findHighestSheet","childNodes","findCommentNode","getNonce","_insertRule","appendRule","getValidRuleInsertionIndex","maxIndex","DomRenderer","hasInsertedRules","createStyle","nextNode","insertionPointElement","insertStyle","insertRules","nativeParent","latestNativeParent","_insertionIndex","refCssRule","ruleStr","insertionIndex","nativeRule","instanceCounter","Jss","isInBrowser","setup","createStyleSheet","removeStyleSheet","createJss","hasCSSTOMSupport","getDynamicStyles","extracted","mergeClasses","baseClasses","newClasses","nextClasses","multiKeyStore","key1","key2","subCache","pseudoClasses","fnValuesNs","fnRuleNs","fnValues","styleRule","fnRule","atPrefix","GlobalContainerRule","GlobalPrefixedRule","separatorRegExp","addScope","parts","handleNestedGlobalContainerRule","handlePrefixedGlobalRule","parentRegExp","getReplaceRef","replaceParentRefs","nestedProp","parentProp","parentSelectors","nestedSelectors","nested","getOptions","prevOptions","nestingLevel","isNested","isNestedConditional","uppercasePattern","msPattern","toHyphenLower","hName","convertCase","converted","hyphenate","hyphenatedProp","ms","addCamelCasedVersion","regExp","newObj","units","inset","grid","iterate","innerProp","_innerProp","camelCasedOptions","_arrayLikeToArray","arr2","_unsupportedIterableToArray","minLen","iter","js","browser","isTouch","jsCssMap","Moz","Webkit","appearence","noPrefill","supportedProperty","toUpper","camelize","pascalize","longhand","textOrientation","writingMode","breakPropsOld","inlineLogicalOld","newProp","unprefixed","prefixed","pascalized","scrollSnap","overscrollBehavior","propMap","flex2012","propMap$1","propKeys","prefixCss","flex2009","propertyDetectors","_toConsumableArray","computed","key$1","el$1","cache$1","transitionProperties","transPropsRegExp","prefixTransitionCallback","prefixedValue","supportedValue","cacheKey","prefixStyle","changeProp","supportedProp","changeValue","supportedValue$1","atRule","supportedKeyframes","prop0","prop1","global","camelCase","defaultUnit","vendorPrefixer","propsSort","_options$disableGloba","disableGlobal","_options$productionPr","productionPrefix","_options$seed","seed","seedPrefix","getNextCounterId","styleSheet","createGenerateClassName","defaultOptions","disableGeneration","sheetsCache","sheetsManager","sheetsRegistry","StylesContext","indexCounter","stylesOptions","stylesCreator","sheetManager","staticSheet","dynamicStyles","flip","serverGenerateClassName","dynamicSheet","makeStyles","stylesOrCreator","classNamePrefixOption","_options$defaultTheme","noopTheme","stylesOptions2","themingEnabled","stylesWithOverrides","getStylesCreator","shouldUpdate","currentKey","useSynchronousEffect","cacheClasses","lastProp","lastJSS","getClasses","_options$withTheme","withTheme","useStyles","WithStyles","innerRef","createMixins","_toolbar","gutters","warn","hint","_palette$primary","_palette$secondary","_palette$error","_palette$warning","_palette$info","_palette$success","_palette$type","_palette$contrastThre","_palette$tonalOffset","roundWithDeprecationWarning","_ref$fontFamily","_ref$fontSize","_ref$fontWeightLight","_ref$fontWeightRegula","_ref$fontWeightMedium","_ref$fontWeightBold","_ref$htmlFontSize","_slicedToArray","_prop$split2","_themeBreakpoints","_options$duration","_options$easing","_options$delay","_options$breakpoints","_options$mixins","_options$palette","_options$typography","_breakpoints$values","_breakpoints$unit","_breakpoints$step","upperbound","withStylesWithoutDefault","useControlled","_React$useState","FormControlContext","useFormControl","refA","refB","refValue","onBlurVisible","ReactDOM","_props$pulsate","_props$onExited","_props$center","_options$pulsate","_options$center","_options$fakeElement","withStyles","animationDuration","buttonRefProp","_props$centerRipple","_props$component","_props$disabled","_props$disableRipple","_props$disableTouchRi","_props$focusRipple","_props$tabIndex","_props$type","_useIsFocusVisible","handleUserRef","handleOwnRef","_React$useState2","_props$edge","_props$color","_props$disableFocusRi","_props$size","edgeStart","edgeEnd","colorInherit","colorPrimary","colorSecondary","sizeSmall","SwitchBase","checkedProp","checkedIcon","disabledProp","inputProps","inputRef","_useControlled2","setCheckedState","muiFormControl","hasLabelFor","newChecked","Switch","thumb","switchBase","DefaultContext","attr","IconContext","ownKeys","_objectSpread","getOwnPropertyDescriptors","_toPrimitive","_toPropertyKey","Tree2Element","tree","GenIcon","IconBase","elem","conf","svgProps","computedSize","xmlns","MdChatBubbleOutline","MdPublic","FaInstagram","FaLinkedin","FaTiktok","FaTwitter","backgroundRepeat","backgroundPosition","darkMode","setDarkMode","reviewChatToggle","setProductChatToggle","secondaryColor","buttonStyle","socialMediaStyle","useIsMounted","PopChildMeasure","childRef","sizeRef","offsetHeight","offsetTop","offsetLeft","PopChild","motionPopId","PresenceChild","presenceAffectsLayout","presenceChildren","newChildrenMap","childId","getChildKey","AnimatePresence","exitBeforeEnter","forceRender","forcedRenderCount","setForcedRenderCount","useForceUpdate","filteredChildren","filtered","onlyElements","childrenToRender","exitingChildren","presentChildren","allChildren","updateChildLookup","presentKeys","targetKeys","numPresent","exitingComponent","onExit","leftOverKeys","leftOverKey","presentChild","presentChildKey","formControlState","states","debounce","that","TextareaAutosize","rows","rowsMax","rowsMinProp","rowsMin","maxRowsProp","maxRows","_props$minRows","minRows","minRowsProp","shadowRef","renders","syncHeight","inputShallow","singleRowHeight","outerHeight","outerHeightStyle","prevState","handleResize","isFilled","SSR","InputBase","ariaDescribedby","autoComplete","endAdornment","_props$fullWidth","fullWidth","_props$inputComponent","inputComponent","_props$inputProps","inputPropsProp","inputRefProp","_props$multiline","multiline","renderSuffix","startAdornment","valueProp","handleInputRefWarning","handleInputPropsRefProp","handleInputRefProp","handleInputRef","setFocused","fcs","onFilled","onEmpty","checkDirty","InputComponent","setAdornedStart","formControl","adornedStart","adornedEnd","marginDense","onAnimationStart","inputMultiline","hiddenLabel","inputHiddenLabel","inputAdornedStart","inputAdornedEnd","inputTypeSearch","inputMarginDense","placeholderHidden","placeholderVisible","Input","disableUnderline","bottomLineColor","borderBottomStyle","FilledInput","WebkitBoxShadow","WebkitTextFillColor","caretColor","NotchedOutline","labelWidthProp","labelWidth","notched","legendLabelled","legendNotched","OutlinedInput","_props$labelWidth","notchedOutline","filled","FormLabel","asterisk","InputLabel","_props$disableAnimati","disableAnimation","shrinkProp","shrink","animated","outlined","isMuiElement","FormControl","_props$error","visuallyFocused","_props$hiddenLabel","_props$margin","_props$required","_props$variant","initialAdornedStart","initialFilled","setFilled","_React$useState3","_focused","childContext","registerEffect","marginNormal","FormHelperText","contained","ownerWindow","_props$disablePortal","disablePortal","onRendered","mountNode","setMountNode","getContainer","getScrollbarSize","scrollDiv","scrollbarSize","ariaHidden","getPaddingRight","ariaHiddenSiblings","currentNode","blacklistTagNames","findIndexOf","handleContainer","fixedNodes","restoreStyle","restorePaddings","disableScrollLock","isOverflowing","scrollContainer","ModalManager","modals","containers","modalIndex","modalRef","hiddenSiblingNodes","hiddenSiblings","getHiddenSiblings","containerIndex","nextTop","_props$disableAutoFoc","disableAutoFocus","_props$disableEnforce","disableEnforceFocus","_props$disableRestore","disableRestoreFocus","getDoc","ignoreNextEnforceFocus","sentinelStart","sentinelEnd","nodeToRestore","rootRef","prevOpenRef","hasAttribute","contain","hasFocus","loopFocus","invisible","_props$invisible","defaultManager","_props$BackdropCompon","BackdropComponent","SimpleBackdrop","BackdropProps","_props$closeAfterTran","closeAfterTransition","_props$disableBackdro","disableBackdropClick","_props$disableEscapeK","disableEscapeKeyDown","_props$disableScrollL","_props$hideBackdrop","hideBackdrop","_props$keepMounted","keepMounted","_props$manager","manager","onBackdropClick","onClose","onEscapeKeyDown","exited","setExited","mountNodeRef","hasTransition","getHasTransition","getModal","handleMounted","handleOpen","resolvedContainer","isTopModal","handlePortalRef","handleClose","inlineStyle","hidden","childProps","onEnter","TrapFocus","UNMOUNTED","EXITED","ENTERING","ENTERED","EXITING","Transition","initialStatus","appearStatus","unmountOnExit","mountOnEnter","status","nextCallback","updateStatus","nextStatus","cancelNextCallback","getTimeouts","mounting","nodeRef","forceReflow","performEnter","performExit","_this2","appearing","maybeNode","maybeAppearing","timeouts","enterTimeout","safeSetState","onEntered","onEntering","onTransitionEnd","_this3","onExiting","nextState","setNextCallback","_this4","doesNotHaveTimeoutOrListener","addEndListener","maybeNextCallback","getTransitionProps","_props$style","transitionDuration","transitionDelay","getScale","entering","entered","Grow","_props$disableStrictM","disableStrictModeCompat","_props$timeout","_props$TransitionComp","TransitionComponent","timer","autoTimeout","enableStrictModeCompat","foreignRef","normalizedTransitionCallback","nodeOrAppearing","isAppearing","handleEntering","handleEnter","reflow","_getTransitionProps","handleEntered","handleExiting","handleExit","_getTransitionProps2","nodeOrNext","maybeNext","muiSupportAuto","_props$square","_props$elevation","elevations","getOffsetTop","getOffsetLeft","horizontal","getTransformOriginValue","getAnchorEl","anchorEl","Popover","_props$anchorOrigin","anchorOrigin","anchorPosition","_props$anchorReferenc","anchorReference","containerProp","getContentAnchorEl","_props$marginThreshol","marginThreshold","_props$PaperProps","PaperProps","_props$transformOrigi","_props$transitionDura","transitionDurationProp","_props$TransitionProp","TransitionProps","paperRef","getAnchorOffset","contentAnchorOffset","resolvedAnchorEl","anchorRect","anchorVertical","getContentAnchorOffset","contentAnchorEl","getScrollParent","getTransformOrigin","elemRect","getPositioningStyle","elemTransformOrigin","containerWindow","heightThreshold","widthThreshold","diff","_diff","_diff2","_diff3","setPositioningStyles","positioning","handlePaperRef","updatePosition","Modal","List","_props$dense","dense","_props$disablePadding","disablePadding","subheader","ListContext","listStyle","nextItem","disableListWrap","previousItem","previousElementSibling","textCriteriaMatches","nextFocus","textCriteria","repeating","moveFocus","currentFocus","disabledItemsFocusable","traversalFunction","wrappedOnce","nextFocusDisabled","MenuList","actions","_props$autoFocus","_props$autoFocusItem","autoFocusItem","_props$disabledItemsF","_props$disableListWra","listRef","textCriteriaRef","previousKeyMatched","lastTime","adjustStyleForScrollbar","containerElement","noExplicitWidth","activeItemIndex","newChildProps","lowerKey","currTime","keepFocusOnCurrent","RTL_ORIGIN","LTR_ORIGIN","disableAutoFocusItem","_props$MenuListProps","MenuListProps","onEnteringProp","PopoverClasses","menuListActionsRef","contentAnchorRef","WebkitOverflowScrolling","areEqualValues","SelectInput","ariaLabel","autoWidth","displayEmpty","IconComponent","labelId","_props$MenuProps","MenuProps","onOpen","openProp","renderValue","_props$SelectDisplayP","SelectDisplayProps","tabIndexProp","displayNode","setDisplayNode","isOpenControlled","menuMinWidthState","setMenuMinWidthState","openState","setOpenState","getElementById","isCollapsed","displaySingle","childrenArray","handleItemClick","itemIndex","displayMultiple","computeDisplay","menuMinWidth","buttonId","selectMenu","nativeInput","iconOpen","_props$fontSize","_props$viewBox","colorAction","colorError","colorDisabled","fontSizeInherit","fontSizeSmall","fontSizeLarge","iconFilled","iconOutlined","defaultInput","NativeSelect","_props$IconComponent","ArrowDropDownIcon","_props$input","NativeSelectInput","nativeSelectStyles","Select","_props$autoWidth","_props$displayEmpty","_props$multiple","_props$native","native","variantComponent","TextField","FormHelperTextProps","helperText","InputLabelProps","InputProps","_props$select","SelectProps","InputMore","_InputLabelProps$requ","displayRequired","helperTextId","inputLabelId","InputElement","htmlFor","valueLabelDisplay","asc","findClosest","_values$reduce","trackFinger","touchId","touch","valueToPercent","roundValueToStep","nearest","toExponential","matissaDecimalPart","decimalPart","getDecimalPrecision","setValueIndex","focusThumb","sliderRef","activeIndex","axisProps","leap","Identity","Slider","ariaLabelledby","ariaValuetext","getAriaLabel","getAriaValueText","_props$marks","marks","marksProp","_props$max","_props$min","onChangeCommitted","_props$orientation","_props$scale","_props$step","_props$ThumbComponent","ThumbComponent","_props$track","_props$ValueLabelComp","ValueLabelComponent","ValueLabel","_props$valueLabelDisp","_props$valueLabelForm","valueLabelFormat","setOpen","valueDerived","setValueState","handleFocusRef","handleMouseOver","isRtl","tenPercents","marksValues","marksIndex","increaseKey","decreaseKey","previousValue","previousIndex","getFingerNewValue","finger","_ref3$move","move","values2","_slider$getBoundingCl","percentToValue","_getFingerNewValue","_getFingerNewValue3","slider","_getFingerNewValue4","trackOffset","trackLeap","trackStyle","marked","trackFalse","trackInverted","rail","markActive","markLabel","markLabelActive","valueLabel","thumbColorPrimary","thumbColorSecondary","makeStylesWithoutDefault","SPACINGS","GRID_SIZES","getOffset","Grid","_props$alignContent","_props$alignItems","classNameProp","_props$container","_props$direction","_props$item","justify","_props$justifyContent","_props$lg","_props$md","_props$sm","_props$spacing","_props$wrap","wrap","_props$xl","_props$xs","_props$zeroMinWidth","zeroMinWidth","StyledGrid","generateGutter","accumulator","generateGrid","_props$align","_props$display","_props$gutterBottom","_props$noWrap","_props$paragraph","_props$variantMapping","srOnly","alignLeft","alignCenter","alignRight","alignJustify","colorTextPrimary","colorTextSecondary","displayInline","displayBlock","FormControlLabel","control","_props$labelPlacement","labelPlacement","controlProps","labelPlacementStart","labelPlacementTop","labelPlacementBottom","defaultCheckedIcon","CheckBoxIcon","defaultIcon","CheckBoxOutlineBlankIcon","defaultIndeterminateIcon","IndeterminateCheckBoxIcon","Checkbox","_props$checkedIcon","_props$icon","iconProp","_props$indeterminate","indeterminate","_props$indeterminateI","indeterminateIcon","indeterminateIconProp","ContinuousCriteriaComponent","textFieldFocusColor","StyledTextField","description","sliderLowerBound","sliderUpperBound","handleSliderChange","updatedData","CategoricalCriteriaComponent","processedValues","possible_values","handleCheckboxChanged","chosen_values","CloseButton","removeData","buttonColor","windowWidth","clickTimeoutId","setClickTimeoutId","moveToTop","moveToBottom","RecommendationComponent","criterion_type","selectElement","selectedOption","selectedIndex","class","criteriaItems","uniqueCriteriaData","uniqueData","idSet","uniqueId","blackboardRef","setWindowWidth","prevDataLength","setPrevDataLength","doubleClick","selectedItem","Header","CriteriaChooser","BlackboardCard","setFeedbackFormOpen","feedbackSubmitted","setFeedbackSubmitted","setSelectedFeedback","selectedFeedback","textareaRef","SentimentSatisfiedAltIcon","SentimentNeutralIcon","SentimentVeryDissatisfiedIcon","feedbackData","response","cardStyle","handleMouseEnter","App","defaultBackground","darkmodeBackground","defaultTextColor","darkmodeTextColor","setListings","reviewDatabaseListings","setReviewDatabaseListings","productDatabaseListings","setProductDatabaseListings","setSources","setProductType","sourceSummaries","setSourceSummaries","feedbackFormOpen","setIsMobile","hashUpdated","setHashUpdated","setWaitingForChatHistory","scrollDirection","setScrollDirection","updateURLWithHash","websocketHost","onopen","chat_hash","response_json","newMessage","prevMessages","lastMessageIndex","lastMessage","updatedLastMessage","SocketReceiveChat","newMessages","messages","msg","fields","related_queries","updatedMessage","SocketReceiveCriteria","prevData","newData","productNamesJson","SocketReceiveRecommendations","SocketReceiveFollowups","questions","criteria_jsons","prevListings","rest","prevSourceSummaries","product_id","close","SocketSendStop","lastScrollY","scrollY","handleScroll","Topbar","FeedbackForm","Blog","ChatContainer","FeedbackButton","Sidebar","Blackboard","onPerfEntry","getCLS","getFID","getFCP","getLCP","getTTFB","reportWebVitals"],"sourceRoot":""}