\n It functions as a sort of \"inverted\" function call; instead\n of calling a function with an argument, you \"pipe\" an\n argument into a function.\n
\n
\n This is useful in certain functional-programming paradigms;\n it provides a nicer interface for currying, for example.\n
\n When accessing a property on an object, you can use dot\n notation to pluck it out. This only works if you know the\n key of the property; if that property name is held in a\n variable, you'll need to use bracket notation instead.\n
\n >\n ),\n example: `\nconst me = {\n name: 'Jerica C.',\n address: {\n street: '123 Street Ave.',\n city: 'Montréal',\n province: 'Québec',\n country: 'Canada'\n }\n}\n\nconsole.log(me.name); // 'Jerica C.'\nconsole.log(me.address.city); // 'Montréal'\n\n// If the key is held in a variable,\n// I need to use brackets.\nconst relevantField = 'city';\n\nconsole.log(me.address.relevantField);\n// undefined\n\nconsole.log(me.address[relevantField]);\n// 'Montréal'\n`,\n link: 'https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Operators/Property_accessors',\n },\n\n '%': {\n label: 'Remainder (Modulo)',\n definition: (\n <>\n
\n This operator is in the same mathematical family as Addition\n (+) or Multiplication (\n *).\n
\n
\n It evaluates to the remainder of dividing the left-hand\n value by the right-hand.\n
\n
\n I have an entire blog post about this operator:{' '}\n \n Understanding the JavaScript Modulo Operator\n \n
\n >\n ),\n example: `\nconsole.log(8 % 2);\n// 0 — 2 fits perfectly into 4, so the\n// remainder is '0'.\n\nconsole.log(8 % 7);\n// 1 — 7 can only go into 8 once, and\n// there's 1 left over; imagine taking\n// 7 pieces of pizza, and seeing 1 left.\n\n`,\n link: 'https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Operators/Remainder',\n },\n\n '%=': {\n label: 'Remainder (Modulo) Assignment',\n definition: (\n <>\n
\n This operator is the \"assignment\" version of the remainder\n operator (%). It performs the\n operation on a variable, and assigns the result to that\n variable.\n
\n Alright, so this is a weird one. It's technically not an\n operator, it's special syntax we can use. And this syntax\n serves two mirror purposes:\n
\n
\n Rest: This syntax is used in function\n definitions to collect additional function arguments. Useful\n when you don't know how many parameters a function needs. It\n collects them into an array.\n
\n
\n Spread: This syntax performs the opposite\n of \"rest\", and can be used to populate a function from an\n array. It can also be used to clone or merge arrays and\n objects.\n
\n This operator subtracts one number from another. It's a\n mathematical operator.\n
\n
\n As a unary operator, it can also be used to signify that a\n number is negative—for example-5{' '}\n isn't subtracting anything, it's indicating that this\n number's value is negative 5.\n
\n This operator checks to see if two values are equivalent.\n Returns a boolean value.\n
\n
\n Unlike the strict equality operator (\n ===), this operator ignores the\n type and focuses exclusively on the value. For example, the\n number 2 is considered equivalent\n to the string \"2\".\n
\n >\n ),\n example: `\n// The numbers are different,\n// so they aren't equal\nconsole.log(10 == 11); // false\n\n// The numbers are the same, so it is equal!\nconsole.log(10 == 10); // true\n\n// The value matches, regardless of type\nconsole.log(10 == '10'); // true`,\n link: 'https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Operators/Equality',\n },\n\n '===': {\n label: 'Strict Equality',\n definition: (\n <>\n
\n This operator checks to see if two values are equivalent.\n Returns a boolean value.\n
\n
\n Unlike the equality operator (\n ==), this operator checks the type\n as well as the value. For example, the number{' '}\n 2 is not considered equivalent to\n the string \"2\".\n
\n >\n ),\n example: `\n// The numbers are different,\n// so they aren't equal\nconsole.log(10 === 11); // false\n\n// The numbers are the same,\n// so it is equal!\nconsole.log(10 === 10); // true\n\n// The values are the same,\n// but the type is different\nconsole.log(10 === '10'); // false`,\n link: 'https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Operators/Strict_equality',\n },\n\n '!=': {\n label: 'Inequality',\n definition: (\n <>\n
\n This operator returns true if each\n side represents a different value\n
\n
\n Unlike the strict inequality operator (\n !==), the value's type isn't\n considered. For example, the number{' '}\n 2 is considered equivalent to the\n string \"2\", so the expression{' '}\n 2 != '2' returns{' '}\n false. This is generally a bad\n thing, and it's recommended to use the{' '}\n strict inequality operator instead.\n
\n >\n ),\n example: `\nconst a = 10;\n\n// The numbers are different,\n// so they are inequal\nconsole.log(a != 11); // true\n\n// The numbers are the same,\n// they are not inequal\nconsole.log(a != 10); // false\n\n// Even though the types are different,\n// the values are the same, so they're\n// considered equal.\nconsole.log(a != '10'); // false`,\n link: 'https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Operators/Inequality',\n },\n '!==': {\n label: 'Strict Inequality',\n definition: (\n <>\n
\n This operator checks to see if two values are not\n equivalent. Returns a boolean value.\n
\n
\n Unlike the inequality operator (\n !=), this operator considers the\n type as well as the value. For example, the number{' '}\n 2 is not considered equivalent to\n the string \"2\".\n
\n >\n ),\n example: `\nconst a = 10;\n\n// The numbers are different,\n// so they are inequal\nconsole.log(a !== 11); // true\n\n// The numbers are the same,\n// so they're not inequal\nconsole.log(a !== 10); // false\n\n// The values are the same,\n// but the type is different,\n// so they are still considered inequal\nconsole.log(a !== '10'); // true`,\n link: 'https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Operators/Strict_inequality',\n },\n '>': {\n label: 'Greater Than',\n definition: (\n <>\n
\n This operator checks to see if the value on the left is\n larger than the value on the right.\n
\n
\n For numbers, this works as you'd probably expect. For\n strings, things can be surprising; each character is\n converted to its appropriate character code. This means that\n casing matters, as shown in the examples below.\n
\n
\n Protip: Struggling to distinguish this from\n the Less Than ({'<'}) operator?\n Pretend it's an alligator's mouth. It's greedy, and wants to\n eat whichever value is bigger.\n
\n This operator checks to see if the value on the left is\n smaller than the value on the right.\n
\n
\n For numbers, this works as you'd probably expect. For\n strings, things can be surprising; each character is\n converted to its appropriate character code. This means that\n casing matters, as shown in the examples below.\n
\n
\n Protip: Struggling to distinguish this from\n the Greater Than ({'>'}) operator?\n Pretend it's an alligator's mouth. It's greedy, and wants to\n eat whichever value is bigger.\n
\n This operator checks to see if the value on the left is\n larger than, or the same as, the value on the right.\n
\n
\n For numbers, this works as you'd probably expect. For\n strings, things can be surprising; each character is\n converted to its appropriate character code. This means that\n casing matters, as shown in the examples below.\n
\n
\n Protip: Struggling to distinguish this from\n the Less Than or Equal ({'<='})\n operator? Pretend it's an alligator's mouth. It's greedy,\n and wants to eat whichever value is bigger.\n
\n This operator checks to see if the value on the left is\n smaller than, or the same as, the value on the right.\n
\n
\n For numbers, this works as you'd probably expect. For\n strings, things can be surprising; each character is\n converted to its appropriate character code. This means that\n casing matters, as shown in the examples below.\n
\n
\n Protip: Struggling to distinguish this from\n the Greater Than or Equal To({'>='}\n ) operator? Pretend it's an alligator's mouth. It's greedy,\n and wants to eat whichever value is bigger.\n
\n !! is a repetition of the{' '}\n \n ! (NOT) operator\n \n . This is effectively a way to convert a truthy/falsy value\n into its boolean value (true or{' '}\n false).\n
\n >\n ),\n example: `\nconst truthyValue = 5;\n\nconsole.log(!truthyValue); // false\nconsole.log(!!truthyValue); // true\nconsole.log(!!!truthyValue); // false\nconsole.log(!!!!truthyValue); // true\n`,\n link: 'https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Operators/Logical_NOT',\n },\n};\n\nexport default DATA;\n","import React from 'react';\nimport { styled } from '@linaria/react';\nimport { motion } from 'framer-motion';\n\nimport { BREAKPOINTS } from '@/constants';\n\nimport CategoryPill from '@/components/CategoryPill';\nimport VisuallyHidden from '@/components/VisuallyHidden';\n\nimport data from './data';\n\nconst DATA_ENTRIES = Object.entries(data);\n\ninterface Props {\n handleClick: (operator: string) => void;\n prefersReducedMotion: boolean;\n animateSuggestions: boolean;\n}\n\nconst FullList = ({\n handleClick,\n prefersReducedMotion,\n animateSuggestions,\n}: Props) => {\n const animationProps = animateSuggestions\n ? {\n initial: 'hidden',\n animate: 'visible',\n variants: {\n hidden: {\n opacity: 0,\n transition: {\n when: 'afterChildren',\n },\n },\n visible: {\n opacity: 1,\n transition: {\n when: 'beforeChildren',\n staggerChildren: 0.02,\n delay: 0.5,\n },\n },\n },\n }\n : {};\n\n return (\n \n {' '}\n \n {DATA_ENTRIES.map(([operator, operatorMetadata], index) => (\n \n handleClick(operator)}>\n {operator}\n \n {' '}\n ({operatorMetadata.label})\n \n \n \n ))}\n \n \n );\n};\n\nconst MatchSuggestionsWrapper = styled(motion.div)`\n display: flex;\n flex-direction: column;\n margin-top: 96px;\n margin-left: 16px;\n margin-right: 16px;\n margin-bottom: 48px;\n\n @media ${BREAKPOINTS.mdAndLarger} {\n margin-inline: -16px;\n }\n`;\n\nconst Label = styled.span`\n display: block;\n flex: 1;\n font-size: 1rem;\n color: var(--color-gray-900);\n margin-bottom: 16px;\n animation: fadeIn 400ms 600ms both;\n`;\n\nconst Pills = styled(motion.ul)`\n flex: 3.5;\n display: flex;\n flex-wrap: wrap;\n justify-content: center;\n gap: 8px;\n padding: 0;\n list-style-type: none;\n\n button {\n font-family: var(--font-family-mono);\n }\n\n @media ${BREAKPOINTS.smAndSmaller} {\n /*\n Increase spacing to make it less easy to accidentally tap\n the wrong operator\n */\n li {\n padding: 4px;\n }\n }\n`;\n\nexport default React.memo(FullList);\n","import React from 'react';\nimport { styled } from '@linaria/react';\nimport { animated } from 'react-spring';\n\nimport useBoop from '@/hooks/use-boop';\n\ninterface Props extends React.HTMLAttributes {\n x?: number;\n y?: number;\n rotation?: number;\n scale?: number;\n timing?: number;\n}\n\nfunction Boop({\n x,\n y,\n rotation,\n scale,\n timing,\n children,\n ...delegated\n}: Props) {\n const [style, trigger] = useBoop({\n x,\n y,\n rotation,\n scale,\n timing,\n });\n\n return (\n \n {children}\n \n );\n}\n\nconst Wrapper = styled(animated.span)`\n display: inline-block;\n backface-visibility: hidden;\n`;\n\nexport default Boop;\n","export { default } from './Boop';\n","import { styled } from '@linaria/react';\n\nconst HEIGHT = 59;\n\nconst BigTextInput = ({\n searchValue,\n handleSearch,\n handleFocus,\n handleClear,\n}) => {\n return (\n handleFocus(true)}\n onBlur={() => handleFocus(false)}\n onChange={(ev) => {\n handleSearch(ev.target.value);\n }}\n onKeyDown={(ev) => {\n if (ev.key === 'Escape') {\n handleClear();\n }\n }}\n />\n );\n};\n\nconst Wrapper = styled.input`\n display: block;\n flex: 1;\n border: none;\n background: transparent;\n font-size: 36px;\n height: ${HEIGHT}px;\n font-family: var(--font-family-mono);\n text-align: center;\n color: inherit;\n\n /* Input is too big on mobile sizes, it winds up not being centered. Allow it to shrink down. */\n min-width: 0px;\n\n /* Covered in JS instead */\n outline: none;\n`;\n\nexport default BigTextInput;\n","import { styled } from '@linaria/react';\nimport { motion } from 'framer-motion';\nimport { Search as SearchIcon, X as XIcon } from 'lucide-react';\n\nimport useHasHydrated from '@/hooks/use-has-hydrated';\n\nimport Spinner from '@/components/Spinner';\nimport VisuallyHidden from '@/components/VisuallyHidden';\nimport Spacer from '@/components/Spacer';\nimport Boop from '@/components/Boop';\n\nimport BigTextInput from './BigTextInput';\n\nconst HEIGHT = 59;\nconst ICON_SIZE = 24;\n\nconst Search = ({\n prefersReducedMotion,\n searchValue,\n isFocused,\n handleSearch,\n handleClear,\n handleFocus,\n}) => {\n const hasHydrated = useHasHydrated();\n\n return (\n \n \n \n Search for an operator\n {hasHydrated ? (\n \n ) : (\n \n \n \n )}\n {searchValue ? (\n \n \n Clear search term\n \n \n \n ) : (\n \n )}\n \n \n \n );\n};\n\nconst Wrapper = styled(motion.div)`\n padding: 2px;\n will-change: transform;\n`;\n\nconst SpinnerWrapper = styled.div`\n flex: 1;\n display: grid;\n place-content: center;\n height: ${HEIGHT}px;\n opacity: 0.4;\n`;\n\nconst BackgroundBox = styled.div`\n position: absolute;\n z-index: 1;\n top: 0;\n left: 0;\n right: 0;\n bottom: 0;\n width: 100%;\n height: 100%;\n border-radius: 8px;\n transition: opacity 600ms;\n /* This is necessary so that when the search input moves in front of the header during page transition, the input effectively covers the header. */\n background: var(--color-background);\n box-shadow:\n 0 0.9px 1.2px rgba(0, 0, 0, 0.064),\n 0 2.1px 2.9px rgba(0, 0, 0, 0.07),\n 0 3.9px 5.5px rgba(0, 0, 0, 0.072),\n 0 6.9px 9.8px rgba(0, 0, 0, 0.076),\n 0 13px 18.4px rgba(0, 0, 0, 0.092),\n 0 31px 44px rgba(0, 0, 0, 0.17),\n 0 -5px 15px rgba(0, 0, 0, 0.1);\n`;\n\nconst InputLabel = styled.label`\n position: relative;\n z-index: 2;\n display: flex;\n align-items: center;\n padding: 0 12px 4px;\n border-radius: 8px;\n overflow: hidden;\n color: var(--color-text);\n\n &:after {\n content: '';\n position: absolute;\n left: 0;\n right: 0;\n bottom: 0;\n width: 100%;\n height: 4px;\n background: var(--color-gray-1000);\n border-radius: 100px;\n\n html[data-color-mode='dark'] &[data-is-focused='true'] {\n background: var(--color-primary);\n }\n }\n`;\n\nconst TranslucentSearchIcon = styled(SearchIcon)`\n opacity: 0.75;\n`;\n\nconst CloseButton = styled.button`\n color: inherit;\n opacity: 0.75;\n\n &:hover {\n color: var(--color-secondary);\n opacity: 1;\n }\n\n i,\n svg {\n display: block !important;\n }\n`;\n\nexport default Search;\n","'use client';\n\nimport * as React from 'react';\nimport { styled } from '@linaria/react';\nimport { motion, AnimatePresence, LayoutGroup } from 'framer-motion';\n\nimport usePrefersReducedMotion from '@/hooks/use-prefers-reduced-motion';\nimport useHasHydrated from '@/hooks/use-has-hydrated';\nimport { slugify } from '@/utils';\n\nimport MaxWidthWrapper from '@/components/MaxWidthWrapper';\nimport Spacer from '@/components/Spacer';\nimport Paragraph from '@/components/Paragraph';\n\nimport Match from '@/components/Goodies/OperatorLookup/Match';\nimport OperatorList from '@/components/Goodies/OperatorLookup/OperatorList';\nimport Search from '@/components/Goodies/OperatorLookup/Search';\nimport type { OperatorWithSnippet } from './OperatorLookup.types';\n\nfunction OperatorLookup({\n data,\n}: {\n data: Record;\n}) {\n const hasHydrated = useHasHydrated();\n const [isFocused, setIsFocused] = React.useState(false);\n const [searchValue, setSearchValue] = React.useState('');\n const [matchedOperator, setMatchedOperator] =\n React.useState(null);\n const [showNoMatchMethod, setShowNoMatchMethod] =\n React.useState(false);\n const [hasSearched, setHasSearched] = React.useState(false);\n const [animateSuggestions, setAnimateSuggestions] =\n React.useState(true);\n\n const hasMounted = React.useRef(false);\n\n const prefersReducedMotion = usePrefersReducedMotion();\n\n let trimmedSearch = searchValue.trim();\n\n React.useEffect(() => {\n let timeoutId: number;\n\n if (showNoMatchMethod) {\n setShowNoMatchMethod(false);\n }\n\n const match = data[trimmedSearch];\n\n if (match) {\n // Immediately set new matches\n setMatchedOperator(match);\n\n if (!hasSearched) {\n setHasSearched(true);\n }\n\n if (animateSuggestions) {\n setAnimateSuggestions(false);\n }\n } else {\n // …But! If there isn't a match, add a short delay before\n // unsetting it. This prevents a lot of flickering.\n timeoutId = window.setTimeout(() => {\n setMatchedOperator(null);\n\n // Wait another couple secs before showing a message about\n // not finding any results\n timeoutId = window.setTimeout(() => {\n if (trimmedSearch) {\n setShowNoMatchMethod(true);\n }\n }, 2000);\n }, 500);\n }\n\n return () => {\n window.clearTimeout(timeoutId);\n };\n // NOTE: this shouldn't be an effect. I should do this work in the event handler. It's missing lots of deps, but I can't add them since I only want this work to run when `searchValue` changes.\n // eslint-disable-next-line react-hooks/exhaustive-deps\n }, [trimmedSearch]);\n\n // This is our hacky routing solution\n React.useEffect(() => {\n // Don't fire on initial mount\n if (!hasMounted.current) {\n return;\n }\n\n const match = data[trimmedSearch];\n\n if (match) {\n history.pushState(\n { operator: trimmedSearch },\n '',\n `/operator-lookup?match=${slugify(match.label)}`\n );\n } else {\n history.pushState({}, '', `/operator-lookup/`);\n }\n }, [trimmedSearch, data]);\n\n // Another effect for managing pushstate stuff\n React.useEffect(() => {\n // Did we start with a selected operator?\n const { search } = window.location;\n const match = search.match(/\\?match=(.+)/);\n\n if (match) {\n const [, slugifiedLabel] = match;\n\n const matchingOperator = Object.entries(data).find(\n ([, operatorInfo]) => {\n return slugify(operatorInfo.label) === slugifiedLabel;\n }\n );\n\n if (matchingOperator) {\n setSearchValue(matchingOperator[0]);\n }\n }\n\n window.onpopstate = function (event) {\n setSearchValue(event.state.operator || '');\n };\n\n return () => {\n window.onpopstate = null;\n };\n }, [data]);\n\n React.useEffect(() => {\n hasMounted.current = true;\n }, []);\n\n const handleSearch = React.useCallback((val: string) => {\n setSearchValue(val.replace(/[a-zA-Z]*/g, ''));\n }, []);\n const handleClear = React.useCallback(() => {\n setSearchValue('');\n setMatchedOperator(null);\n }, []);\n\n // NOTE: This *appears* broken in development, thanks to Strict Mode. Everything is hidden under an `opacity: 0` wrapper. But it works fine in production.\n\n return (\n \n \n \n {!matchedOperator && (\n \n Operator Lookup\n \n \n Enter a JavaScript operator to learn more about it:\n \n \n \n )}\n \n \n \n \n {showNoMatchMethod && (\n \n Sorry, that operator isn't recognized!\n \n (It's entirely possible that this list is incomplete.)\n \n )}\n {!matchedOperator &&\n (hasHydrated ? (\n \n ) : (\n \n ))}\n {matchedOperator && (\n \n \n \n )}\n \n \n );\n}\n\nconst Wrapper = styled(MaxWidthWrapper)`\n padding-block: 96px;\n text-align: center;\n`;\n\nconst Header = styled(motion.header)`\n position: relative;\n z-index: 1;\n`;\n\nconst SearchWrapper = styled(motion.div)`\n position: relative;\n z-index: 2;\n`;\n\nconst Heading = styled.h1`\n font-size: 2rem;\n color: var(--color-gray-1000);\n`;\n\nconst NoMatch = styled(motion.p)`\n margin-top: 48px;\n color: var(--color-gray-900);\n will-change: transform;\n`;\n\nconst ListSpacer = styled.div`\n height: 11.75rem;\n margin-top: 96px;\n margin-bottom: 48px;\n`;\n\nexport default OperatorLookup;\n","import { styled } from '@linaria/react';\n\nimport {\n InfoAside,\n WarningAside,\n SuccessAside,\n} from '@/components/Aside';\nimport { Popover as TooltipPopover } from '@/components/Tooltip';\n\nconst InlineCode = styled.code`\n /* is used inside
by CodeSnippet, and we do *not* want to style that case. So we'll exclude it here */\n :not(pre) & {\n position: relative;\n display: inline;\n font-family: var(--font-family-mono);\n font-size: 0.9375em;\n font-style: normal;\n letter-spacing: -0.5px;\n padding: 2px 6px;\n margin: 1px -1px;\n background: var(--color-code-bg);\n border-radius: 3px;\n -webkit-box-decoration-break: clone;\n box-decoration-break: clone;\n\n html[data-color-mode='light'] & {\n mix-blend-mode: darken;\n }\n\n html[data-color-mode='dark'] & {\n mix-blend-mode: lighten;\n }\n\n ${InfoAside} & {\n background: var(--color-info-200);\n }\n ${SuccessAside} & {\n background: var(--color-success-200);\n }\n ${WarningAside} & {\n background: var(--color-warning-200);\n }\n\n /*\n There's a bit of an optical illusion happening; in Light Mode, some of the background colors *look* lighter than the backgrounds of s, even though they're the exact same color.\n For folks on modern browsers, we'll tint it for them via relative color syntax.\n */\n html[data-color-mode='light'] ${InfoAside} & {\n background: hsl(from var(--color-info-200) h s calc(l * 0.98));\n }\n html[data-color-mode='light'] ${SuccessAside} & {\n background: hsl(\n from var(--color-success-200) h s calc(l * 0.94)\n );\n }\n html[data-color-mode='light'] ${WarningAside} & {\n background: hsl(\n from var(--color-warning-200) h s calc(l * 0.94)\n );\n }\n\n /*\n When is inside a tooltip, we need to tweak its colors.\n */\n ${TooltipPopover} & {\n html[data-color-mode='light'] & {\n background: hsl(0deg 0% 0% / 0.2);\n }\n\n html[data-color-mode='dark'] & {\n background: hsl(210deg 23% 82%);\n }\n }\n }\n\n a & {\n border-bottom: 2px solid var(--color-primary);\n padding-bottom: 0px;\n border-radius: 3px 3px 1px 1px;\n }\n`;\n\nexport default InlineCode;\n","export { default } from './InlineCode';\n","'use client';\n\nimport React from 'react';\nimport { styled } from '@linaria/react';\n\nimport { UserPreferencesContext } from '@/components/UserPreferencesProvider';\nimport FadeIn from '@/components/FadeIn';\n\n// I have other moods, but I need to fix the dark mode images before I can use them. See instructions in /images/josh/__README.md\nexport type Mood = 'happy' | 'sad' | 'very-happy' | 'heart-eyes';\n\nexport interface Props extends React.HTMLAttributes {\n colorModeOverride?: 'light' | 'dark';\n mood?: Mood;\n fadeDuration?: number;\n fadeDelay?: number;\n}\n\nfunction JericaMascot({\n colorModeOverride,\n mood = 'happy',\n fadeDuration = 600,\n fadeDelay = 200,\n ...delegated\n}: Props) {\n const isUsingGlobalColorMode = !colorModeOverride;\n\n const { colorMode: globalColorMode } = React.useContext(\n UserPreferencesContext\n );\n\n const colorMode = colorModeOverride || globalColorMode;\n\n return (\n \n \n \n \n \n \n {mood !== 'happy' && (\n \n \n \n \n )}\n \n \n \n \n \n \n {mood !== 'happy' && (\n \n \n \n \n )}\n \n \n );\n}\n\nconst Wrapper = styled(FadeIn)`\n position: relative;\n`;\n\nconst DarkLayer = styled.div`\n position: relative;\n`;\n\nconst LightLayer = styled.div`\n position: absolute;\n inset: 0;\n width: 100%;\n height: 100%;\n opacity: var(--opacity);\n transition: opacity calc(var(--color-swap-duration) + 500ms)\n var(--color-swap-timing-function);\n\n /*\n Ok there's some tricky business here.\n When this component first renders on the server, we don't know what the user’s chosen color mode is. If we specify an override, we don't care, but otherwise, we'll read the global color value from the HTML tag. That way, the correct mascot is shown from the very first paint.\n */\n html[data-color-mode='light'] &[data-use-global-color-mode='true'] {\n opacity: 1;\n }\n html[data-color-mode='dark'] &[data-use-global-color-mode='true'] {\n opacity: 0;\n }\n`;\n\nconst MascotBase = styled.img`\n display: block;\n top: 0;\n left: 0;\n width: 137.5px;\n height: 232px;\n user-select: none;\n pointer-events: none;\n`;\n\nconst Head = styled.img`\n position: absolute;\n display: block;\n top: 0;\n left: 0;\n right: 0;\n width: 100%;\n /* Dragging the face off is SUPER creepy */\n user-select: none;\n pointer-events: none;\n`;\n\nexport default JericaMascot;\n","export { default } from './JericaMascot';\n","import * as React from 'react';\nimport { styled } from '@linaria/react';\n\nimport { HEADER_WIDTH } from '@/constants';\n\nexport interface Props {\n as?: keyof JSX.IntrinsicElements | React.ComponentType;\n maxWidth?: number | string;\n style?: React.CSSProperties;\n children?: React.ReactNode;\n}\n\nfunction MaxWidthWrapper({\n as = 'div',\n maxWidth,\n style = {},\n children,\n ...delegated\n}: Props) {\n if (typeof maxWidth === 'undefined') {\n maxWidth = `${HEADER_WIDTH}rem`;\n } else if (typeof maxWidth === 'number') {\n // Historically, I’ve specified the maximum width in pixels, and I'm too lazy to find and update all of the spots where I've specified them. We’ll divide by 16 to convert to rems:\n maxWidth = `${maxWidth / 16}rem`;\n }\n\n return (\n \n {children}\n \n );\n}\n\nconst Wrapper = styled.div`\n width: 100%;\n max-width: var(--max-width);\n margin-inline: auto;\n padding-inline: var(--viewport-padding);\n`;\n\nexport default MaxWidthWrapper;\n","export { default } from './MaxWidthWrapper';\nexport type { Props } from './MaxWidthWrapper';\n","import { styled } from '@linaria/react';\n\nimport { BREAKPOINTS } from '@/constants';\n\nimport { BaseWrapper as AsideWrapper } from '@/components/Aside';\nimport { Wrapper as BlockquoteWrapper } from '@/components/Blockquote';\nimport { Wrapper as TweetWrapper } from '@/components/FakeTweet';\n\nexport default styled.p`\n font-size: var(--paragraph-font-size-override, 1.125rem);\n margin-bottom: 1.25em;\n\n ${AsideWrapper} & {\n font-size: 1rem;\n\n &:last-child {\n margin-bottom: 0;\n }\n }\n\n ${BlockquoteWrapper} & {\n @media ${BREAKPOINTS.mdAndLarger} {\n text-wrap: balance;\n text-align: center;\n }\n }\n\n ${TweetWrapper} & {\n font-size: 1rem;\n }\n`;\n","export { default } from './Paragraph';\n","'use client';\n\nimport React from 'react';\nimport { styled } from '@linaria/react';\nimport { useSpring, animated } from 'react-spring';\n\nimport { BREAKPOINTS } from '@/constants';\n\nimport JericaMascot from '@/components/JericaMascot';\n\nfunction UpsideDownJerica() {\n const [offset, setOffset] = React.useState(-216);\n const wrapperRef = React.useRef(null);\n\n React.useEffect(() => {\n const target = wrapperRef.current;\n\n if (!target) {\n return;\n }\n\n const observer = new IntersectionObserver(\n ([entry]) => {\n if (entry.intersectionRatio < 0.2) {\n setOffset(-226);\n } else if (entry.intersectionRatio < 0.5) {\n setOffset(-150);\n } else {\n setOffset(-82);\n }\n },\n {\n threshold: [0.2, 0.5],\n }\n );\n\n observer.observe(target);\n\n return () => {\n if (target) {\n observer.disconnect();\n }\n };\n }, []);\n\n const style = useSpring({\n '--offset': `${offset}px`,\n config: {\n tension: 160,\n friction: 32,\n },\n });\n\n return (\n \n \n \n \n \n );\n}\n\nconst MascotWrapper = styled.div`\n position: absolute;\n inset: 0;\n width: 100%;\n height: 100%;\n overflow: clip;\n`;\n\nconst Slider = styled(animated.div)`\n position: absolute;\n left: 50%;\n transform: translate(-533px, var(--offset)) rotate(180deg);\n will-change: transform;\n\n @media (max-width: 67.5rem) {\n left: 0;\n transform: translateY(-82px) rotate(180deg);\n }\n @media ${BREAKPOINTS.smAndSmaller} {\n display: none;\n }\n`;\n\nexport default UpsideDownJerica;\n","'use client';\n\nimport React from 'react';\nimport { styled } from '@linaria/react';\n\nconst SKIP_TARGET_ID = `jwc-skip-here`;\n\nexport function SkipNavTrigger({\n children = `Skip to content`,\n}: {\n children?: React.ReactNode;\n}) {\n const [hasAValidTarget, setHasAValidTarget] = React.useState(false);\n\n React.useEffect(() => {\n const target = document.querySelector(`#${SKIP_TARGET_ID}`);\n\n if (!!target !== hasAValidTarget) {\n setHasAValidTarget(!!target);\n }\n // We only want to do this on-mount, because we have no way of knowing when the SkipNavTarget will show up. We assume it's there on mount.\n // eslint-disable-next-line react-hooks/exhaustive-deps\n }, []);\n\n // If we've rendered the trigger, but there is no target available, we don't want to show the trigger. Doing so would just be frustrating, since it wouldn't skip anything.\n if (!hasAValidTarget) {\n return null;\n }\n\n return {children};\n}\n\nexport function SkipNavTarget({\n scrollMarginTop = 64,\n}: {\n scrollMarginTop?: number;\n}) {\n return ;\n}\n\nconst Trigger = styled.a`\n position: fixed;\n z-index: 99999;\n top: 32px;\n left: 32px;\n padding: 16px 24px;\n border-radius: 12px;\n background: var(--color-background);\n color: var(--color-text);\n box-shadow:\n 0 -5.9px 2.7px rgba(0, 0, 0, 0.018),\n 0 -1.2px 6.9px rgba(0, 0, 0, 0.024),\n 0 8px 14.2px rgba(0, 0, 0, 0.03),\n 0 21.9px 29.2px rgba(0, 0, 0, 0.039),\n 0 49px 80px rgba(0, 0, 0, 0.07);\n\n /* Visually hidden stuff */\n clip: rect(1px, 1px, 1px, 1px);\n height: 1px;\n overflow: hidden;\n position: absolute !important;\n width: 1px;\n\n &:focus {\n width: auto;\n height: auto;\n clip: auto;\n }\n`;\n\nconst Target = styled.div`\n contain: none;\n`;\n","import React from 'react';\n\nconst useInterval = (callback: Function, delay: number | null) => {\n const intervalId = React.useRef(null);\n const savedCallback = React.useRef(callback);\n\n React.useEffect(() => {\n savedCallback.current = callback;\n });\n\n React.useEffect(() => {\n const tick = () => savedCallback.current();\n\n if (typeof delay === 'number') {\n intervalId.current = window.setInterval(tick, delay);\n\n return () => {\n if (intervalId.current) {\n window.clearInterval(intervalId.current);\n }\n };\n }\n }, [delay]);\n\n return intervalId.current;\n};\n\nexport default useInterval;\n","// extracted by mini-css-extract-plugin\nmodule.exports = {\"w1ww1e1d\":\"w1ww1e1d\"};","// extracted by mini-css-extract-plugin\nmodule.exports = {\"l1e3k5zw\":\"l1e3k5zw\",\"b4xggkn\":\"b4xggkn\"};","// extracted by mini-css-extract-plugin\nmodule.exports = {\"ae97emi\":\"ae97emi\",\"line\":\"line\",\"b1btlj5u\":\"b1btlj5u\",\"highlighted\":\"highlighted\",\"i6el1g6\":\"i6el1g6\",\"wcnkszl\":\"wcnkszl\",\"shfe3ke\":\"shfe3ke\",\"faded\":\"faded\"};","// extracted by mini-css-extract-plugin\nmodule.exports = {\"c1qvfy1x\":\"c1qvfy1x\",\"shiki\":\"shiki\",\"coaxrjn\":\"coaxrjn\",\"b1btlj5u\":\"b1btlj5u\",\"i6el1g6\":\"i6el1g6\",\"wcnkszl\":\"wcnkszl\",\"shfe3ke\":\"shfe3ke\",\"qpn37d3\":\"qpn37d3\",\"w1ey322x\":\"w1ey322x\",\"w19zxykk\":\"w19zxykk\"};","// extracted by mini-css-extract-plugin\nmodule.exports = {\"wqxmqd2\":\"wqxmqd2\",\"ae97emi\":\"ae97emi\",\"i6el1g6\":\"i6el1g6\",\"wcnkszl\":\"wcnkszl\",\"shfe3ke\":\"shfe3ke\",\"i1htlkn0\":\"i1htlkn0\",\"i14jtb2i\":\"i14jtb2i\",\"c6am5ut\":\"c6am5ut\",\"haso6lc\":\"haso6lc\"};","// extracted by mini-css-extract-plugin\nmodule.exports = {\"c1vmthmn\":\"c1vmthmn\",\"c1dh3hvu\":\"c1dh3hvu\",\"copy-c1dh3hvu\":\"copy-c1dh3hvu\",\"fadeInOut-c1dh3hvu\":\"fadeInOut-c1dh3hvu\"};","// extracted by mini-css-extract-plugin\nmodule.exports = {\"wv8ehy8\":\"wv8ehy8\",\"fadeIn\":\"fadeIn\"};","// extracted by mini-css-extract-plugin\nmodule.exports = {\"w1hm4zut\":\"w1hm4zut\",\"b1bneqkz\":\"b1bneqkz\",\"chcghc5\":\"chcghc5\"};","// extracted by mini-css-extract-plugin\nmodule.exports = {\"wuiwisg\":\"wuiwisg\"};","// extracted by mini-css-extract-plugin\nmodule.exports = {\"w1cp29k\":\"w1cp29k\",\"fadeIn\":\"fadeIn\",\"iis129w\":\"iis129w\",\"dpt1qq2\":\"dpt1qq2\",\"cqhcgtx\":\"cqhcgtx\",\"m1upj945\":\"m1upj945\",\"fxid7a1\":\"fxid7a1\"};","// extracted by mini-css-extract-plugin\nmodule.exports = {\"m3f0b5l\":\"m3f0b5l\",\"l1l0b073\":\"l1l0b073\",\"fadeIn\":\"fadeIn\",\"pkcr3d7\":\"pkcr3d7\"};","// extracted by mini-css-extract-plugin\nmodule.exports = {\"w1j2tor9\":\"w1j2tor9\",\"s19h4nxk\":\"s19h4nxk\",\"b16asns7\":\"b16asns7\",\"i15pew25\":\"i15pew25\",\"t1x634yn\":\"t1x634yn\",\"c12zdwx2\":\"c12zdwx2\"};","// extracted by mini-css-extract-plugin\nmodule.exports = {\"w3crkyp\":\"w3crkyp\",\"h7tzjbh\":\"h7tzjbh\",\"s8e0xr2\":\"s8e0xr2\",\"h1tewr0z\":\"h1tewr0z\",\"ntf1gwx\":\"ntf1gwx\",\"l1txkdfu\":\"l1txkdfu\"};","// extracted by mini-css-extract-plugin\nmodule.exports = {\"i165vvr1\":\"i165vvr1\",\"i6el1g6\":\"i6el1g6\",\"shfe3ke\":\"shfe3ke\",\"wcnkszl\":\"wcnkszl\",\"p1lgzcrp\":\"p1lgzcrp\"};","// extracted by mini-css-extract-plugin\nmodule.exports = {\"wvm4gg4\":\"wvm4gg4\",\"d1qadnsl\":\"d1qadnsl\",\"l1enswin\":\"l1enswin\",\"mr2l5ys\":\"mr2l5ys\",\"hjm134z\":\"hjm134z\"};","// extracted by mini-css-extract-plugin\nmodule.exports = {\"wojnndj\":\"wojnndj\",\"hvw37ip\":\"hvw37ip\",\"c196by4d\":\"c196by4d\"};","// extracted by mini-css-extract-plugin\nmodule.exports = {\"prg881n\":\"prg881n\",\"b1btlj5u\":\"b1btlj5u\",\"w12kxl7t\":\"w12kxl7t\",\"w9k8ad0\":\"w9k8ad0\"};","// extracted by mini-css-extract-plugin\nmodule.exports = {\"wfzqr02\":\"wfzqr02\"};","// extracted by mini-css-extract-plugin\nmodule.exports = {\"w1r7oec7\":\"w1r7oec7\",\"s1q6y8ki\":\"s1q6y8ki\"};","// extracted by mini-css-extract-plugin\nmodule.exports = {\"w1e2q9l8\":\"w1e2q9l8\",\"s1uqj89y\":\"s1uqj89y\"};","// extracted by mini-css-extract-plugin\nmodule.exports = {\"mzwsl9m\":\"mzwsl9m\",\"scefed4\":\"scefed4\"};","// extracted by mini-css-extract-plugin\nmodule.exports = {\"t1v2vbab\":\"t1v2vbab\",\"t1jehbg7\":\"t1jehbg7\"};"],"names":["LinkWrapper","styled","name","class","propsAsIs","Background","animated","div","CategoryPill","href","onClick","children","setIsHovering","React","prefersReducedMotion","usePrefersReducedMotion","backgroundSpring","useSpring","opacity","isHovering","config","TIGHT_SPRING","immediate","playHoverSound","stop","useSound","volume","as","Link","Wrapper","IconOuterWrapper","span","IconWrapper","CheckWrapper","HiddenText","VisuallyHidden","CopyButton","handleCopy","delegated","copyId","setCopyId","rotation","setRotation","wrapperStyle","wrapperTrigger","useBoop","scale","hasHydrated","useHasHydrated","style","transform","tension","friction","timeoutId","current","window","setTimeout","clearTimeout","newCopyId","Date","now","CopyEffectWrapper","CopyEffect","WithCopyButton","code","lockedToColorMode","copyIds","setCopyIds","Array","useInterval","length","currentValue","filter","id","copyToClipboard","map","FadeIn","duration","delay","animationDelay","Intro","DefinitionWrapper","CodeWrapper","MDNLink","FakeTextLink","Match","label","example","link","disclaimer","color","definition","DATA_ENTRIES","DATA","entries","p","strong","InlineCode","TextLink","em","a","target","rel","MatchSuggestionsWrapper","_exp","motion","Label","Pills","ul","FullList","handleClick","animateSuggestions","initial","animate","variants","hidden","transition","when","visible","staggerChildren","animationProps","index","operator","operatorMetadata","y","Boop","x","timing","trigger","BigTextInput","searchValue","handleSearch","handleFocus","handleClear","value","ev","SpinnerWrapper","BackgroundBox","InputLabel","TranslucentSearchIcon","_exp3","SearchIcon","CloseButton","Search","isFocused","ICON_SIZE","MaxWidthWrapper","Header","header","SearchWrapper","Heading","NoMatch","_exp4","ListSpacer","OperatorLookup","data","setIsFocused","matchedOperator","setMatchedOperator","OperatorWithSnippet","showNoMatchMethod","setShowNoMatchMethod","hasSearched","hasMounted","trimmedSearch","trim","match","setAnimateSuggestions","history","slugify","pushState","search","location","slugifiedLabel","matchingOperator","Object","find","operatorInfo","setSearchValue","onpopstate","event","state","val","replace","type","stiffness","damping","restDelta","DarkLayer","LightLayer","MascotBase","Head","JericaMascot","colorModeOverride","mood","fadeDuration","fadeDelay","colorMode","globalColorMode","UserPreferencesContext","maxWidth","HEADER_WIDTH","MascotWrapper","Slider","UpsideDownJerica","offset","setOffset","HTMLDivElement","wrapperRef","observer","IntersectionObserver","entry","intersectionRatio","observe","disconnect","SKIP_TARGET_ID","SkipNavTrigger","hasAValidTarget","setHasAValidTarget","document","querySelector","SkipNavTarget","scrollMarginTop","Trigger","Target","callback","intervalId","savedCallback","setInterval","tick","clearInterval"],"sourceRoot":"","ignoreList":[]}