\n When you find an ingredient that should be replace with another one, copy the ID of the ingredient \"to remove\" and paste it in the text field of the ingredient \"to keep\".\n
\n ([]);\n useEffect(() => {\n async function loadIngredients() {\n const result = await getInternalIngredientUpdates();\n setIngredients(result)\n }\n loadIngredients();\n }, [])\n useTitle(\"Ingredients View\")\n return (\n <>\n Ingredients
\n \n \n \n ID | \n Ingredient names | \n Nutrition description | \n NDB/GTIN/UPC Number | \n Count RegEx | \n Unit mass (kg) | \n Save/Delete | \n
\n \n {ingredients.map((i, idx) =>\n )}\n \n
\n >\n )\n}","import React, {useEffect, useState} from \"react\"\nimport RecipeList from \"src/components/RecipeList/RecipeList\";\nimport { useTitle } from \"src/shared/useTitle\";\n\nexport default function MyRecipes() {\n useTitle(\"My Recipes\")\n return (\n <>\n \n >);\n}","import React, { useEffect, useState } from \"react\"\nimport { Navbar } from \"react-bootstrap\";\nimport { Link, Outlet } from \"react-router\";\nimport imgs from \"src/assets\";\n\nexport default function PlainLayout() {\n let theme = window.matchMedia('(prefers-color-scheme: dark)').matches ? 'dark' : 'light'\n return (\n <>\n \n
\n \n \n
\n CookTime\n \n \n \n
\n
\n >\n );\n}","import React, { useEffect, useState } from \"react\"\nimport { Button, Card, Col, Container, Form, Row } from \"react-bootstrap\";\nimport { ActionFunction, ActionFunctionArgs, Form as RouterForm, useActionData } from \"react-router\";\nimport { IAuthenticationProvider } from \"src/shared/AuthenticationProvider\";\n\nexport function action(\n { sendPasswordResetEmail }: IAuthenticationProvider): ActionFunction {\n return async (args: ActionFunctionArgs) => {\n const { request } = args;\n const formData = await request.formData()\n const result = await sendPasswordResetEmail(\n formData.get(\"name\")!.toString());\n return { response: result, statusCode: result.status };\n }\n}\n\nexport default function Registration() {\n return (\n\n \n {/* {showAlert && alert} */}\n \n \n \n \n Forgot your password?\n \n \n Confirm your password\n \n \n \n \n
\n \n \n \n \n
\n \n );\n}","import React, { useEffect, useState } from \"react\"\nimport { Form, Card, Col, Container, Row, Button, Alert } from \"react-bootstrap\"\nimport { Helmet } from \"react-helmet-async\";\nimport { ActionFunction, ActionFunctionArgs, Form as RouterForm, Link, useActionData, useSearchParams } from \"react-router\";\nimport { IAuthenticationProvider } from \"src/shared/AuthenticationProvider\";\nimport { useTitle } from \"src/shared/useTitle\";\n\nexport const RESET_PASSWORD_PAGE_PATH = \"resetPassword\";\n\nexport function action(\n { sendPasswordResetEmail, changePassword }: IAuthenticationProvider): ActionFunction {\n return async (args: ActionFunctionArgs) => {\n const { request, params } = args;\n console.log(request);\n console.log(params);\n const formData = await request.formData()\n if (formData.get(\"email\")) {\n const result = await sendPasswordResetEmail(\n formData.get(\"email\")!.toString());\n return { response: result, statusCode: result.status };\n } else if (formData.get(\"password\")) {\n const result = await changePassword(\n formData.get(\"userId\")!.toString(),\n formData.get(\"token\")!.toString(),\n formData.get(\"password\")!.toString(),\n formData.get(\"confirmPassword\")!.toString(),\n );\n return { response: result, statusCode: result.status };\n }\n }\n}\n\nexport default function ResetPassword() {\n const [showAlert, setShowAlert] = useState(false);\n const [searchParams, setSearchParams] = useSearchParams();\n const emailReceived = searchParams.get(\"token\") && searchParams.get(\"userId\");\n const actionData = useActionData() as { response: Response, statusCode: number };\n useEffect(() => {\n setShowAlert(!!actionData)\n }, [actionData]);\n const dismissAlert = () => setShowAlert(false);\n\n const successAlert = emailReceived ?\n \n Success!\n Your password has been changed! Sign in.
\n \n :\n \n Success!\n Look for a password change email.
\n ;\n\n const errorAlert =\n \n Uh-oh!\n Something is wrong.
\n ;\n\n let alert\n console.log(actionData);\n switch (actionData?.response.ok) {\n case true:\n alert = successAlert\n break;\n\n case false:\n alert = errorAlert\n break;\n\n default:\n alert = null\n break;\n }\n useTitle(\"Reset Password\")\n return (\n <>\n \n \n \n\n \n {showAlert && alert}\n \n \n {emailReceived ? : }\n \n
\n \n\n >\n )\n\n function PasswordReset() {\n return (\n \n \n Forgot your password?\n \n \n New password.\n \n \n \n Confirm your password.\n \n \n \n \n \n \n
\n \n \n \n )\n }\n\n function EmailRequest() {\n return (\n \n \n Forgot your password?\n \n \n Please enter your email to reset your password.\n \n \n \n \n
\n \n \n );\n }\n}","import React, { useEffect, useState } from \"react\"\nimport { Button, Card, Form } from \"react-bootstrap\";\nimport { Form as RouterForm } from \"react-router\";\n\nexport default function SignUpForm() {\n return (\n <>\n \n \n Sign up\n \n \n This is your public username\n \n \n \n You will receive a confirmaton link at this email\n \n \n \n Choose a password\n \n \n \n Confirm your password\n \n \n \n \n
\n \n \n\n \n >);\n}","import React, { useEffect, useState } from \"react\"\nimport { Alert, Col, Container, Row } from \"react-bootstrap\";\nimport { Helmet } from \"react-helmet-async\";\nimport { ActionFunction, ActionFunctionArgs, Form, useActionData } from \"react-router\";\nimport SignUpForm from \"src/components/Authentication/SignUpForm\";\nimport { IAuthenticationProvider, SignUpResult } from \"src/shared/AuthenticationProvider\";\nimport { useTitle } from \"src/shared/useTitle\";\n\nexport const SIGN_UP_PAGE_PATH = \"signup\";\n\nexport function action(\n { signUp }: IAuthenticationProvider): ActionFunction {\n return async (args: ActionFunctionArgs) => {\n const { request } = args;\n const formData = await request.formData()\n const result = await signUp(\n formData.get(\"username\")!.toString(),\n formData.get(\"email\")!.toString(),\n formData.get(\"password\")!.toString(),\n formData.get(\"confirmPassword\")!.toString());\n return result;\n }\n}\n\nexport default function SignUp() {\n const actionData = useActionData() as SignUpResult;\n useEffect(() => {\n setShowAlert(!!actionData)\n }, [actionData]);\n const [showAlert, setShowAlert] = useState(false);\n const dismissAlert = () => setShowAlert(false);\n const successAlert =\n \n Success!\n Look for a confirmation link in your email to verify your email.
\n ;\n const errorAlert =\n \n Uh-oh!\n {actionData?.message}
\n ;\n let alert\n switch (actionData?.success) {\n case true:\n alert = successAlert\n break;\n\n case false:\n alert = errorAlert\n break;\n\n default:\n alert = null\n break;\n }\n\n useTitle(\"Sign Up\")\n return (\n <>\n\n \n \n \n\n \n {showAlert && alert}\n \n \n \n \n
\n \n >\n );\n}","import React, {useEffect, useState} from \"react\"\nimport { Helmet } from \"react-helmet-async\";\nimport { useTitle } from \"src/shared/useTitle\";\n\nexport const ABOUT_PAGE_PATH = \"About\"\n\nexport default function About() {\n useTitle(\"About\")\n return (\n <>\n \n \n \n About
\n \n Welcome to CookTime, your one-stop digital cookbook where flavors, nutrition, and convenience blend seamlessly. \n At CookTime, we are devoted to turning your kitchen experience into a joyous journey that resonates with your health goals and culinary aspirations. \n Our platform is a rich database of delectable recipes shared by home cooks and culinary experts from around the world. \n But CookTime is not just another recipe aggregator. \n We are a vibrant community of food lovers where you can upload, share, and treasure your own culinary creations, expanding your gastronomic horizon while inspiring others.\n
\n \n The core feature of CookTime is its innovative nutritional calculator. \n No longer do you need to wonder about the nutritional content of your dishes. \n Just input your recipe and let us do the hard work. \n We provide comprehensive information about calories, macros, and micronutrients of each dish, helping you align your meals with your dietary preferences or health goals. \n Whether you're seeking high-protein meals, low-carb delicacies, or heart-healthy options, our platform empowers you with the knowledge you need.\n
\n \n But that's not all! CookTime is built to streamline your cooking process. \n Our smart servings adjuster allows you to easily scale ingredient quantities up or down, ensuring you get the perfect portions every time. \n No more guesswork or complicated calculations! And when it comes to shopping, CookTime has you covered with its smart groceries list feature. \n Select your recipes for the week, and the platform will automatically aggregate the ingredients from multiple recipes into a single, easy-to-use list. \n Now, making your shopping list is as easy as pie!\n
\n \n Our user-friendly interface is enhanced by cutting-edge AI features, making CookTime a pioneer in the culinary tech field. \n Our magically easy recipe import feature recognizes ingredients and instructions from any image, allowing you to instantly import and save recipes from your favorite books or handwritten notes. \n Say goodbye to tedious manual entries and embrace the convenience of AI-powered cooking. \n Join us at CookTime, where we are cooking up the future, one recipe at a time!\n
\n >);\n }","import { ApplicationInsights } from '@microsoft/applicationinsights-web';\nimport React from 'react';\nimport ReactDOM from 'react-dom/client';\nimport {\n createBrowserRouter,\n createRoutesFromElements,\n Navigate,\n Route,\n RouterProvider\n} from \"react-router\";\n// import './index.css';\nimport '@smastrom/react-rating/style.css';\nimport 'bootstrap/dist/css/bootstrap.min.css'; // bootstrap\nimport './assets/css/all.css'; // fontawesome\nimport './assets/css/site.css'; // ours\nimport { AuthenticationContext, useAuthentication } from './components/Authentication/AuthenticationContext';\nimport DefaultLayout, { loader as recipeLoader } from './pages/DefaultLayout';\nimport { SIGN_IN_PAGE_PATH, SignIn, action as signInAction } from './pages/SignIn';\nimport reportWebVitals from './reportWebVitals';\n// import RecipeList, {loader as recipeListLoader } from './components/RecipeList/RecipeList';\nimport { HelmetProvider } from 'react-helmet-async';\nimport Favorites from './pages/Favorites';\nimport GroceriesList, { CART_PAGE_PATH } from './pages/GroceriesList';\nimport Home, { loader as recipeListLoader } from './pages/Home';\nimport IngredientNormalizer from './pages/IngredientNormalizer';\nimport IngredientsView from './pages/IngredientsView';\nimport MyRecipes from './pages/MyRecipes';\nimport PlainLayout from './pages/PlainLayout/PlainLayout';\nimport Recipe, { RECIPE_PAGE_PATH } from './pages/Recipe';\nimport RecipeCreation, { action as createRecipe, RECIPE_CREATE_PAGE_PATH } from './pages/RecipeCreation';\nimport Registration, { action as finishRegistration } from './pages/Registration';\nimport ResetPassword, { RESET_PASSWORD_PAGE_PATH, action as sendPasswordResetEmail } from './pages/ResetPassword';\nimport SignUp, { SIGN_UP_PAGE_PATH, action as signUpAction } from './pages/SignUp';\nimport About, { ABOUT_PAGE_PATH } from './pages/About';\n\nconst root = ReactDOM.createRoot(\n document.getElementById('root') as HTMLElement\n);\n\nfunction App() {\n const authProvider = useAuthentication();\n const router = createBrowserRouter(createRoutesFromElements(\n <>\n {/* Top level route defines layout */}\n }\n loader={recipeLoader}\n >\n } />\n\n } />\n } />\n } />\n } />\n }\n action={createRecipe} />\n } />\n } />\n } />\n \n\n {/* Distinct signup, signin routes */}\n }>\n {\n return await (signInAction(authProvider)(actionArgs));\n }}\n element={}>\n\n {\n return await (signUpAction(authProvider)(actionArgs));\n }}\n element={}>\n\n {\n return await (sendPasswordResetEmail(authProvider)(actionArgs))\n }}\n element={}>\n\n {\n return await (finishRegistration(authProvider)(actionArgs))\n }}\n element={}>\n \n\n } />\n >\n ), {\n future: {\n v7_relativeSplatPath: true,\n v7_fetcherPersist: true,\n v7_normalizeFormMethod: true,\n v7_partialHydration: true,\n v7_skipActionErrorRevalidation: true,\n },\n });\n return (\n \n \n \n )\n}\n\nconst appInsights = new ApplicationInsights({\n config: {\n connectionString: 'InstrumentationKey=b37afa75-076b-4438-a84d-79b9f4617d30;IngestionEndpoint=https://eastus2-3.in.applicationinsights.azure.com/;LiveEndpoint=https://eastus2.livediagnostics.monitor.azure.com/',\n enableAutoRouteTracking: true,\n enableCorsCorrelation: true,\n enableRequestHeaderTracking: true,\n enableResponseHeaderTracking: true,\n correlationHeaderExcludedDomains: ['*.queue.core.windows.net']\n /* ...Other Configuration Options... */\n }\n});\nappInsights.loadAppInsights();\nappInsights.trackPageView(); // Manually call trackPageView to establish the current user/session/pageview\n\n// This is the file that contains all the global state\nroot.render(\n \n \n \n \n \n);\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":["hasOwn","hasOwnProperty","classNames","classes","i","arguments","length","arg","argType","push","Array","isArray","inner","apply","toString","Object","prototype","includes","key","call","join","module","exports","default","condition","format","a","b","c","d","e","f","error","undefined","Error","args","argIndex","replace","name","framesToPop","hookCallback","some","hooks","setHookCallback","callback","input","isObject","hasOwnProp","isObjectEmpty","obj","getOwnPropertyNames","k","isUndefined","isNumber","isDate","Date","map","arr","fn","res","arrLen","extend","valueOf","createUTC","locale","strict","createLocalOrUTC","utc","defaultParsingFlags","empty","unusedTokens","unusedInput","overflow","charsLeftOver","nullInput","invalidEra","invalidMonth","invalidFormat","userInvalidated","iso","parsedDateParts","era","meridiem","rfc2822","weekdayMismatch","getParsingFlags","m","_pf","isValid","_isValid","flags","parsedParts","isNowValid","isNaN","_d","getTime","invalidWeekday","_strict","bigHour","isFrozen","createInvalid","NaN","fun","t","this","len","momentProperties","updateInProgress","copyConfig","to","from","prop","val","momentPropertiesLen","_isAMomentObject","_i","_f","_l","_tzm","_isUTC","_offset","_locale","Moment","config","updateOffset","isMoment","warn","msg","suppressDeprecationWarnings","console","deprecate","firstTime","deprecationHandler","argLen","slice","stack","keys","deprecations","deprecateSimple","isFunction","Function","set","_config","_dayOfMonthOrdinalParseLenient","RegExp","_dayOfMonthOrdinalParse","source","_ordinalParse","mergeConfigs","parentConfig","childConfig","Locale","defaultCalendar","sameDay","nextDay","nextWeek","lastDay","lastWeek","sameElse","calendar","mom","now","output","_calendar","zeroFill","number","targetLength","forceSign","absNumber","Math","abs","zerosToFill","pow","max","substr","formattingTokens","localFormattingTokens","formatFunctions","formatTokenFunctions","addFormatToken","token","padded","ordinal","func","localeData","removeFormattingTokens","match","makeFormatFunction","array","formatMoment","expandFormat","invalidDate","replaceLongDateFormatTokens","longDateFormat","lastIndex","test","defaultLongDateFormat","LTS","LT","L","LL","LLL","LLLL","_longDateFormat","formatUpper","toUpperCase","tok","defaultInvalidDate","_invalidDate","defaultOrdinal","defaultDayOfMonthOrdinalParse","_ordinal","defaultRelativeTime","future","past","s","ss","mm","h","hh","dd","w","ww","M","MM","y","yy","relativeTime","withoutSuffix","string","isFuture","_relativeTime","pastFuture","diff","aliases","addUnitAlias","unit","shorthand","lowerCase","toLowerCase","normalizeUnits","units","normalizeObjectUnits","inputObject","normalizedProp","normalizedInput","priorities","addUnitPriority","priority","getPrioritizedUnits","unitsObj","u","sort","isLeapYear","year","absFloor","ceil","floor","toInt","argumentForCoercion","coercedNumber","value","isFinite","makeGetSet","keepTime","set$1","get","month","date","daysInMonth","stringGet","stringSet","prioritized","prioritizedLen","regexes","match1","match2","match3","match4","match6","match1to2","match3to4","match5to6","match1to3","match1to4","match1to6","matchUnsigned","matchSigned","matchOffset","matchShortOffset","matchTimestamp","matchWord","addRegexToken","regex","strictRegex","isStrict","getParseRegexForToken","unescapeFormat","regexEscape","matched","p1","p2","p3","p4","tokens","addParseToken","tokenLen","addWeekParseToken","_w","addTimeToArrayFromToken","_a","indexOf","YEAR","MONTH","DATE","HOUR","MINUTE","SECOND","MILLISECOND","WEEK","WEEKDAY","mod","n","x","modMonth","o","monthsShort","months","monthsShortRegex","monthsRegex","monthsParse","defaultLocaleMonths","split","defaultLocaleMonthsShort","MONTHS_IN_FORMAT","defaultMonthsShortRegex","defaultMonthsRegex","localeMonths","_months","isFormat","localeMonthsShort","_monthsShort","handleStrictParse","monthName","ii","llc","toLocaleLowerCase","_monthsParse","_longMonthsParse","_shortMonthsParse","localeMonthsParse","_monthsParseExact","setMonth","dayOfMonth","min","getSetMonth","getDaysInMonth","computeMonthsParse","_monthsShortStrictRegex","_monthsShortRegex","_monthsStrictRegex","_monthsRegex","cmpLenRev","shortPieces","longPieces","mixedPieces","daysInYear","parseTwoDigitYear","parseInt","getSetYear","getIsLeapYear","createDate","ms","getFullYear","setFullYear","createUTCDate","UTC","getUTCFullYear","setUTCFullYear","firstWeekOffset","dow","doy","fwd","getUTCDay","dayOfYearFromWeeks","week","weekday","resYear","resDayOfYear","dayOfYear","weekOfYear","resWeek","weekOffset","weeksInYear","weekOffsetNext","localeWeek","_week","defaultLocaleWeek","localeFirstDayOfWeek","localeFirstDayOfYear","getSetWeek","add","getSetISOWeek","parseWeekday","weekdaysParse","parseIsoWeekday","shiftWeekdays","ws","concat","weekdaysMin","weekdaysShort","weekdays","weekdaysMinRegex","weekdaysShortRegex","weekdaysRegex","defaultLocaleWeekdays","defaultLocaleWeekdaysShort","defaultLocaleWeekdaysMin","defaultWeekdaysRegex","defaultWeekdaysShortRegex","defaultWeekdaysMinRegex","localeWeekdays","_weekdays","day","localeWeekdaysShort","_weekdaysShort","localeWeekdaysMin","_weekdaysMin","handleStrictParse$1","weekdayName","_weekdaysParse","_shortWeekdaysParse","_minWeekdaysParse","localeWeekdaysParse","_weekdaysParseExact","_fullWeekdaysParse","getSetDayOfWeek","getDay","getSetLocaleDayOfWeek","getSetISODayOfWeek","computeWeekdaysParse","_weekdaysStrictRegex","_weekdaysRegex","_weekdaysShortStrictRegex","_weekdaysShortRegex","_weekdaysMinStrictRegex","_weekdaysMinRegex","minp","shortp","longp","minPieces","hFormat","hours","kFormat","lowercase","minutes","matchMeridiem","_meridiemParse","localeIsPM","charAt","seconds","kInput","_isPm","isPM","_meridiem","pos","pos1","pos2","defaultLocaleMeridiemParse","getSetHour","localeMeridiem","isLower","globalLocale","baseConfig","dayOfMonthOrdinalParse","meridiemParse","locales","localeFamilies","commonPrefix","arr1","arr2","minl","normalizeLocale","chooseLocale","names","j","next","loadLocale","isLocaleNameSane","oldLocale","_abbr","aliasedRequire","getSetGlobalLocale","values","data","getLocale","defineLocale","abbr","parentLocale","forEach","updateLocale","tmpLocale","listLocales","checkOverflow","_overflowDayOfYear","_overflowWeeks","_overflowWeekday","extendedIsoRegex","basicIsoRegex","tzRegex","isoDates","isoTimes","aspNetJsonRegex","obsOffsets","UT","GMT","EDT","EST","CDT","CST","MDT","MST","PDT","PST","configFromISO","l","allowTime","dateFormat","timeFormat","tzFormat","exec","isoDatesLen","isoTimesLen","configFromStringAndFormat","extractFromRFC2822Strings","yearStr","monthStr","dayStr","hourStr","minuteStr","secondStr","result","untruncateYear","preprocessRFC2822","checkWeekday","weekdayStr","parsedInput","calculateOffset","obsOffset","militaryOffset","numOffset","hm","configFromRFC2822","parsedArray","setUTCMinutes","getUTCMinutes","configFromString","createFromInputFallback","defaults","currentDateArray","nowValue","_useUTC","getUTCMonth","getUTCDate","getMonth","getDate","configFromArray","currentDate","expectedWeekday","yearToUse","dayOfYearFromWeekInfo","_dayOfYear","_nextDay","weekYear","temp","weekdayOverflow","curWeek","GG","W","E","createLocal","gg","ISO_8601","RFC_2822","skipped","stringLength","totalParsedInputLength","meridiemFixWrap","erasConvertYear","hour","isPm","meridiemHour","configFromStringAndArray","tempConfig","bestMoment","scoreToBeat","currentScore","validFormatFound","bestFormatIsValid","configfLen","score","configFromObject","dayOrDate","minute","second","millisecond","createFromConfig","prepareConfig","preparse","configFromInput","isUTC","prototypeMin","other","prototypeMax","pickBy","moments","ordering","isDurationValid","unitHasDecimal","orderLen","parseFloat","isValid$1","createInvalid$1","createDuration","Duration","duration","years","quarters","quarter","weeks","isoWeek","days","milliseconds","_milliseconds","_days","_data","_bubble","isDuration","absRound","round","compareArrays","array1","array2","dontConvert","lengthDiff","diffs","offset","separator","utcOffset","sign","offsetFromString","chunkOffset","matcher","parts","matches","cloneWithOffset","model","clone","setTime","local","getDateOffset","getTimezoneOffset","getSetOffset","keepLocalTime","keepMinutes","localAdjust","_changeInProgress","addSubtract","getSetZone","setOffsetToUTC","setOffsetToLocal","subtract","setOffsetToParsedOffset","tZone","hasAlignedHourOffset","isDaylightSavingTime","isDaylightSavingTimeShifted","_isDSTShifted","toArray","isLocal","isUtcOffset","isUtc","aspNetRegex","isoRegex","ret","diffRes","parseIso","momentsDifference","inp","positiveMomentsDifference","base","isAfter","isBefore","createAdder","direction","period","tmp","isAdding","invalid","isString","String","isMomentInput","isNumberOrStringArray","isMomentInputObject","property","objectTest","propertyTest","properties","propertyLen","arrayTest","dataTypeTest","filter","item","isCalendarSpec","getCalendarFormat","myMoment","calendar$1","time","formats","sod","startOf","calendarFormat","localInput","endOf","isBetween","inclusivity","localFrom","localTo","isSame","inputMs","isSameOrAfter","isSameOrBefore","asFloat","that","zoneDelta","monthDiff","wholeMonthDiff","anchor","toISOString","keepOffset","toDate","inspect","prefix","datetime","suffix","zone","inputString","defaultFormatUtc","defaultFormat","postformat","humanize","fromNow","toNow","newLocaleData","lang","MS_PER_SECOND","MS_PER_MINUTE","MS_PER_HOUR","MS_PER_400_YEARS","mod$1","dividend","divisor","localStartOfDate","utcStartOfDate","startOfDate","isoWeekday","unix","toObject","toJSON","isValid$2","parsingFlags","invalidAt","creationData","localeEras","eras","_eras","since","until","localeErasParse","eraName","narrow","localeErasConvertYear","dir","getEraName","getEraNarrow","getEraAbbr","getEraYear","erasNameRegex","computeErasParse","_erasNameRegex","_erasRegex","erasAbbrRegex","_erasAbbrRegex","erasNarrowRegex","_erasNarrowRegex","matchEraAbbr","matchEraName","matchEraNarrow","matchEraYearOrdinal","_eraYearOrdinalRegex","abbrPieces","namePieces","narrowPieces","addWeekYearFormatToken","getter","getSetWeekYear","getSetWeekYearHelper","getSetISOWeekYear","getISOWeeksInYear","getISOWeeksInISOWeekYear","isoWeekYear","getWeeksInYear","weekInfo","getWeeksInWeekYear","weeksTarget","setWeekAll","dayOfYearData","getSetQuarter","erasParse","eraYearOrdinalParse","getSetDayOfMonth","getSetDayOfYear","getSetMinute","getSetMillisecond","getSetSecond","parseMs","getZoneAbbr","getZoneName","proto","createUnix","createInZone","parseZone","preParsePostFormat","Symbol","for","eraNarrow","eraAbbr","eraYear","isoWeeks","weeksInWeekYear","isoWeeksInYear","isoWeeksInISOWeekYear","isDST","zoneAbbr","zoneName","dates","isDSTShifted","proto$1","get$1","index","field","setter","listMonthsImpl","out","listWeekdaysImpl","localeSorted","shift","listMonths","listMonthsShort","listWeekdays","listWeekdaysShort","listWeekdaysMin","firstDayOfYear","firstDayOfWeek","langData","mathAbs","addSubtract$1","add$1","subtract$1","absCeil","bubble","monthsFromDays","monthsToDays","daysToMonths","as","valueOf$1","makeAs","alias","asMilliseconds","asSeconds","asMinutes","asHours","asDays","asWeeks","asMonths","asQuarters","asYears","clone$1","get$2","makeGetter","thresholds","substituteTimeAgo","relativeTime$1","posNegDuration","getSetRelativeTimeRounding","roundingFunction","getSetRelativeTimeThreshold","threshold","limit","argWithSuffix","argThresholds","withSuffix","th","assign","abs$1","toISOString$1","totalSign","ymSign","daysSign","hmsSign","total","toFixed","proto$2","toIsoString","version","relativeTimeRounding","relativeTimeThreshold","HTML5_FMT","DATETIME_LOCAL","DATETIME_LOCAL_SECONDS","DATETIME_LOCAL_MS","TIME","TIME_SECONDS","TIME_MS","factory","defineProperty","_len","validators","_key","allPropTypes","_len2","_key2","validator","_createChainableTypeChecker2","_createChainableTypeChecker","require","__esModule","validate","checkType","isRequired","props","propName","componentName","location","propFullName","componentNameSafe","propFullNameSafe","chainedCheckType","bind","ReactPropTypesSecret","emptyFunction","emptyFunctionWithReset","resetWarningCache","shim","secret","err","getShim","ReactPropTypes","bigint","bool","object","symbol","any","arrayOf","element","elementType","instanceOf","node","objectOf","oneOf","oneOfType","shape","exact","checkPropTypes","PropTypes","_react","_typeof","cache","_getRequireWildcardCache","has","newObj","hasPropertyDescriptor","getOwnPropertyDescriptor","desc","_interopRequireWildcard","_propTypes","_interopRequireDefault","_arrays","_Autowhatever","_theme","WeakMap","iterator","constructor","ownKeys","enumerableOnly","getOwnPropertySymbols","symbols","sym","enumerable","_objectSpread","target","_defineProperty","getOwnPropertyDescriptors","defineProperties","_defineProperties","descriptor","configurable","writable","_possibleConstructorReturn","self","_assertThisInitialized","ReferenceError","_isNativeReflectConstruct","Reflect","construct","sham","Proxy","_getPrototypeOf","setPrototypeOf","getPrototypeOf","__proto__","_setPrototypeOf","p","alwaysTrue","REASON_SUGGESTIONS_REVEALED","REASON_INPUT_FOCUSED","REASON_INPUT_CHANGED","REASON_ESCAPE_PRESSED","Autosuggest","_Component","subClass","superClass","TypeError","create","_inherits","Derived","Constructor","protoProps","staticProps","_super","Super","NewTarget","_ref2","_this","_alwaysRenderSuggestions","alwaysRenderSuggestions","instance","_classCallCheck","event","justClickedOnSuggestionsContainer","detail","document","getAttribute","suggestionsContainer","parentNode","autowhatever","_ref3","sectionIndex","itemIndex","updateHighlightedSuggestion","pressedSuggestion","justSelectedSuggestion","justMouseEntered","setTimeout","multiSection","focus","onSuggestionsClearRequested","_this$props","onSuggestionSelected","onSuggestionsFetchRequested","keepSuggestionsOnSelect","shouldKeepSuggestionsOnSelect","suggestion","suggestionValue","reason","resetHighlightedSuggestion","_this$props2","focusInputOnSuggestionClick","_this$getSuggestionIn","getSuggestionIndices","findSuggestionElement","suggestionIndex","clickedSuggestion","getSuggestion","clickedSuggestionValue","getSuggestionValue","maybeCallOnChange","method","closeSuggestions","onBlur","_this$props3","inputProps","shouldRenderSuggestions","highlightedSuggestion","getHighlightedSuggestion","shouldRender","setState","isFocused","highlightedSectionIndex","highlightedSuggestionIndex","valueBeforeUpDown","isCollapsed","blurEvent","_ref4","onMouseEnter","onSuggestionMouseEnter","onMouseLeave","onSuggestionMouseLeave","onMouseDown","onSuggestionMouseDown","onTouchStart","onSuggestionTouchStart","onTouchMove","onSuggestionTouchMove","onClick","onSuggestionClick","_ref5","containerProps","children","renderSuggestionsContainer","query","getQuery","state","justPressedUpDown","addEventListener","onDocumentMouseDown","onDocumentMouseUp","itemsContainer","nextProps","shouldResetHighlighting","highlightFirstSuggestion","suggestions","willRenderSuggestions","revealSuggestions","prevProps","prevState","_this$props4","onSuggestionHighlighted","removeEventListener","prevValue","_this2","shouldResetValueBeforeUpDown","_this$props5","getSectionSuggestions","_this$state","suggestionElement","startNode","newValue","_this$props$inputProp","onChange","trim","_this3","_this$props6","renderInputComponent","renderSuggestion","renderSectionTitle","id","theme","_this$state2","_onFocus","onFocus","_onKeyDown","onKeyDown","isOpen","items","autowhateverInputProps","scrollTop","keyCode","preventDefault","newHighlightedSectionIndex","newHighlightedItemIndex","getSuggestionValueByIndex","_newValue","willCloseSuggestions","renderSuggestionData","createElement","renderItemsContainer","renderItem","renderItemData","getSectionItems","highlightedItemIndex","itemProps","mapToAutowhateverTheme","ref","storeAutowhateverRef","Component","_ref","defaultTheme","_sectionIterator","_reactThemeable","_SectionTitle","_ItemList","_slicedToArray","_arrayWithHoles","_arr","_n","_e","_s","done","_iterableToArrayLimit","minLen","_arrayLikeToArray","_unsupportedIterableToArray","_nonIterableRest","emptyObject","Autowhatever","userRef","current","highlightedItem","section","isInputFocused","nextPrev","_this$sectionIterator2","sectionIterator","setSectionsItems","setSectionIterator","setTheme","ensureHighlightedItemIsVisible","sectionsItems","sectionsLengths","allSectionsAreEmpty","every","itemsCount","keyPrefix","sectionKeyPrefix","isFirstSection","onHighlightedItemChange","getItemId","storeItemsListReference","itemOffsetRelativeToContainer","offsetParent","offsetTop","offsetHeight","renderedItems","renderSections","renderItems","ariaActivedescendant","itemsContainerId","role","inputComponent","type","autoComplete","storeInputReference","storeItemsContainerReference","container","containerOpen","inputOpen","inputFocused","itemsContainerOpen","itemsList","itemFirst","itemHighlighted","sectionContainer","sectionContainerFirst","sectionTitle","_compareObjects","_extends","_objectWithoutProperties","excluded","sourceKeys","_objectWithoutPropertiesLoose","sourceSymbolKeys","propertyIsEnumerable","Item","isHighlighted","restProps","storeItemReference","_Item","ItemsList","sectionPrefix","isItemPropsFunction","isFirst","itemKey","itemPropsObj","allItemProps","storeHighlightedItemReference","SectionTitle","objA","objB","aKeys","bKeys","keysMap","aValue","bValue","aValueKeys","bValueKeys","aValueKey","suggestionsContainerOpen","suggestionsList","suggestionFirst","suggestionHighlighted","aa","ca","encodeURIComponent","da","Set","ea","fa","ha","ia","window","ja","ka","la","ma","v","g","acceptsBooleans","attributeName","attributeNamespace","mustUseProperty","propertyName","sanitizeURL","removeEmptyString","z","ra","sa","ta","pa","qa","oa","removeAttribute","setAttribute","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","A","Ma","Na","Oa","prepareStackTrace","displayName","Pa","tag","render","Qa","$$typeof","_context","_payload","_init","Ra","Sa","Ta","nodeName","Va","_valueTracker","getValue","setValue","stopTracking","Ua","Wa","checked","Xa","activeElement","body","Ya","defaultChecked","defaultValue","_wrapperState","initialChecked","Za","initialValue","controlled","ab","bb","cb","db","ownerDocument","eb","fb","options","selected","defaultSelected","disabled","gb","dangerouslySetInnerHTML","hb","ib","jb","textContent","kb","lb","mb","nb","namespaceURI","innerHTML","firstChild","removeChild","appendChild","MSApp","execUnsafeLocalFunction","ob","lastChild","nodeType","nodeValue","pb","animationIterationCount","aspectRatio","borderImageOutset","borderImageSlice","borderImageWidth","boxFlex","boxFlexGroup","boxOrdinalGroup","columnCount","columns","flex","flexGrow","flexPositive","flexShrink","flexNegative","flexOrder","gridArea","gridRow","gridRowEnd","gridRowSpan","gridRowStart","gridColumn","gridColumnEnd","gridColumnSpan","gridColumnStart","fontWeight","lineClamp","lineHeight","opacity","order","orphans","tabSize","widows","zIndex","zoom","fillOpacity","floodOpacity","stopOpacity","strokeDasharray","strokeDashoffset","strokeMiterlimit","strokeOpacity","strokeWidth","qb","rb","sb","style","setProperty","substring","tb","menuitem","area","br","col","embed","hr","img","keygen","link","meta","param","track","wbr","ub","vb","is","wb","xb","srcElement","correspondingUseElement","yb","zb","Ab","Bb","Cb","stateNode","Db","Eb","Fb","Gb","Hb","Ib","Jb","Kb","Lb","Mb","Nb","onError","Ob","Pb","Qb","Rb","Sb","Tb","Vb","alternate","return","Wb","memoizedState","dehydrated","Xb","Zb","child","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","isDehydrated","containerInfo","Xc","Yc","dispatchEvent","Zc","$c","ad","bd","cd","ReactCurrentBatchConfig","ed","transition","fd","gd","hd","Uc","stopPropagation","jd","kd","ld","md","nd","od","charCode","pd","qd","rd","_reactName","_targetInst","currentTarget","isDefaultPrevented","defaultPrevented","returnValue","isPropagationStopped","cancelBubble","persist","isPersistent","wd","xd","yd","sd","eventPhase","bubbles","cancelable","timeStamp","isTrusted","td","ud","view","vd","Ad","screenX","screenY","clientX","clientY","pageX","pageY","ctrlKey","shiftKey","altKey","metaKey","getModifierState","zd","button","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","fromCharCode","code","repeat","which","Rd","Td","width","height","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","color","email","password","range","search","tel","text","url","me","ne","oe","listeners","pe","qe","re","se","te","ue","ve","we","xe","ye","ze","oninput","Ae","detachEvent","Be","Ce","attachEvent","De","Ee","Fe","He","Ie","Je","Ke","nextSibling","Le","contains","compareDocumentPosition","Me","HTMLIFrameElement","contentWindow","href","Ne","contentEditable","Oe","focusedElem","selectionRange","documentElement","start","end","selectionStart","selectionEnd","defaultView","getSelection","rangeCount","anchorNode","anchorOffset","focusNode","focusOffset","createRange","setStart","removeAllRanges","addRange","setEnd","left","scrollLeft","top","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","__html","Ff","Gf","clearTimeout","Hf","Promise","Jf","queueMicrotask","resolve","then","catch","If","Kf","Lf","Mf","previousSibling","Nf","Of","Pf","Qf","Rf","Sf","Tf","Uf","G","Vf","H","Wf","Xf","Yf","contextTypes","__reactInternalMemoizedUnmaskedChildContext","__reactInternalMemoizedMaskedChildContext","Zf","childContextTypes","$f","ag","bg","getChildContext","cg","__reactInternalMemoizedMergedChildContext","dg","eg","fg","hg","jg","kg","lg","mg","ng","og","pg","qg","rg","sg","tg","ug","vg","wg","xg","yg","I","zg","Ag","Bg","deletions","Cg","pendingProps","treeContext","retryLane","Dg","mode","Eg","Fg","Gg","memoizedProps","Hg","Ig","Jg","Kg","Lg","_owner","_stringRef","refs","Mg","Ng","Og","Pg","Qg","Rg","implementation","Sg","Tg","q","r","Ug","Vg","Wg","Xg","Yg","Zg","$g","ah","_currentValue","bh","childLanes","ch","dependencies","firstContext","lanes","dh","eh","context","memoizedValue","fh","gh","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","tagName","zh","Ah","Bh","Ch","revealOrder","Dh","Eh","_workInProgressVersionPrimary","Fh","ReactCurrentDispatcher","Gh","Hh","N","O","Ih","Jh","Kh","Lh","P","Mh","Nh","Oh","Ph","Qh","Rh","Sh","Th","baseQueue","queue","Uh","Vh","Wh","lastRenderedReducer","action","hasEagerState","eagerState","lastRenderedState","dispatch","Xh","Yh","Zh","$h","ai","getSnapshot","bi","ci","Q","di","lastEffect","stores","ei","fi","gi","hi","destroy","deps","ji","ki","li","mi","ni","oi","pi","qi","ri","si","ti","ui","vi","wi","xi","yi","zi","Ai","R","Bi","readContext","useCallback","useContext","useEffect","useImperativeHandle","useInsertionEffect","useLayoutEffect","useMemo","useReducer","useRef","useState","useDebugValue","useDeferredValue","useTransition","useMutableSource","useSyncExternalStore","useId","unstable_isNewReconciler","identifierPrefix","Ci","defaultProps","Di","Ei","isMounted","_reactInternals","enqueueSetState","enqueueReplaceState","enqueueForceUpdate","Fi","shouldComponentUpdate","isPureReactComponent","Gi","contextType","updater","Hi","componentWillReceiveProps","UNSAFE_componentWillReceiveProps","Ii","getDerivedStateFromProps","getSnapshotBeforeUpdate","UNSAFE_componentWillMount","componentWillMount","componentDidMount","Ji","message","digest","Ki","Li","Mi","Ni","Oi","Pi","Qi","getDerivedStateFromError","componentDidCatch","Ri","componentStack","Si","pingCache","Ti","Ui","Vi","Wi","ReactCurrentOwner","Xi","Yi","Zi","$i","aj","compare","bj","cj","dj","baseLanes","cachePool","transitions","ej","fj","gj","hj","ij","UNSAFE_componentWillUpdate","componentWillUpdate","componentDidUpdate","jj","kj","pendingContext","lj","zj","Bj","Cj","mj","nj","oj","fallback","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","size","createElementNS","autoFocus","createTextNode","T","Gj","Hj","Ij","Jj","U","Kj","WeakSet","V","Lj","Mj","Nj","Pj","Qj","Rj","Sj","Tj","Uj","Vj","insertBefore","_reactRootContainer","Wj","X","Xj","Yj","Zj","onCommitFiberUnmount","componentWillUnmount","ak","bk","ck","dk","ek","isHidden","fk","gk","display","hk","ik","jk","kk","__reactInternalSnapshotBeforeUpdate","src","Vk","lk","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","isReactComponent","pendingChildren","al","mutableSourceEagerHydrationData","bl","pendingSuspenseBoundaries","cl","dl","el","fl","gl","hl","il","yj","Zk","kl","reportError","ll","_internalRoot","ml","nl","ol","pl","rl","ql","unmount","unstable_scheduleHydration","splice","querySelectorAll","JSON","stringify","form","sl","usingClientEntryPoint","Events","tl","findFiberByHostInstance","bundleType","rendererPackageName","ul","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","createRoot","unstable_strictMode","findDOMNode","flushSync","hydrate","hydrateRoot","hydratedSources","_getVersion","_source","unmountComponentAtNode","unstable_batchedUpdates","unstable_renderSubtreeIntoContainer","checkDCE","hasElementType","Element","hasMap","hasSet","hasArrayBuffer","ArrayBuffer","isView","equal","it","entries","cookieNameRegExp","cookieValueRegExp","domainValueRegExp","pathValueRegExp","__toString","NullObject","startIndex","str","charCodeAt","endIndex","decode","decodeURIComponent","$eb03e74f8f7db1f3$export$1d0aa160432dfea5","parentElement","$eb03e74f8f7db1f3$export$77f49a256021c8de","customs","curr","$eb03e74f8f7db1f3$export$a6177d5829f70ebc","parent","newChild","refChild","$eb03e74f8f7db1f3$export$6d240faa51aa562f","oldIndex","$eb03e74f8f7db1f3$export$4655efe700f887a","evt","list","$eb03e74f8f7db1f3$export$1fc0f6205829e19c","custom","newIndex","swapItem","oldIndicies","multiDragElement","newIndicies","inputs","normalized","$eb03e74f8f7db1f3$export$bc06a3af7dc65f53","$eb03e74f8f7db1f3$export$c25cf8080bd305ec","$eb03e74f8f7db1f3$export$eca851ee65ae17e4","$eb03e74f8f7db1f3$export$be2da95e6167b0bd","newList","reverse","newItem","$eb03e74f8f7db1f3$export$7553c81e62e31b7e","setList","className","onAdd","onChoose","onClone","onEnd","onFilter","onRemove","onSort","onStart","onUnchoose","onUpdate","onMove","onSpill","onSelect","onDeselect","$7fe8e3ea572bda7a$var$store","dragging","$7fe8e3ea572bda7a$export$11bbed9ee0012c13","createRef","chosen","sortable","plugins","newOptions","makeOptions","option","classicProps","newTag","getChildren","dataIdAttr","selectedClass","chosenClass","dataid","Children","prevClassName","filtered","cloneElement","find","prepareOnHandlerPropAndDOM","prepareOnHandlerProp","originalEvt","willInsertAfter","evtName","callOnHandlerProp","propEvent","pullMode","customClones","clones","removeOnSpill","revertOnSpill","sliceIterator","_toConsumableArray","_objectAssign","_objectAssign2","truthy","classNameDecorator","styles","propIsEnumerable","ToObject","ownEnumerableKeys","__self","__source","Fragment","jsx","jsxs","forceUpdate","escape","_status","_result","count","only","Profiler","PureComponent","StrictMode","Suspense","act","createContext","_currentValue2","_threadCount","Provider","Consumer","_defaultValue","_globalName","createFactory","forwardRef","isValidElement","lazy","memo","startTransition","unstable_act","pop","sortIndex","performance","setImmediate","startTime","expirationTime","priorityLevel","navigator","scheduling","isInputPending","MessageChannel","port2","port1","onmessage","postMessage","unstable_Profiling","unstable_continueExecution","unstable_forceFrameRate","unstable_getFirstCallbackNode","unstable_next","unstable_pauseExecution","unstable_runWithPriority","delay","unstable_wrapCallback","position","_position","nextNonEmptySectionIndex","prev","_position2","prevNonEmptySectionIndex","isLast","arrA","arrB","compareContext","keysA","keysB","bHasOwnProperty","idx","valueA","valueB","_objectSpread2","_arrayWithoutHoles","iter","_iterableToArray","_nonIterableSpread","userAgent","pattern","IE11OrLess","Edge","FireFox","Safari","IOS","ChromeForAndroid","captureMode","on","off","selector","msMatchesSelector","webkitMatchesSelector","_","getParentOrHost","host","closest","ctx","includeCTX","_throttleTimeout","R_SPACE","toggleClass","classList","css","getComputedStyle","currentStyle","matrix","selfOnly","appliedTransforms","transform","matrixFn","DOMMatrix","WebKitCSSMatrix","CSSMatrix","MSCSSMatrix","getElementsByTagName","getWindowScrollingElement","scrollingElement","getRect","relativeToContainingBlock","relativeToNonStaticParent","undoScale","getBoundingClientRect","elRect","bottom","right","innerHeight","innerWidth","containerRect","elMatrix","scaleX","scaleY","isScrolledPast","elSide","parentSide","getParentAutoScrollElement","elSideVal","parentSideVal","getChild","childNum","includeDragEl","currentChild","Sortable","ghost","dragged","draggable","lastElementChild","previousElementSibling","getRelativeScrollOffset","offsetLeft","winScroller","includeSelf","elem","gotSelf","clientWidth","scrollWidth","clientHeight","scrollHeight","elemCSS","overflowX","overflowY","isRectEqual","rect1","rect2","throttle","scrollBy","Polymer","$","jQuery","Zepto","dom","cloneNode","setRect","rect","unsetRect","expando","AnimationStateManager","animationCallbackId","animationStates","captureAnimationState","fromRect","thisAnimationDuration","childMatrix","addAnimationState","removeAnimationState","Number","indexOfObject","animateAll","animating","animationTime","toRect","prevFromRect","prevToRect","animatingRect","targetMatrix","sqrt","calculateRealTime","animate","animationResetTimer","currentRect","translateX","translateY","animatingX","animatingY","forRepaintDummy","offsetWidth","repaint","easing","animated","initializeByDefault","PluginManager","mount","plugin","pluginName","pluginEvent","eventName","eventCanceled","cancel","eventNameGlobal","initializePlugins","initialized","modified","modifyOption","getEventProperties","eventProperties","modifiedValue","optionListeners","rootEl","targetEl","cloneEl","toEl","fromEl","oldDraggableIndex","newDraggableIndex","originalEvent","putSortable","extraEventProperties","onName","CustomEvent","createEvent","initEvent","lastPutMode","allEventProperties","_excluded","dragEl","parentEl","ghostEl","nextEl","lastDownEl","cloneHidden","dragStarted","moved","activeSortable","active","hideGhostForTarget","_hideGhostForTarget","unhideGhostForTarget","_unhideGhostForTarget","cloneNowHidden","cloneNowShown","dispatchSortableEvent","_dispatchEvent","info","activeGroup","tapEvt","touchEvt","lastDx","lastDy","tapDistanceLeft","tapDistanceTop","lastTarget","lastDirection","targetMoveDistance","ghostRelativeParent","awaitingDragStarted","ignoreNextClick","sortables","pastFirstInvertThresh","isCircumstantialInvert","ghostRelativeParentInitialScroll","_silent","savedInputChecked","documentExists","PositionGhostAbsolutely","CSSFloatProperty","supportDraggable","supportCssPointerEvents","cssText","pointerEvents","_detectDirection","elCSS","elWidth","paddingLeft","paddingRight","borderLeftWidth","borderRightWidth","child1","child2","firstChildCSS","secondChildCSS","firstChildWidth","marginLeft","marginRight","secondChildWidth","flexDirection","gridTemplateColumns","touchingSideChild2","clear","_prepareGroup","toFn","pull","sameGroup","group","otherGroup","originalGroup","checkPull","checkPut","put","revertClone","stopImmediatePropagation","nearestEmptyInsertDetectEvent","nearest","emptyInsertThreshold","insideHorizontally","insideVertically","_detectNearestEmptySortable","_onDragOver","_checkOutsideTargetEl","_isOutsideThisEl","store","handle","swapThreshold","invertSwap","invertedSwapThreshold","removeCloneOnHide","ghostClass","dragClass","ignore","preventOnFilter","setData","dropBubble","dragoverBubble","delayOnTouchOnly","touchStartThreshold","devicePixelRatio","forceFallback","fallbackClass","fallbackOnBody","fallbackTolerance","fallbackOffset","supportPointer","nativeDraggable","_onTapStart","_onMove","dragRect","targetRect","retVal","onMoveFn","draggedRect","related","relatedRect","_disableDraggable","_unsilent","_generateId","sum","_nextTick","_cancelNextTick","_getDirection","touch","originalTarget","shadowRoot","path","composedPath","root","_saveInputCheckedState","isContentEditable","criteria","_prepareDragStart","dragStartFn","_lastX","_lastY","_onDrop","_disableDelayedDragEvents","_triggerDragStart","_disableDelayedDrag","_delayedDragTouchMoveHandler","_dragStartTimer","_onTouchMove","_onDragStart","selection","_dragStarted","_appendGhost","_nulling","_emulateDragOver","elementFromPoint","ghostMatrix","relativeScrollOffset","dx","dy","cssMatrix","_hideClone","cloneId","_loopId","setInterval","effectAllowed","_dragStartId","revert","vertical","isOwner","canSort","fromSortable","completedFired","dragOverEvent","_ignoreWhileAnimating","completed","elLastChild","spacer","_ghostIsLast","changed","_ghostIsFirst","targetBeforeFirstSwap","differentLevel","differentRowCol","dragElS1Opp","dragElS2Opp","dragElOppLength","targetS1Opp","targetS2Opp","targetOppLength","_dragElInRowColumn","side1","scrolledPastTop","scrollBefore","isLastTarget","mouseOnAxis","targetS1","targetS2","invert","_getInsertDirection","_getSwapDirection","dragIndex","nextElementSibling","after","moveVector","extra","axis","insertion","_showClone","_offMoveEvents","_offUpEvents","clearInterval","save","handleEvent","dropEffect","_globalDragOver","useAnimation","utils","dst","nextTick","cancelNextTick","detectDirection","scrollEl","scrollRootEl","lastAutoScrollX","lastAutoScrollY","touchEvt$1","pointerElemChangedInterval","autoScrolls","scrolling","clearAutoScrolls","autoScroll","pid","clearPointerElemChangedInterval","lastSwapEl","isFallback","scroll","scrollCustomFn","sens","scrollSensitivity","speed","scrollSpeed","scrollThisInstance","scrollFn","layersOut","currentParent","canScrollX","canScrollY","scrollPosX","scrollPosY","vx","vy","layer","scrollOffsetY","scrollOffsetX","bubbleScroll","drop","toSortable","Revert","Remove","SwapPlugin","Swap","swapClass","dragStart","dragOverValid","swap","prevSwapEl","n1","n2","i1","i2","isEqualNode","swapNodes","nulling","parentSortable","lastMultiDragSelect","multiDragSortable","dragEl$1","clonesFromRect","clonesHidden","multiDragElements","multiDragClones","initialFolding","folding","MultiDragPlugin","MultiDrag","avoidImplicitDeselect","_deselectMultiDrag","_checkKeyDown","_checkKeyUp","multiDragKey","multiDragKeyDown","isMultiDrag","delayStartGlobal","delayEnded","setupClone","sortableIndex","insertMultiDragClones","showClone","hideClone","dragStartGlobal","_ref6","multiDrag","_ref7","removeMultiDragElements","dragOver","_ref8","_ref9","clonesInserted","insertMultiDragElements","dragOverCompleted","_ref10","dragRectAbsolute","clonesHiddenBefore","dragOverAnimationCapture","_ref11","dragMatrix","dragOverAnimationComplete","_ref12","currentIndex","multiDragIndex","update","nullingGlobal","destroyGlobal","select","deselect","elementsInserted","AutoScroll","forceAutoScrollFallback","_handleAutoScroll","_handleFallbackAutoScroll","dragOverBubble","ogElemScroller","newElem","invariant","warning","arrayLikeToArray","toPropertyKey","isNativeReflectConstruct","possibleConstructorReturn","hasNativeReflectConstruct","Boolean","objectWithoutPropertiesLoose","assertThisInitialized","arrayWithoutHoles","iterableToArray","unsupportedIterableToArray","nonIterableSpread","hint","prim","toPrimitive","__webpack_module_cache__","__webpack_require__","moduleId","cachedModule","loaded","__webpack_modules__","definition","chunkId","all","reduce","promises","miniCssF","globalThis","inProgress","dataWebpackPrefix","script","needAttach","scripts","charset","timeout","nc","onScriptComplete","onerror","onload","doneFns","head","toStringTag","nmd","paths","installedChunks","installedChunkData","promise","reject","errorType","realSrc","request","webpackJsonpCallback","parentChunkLoadingFunction","chunkIds","moreModules","runtime","chunkLoadingGlobal","Op","$Symbol","iteratorSymbol","asyncIteratorSymbol","asyncIterator","toStringTagSymbol","define","wrap","innerFn","outerFn","tryLocsList","protoGenerator","Generator","generator","Context","makeInvokeMethod","tryCatch","ContinueSentinel","GeneratorFunction","GeneratorFunctionPrototype","IteratorPrototype","getProto","NativeIteratorPrototype","Gp","defineIteratorMethods","_invoke","AsyncIterator","PromiseImpl","invoke","record","__await","unwrapped","previousPromise","callInvokeWithMethodAndArg","doneResult","delegate","delegateResult","maybeInvokeDelegate","sent","_sent","dispatchException","abrupt","methodName","resultName","nextLoc","pushTryEntry","locs","entry","tryLoc","catchLoc","finallyLoc","afterLoc","tryEntries","resetTryEntry","completion","reset","iterable","iteratorMethod","isGeneratorFunction","genFun","ctor","mark","awrap","async","skipTempReset","stop","rootRecord","rval","exception","loc","caught","hasCatch","hasFinally","finallyEntry","complete","finish","thrown","delegateYield","asyncGeneratorStep","gen","_next","_throw","UNDEFINED","Prototype","strFunction","DynInstFuncTable","DynProxyTag","DynClassName","DynInstChkTag","DynAllowInstChkTag","DynProtoDefaultOptions","UnknownValue","str__Proto","DynProtoBaseProto","DynProtoGlobalSettings","DynProtoCurrent","strUseBaseInst","strSetInstFuncs","Obj","_objGetPrototypeOf","_objGetOwnProps","_gbl","global","_getGlobal","_gblInst","_hasOwnProperty","_isObjectOrArrayPrototype","_isObjectArrayOrFunctionPrototype","_getObjProto","newProto","curProto","_forEachProp","name_1","lp","_isDynamicCandidate","funcName","skipOwn","_throwTypeError","_hasVisited","_getInstFunc","currentDynProtoProxy","instFunc","instFuncTable","canAddInst","objProto","visited","protoFunc","_getProtoFunc","_populatePrototype","baseInstFuncs","setInstanceFunc","instFuncs_1","dynProtoProxy","_createDynamicPrototype","_getObjName","unknownValue","dynamicProto","theClass","delegateFunc","classProto","thisTarget","thisProto","_checkPrototype","perfOptions","useBaseInst","instFuncs","_getInstanceFuncs","baseFuncs","_instFuncProxy","funcHost","theFunc","baseProto","_getBaseFuncs","strShimFunction","strShimObject","strShimUndefined","strShimPrototype","strShimHasOwnProperty","ObjClass","ObjProto","ObjAssign","ObjCreate","ObjDefineProperty","ObjHasOwnProperty","_cachedGlobal","getGlobal","useCached","throwTypeError","objCreateFn","tmpFunc","__assignFn","extendStaticsFn","__extendsFn","__","__spreadArrayFn","_DYN_INITIALIZE","_DYN_GET_NOTIFY_MGR","_DYN_IDENTIFIER","_DYN_IS_INITIALIZED","_DYN_CONFIG","_DYN_INSTRUMENTATION_KEY","_DYN_LOGGER","_DYN_TIME","_DYN_PROCESS_NEXT","_DYN_GET_PROCESS_TEL_CONT0","_DYN_ADD_NOTIFICATION_LIS1","_DYN_REMOVE_NOTIFICATION_2","_DYN_STOP_POLLING_INTERNA3","_DYN_ON_COMPLETE","_DYN_GET_PLUGIN","_DYN_FLUSH","_DYN__EXTENSIONS","_DYN_SPLICE","_DYN_TEARDOWN","_DYN_MESSAGE_ID","_DYN_MESSAGE","_DYN_IS_ASYNC","_DYN_UPDATE","_DYN_GET_NEXT","_DYN_DIAG_LOG","_DYN_SET_NEXT_PLUGIN","_DYN_CREATE_NEW","_DYN_COOKIE_CFG","_DYN_SET_ENABLED","_DYN_SUBSTR","_DYN_NODE_TYPE","_DYN_APPLY","_DYN_REPLACE","_DYN_ENABLE_DEBUG_EXCEPTI4","_DYN_LOG_INTERNAL_MESSAGE","_DYN_LISTENERS","_DYN_IS_CHILD_EVT","_DYN_GET_CTX","_DYN_SET_CTX","_DYN_COMPLETE","STR_CHANNELS","STR_CORE","STR_CREATE_PERF_MGR","STR_DISABLED","STR_EXTENSION_CONFIG","STR_PROCESS_TELEMETRY","STR_PRIORITY","STR_EVENTS_SENT","STR_EVENTS_DISCARDED","STR_EVENTS_SEND_REQUEST","STR_PERF_EVENT","STR_ERROR_TO_CONSOLE","STR_WARN_TO_CONSOLE","STR_GET_PERF_MGR","strToISOString","cStrEndsWith","cStrStartsWith","strIndexOf","strReduce","cStrTrim","strToString","strConstructor","_objDefineProperty","_objFreeze","_objKeys","StringProto","_strTrim","_strEndsWith","_dataToISOString","_isArray","_objToString","_fnToString","_objFunctionString","rCamelCase","rNormalizeInvalid","rLeadingNumeric","isNullOrUndefined","isNotNullOrUndefined","normalizeJsName","callbackfn","strEndsWith","strContains","isError","isBoolean","isPlainObject","thisArg","arrIndexOf","searchElement","fromIndex","arrMap","results","arrReduce","_objKeysHasDontEnumBug","_objKeysDontEnums","objKeys","objDefineAccessors","getProp","setProp","_doNothing","objForEachKey","objFreeze","dateNow","getExceptionName","valChk","srcChk","theValue","getSetValue","defValue","getCfgValue","isTruthy","throwError","_createProxyFunction","srcFunc","proxyFunctionAs","overwriteTarget","proxyFunctions","functionsToProxy","arrForEach","optimizeObject","theObject","objExtend","obj1","obj2","obj3","obj4","obj5","obj6","deep","extended","_DYN_INGESTIONENDPOINT","_DYN_TO_STRING","_DYN_REMOVE_ITEM","_DYN_STRINGIFY","_DYN_PATHNAME","_DYN_CORRELATION_HEADER_E0","_DYN_EXTENSION_CONFIG","_DYN_EXCEPTIONS","_DYN_PARSED_STACK","_DYN_PROPERTIES","_DYN_MEASUREMENTS","_DYN_SIZE_IN_BYTES","_DYN_TYPE_NAME","_DYN_SEVERITY_LEVEL","_DYN_PROBLEM_GROUP","_DYN_IS_MANUAL","_DYN__CREATE_FROM_INTERFA1","_DYN_ASSEMBLY","_DYN_FILE_NAME","_DYN_HAS_FULL_STACK","_DYN_LEVEL","_DYN_METHOD","_DYN_LINE","_DYN_DURATION","_DYN_RECEIVED_RESPONSE","stringToBoolOrDefault","msToTimeSpan","totalms","sec","isCrossOriginError","lineNumber","columnNumber","strWindow","strJSON","strMsie","strTrident","strXMLHttpRequest","_isTrident","_navUserAgentCheck","_enableMocks","_useXDomainRequest","_beaconsSupported","_hasProperty","supported","getGlobalInst","hasWindow","getWindow","hasDocument","hasNavigator","getNavigator","hasHistory","getLocation","checkForMock","getPerformance","hasJSON","getJSON","isIE","getIEVersion","userAgentStr","dumpObj","propertyValueDump","isBeaconsSupported","isFetchSupported","withKeepAlive","isSupported","useXDomainRequest","isXhrSupported","_debugListener","listenerFuncs","_aiNamespace","_listenerProxyFunc","getDebugExt","ns","getDebugListener","_sanitizeDiagnosticText","_logToConsole","logFunc","theConsole","_InternalLogMessage","isUserAct","_self","msgId","strProps","safeGetLogger","core","DiagnosticLogger","logMessage","_messageLogged","_messageCount","_debugExtMsg","dbgExt","_loggingLevelConsole","_loggingLevelTelemetry","_maxInternalMessageLimit","_enableDebug","_setDefaultsFromConfig","_logInternalMessage","_getLogger","logger","_throwInternal","severity","_warnToConsole","createEnumStyle","enumClass","StorageType","LocalStorage","SessionStorage","_canUseLocalStorage","AI","AI_AND_W3C","W3C","_canUseSessionStorage","_storagePrefix","_getLocalStorageObject","_getVerifiedStorageObject","storageType","storage","_getSessionStorageObject","utlDisableStorage","utlSetStoragePrefix","storagePrefix","utlCanUseLocalStorage","utlGetLocalStorage","utlSetLocalStorage","utlRemoveStorage","utlCanUseSessionStorage","utlGetSessionStorage","utlSetSessionStorage","utlRemoveSessionStorage","PropertiesPluginIdentifier","BreezeChannelIdentifier","AnalyticsPluginIdentifier","DisabledPropertyName","SampleRate","ProcessLegacy","HttpMethod","DEFAULT_BREEZE_ENDPOINT","DEFAULT_BREEZE_PATH","strNotSpecified","strIkey","dataSanitizeKeyAndAddUniqueness","uniqueField","dataSanitizeKey","nameTrunc","dataSanitizeString","maxLength","valueTrunc","dataSanitizeUrl","dataSanitizeMessage","messageTrunc","dataSanitizeException","exceptionTrunc","dataSanitizeProperties","tempProps_1","dataSanitizeMeasurements","measurements","measure","tempMeasurements_1","dataSanitizeId","dataSanitizeInput","_msgId","inputTrunc","dsPadNumber","num","MAX_NAME_LENGTH","MAX_ID_LENGTH","MAX_PROPERTY_LENGTH","MAX_STRING_LENGTH","MAX_URL_LENGTH","MAX_MESSAGE_LENGTH","MAX_EXCEPTION_LENGTH","createTelemetryItem","baseType","envelopeName","customProperties","systemProperties","iKey","telemetryItem","TelemetryItemCreator","ver","Event","Trace","severityLevel","DataPoint","kind","stdDev","Metric","metrics","dataPoint","PageView","PageViewPerformance","perfTotal","networkConnect","sentRequest","receivedResponse","domProcessing","strError","strStack","strStackDetails","strErrorSrc","strMessage","strDescription","_stringify","convertToString","_formatMessage","theEvent","evtMessage","_isStackDetails","details","_convertStackObj","errorStack","_getStackFromErrorObj","errorObj","errorMessage","_getErrorType","typeName","_formatErrorCode","Exception","exceptions","problemGroup","isManual","_ExceptionDetails","outerId","hasFullStack","parsedStack","totalSizeInBytes_1","acceptedLeft","acceptedRight","frame","stackDetails","_StackFrame","level","assembly","fileName","line","strToGMTString","strToUTCString","strCookie","strExpires","strEnabled","strIsCookieUseDisabled","strDisableCookiesUsage","strConfigCookieMgr","_supportsCookies","_allowUaSameSite","_parsedCookieValue","_doc","_cookieCache","_globalCookieConfig","_gblCookieMgr","inst","_isMgrEnabled","cookieMgr","_isIgnoredCookie","cookieMgrCfg","safeGetCookieMgr","createCookieMgr","rootConfig","cookieEnabled","isEnabled","enabled","_enabled","expiry","setCookieFn","delCookie","areCookiesSupported","_extractParts","thePart","_formatDate","theDate","_formatCookieValue","cookieValue","_getCookieValue","_setCookieValue","uaDisallowsSameSiteNone","UInt32Mask","MaxUInt32","_mwcSeeded","_mwcW","_mwcZ","_mwcSeed","seedValue","_autoSeedMwc","signed","mwcRandom32","newId","chars","instanceName","_dataUid","_canAcceptData","_getCache","theCache","createUniqueNamespace","includeVersion","createElmNodeData","accept","kill","strAttachEvent","strAddEventHelper","strDetachEvent","strRemoveEventListener","strEvents","strVisibilityChangeEvt","strPageHide","strUnload","strBeforeUnload","strPageHideNamespace","rRemoveEmptyNs","rRemoveTrailingEmptyNs","_guid","elmNodeData","eventNamespace","_normalizeNamespace","_getEvtNamespace","evtNamespace","theNamespace_1","_getRegisteredEvents","addDefault","registeredEvents","_doDetach","handlerRef","useCapture","_doUnregister","events","unRegFn","mergeEvtNamespace","theNamespace","namespaces","newNamespaces","eventOn","guid","eventOff","_unregisterEvents","found_1","addEventHandler","_addEventListeners","excludeEvents","added","removeEventListeners","removeEventHandler","addPageUnloadEventListener","addPageHideEventListener","pageUnloadAdded","generateW3CId","oct","hexValues","DEFAULT_VERSION","INVALID_VERSION","INVALID_TRACE_ID","INVALID_SPAN_ID","invalidValue","_formatValue","_formatFlags","createTraceParent","traceId","spanId","isValidTraceId","isValidSpanId","formatTraceParent","createDomEvent","RequestHeaders","mapClass","createValueMap","requestContextHeader","requestContextTargetKey","requestContextAppIdFormat","requestIdHeader","traceParentHeader","traceStateHeader","sdkContextHeader","sdkContextHeaderAppIdRequest","requestContextHeaderLowerCase","_document","_htmlAnchorIdx","_htmlAnchorElement","urlParseUrl","tempAnchor","anchorIdx","urlGetAbsoluteUrl","urlGetCompleteUrl","absoluteUrl","urlParseHost","inclPort","urlParseFullHost","port","_internalEndpoints","isInternalApplicationInsightsEndpoint","endpointUrl","CorrelationIdHelper","correlationIdPrefix","canIncludeCorrelationHeader","requestHost","matchExists_1","getCorrelationContext","getCorrelationContextValue","dateTimeUtilsNow","dateTimeUtilsDuration","createDistributedTraceContextFromTrace","telemetryTrace","parentCtx","getName","setName","trace","getTraceId","setTraceId","getSpanId","setSpanId","getTraceFlags","setTraceFlags","RemoteDependencyData","requestAPI","resultCode","success","dependencyKind","dependencySource","commandName","dependencyTypeName","pathName","strExecutionContextKey","strParentContextKey","strChildrenContextKey","_defaultPerfManager","PerfEvent","accessorDefined","theDetails_1","payloadDetails","childTime","PerfManager","perfEvent","manager","doPerfActiveKey","doPerf","mgrSource","getSource","isAsync","perfMgr","perfEvt","currentActive","pluginStateData","_getPluginState","processContext","extensions","lastPlugin","isInitialized","pluginState","initPlugins","proxy","thePlugin","sortPlugins","strTelemetryPluginChain","strHasRunFlags","strGetTelCtx","_chainId","_createInternalContext","telemetryChain","_nextProxy","startAt","completeDetails","_onComplete","diagLog","getCfg","getExtCfg","getConfig","hasNext","getNext","setNext","iterate","onComplete","mergeDefault","theConfig","newConfig_1","createProcessTelemetryContext","nextPlugin","createProcessTelemetryUnloadContext","createProcessTelemetryUpdateContext","createTelemetryProxyChain","chainId","getPlugin","processTelemetry","unload","_id","_setNext","nextProxy","itemCtx","hasRunContext","hasRun","unloadCtx","updateCtx","firstProxy","lastProxy_1","aiInstrumentHooks","cbNames","_arrLoop","_doCallbacks","callDetails","cbArgs","hookCtx","hookErrorCb","_getOwner","checkPrototype","checkParentProto","owner","_createInstrumentHook","callbacks","aiHook","orgArgs","funcArgs","newFunc","cbks","rm","InstrumentFunc","InstrumentEvent","createUnloadHandlerContainer","handlers","run","handler","strGetPlugin","BaseTelemetryPlugin","currentCtx","pluginChain","_rootCtx","_isinitialized","_nextPlugin","_hooks","_unloadHandlerContainer","_initDefaults","_setDefaults","_unloadCallback","unloadDone","theUnloadCtx","_updateCallback","updateDone","_DYN_DISABLE_EXCEPTION_TR0","_DYN_AUTO_TRACK_PAGE_VISI1","_DYN_OVERRIDE_PAGE_VIEW_D2","_DYN_ENABLE_UNHANDLED_PRO3","_DYN_SAMPLING_PERCENTAGE","_DYN_IS_STORAGE_USE_DISAB4","_DYN_IS_BROWSER_LINK_TRAC5","_DYN_ENABLE_AUTO_ROUTE_TR6","_DYN_NAME_PREFIX","_DYN_DISABLE_FLUSH_ON_BEF7","_DYN_CORE","_DYN_DATA_TYPE","_DYN_ENVELOPE_TYPE","_DYN_TRACK","_DYN_TRACK_PAGE_VIEW","_DYN_TRACK_PREVIOUS_PAGE_9","_DYN_SEND_PAGE_VIEW_INTER10","_DYN_SEND_PAGE_VIEW_PERFO11","_DYN_POPULATE_PAGE_VIEW_P12","_DYN_HREF","_DYN_SEND_EXCEPTION_INTER13","_DYN_EXCEPTION","_DYN_ERROR","_DYN__ONERROR","_DYN_ERROR_SRC","_DYN_LINE_NUMBER","_DYN_COLUMN_NUMBER","_DYN__CREATE_AUTO_EXCEPTI14","_DYN_ADD_TELEMETRY_INITIA15","_DYN_IS_PERFORMANCE_TIMIN16","_DYN_GET_PERFORMANCE_TIMI17","_DYN_NAVIGATION_START","_DYN_SHOULD_COLLECT_DURAT18","_DYN_IS_PERFORMANCE_TIMIN19","_DYN_RESPONSE_START","_DYN_LOAD_EVENT_END","_DYN_RESPONSE_END","_DYN_CONNECT_END","_DYN_PAGE_VISIT_START_TIM20","_isWebWorker","PageViewManager","queueTimer","itemQueue","doFlush","_startTimer","_flushChannels","_logger","uri","appInsights","customDuration","pageViewSent","_addQueue","processed","pageViewPerformanceManager","pageViewPerformanceSent","doFlush_1","MAX_DURATION_ALLOWED","botAgentNames","_isPerformanceTimingSupported","_isPerformanceTimingDataReady","timing","_getPerformanceTiming","_getPerformanceNavigationTiming","_shouldCollectDuration","durations","isGoogleBot","PageViewPerformanceManager","pageViewPerformance","network","response","PageVisitTimeManager","prevPageVisitData","startPageVisitTimer","pageVisitTimeTrackingHandler","PageVisitData","Timing","_events","evnt","_configMilliseconds","_getDefaultConfig","_updateStorageUsage","extConfig","AnalyticsPlugin","_eventTracking","_pageTracking","_pageViewManager","_pageViewPerformanceManager","_pageVisitTimeManager","_preInitTelemetryInitializers","_isBrowserLinkTrackingEnabled","_browserLinkInitializerAdded","_enableAutoRouteTracking","_historyListenerAdded","_disableExceptionTracking","_autoExceptionInstrumented","_enableUnhandledPromiseRejectionTracking","_autoUnhandledPromiseInstrumented","_trackAjaxAttempts","_prevUri","_currUri","_evtNamespace","pageView","errorSrc","_sendCORSException","errorString","_base","PageName","PageUrl","average","sampleCount","_addDefaultTelemetryInitializers","_updateBrowserLinkTracking","_addHook","rsp","_addUnhandledPromiseRejectionTracking","_updateExceptionTracking","distributedTraceCtx","traceLocationName","refUri","_addHistoryListener","_updateLocationChange","__extends","_aiNameFunc","baseName","_aiApplication","_aiDevice","_aiLocation","_aiOperation","_aiSession","_aiUser","_aiCloud","_aiInternal","ContextTagKeys","applicationVersion","applicationBuild","applicationTypeId","applicationId","applicationLayer","deviceId","deviceIp","deviceLanguage","deviceLocale","deviceModel","deviceFriendlyName","deviceNetwork","deviceNetworkName","deviceOEMName","deviceOS","deviceOSVersion","deviceRoleInstance","deviceRoleName","deviceScreenResolution","deviceType","deviceMachineName","deviceVMName","deviceBrowser","deviceBrowserVersion","locationIp","locationCountry","locationProvince","locationCity","operationId","operationName","operationParentId","operationRootId","operationSyntheticSource","operationCorrelationVector","sessionId","sessionIsFirst","sessionIsNew","userAccountAcquisitionDate","userAccountId","userId","userStoreRegion","userAuthUserId","userAnonymousUserAcquisitionDate","userAuthenticatedUserAcquisitionDate","cloudName","cloudRole","cloudRoleVer","cloudRoleInstance","cloudEnvironment","cloudLocation","cloudDeploymentUnit","internalNodeName","internalSdkVersion","internalAgentVersion","internalSnippet","internalSdkSrc","_this_1","Extensions","UserExt","DeviceExt","TraceExt","WebExt","AppExt","OSExt","SessionExt","SDKExt","CtxTagKeys","Envelope","sampleRate","tags","Data","baseData","STR_DURATION","_DYN_TAGS","_DYN_DEVICE_TYPE","_DYN_DATA","_DYN_ON_LINE","_DYN_IS_ONLINE","_DYN_ENQUEUE","_DYN_EMIT_LINE_DELIMITED_0","_DYN_CLEAR","_DYN_BATCH_PAYLOADS","_DYN_MARK_AS_SENT","_DYN_CLEAR_SENT","_DYN_BUFFER_OVERRIDE","_DYN__BUFFER__KEY","_DYN__SENT__BUFFER__KEY","_DYN__MAX__BUFFER__SIZE","_DYN_MAX_BATCH_SIZE_IN_BY1","_DYN_TRIGGER_SEND","_DYN_ONUNLOAD_DISABLE_BEA2","_DYN_IS_BEACON_API_DISABL3","_DYN__SENDER","_DYN__SENDER_CONFIG","_DYN_ENABLE_SESSION_STORA4","_DYN__BUFFER","_DYN_ENDPOINT_URL","_DYN_CUSTOM_HEADERS","_DYN_DISABLE_XHR","_DYN_ONUNLOAD_DISABLE_FET5","_DYN_DISABLE_TELEMETRY","_DYN_BASE_TYPE","_DYN_SAMPLE_RATE","_DYN_CONVERT_UNDEFINED","_DYN__ON_ERROR","_DYN__ON_PARTIAL_SUCCESS","_DYN__ON_SUCCESS","_DYN_ITEMS_ACCEPTED","_DYN_IS_RETRY_DISABLED","_DYN_SET_REQUEST_HEADER","_DYN_MAX_BATCH_INTERVAL","_DYN_EVENTS_SEND_REQUEST","_DYN_DISABLE_INSTRUMENTAT7","_DYN_GET_SAMPLING_SCORE","strBaseType","strBaseData","strProperties","strTrue","_setValueIf","_extractPropsAndMeasurements","_convertPropsUndefinedToCustomDefinedValue","customUndefinedValue","_createEnvelope","envelopeType","envelope","env","tgs","itmTags","theTags","_extractPartAExtensions","EnvelopeCreatorInit","EnvelopeCreator","Version","EventEnvelopeCreator","customMeasurements","_disableEvents","BaseSendBuffer","_buffer","_bufferFullMessageSent","ArraySendBuffer","SessionStorageSendBuffer","getItem","setItem","remaining","prefixedKey","buffer_1","buffer","_setBuffer","sentElements","Serializer","HashCodeScoreGenerator","hash","SamplingScoreGenerator","Sample","samplingRate","isSampledIn","_getResponseText","xhr","_getDefaultAppInsightsChannelConfig","EnvelopeTypeCreator","currentContextId","Sender","_resendPayload","_checkAndUpdateEndPointUrl","_consecutiveErrors","_syncUnloadSender","_beaconSender","droppedPayload","_fallbackSender","payloadSize","_doFetchSender","requestHeaders","headers","init","ignoreResponse","_syncFetchPayload","fetch","batchLength","responseHandled","_checkResponsStatus","linearFactor","delayInSeconds","backOffDelay","_retryAt","_setRetryTime","_setupTimer","_timeoutHandle","statusCode","xdr","_headers","_offlineListener","_lastSend","_paused","_serializer","_stamp_specific_redirects","_clearScheduledTimer","parentEvtNamespace","_isListening","_onlineStatus","sendPostFunc","doNotSendItem_1","_notifySendRequest","forcedSender","retry","failed","parseConnectionString","connectionString","fields","Verbose","Information","Warning","Critical","ConfigurationManager","configValue","ChannelControllerPriority","_addChannelQueue","channelQueue","chain","TelemetryInitializerPlugin","_initializers","remove","doNotSendItem","strValidationError","strNotificationManager","strSdkUnloadingError","defaultInitConfig","loggingLevelConsole","_createPerfManager","notificationMgr","_isPluginPresent","exists","BaseCore","interval","_internalLogPoller","_flushInternalLogs","_isInitialized","_telemetryInitializerPlugin","_eventQueue","_notificationManager","_perfManager","_cfgPerfManager","_cookieManager","_pluginChain","_coreExtensions","_configExtensions","_channelControl","_channelConfig","_channelQueue","_isUnloading","_internalLogsEventName","_unloadHandlers","_traceCtx","theCtx","channelPriority","allExtensions","extPriorities","coreExtensions","channels","extensionQueue_1","waiting","chainCtx","processFn","_runChainOnComplete","identifier","initialize","_processChannelQueue","pause","resume","teardown","getChannel","flush","cbTimer","callBack","cbTimeout","handled_1","doCallback","doneIterating","_setQueue","_doUpdate","theExt","_removePlugins","_initPluginChain","removed","removeCb","newConfigExtensions","newQueue","newChannelConfig","removeComplete","_startInternalLogTimer","_initDebugListener","_initPerfManager","controls","_createTelCtx","_forceStopInternalLogPoller","unloadState","processUnloadCtx","unloadComplete","_doUnload","addCb","_logOrThrowError","updateState","_addPlugin","_runListeners","NotificationManager","AppInsightsCore","_notifyInvalidEvent","_validateTelemetryItem","STR_PROPERTIES","_DYN_REQUEST_URL","_DYN_INST","_DYN_CONTEXT","_DYN_ABORTED","_DYN_TRACE_ID0","_DYN_SPAN_ID1","_DYN_INCLUDE_CORRELATION_2","_DYN_CAN_INCLUDE_CORRELAT3","_DYN_GET_ABSOLUTE_URL","_DYN_HEADERS","_DYN_REQUEST_HEADERS","_DYN_APP_ID","_DYN_TRACK_DEPENDENCY_DAT4","_DYN_DISTRIBUTED_TRACING_5","_DYN_START_TIME","_DYN_ENABLE_REQUEST_HEADE6","_DYN_ENABLE_AJAX_ERROR_ST7","_DYN_ENABLE_AJAX_PERF_TRA8","_DYN_MAX_AJAX_CALLS_PER_V9","_DYN_ENABLE_RESPONSE_HEAD10","_DYN_EXCLUDE_REQUEST_FROM11","_DYN_ADD_REQUEST_CONTEXT","_DYN_DISABLE_AJAX_TRACKIN12","_DYN_DISABLE_FETCH_TRACKI13","_DYN_STATUS","_DYN_STATUS_TEXT","_DYN_HEADER_MAP","_DYN_OPEN_DONE","_DYN_SEND_DONE","_DYN_REQUEST_SENT_TIME","_DYN_ABORT_DONE","_DYN_GET_TRACE_ID","_DYN_GET_TRACE_FLAGS","_DYN_ERROR_STATUS_TEXT","_DYN_STATE_CHANGE_ATTACHE14","_DYN_RESPONSE_FINISHED_TI15","_DYN__CREATE_TRACK_ITEM","_DYN_RESPONSE","_DYN_GET_ALL_RESPONSE_HEA16","_DYN_GET_PART_APROPS","_DYN_GET_CORRELATION_CONT17","_DYN_PERF_MARK","_DYN_PERF_TIMING","_DYN_AJAX_TOTAL_DURATION","_DYN_EVENT_TRACE_CTX","_calcPerfDuration","resourceEntry","_setPerfDuration","_setPerfValue","perfData","XHRMonitoringState","ajaxRecord","dependency","ajaxData","propsSet","server_1","_populatePerfData","partA","traceExt","AJAX_MONITOR_PREFIX","strDiagLog","AJAX_DATA_CONTAINER","STR_FETCH","ERROR_HEADER","ERROR_PREFIX","ERROR_POSTFIX","ERROR_NOT_SENT","CORRELATION_HEADER_ERROR","CUSTOM_REQUEST_CONTEXT_ERROR","FAILED_TO_CALCULATE_DURATION_ERROR","_markCount","_getAjaxData","_isHeaderSet","isPresent","_getFailedAjaxDiagnosticsMessage","ajaxDataId","_throwInternalCritical","ajaxMonitorInstance","_throwInternalWarning","_createErrorCallbackFunc","internalMessage","ajaxDiagnosticsMessage","_indexOf","_addHandler","_processDependencyContainer","BLOB_CORE","DfltAjaxCorrelationHeaderExDomains","_internalExcludeEndpoints","maxAjaxCallsPerView","disableAjaxTracking","disableFetchTracking","excludeRequestFromAutoTrackingPatterns","disableCorrelationHeaders","distributedTracingMode","correlationHeaderExcludedDomains","correlationHeaderDomains","correlationHeaderExcludePatterns","appId","enableCorsCorrelation","enableRequestHeaderTracking","enableResponseHeaderTracking","enableAjaxErrorStatusText","enableAjaxPerfTracking","maxAjaxPerfLookupAttempts","ajaxPerfLookupDelay","ignoreHeaders","addRequestContext","addIntEndpoints","_getEmptyConfig","emptyConfig","AjaxMonitor","_fetchInitialized","_xhrInitialized","_currentWindowHost","_enableRequestHeaderTracking","_enableAjaxErrorStatusText","_isUsingW3CHeaders","_isUsingAIHeaders","_markPrefix","_enableAjaxPerfTracking","_maxAjaxCallsPerView","_enableResponseHeaderTracking","_disabledUrls","_disableAjaxTracking","_disableFetchTracking","_excludeRequestFromAutoTrackingPatterns","_addRequestContext","_dependencyHandlerId","_dependencyListeners","_dependencyInitializers","_ajaxDataId","rlt","theRegex","theUrl","ajaxValidation","performance_1","attempt","perfTiming","trackCallback","errorProps","_findPerfResourceEntry","status","_reportDependencyInternal","_reportFetchError","requestSentTime","responseFinishedTime","fetchDiagnosticsMessage","sysProperties","aborted","_populateDefaults","XMLHttpRequest","_hookProto","req","statusText","headerMap","correlationContext","responseText","responseHeaderMap_2","ajaxResponse","_reportXhrError","ajaxDataCntr","_onAjaxComplete","_attachToOnReadyStateChange","hkErr","_createMarkId","_addSharedXhrHeaders","_isDisabledRequest","fetchData","_reportFetchMetrics","responseHeaderMap_1","_instrumentFetch","_populateContext","traceFlags","_processDependencyListeners","Application","Device","_DYN_SESSION_MANAGER","_DYN_IS_USER_COOKIE_SET","_DYN_IS_NEW_USER","_DYN_GET_TRACE_CTX","_DYN_TELEMETRY_TRACE","_DYN_APPLY_SESSION_CONTEX0","_DYN_APPLY_APPLICATION_CO1","_DYN_APPLY_DEVICE_CONTEXT","_DYN_APPLY_OPERATION_CONT2","_DYN_APPLY_USER_CONTEXT","_DYN_APPLY_OPERATING_SYST3","_DYN_APPLY_LOCATION_CONTE4","_DYN_APPLY_INTERNAL_CONTE5","_DYN_ACCOUNT_ID","_DYN_SDK_EXTENSION","_DYN_GET_SESSION_ID","_DYN_SESSION_COOKIE_POSTF6","_DYN_USER_COOKIE_POSTFIX","_DYN_ID_LENGTH","_DYN_GET_NEW_ID","_DYN_AUTOMATIC_SESSION","_DYN_AUTHENTICATED_ID","_DYN_SESSION_EXPIRATION_M7","_DYN_SESSION_RENEWAL_MS","_DYN_ACQUISITION_DATE","_DYN_RENEWAL_DATE","_DYN_COOKIE_DOMAIN","_DYN_JOIN","_DYN_COOKIE_SEPARATOR","_DYN_AUTH_USER_COOKIE_NAM8","Internal","Location","Session","_SessionManager","session","maxAgeSec","_cookieUpdatedTimestamp","_storageNamePrefix","isExpired","_setCookie","_renew","_setStorage","TelemetryTrace","_validateUserInput","User","_setUserCookie","authCookie","storeInCookie","strExt","strTags","_removeEmpty","_internalSdkSrc","TelemetryContext","parentId","sesId","traceID","parentID","PropertiesPlugin","_extensionConfig","_distributedTraceCtx","_previousTraceCtx","theContext","userCtx","_processTelemetryInternal","instrumentationKey","_AUTHENTICATED_USER_CONTEXT","_TRACK","STR_SNIPPET","STR_FLUSH","STR_ADD_TELEMETRY_INITIALIZER","STR_POLL_INTERNAL_LOGS","STR_GET_PLUGIN","STR_EVT_NAMESPACE","STR_TRACK_EVENT","STR_TRACK_TRACE","STR_TRACK_METRIC","STR_TRACK_PAGE_VIEW","STR_TRACK_EXCEPTION","STR_TRACK_DEPENDENCY_DATA","STR_SET_AUTHENTICATED_USER_CONTEXT","STR_CLEAR_AUTHENTICATED_USER_CONTEXT","_DYN_DIAGNOSTIC_LOG_INTER4","_DYN_QUEUE","_DYN_CONNECTION_STRING","_DYN_APP_INSIGHTS","_DYN_DISABLE_IKEY_DEPRECA18","_DYN_GET_TRANSMISSION_CON19","_DYN_ONUNLOAD_FLUSH","_DYN_ADD_HOUSEKEEPING_BEF20","_ignoreUpdateSnippetProperties","Initialization","_houseKeepingNamespace","_sender","_snippetVersion","snippet","_core","channel","legacyMode","snippetVer","_updateSnippetProperties","chkSet","_loop_1","proxyAssign","properties_1","appInsightsInstance","propertiesPlugin","removePageUnloadEventListener","removePageHideEventListener","sdkSrc","_createSuper","_toPropertyKey","_x","_r","allowArrayLike","normalCompletion","didErr","step","_e2","PopStateEventType","createBrowserHistory","createBrowserLocation","window2","globalHistory","createLocation","pathname","usr","createBrowserHref","createPath","getUrlBasedHistory","cond","createKey","getHistoryState","parsePath","parsedPath","hashIndex","searchIndex","createHref2","validateLocation","v5Compat","history","getIndex","handlePop","nextIndex","delta","historyState","createHref","pushState","DOMException","replace2","replaceState","createURL","origin","URL","listen","encodeLocation","go","immutableRouteKeys","isIndexRoute","route","convertRoutesToDataRoutes","routes","mapRouteProperties2","parentPath","manifest","treePath","indexRoute","pathOrLayoutRoute","matchRoutes","locationArg","basename","matchRoutesImpl","allowPartial","stripBasename","branches","flattenRoutes","siblings","compareIndexes","routesMeta","childrenIndex","rankRouteBranches","decoded","decodePath","matchRouteBranch","convertRouteMatchToUiMatch","loaderData","params","parentsMeta","flattenRoute","relativePath","caseSensitive","startsWith","joinPaths","computeScore","explodeOptionalSegments","exploded","segments","first","rest","isOptional","endsWith","required","restExploded","subpath","paramRe","isSplat","initialScore","segment","branch","matchedParams","matchedPathname","remainingPathname","matchPath","pathnameBase","normalizePathname","regexpSource","paramName","compilePath","compiledParams","captureGroups","memo2","splatValue","nextChar","resolvePath","fromPathname","toPathname","resolvePathname","normalizeSearch","normalizeHash","getInvalidPathError","dest","getPathContributingMatches","getResolveToMatches","pathMatches","resolveTo","toArg","routePathnames","locationPathname","isPathRelative","isEmptyPath","routePathnameIndex","toSegments","hasExplicitTrailingSlash","hasCurrentTrailingSlash","redirect","responseInit","Headers","Response","ErrorResponseImpl","data2","internal","isRouteErrorResponse","validMutationMethodsArr","validMutationMethods","validRequestMethodsArr","validRequestMethods","redirectStatusCodes","redirectPreserveMethodStatusCodes","IDLE_NAVIGATION","formMethod","formAction","formEncType","formData","json","IDLE_FETCHER","IDLE_BLOCKER","proceed","ABSOLUTE_URL_REGEX","defaultMapRouteProperties","hasErrorBoundary","TRANSITIONS_STORAGE_KEY","ResetLoaderDataSymbol","createRouter","routerWindow","isBrowser2","inFlightDataRoutes","router","mapRouteProperties","dataRoutes","dataStrategyImpl","dataStrategy","defaultDataStrategy","patchRoutesOnNavigationImpl","patchRoutesOnNavigation","unlistenHistory","subscribers","savedScrollPositions2","getScrollRestorationKey2","getScrollPosition","initialScrollRestored","hydrationData","initialMatches","initialErrors","getInternalRouterError","getShortCircuitMatches","checkFogOfWar","loader","errors","findIndex","shouldLoadRouteOnHydration","fogOfWar","pendingNavigationController","historyAction","navigation","restoreScrollPosition","preventScrollReset","revalidation","actionData","fetchers","blockers","pendingAction","pendingPreventScrollReset","pendingViewTransitionEnabled","appliedViewTransitions","isUninterruptedRevalidation","isRevalidationRequired","cancelledFetcherLoads","fetchControllers","incrementingLoadId","pendingNavigationLoadId","fetchReloadIds","fetchRedirectIds","fetchLoadMatches","activeFetchers","fetchersQueuedForDeletion","blockerFunctions","unblockBlockerHistoryUpdate","pendingRevalidationDfd","newState","opts","unmountedFetchers","mountedFetchers","fetcher","subscriber","deletedFetchers","viewTransitionOpts","deleteFetcher","completeNavigation","isActionReload","isMutationMethod","_isRedirect","mergeLoaderData","priorPaths","currentLocation","nextLocation","toPaths","getSavedScrollPosition","navigate","normalizedPath","normalizeTo","fromRouteId","relative","normalizeNavigateOptions","submission","userReplace","blockerKey","shouldBlockNavigation","updateBlocker","startNavigation","pendingError","enableViewTransition","viewTransition","abort","startUninterruptedRevalidation","saveScrollPosition","routesToUse","loadingNavigation","overrideNavigation","handleNavigational404","notFoundMatches","isHashChangeOnly","AbortController","createClientSideRequest","signal","pendingActionResult","findNearestBoundary","handleAction","actionResult","shortCircuited","routeId","isErrorResult","getLoadingNavigation","handleLoaders","fetcherSubmission","initialHydration","updatedMatches","getActionDataForCommit","isFogOfWar","interruptActiveLoads","getSubmittingNavigation","discoverRoutes","discoverResult","boundaryId","partialMatches","actionMatch","getTargetMatch","callDataStrategy","isRedirectResult","location2","normalizeRedirectLocation","startRedirectNavigation","boundaryMatch","activeSubmission","getSubmissionFromNavigation","shouldUpdateNavigationState","getUpdatedActionData","getMatchesToLoad","matchesToLoad","revalidatingFetchers","updatedFetchers2","markFetchRedirectsDone","updates","getUpdatedRevalidatingFetchers","abortFetcher","controller","abortPendingFetchRevalidations","callLoadersAndMaybeResolveData","loaderResults","fetcherResults","redirect2","findRedirect","processLoaderData","updatedFetchers","didAbortFetchLoads","abortStaleFetchLoads","shouldUpdateFetchers","revalidatingFetcher","getLoadingFetcher","setFetcherError","handleFetcherAction","handleFetcherLoader","requestMatches","detectAndHandle405Error","existingFetcher","updateFetcherState","getSubmittingFetcher","abortController","fetchRequest","originatingLoadId","actionResults","getDoneFetcher","revalidationRequest","loadId","loadFetcher","staleKey","existingFetcher2","doneFetcher","isNavigation","redirectLocation","isDocumentReload","redirectNavigationType","state2","fetcherKey","dataResults","callDataStrategyImpl","isRedirectDataStrategyResult","normalizeRelativeRoutingRedirectResponse","convertDataStrategyResultToDataResult","fetchersToLoad","loaderResultsPromise","fetcherResultsPromise","acc","getFetcher","markFetchersDone","doneKeys","landedId","yeetedKeys","deleteBlocker","newBlocker","blocker","blockerFunction","getScrollKey","isNonHMR","localManifest","patch","patchRoutesImpl","newMatches","newPartialMatches","nextHistoryUpdatePromise","_window","sessionPositions","sessionStorage","parse","restoreAppliedTransitions","_saveAppliedTransitions","persistAppliedTransitions","subscribe","enableScrollRestoration","positions","getPosition","getKey","revalidate","rej","createDeferred","dispose","getBlocker","patchRoutes","_internalFetchControllers","_internalSetRoutes","newRoutes","contextualMatches","activeRouteMatch","nakedIndex","hasNakedIndexQuery","URLSearchParams","indexValues","getAll","append","qs","isFetcher","isSubmissionNavigation","isValidMethod","searchParams","getInvalidBodyError","stripHashFromPath","FormData","convertFormDataToSearchParams","convertSearchParamsToFormData","getLoaderMatchesUntilBoundary","includeBoundary","currentUrl","nextUrl","boundaryMatches","actionStatus","shouldSkipRevalidation","navigationMatches","currentLoaderData","currentMatch","isNew","isMissingData","isNewLoader","currentRouteMatch","nextRouteMatch","shouldRevalidateLoader","currentParams","nextParams","defaultShouldRevalidate","isNewRouteInstance","fetcherMatches","fetcherMatch","shouldRevalidate","hasData","hasError","currentPath","loaderMatch","routeChoice","childrenToPatch","newRoute","existingRoute","isSameRoute","aChild","bChild","loadLazyRouteModule","lazyRoute","lazyRouteProperty","routeToUpdate","routeUpdates","staticRouteValue","isPropertyStaticallyDefined","shouldLoad","requestContext","loadRouteDefinitionsPromises","dsMatches","loadRoutePromise","handlerOverride","callLoaderOrAction","staticContext","runHandler","abortPromise","onReject","actualHandler","handlerPromise","race","handlerError","dataStrategyResult","isResponse","contentType","isDataWithResponseInit","trimmedMatches","normalizedLocation","protocol","isSameBasename","Request","processRouteLoaderData","isStaticHandler","skipLoaderErrorBubbling","foundError","loaderHeaders","newLoaderData","mergedLoaderData","merged","eligibleMatches","DataRouterContext","React","DataRouterStateContext","ViewTransitionContext","isTransitioning","FetchersContext","AwaitContext","NavigationContext","LocationContext","RouteContext","outlet","isDataRoute","RouteErrorContext","useInRouterContext","React2","useLocation","navigateEffectWarning","useIsomorphicLayoutEffect","static","useNavigate","useDataRouterContext","useCurrentRouteId","activeRef","useNavigateStable","dataRouterContext","navigator2","routePathnamesJson","useNavigateUnstable","OutletContext","useResolvedPath","useRoutesImpl","dataRouterState","parentMatches","routeMatch","parentParams","parentPathnameBase","locationFromContext","parsedLocationArg","parentSegments","renderedMatches","_renderMatches","navigationType","DefaultErrorComponent","useRouteError","lightgrey","preStyles","padding","backgroundColor","devInfo","fontStyle","defaultErrorElement","RenderErrorBoundary","errorInfo","routeContext","component","RenderedRoute","errorElement","ErrorBoundary","_deepestRenderedBoundaryId","errorIndex","renderFallback","fallbackIndex","HydrateFallback","hydrateFallbackElement","errors2","needsToRunLoader","reduceRight","shouldRenderHydrateFallback","warningOnce","matches2","getDataRouterConsoleError","hookName","useDataRouterState","useRouteContext","thisRoute","useNavigation","useMatches","useLoaderData","useActionData","alreadyWarned","alreadyWarned2","warnOnce","React3","Deferred","RouterProvider","reactDomFlushSyncImpl","setStateImpl","pendingState","setPendingState","vtContext","setVtContext","renderDfd","setRenderDfd","setTransition","interruption","setInterruption","fetcherData","isViewTransitionAvailable","startViewTransition","skipTransition","finished","finally","renderPromise","transition2","Router","MemoizedDataRoutes","Navigate","jsonPath","Outlet","useOutlet","Route","_props","basenameProp","locationProp","staticProp","navigationContext","locationContext","trailingPathname","createRoutesFromChildren","defaultMethod","defaultEncType","isHtmlElement","shouldProcessLinkClick","isModifiedEvent","createSearchParams","_formDataSupportsSubmitter","supportedFormEncTypes","getFormEncType","encType","getFormSubmissionInfo","attr","isButtonElement","isInputElement","isFormDataSubmitterSupported","invariant2","loadRouteModule","routeModulesCache","import","routeModule","__reactRouterContext","isSpaMode","reload","isPageLinkDescriptor","page","isHtmlLinkDescriptor","rel","imageSrcSet","imageSizes","routeModules","links","dedupeLinkDescriptors","flat","getNewMatchesForLinks","nextMatches","currentMatches","matchPathChanged","manifestRoute","hasLoader","dedupeHrefs","hrefs","descriptors","preloads","preloadsSet","deduped","sorted","sortKeys","createHtml","html","singleFetchUrl","reqUrl","React5","RemixRootDefaultErrorBoundary","isOutsideRemixApp","errorInstance","heyDeveloper","BoundaryShell","title","fontSize","background","renderScripts","useFrameworkContext","Layout","charSet","content","fontFamily","Scripts","isFogOfWarEnabled","useDataRouterContext2","React9","useDataRouterStateContext","FrameworkContext","composeEventHandlers","theirHandler","ourHandler","getActiveMatches","isHydrated","errorIdx","PrefetchPageLinks","dataLinkProps","PrefetchPageLinksImpl","useKeyedPrefetchLinks","keyedPrefetchLinks","setKeyedPrefetchLinks","interrupted","getKeyedPrefetchLinks","linkProps","newMatchesForData","newMatchesForAssets","dataHrefs","routesParams","foundOptOutRoute","m2","hasClientLoader","moduleHrefs","manifestPatch","imports","getModuleLinkHrefs","serverHandoffString","renderMeta","isStatic","routerMatches","enableFogOfWar","didRenderScripts","initialScripts","contextScript","routeModulesScript","hmr","routeIds","initialRoutes","getPartialManifest","routePreloads","crossOrigin","mergeRefs","isBrowser","__reactRouterVersion","parseHydrationData","__staticRouterHydrationData","deserializeErrors","serialized","__type","__subType","ErrorConstructor","ABSOLUTE_URL_REGEX2","Link","React10","forwardedRef","absoluteHref","discover","prefetch","reloadDocument","isAbsolute","isExternal","targetUrl","joinedPathname","useHref","theirElementProps","frameworkContext","maybePrefetch","setMaybePrefetch","shouldPrefetch","setShouldPrefetch","observer","IntersectionObserver","isIntersecting","observe","disconnect","setIntent","cancelIntent","usePrefetchBehavior","prefetchRef","prefetchHandlers","internalOnClick","replaceProp","useLinkClickHandler","NavLink","ariaCurrentProp","classNameProp","styleProp","routerState","useDataRouterContext3","nextPath","useViewTransitionState","nextLocationPathname","endSlashPosition","isActive","isPending","renderProps","ariaCurrent","Form","onSubmit","submit","useSubmit","hasNakedIndexParam","useFormAction","submitter","submitMethod","ScrollRestoration","storageKey","remixContext","useDataRouterState2","scrollRestoration","usePageHide","getScrollRestorationKey","savedScrollPositions","scrollY","SCROLL_RESTORATION_STORAGE_KEY","disableScrollRestoration","getElementById","scrollIntoView","scrollTo","useScrollRestoration","ssrKey","userKey","restoreScroll","storageKey2","restoreKey","storedY","removeItem","getDataRouterConsoleError2","useSearchParams","defaultInit","defaultSearchParamsRef","hasSetSearchParamsRef","locationSearch","defaultSearchParams","setSearchParams","nextInit","navigateOptions","newSearchParams","fetcherId","getUniqueFetcherId","currentRouteId","TextEncoder","AuthenticationProvider","user","signIn","usernameOrEmail","rememberMe","signOut","signUp","userName","confirmPassword","getUserDetails","sendPasswordResetEmail","changePassword","newPassword","AuthContext","useAuthentication","AuthenticationContext","setUser","userDetails","didSignOut","RequireAuth","roles","auth","propTypes","tooltip","Feedback","_jsx","DEFAULT_BREAKPOINTS","DEFAULT_MIN_BREAKPOINT","ThemeContext","prefixes","breakpoints","minBreakpoint","useBootstrapPrefix","defaultPrefix","useBootstrapBreakpoints","useBootstrapMinBreakpoint","useIsRTL","FormCheckInput","bsPrefix","isInvalid","controlId","FormContext","FormCheckLabel","htmlFor","FormCheck","bsSwitchPrefix","inline","feedbackTooltip","feedback","feedbackType","label","innerFormContext","hasLabel","hasChildOfType","_jsxs","_Fragment","Input","Label","FormControl","htmlSize","plaintext","readOnly","FormFloating","FormGroup","Col","spans","brkPoint","span","propValue","infix","useCol","colProps","FormLabel","column","visuallyHidden","columnClass","FormRange","FormSelect","FormText","muted","Switch","FloatingLabel","validated","Group","Floating","Check","Text","Range","Select","useButtonProps","tabIndex","handleClick","isTrivialHref","Button","asProp","buttonProps","variant","SignInForm","redirectTo","placeholder","qsa","optionsSupported","onceSupported","once","canUseDOM","wrappedHandler","__once","onceHandler","useUncontrolledProp","wasPropRef","stateValue","isProp","wasProp","usePrevious","useForceUpdate","useEventCallback","useCommittedRef","useCallbackRef","tar","dequal","foo","bar","Uint8Array","DataView","byteLength","getInt8","useMounted","mounted","nextState","getBasePlacement","placement","isElement","isHTMLElement","HTMLElement","isShadowRoot","ShadowRoot","getUAString","uaData","userAgentData","brands","brand","isLayoutViewport","includeScale","isFixedStrategy","clientRect","visualViewport","addVisualOffsets","getLayoutRect","rootNode","getRootNode","isSameNode","getNodeName","isTableElement","getDocumentElement","getParentNode","assignedSlot","getTrueOffsetParent","getOffsetParent","isFirefox","currentNode","perspective","contain","willChange","getContainingBlock","getMainAxisFromPlacement","within","mathMax","mathMin","mergePaddingObject","paddingObject","expandToHashMap","hashMap","auto","basePlacements","viewport","popper","variationPlacements","placements","modifierPhases","phase","_state$modifiersData$","arrowElement","elements","arrow","popperOffsets","modifiersData","basePlacement","rects","toPaddingObject","arrowRect","minProp","maxProp","endDiff","reference","startDiff","arrowOffsetParent","clientSize","centerToReference","center","axisProp","centerOffset","effect","_options$element","querySelector","requires","requiresIfExists","getVariation","unsetSides","mapToStyles","_Object$assign2","popperRect","variation","offsets","gpuAcceleration","adaptive","roundOffsets","isFixed","_offsets$x","_offsets$y","hasX","hasY","sideX","sideY","win","heightProp","widthProp","_Object$assign","commonStyles","dpr","roundOffsetsByDPR","_options$gpuAccelerat","_options$adaptive","_options$roundOffsets","strategy","attributes","_options$scroll","_options$resize","resize","scrollParents","scrollParent","getOppositePlacement","getOppositeVariationPlacement","getWindowScroll","pageXOffset","pageYOffset","getWindowScrollBarX","isScrollParent","_getComputedStyle","getScrollParent","listScrollParents","_element$ownerDocumen","isBody","updatedList","rectToClientRect","getClientRectFromMixedType","clippingParent","layoutViewport","getViewportRect","clientTop","clientLeft","getInnerBoundingClientRect","winScroll","getDocumentRect","getClippingRect","boundary","rootBoundary","mainClippingParents","clippingParents","clipperElement","getClippingParents","firstClippingParent","clippingRect","accRect","computeOffsets","commonX","commonY","mainAxis","detectOverflow","_options","_options$placement","_options$strategy","_options$boundary","_options$rootBoundary","_options$elementConte","elementContext","_options$altBoundary","altBoundary","_options$padding","altContext","clippingClientRect","contextElement","referenceClientRect","popperClientRect","elementClientRect","overflowOffsets","offsetData","multiply","_skip","_options$mainAxis","checkMainAxis","_options$altAxis","altAxis","checkAltAxis","specifiedFallbackPlacements","fallbackPlacements","_options$flipVariatio","flipVariations","allowedAutoPlacements","preferredPlacement","oppositePlacement","getExpandedFallbackPlacements","_options$allowedAutoP","allPlacements","allowedPlacements","overflows","computeAutoPlacement","referenceRect","checksMap","makeFallbackChecks","firstFittingPlacement","_basePlacement","isStartVariation","isVertical","mainVariationSide","altVariationSide","checks","check","_loop","fittingPlacement","getSideOffsets","preventedOffsets","isAnySideFullyClipped","side","_options$offset","invertDistance","skidding","distance","distanceAndSkiddingToXY","_data$state$placement","_options$tether","tether","_options$tetherOffset","tetherOffset","isBasePlacement","tetherOffsetValue","normalizedTetherOffsetValue","offsetModifierState","_offsetModifierState$","mainSide","altSide","additive","maxLen","arrowPaddingObject","arrowPaddingMin","arrowPaddingMax","arrowLen","minOffset","maxOffset","clientOffset","offsetModifierValue","tetherMax","preventedOffset","_offsetModifierState$2","_mainSide","_altSide","_min","_max","isOriginSide","_offsetModifierValue","_tetherMin","_tetherMax","_preventedOffset","withinMaxClamp","getCompositeRect","elementOrVirtualElement","isOffsetParentAnElement","offsetParentIsScaled","isElementScaled","getNodeScroll","modifiers","modifier","dep","depModifier","debounce","DEFAULT_OPTIONS","areValidElements","popperGenerator","generatorOptions","_generatorOptions","_generatorOptions$def","defaultModifiers","_generatorOptions$def2","defaultOptions","orderedModifiers","effectCleanupFns","isDestroyed","setOptions","setOptionsAction","cleanupModifierEffects","orderModifiers","existing","mergeByName","_ref$options","cleanupFn","noopFn","_state$elements","_state$orderedModifie","_state$orderedModifie2","onFirstUpdate","createPopper","preventOverflow","referenceOverflow","popperAltOverflow","referenceClippingOffsets","popperEscapeOffsets","isReferenceHidden","hasPopperEscaped","computeStyles","eventListeners","flip","disabledApplyStylesModifier","ariaDescribedByModifier","ids","_popper$getAttribute","EMPTY_MODIFIERS","referenceElement","popperElement","prevModifiers","popperInstanceRef","_popperInstanceRef$cu","_popperInstanceRef$cu2","useSafeState","popperState","updateModifier","nextModifiers","noop","isLeftClickEvent","getRefTarget","InitialTriggerEvents","click","mouseup","pointerup","onClickOutside","clickTrigger","preventMouseClickOutsideRef","waitingForTrigger","handleMouseCapture","handleInitialMouse","handleMouse","_ownerWindow$event","_ownerWindow$parent","doc","ownerWindow","currentEvent","removeInitialTriggerListener","removeMouseCaptureListener","removeMouseListener","mobileSafariHackListeners","toModifierArray","mergeOptionsWithPopperConfig","_modifiers$eventListe","_modifiers$preventOve","_modifiers$preventOve2","_modifiers$offset","_modifiers$arrow","enableEvents","fixed","containerPadding","popperConfig","toModifierMap","useDropdownMenu","DropdownContext","attachArrowRef","hasShownRef","rootCloseEvent","placementOverride","enableEventListeners","usePopper","shouldUsePopper","show","handleClose","toggle","setMenu","menuElement","toggleElement","menuProps","metadata","hasShown","arrowProps","useClickOutside","DropdownMenu","$b5e257d569688ac6$var$defaultContext","$b5e257d569688ac6$var$SSRContext","$b5e257d569688ac6$var$IsSSRContext","$b5e257d569688ac6$var$canUseDOM","$b5e257d569688ac6$var$componentIds","$b5e257d569688ac6$var$useCounter","_React___SECRET_INTERNALS_DO_NOT_USE_OR_YOU_WILL_BE_FIRED_ReactCurrentOwner","currentOwner","_React___SECRET_INTERNALS_DO_NOT_USE_OR_YOU_WILL_BE_FIRED","prevComponentValue","$b5e257d569688ac6$export$619500959fc48b26","defaultId","$b5e257d569688ac6$var$subscribe","$b5e257d569688ac6$var$getSnapshot","$b5e257d569688ac6$var$getServerSnapshot","didSSR","counter","onStoreChange","isRoleMenu","_el$getAttribute","useDropdownToggle","useSSRSafeId","setToggle","DropdownToggle","makeEventKey","eventKey","NavContext","dataAttr","useDropdownItem","onSelectCtx","SelectableContext","activeKey","DropdownItem","dropdownItemProps","useWindow","useRefWithUpdate","attachRef","Dropdown","defaultShow","rawShow","rawOnToggle","onToggle","itemSelector","focusFirstItemOnShow","menuRef","toggleRef","lastShow","lastSourceEvent","focusInDropdown","nextShow","handleSelect","focusToggle","maybeFocusFirst","focusType","getNextFocusedChild","eventTarget","useEventListener","_menuRef$current","_toggleRef$current","fromMenu","fromToggle","_menuRef$current2","Toggle","defaultKey","_toPrimitive","_useState","useUncontrolled","fieldName","_extends2","Utils","propsValue","handlerName","_useUncontrolledProp","__reactInternalSnapshotFlag","__reactInternalSnapshot","__suppressDeprecationWarning","DropdownDivider","DropdownHeader","isReactNative","product","Anchor","handleKeyDown","DropdownItemText","toFnRef","refA","refB","useWrappedRefWithWarning","getDropdownMenuPlacement","alignEnd","dropDirection","isRTL","align","showProps","renderOnMount","isNavbar","NavbarContext","contextAlign","isInputGroup","InputGroupContext","alignClasses","useMergedRefs","useIsomorphicEffect","close","childBsPrefix","dropdownContext","toggleProps","pProps","navbar","autoClose","handleToggle","contextValue","directionClasses","down","up","BaseDropdown","ItemText","Divider","Header","useNavItem","parentOnSelect","navContext","tabContext","TabContext","contextControllerId","getControllerId","contextControlledId","getControlledId","unmountOnExit","mountOnEnter","NavItem","navItemProps","NavDropdown","menuRole","renderMenuOnMount","menuVariant","navItemPrefix","EVENT_KEY_ATTR","Nav","needsRefocusRef","listNode","getNextActiveTab","currentListNode","activeChild","mergedRef","nextActiveChild","uncontrolledProps","navbarBsPrefix","cardHeaderBsPrefix","initialBsPrefix","fill","justify","navbarScroll","navbarContext","cardHeaderContext","CardHeaderContext","BaseNav","NavbarBrand","psuedoElement","rUpper","msPattern","hyphenateStyleName","hyphenate","supportedTransforms","transforms","getPropertyValue","isTransform","removeProperty","UNMOUNTED","EXITED","ENTERING","ENTERED","EXITING","Transition","_React$Component","initialStatus","appear","isMounting","enter","appearStatus","in","nextCallback","_proto","updateStatus","nextStatus","cancelNextCallback","getTimeouts","exit","mounting","nodeRef","ReactDOM","forceReflow","performEnter","performExit","appearing","maybeNode","maybeAppearing","timeouts","enterTimeout","safeSetState","onEntered","onEnter","onEntering","onTransitionEnd","onExit","onExiting","onExited","setNextCallback","_this4","doesNotHaveTimeoutOrListener","addEndListener","maybeNextCallback","childProps","TransitionGroupContext","emulateTransitionEnd","called","triggerEvent","transitionEnd","mult","parseDuration","removeEmulate","transitionEndListener","funcs","triggerBrowserReflow","safeFindDOMNode","componentOrElement","childRef","normalize","handleEnter","handleEntering","handleEntered","handleExit","handleExiting","handleExited","handleAddEndListener","innerProps","MARGINS","getDefaultDimensionValue","dimension","margins","collapseStyles","inProp","getDimensionValue","computedDimension","createChainedFunction","TransitionWrapper","NavbarCollapse","Collapse","expanded","NavbarToggle","matchersByWindow","getMatcher","targetWindow","matchers","mql","matchMedia","refCount","media","useMediaQuery","setMatches","handleChange","addListener","removeListener","breakpointValues","and","getMaxQuery","breakpoint","breakpointOrMap","breakpointMap","getMinQuery","createBreakpointHook","xs","sm","xl","xxl","useWillUnmount","onUnmount","valueRef","useUpdatedRef","OPEN_DATA_ATTRIBUTE","ModalManager","handleContainerOverflow","modals","getBodyScrollbarWidth","_modal","containerState","paddingProp","getElement","scrollBarWidth","modal","modalIdx","setModalAttributes","getScrollbarWidth","setContainerStyle","removeContainerStyle","removeModalAttributes","resolveContainerRef","useWaitForDOMRef","onResolved","resolvedRef","setRef","earlyRef","nextRef","hasEnteredRef","combinedRef","ImperativeTransition","exited","setExited","onTransition","isInitialRef","handleTransition","stale","initial","isStale","renderTransition","runTransition","NoopTransition","isEscKey","useModalManager","provided","modalManager","getManager","dialog","backdrop","isTopModal","setDialogRef","setBackdropRef","Modal","keyboard","onBackdropClick","onEscapeKeyDown","backdropTransition","runBackdropTransition","enforceFocus","restoreFocus","restoreFocusOptions","renderDialog","renderBackdrop","providedManager","containerRef","onShow","onHide","prevShow","lastFocusRef","handleShow","removeKeydownListenerRef","handleDocumentKeyDown","removeFocusListenerRef","handleEnforceFocus","_modal$dialog$ownerDo","_modal$dialog","currentActiveElement","handleHide","_lastFocusRef$current","handleBackdropClick","dialogProps","backdropElement","Manager","fadeStyles","Fade","transitionClasses","isAppearing","OffcanvasBody","transitionStyles","OffcanvasToggling","CloseButton","ariaLabel","AbstractModalHeader","closeLabel","closeVariant","closeButton","ModalContext","OffcanvasHeader","DivStyledAsH5","divWithClassName","OffcanvasTitle","_superPropBase","_get","receiver","hasClass","baseVal","replaceClassName","origClass","classToRemove","sharedManager","Selector","BootstrapModalManager","adjust","actual","marginProp","adjustAndStore","restore","DialogTransition","BackdropTransition","Offcanvas","ariaLabelledby","responsive","backdropClassName","propsManager","renderStaticNode","showOffcanvas","setShowOffcanvas","hideResponsiveOffcanvas","useBreakpoint","modalContext","backdropProps","BaseModal","visibility","getSharedManager","Body","Title","NavbarOffcanvas","NavbarText","Navbar","expand","sticky","collapseOnSelect","controlledProps","handleCollapse","expandClass","Brand","Container","fluid","logo","beans","berries","cruciferous","flaxseed","greens","nuts","otherFruit","otherVegetable","spices","wholeGrains","Row","decoratedBsPrefix","sizePrefix","cols","Spinner","bsSpinnerPrefix","createRecipeWithName","recipeCreationArgs","importRecipeFromImage","getCategories","getRecipeViews","queryParams","getFeaturedRecipeViews","getNewRecipeViews","getFavoriteRecipeViews","getMyRecipes","addToFavorites","recipeId","removeFromFavorites","toPagedResult","currentPage","pageCount","pageSize","rowCount","firstRowOnPage","lastRowOnPage","getReviews","getInternalIngredientUpdates","createUtilityClassName","utilityValues","utilName","utilValue","bpValue","Stack","gap","DivStyledAsH4","AlertHeading","AlertLink","Alert","onClose","dismissible","alert","getRandomValues","Heading","rnds8","rng","crypto","msCrypto","uuid","REGEX","byteToHex","buf","rnds","IngredientDisplay","ingredient","ingredientRequirement","unitName","quantity","fraction","Fraction","ingredientName","showAlternatUnit","getAlternateUnit","strikethrough","numb","decimal","decimalStr","integral","currentUnitType","densityKgPerL","siType","grams","siValue","milliliters","Badge","pill","IngredientInput","fetchRequestCount","possibleSuggestions","ingredients","currentRequirements","ir","selectIngredient","onNewIngredient","newIngredient","uuidv4","badgeComponent","IngredientRequirementList","unitPreference","massOptions","printable","volumeOptions","countOptions","innerSelect","inputMode","updateIngredientRequirement","ingredientRequirements","onDelete","edit","ingredientEditRow","onNewIngredientRequirement","newQuantity","multiplier","r2","rr","er","t2","itemShapes","testId","itemStrokeWidth","s2","orientation","c2","hasHF","l2","u2","f2","d2","L2","O2","getBBox","e2","t3","n3","r3","r4","o2","viewBox","translateData","xmlns","preserveAspectRatio","gradientTransform","shapeRendering","tr","nr","or","sr","e3","cr","lr","ur","fr","mr","Lr","pr","points","Rr","activeFillColor","inactiveFillColor","activeStrokeColor","inactiveStrokeColor","Ar","K2","onHoverChange","g2","b2","R2","highlightOnlySelected","v2","E2","spaceBetween","B2","spaceInside","I2","radius","x2","C2","itemStyles","N2","D2","halfFillMode","$2","w2","visibleLabelId","k2","visibleItemLabelIds","F2","invisibleItemLabels","invisibleLabel","T2","resetLabel","U2","W2","P2","G2","X2","Z2","isInteger","H2","V2","Y2","_2","rr2","tr2","nr2","ir2","dr2","hr2","boxBorderWidth","n4","o3","n6","r5","arrayColors","staticColors","absoluteStrokeWidth","absoluteBoxBorderWidth","pr2","Or2","gr2","Sr2","br2","yr2","Ar2","dynamicClassNames","dynamicCssVars","Mr","$r","vr","Er","Br","Ir","xr","staticCssVars","Cr","Nr","Dr","wr","kr","Fr","Tr","Ur","Wr","Pr","Gr","Kr","isDynamic","a2","h2","trimEnd","ar","Xr","Zr","i3","c3","Hr","Vr","jr","RecipeStructuredData","recipe","images","image","servingsProduced","moment","cooktimeMinutes","recipeComponents","flatMap","steps","reviewCount","averageReviews","MAX_DELAY_MS","setChainedTimeout","handleRef","timeoutAtMs","delayMs","onRootClose","handleKeyUp","removeKeyupListener","Overlay","outerRef","rootElement","mountOverlay","useRootClose","rootClose","rootCloseDisabled","PopoverHeader","PopoverBody","getOverlayDirection","bsDirection","getInitialPopperStyles","Popover","hasDoneInitialMeasure","primaryPlacement","computedStyle","POPPER_OFFSET","Tooltip","TOOLTIP_OFFSET","overlay","outerShow","outerProps","popperRef","firstRenderedState","setFirstRenderedState","customOffset","overlayRef","popoverClass","tooltipClass","useOverlayOffset","actualTransition","handleFirstUpdate","BaseOverlay","overlayProps","_popperObj$state","_popperObj$state$modi","popperObj","aRef","__wrapped","wrapRefs","updatedPlacement","outOfBoundaries","hide","handleMouseOverOut","relatedNative","trigger","propsShow","propsDelay","triggerNodeRef","useTimeout","hoverStateRef","setShow","normalizeDelay","handleFocus","handleBlur","handleMouseOver","handleMouseOut","triggers","triggerProps","onMouseOver","onMouseOut","Step","before","inside","recipeStep","multipart","copyIr","ingredientRegex","currentSegment","trifurcation","trifurcate","newServings","tooltipTitle","RecipeStepList","rows","newSteps","onDeleteStep","ReactSortable","stepEditRow","onNewStep","stepEdit","NutritionFacts","calories","carbohydrates","proteins","polyUnsaturatedFats","monoUnsaturatedFats","saturatedFats","sugars","transFats","servings","iron","vitaminD","calcium","potassium","colSpan","border","textAlign","RecipeReviewForm","rating","setRating","setText","setValidated","noValidate","checkValidity","maxWidth","CardBody","CardFooter","CardHeader","CardImg","CardImgOverlay","CardLink","DivStyledAsH6","CardSubtitle","CardText","CardTitle","Card","Img","Subtitle","Footer","ImgOverlay","RecipeReviews","reviews","setReviews","loadReviews","review","imageNameToAsset","TodaysTenDisplay","todaysTen","TopTenImage","imageName","present","alt","hasGrains","hasGreens","hasCruciferousVegetables","hasVegetables","hasBeans","hasNutsAndSeeds","hasBerries","hasFruits","hasFlaxseeds","hasHerbsAndSpices","imgs","TagList","lis","Tags","newTags","tagsChanged","queryBuilder","mySuggestions","valueIsEmpty","initialTags","GoogleInFeedAds","RecipeEditButtons","operationInProgress","onSave","onCancel","onToggleEdit","onAddtoCard","userSignedIn","canEdit","editButtons","generateRecipeImage","RecipeEdit","newImage","newImageSrc","nutritionFacts","recipeImages","caloriesPerServing","categories","staticImage","setServingsFromQueryParameters","getNutritionData","myParam","componentIndex","newIrs","newComponents","newIr","mpRecipe","modifiedIndex","caloriesPerServingComponent","tagsComponent","fileList","files","reader","FileReader","readAsDataURL","RecipeOrComponents","ingredientNutritionFacts","dietDetails","categoryComponents","category","toTitleCase","txt","description","nutritionDatabaseId","nutritionDatabaseDescriptor","rightColContents","editBlockComponents","EditBlockComponent","appendNewComponent","deleteComponent","deleteIngredientRequirementForComponent","appendNewIngredientRequirementRowForComponent","updateIngredientRequirementForComponent","deleteStep","changeOrReorder","appendNewStepForComponent","redirected","saveMultiPartRecipe","TAG_PROPERTIES","TAG_NAMES","BASE","BODY","HEAD","HTML","LINK","META","NOSCRIPT","SCRIPT","STYLE","TITLE","FRAGMENT","SEO_PRIORITY_TAGS","VALID_TAG_NAMES","REACT_TAG_MAP","accesskey","class","contenteditable","contextmenu","itemprop","tabindex","HTML_TAG_MAP","getInnermostProperty","propsList","getTitleFromPropsList","innermostTitle","innermostTemplate","innermostDefaultTitle","getOnChangeClientState","getAttributesFromPropsList","tagType","tagAttrs","getBaseTagFromPropsList","primaryAttributes","innermostBaseTag","lowerCaseAttributeKey","getTagsFromPropsList","approvedSeenTags","approvedTags","instanceTags","instanceSeenTags","primaryAttributeKey","attributeKey","tagUnion","getAnyTrueFromPropsList","checkedTag","flattenArray","possibleArray","prioritizer","elementsList","propsToMatch","elementAttrs","toMatch","without","SELF_CLOSING_TAGS","encodeSpecialCharacters","encode","generateElementAttributesAsString","convertElementAttributesToReactProps","initProps","generateTagsAsReactComponent","mappedTag","_mappedTag","mappedAttribute","attribute","getMethodsForTag","toComponent","generateTitleAsReactComponent","titleAttributes","_initProps","attributeString","flattenedTitle","generateTagsAsString","attributeHtml","tagContent","isSelfClosing","mapStateOnServer","baseTag","bodyAttributes","htmlAttributes","noscriptTags","styleTags","_props$title","linkTags","metaTags","scriptTags","priorityMethods","prioritizeSeoTags","_getPriorityMethods","noscript","instances","HelmetData","setHelmet","helmet","serverState","helmetInstances","providerShape","helmetData","updateTags","indexToDelete","headElement","tagNodes","oldTags","newElement","styleSheet","existingTag","updateAttributes","elementTag","helmetAttributeString","helmetAttributes","attributesToRemove","attributeKeys","indexToSave","commitTagChanges","onChangeClientState","tagUpdates","addedTags","removedTags","_tagUpdates$tagType","_helmetCallback","Dispatcher","rendered","shallowEqual","emitChange","_this$props$context","defer","cancelAnimationFrame","requestAnimationFrame","Helmet","fastCompare","mapNestedChildrenToProps","nestedChildren","flattenArrayTypeChildren","arrayTypeChildren","newChildProps","mapObjectTypeChildren","_extends4","newProps","_extends3","mapArrayTypeChildrenToProps","newFlattenedProps","arrayChildName","_extends5","warnOnInvalidChildren","nestedChild","mapChildrenToProps","defaultTitle","titleTemplate","RECIPE_PAGE_PATH","Path","Recipe","useTitle","formName","SIMPLE_CREATE","IMPORT","RECIPE_CREATE_PAGE_PATH","RecipeCreation","setFetcherKey","load","submitImpl","FetcherForm","FetcherForm2","fetcherWithComponents","useFetcher","setImage","setImageSrc","NavigationBar","AdminNavBarSection","justifyContent","UserDropdown","CookTimeBanner","RecipeCard","isFavorite","favorite","setFavorite","FavoriteToggle","submitting","setSubmitting","heartClass","toggleFavoriteState","CardImage","loading","ReviewDisplay","PageItem","activeLabel","linkStyle","linkClassName","createButton","First","Prev","Ellipsis","Next","Last","Pagination","RecipeCardInFeedAd","PaginatedList","colClassName","activePage","paramsForPage","urlParams","navigateToPage","elementInner","inFeedAdIndex","itemsWithAd","RecipeList","hideIfEmpty","recipes","setRecipes","featured","news","loadData","DefaultLayout","SIGN_IN_PAGE_PATH","SignIn","setShowAlert","showAlert","errorAlert","marginTop","onPerfEntry","getCLS","getFID","getFCP","getLCP","getTTFB","Favorites","ShoppingCart","onDeleteRecipe","newCart","cart","recipeRequirement","PutCart","CreateAt","ingredientState","rIndex","multiPartRecipe","addToRecipeRequirement","setRecipeRequirement","aggregateIngredients","getAggregateIngredients","onClear","arg1","newRRequirements","denominator","allIngredientRequirements","rrIndex","irIndex","reducedIngredientRequirements","indexOfMatch","currentIr","uncheckedFn","ir1","unchecked","onClickFn","CheckIngredient","UncheckIngredient","newIngredientState","CART_PAGE_PATH","GroceriesList","Home","IngredientNormalizerRow","replacedId","usage","keptId","replacement","setReplacement","scope","IngredientNormalizer","replacements","setReplacements","loadReplacements","IngredientInternalUpdateRow","ingredientId","nutritionDescription","ingredientNames","gtinUpc","ndbNumber","countRegex","expectedUnitMass","setUpdate","isSubmitting","setIsSubmitting","setFailed","unitMass","IngredientsView","setIngredients","loadIngredients","MyRecipes","PlainLayout","Registration","RESET_PASSWORD_PAGE_PATH","ResetPassword","emailReceived","dismissAlert","successAlert","PasswordReset","EmailRequest","SignUpForm","SIGN_UP_PAGE_PATH","SignUp","ABOUT_PAGE_PATH","About","App","authProvider","createRoutesFromElements","recipeLoader","recipeListLoader","createRecipe","actionArgs","signInAction","signUpAction","finishRegistration","v7_relativeSplatPath","v7_fetcherPersist","v7_normalizeFormMethod","v7_partialHydration","v7_skipActionErrorRevalidation","ApplicationInsights","enableAutoRouteTracking","loadAppInsights","trackPageView","reportWebVitals"],"sourceRoot":""}