` elements.\n */\n children: PropTypes.node,\n\n /**\n * Override or extend the styles applied to the component.\n * See [CSS API](#css) below for more details.\n */\n classes: PropTypes.object.isRequired,\n\n /**\n * The CSS class name of the select element.\n */\n className: PropTypes.string,\n\n /**\n * The default element value. Use when the component is not controlled.\n */\n defaultValue: PropTypes.any,\n\n /**\n * If `true`, the select will be disabled.\n */\n disabled: PropTypes.bool,\n\n /**\n * If `true`, the selected item is displayed even if its value is empty.\n */\n displayEmpty: PropTypes.bool,\n\n /**\n * The icon that displays the arrow.\n */\n IconComponent: PropTypes.elementType.isRequired,\n\n /**\n * Imperative handle implementing `{ value: T, node: HTMLElement, focus(): void }`\n * Equivalent to `ref`\n */\n inputRef: refType,\n\n /**\n * The ID of an element that acts as an additional label. The Select will\n * be labelled by the additional label and the selected value.\n */\n labelId: PropTypes.string,\n\n /**\n * Props applied to the [`Menu`](/api/menu/) element.\n */\n MenuProps: PropTypes.object,\n\n /**\n * If `true`, `value` must be an array and the menu will support multiple selections.\n */\n multiple: PropTypes.bool,\n\n /**\n * Name attribute of the `select` or hidden `input` element.\n */\n name: PropTypes.string,\n\n /**\n * @ignore\n */\n onBlur: PropTypes.func,\n\n /**\n * Callback function fired when a menu item is selected.\n *\n * @param {object} event The event source of the callback.\n * You can pull out the new value by accessing `event.target.value` (any).\n * @param {object} [child] The react element that was selected.\n */\n onChange: PropTypes.func,\n\n /**\n * Callback fired when the component requests to be closed.\n * Use in controlled mode (see open).\n *\n * @param {object} event The event source of the callback.\n */\n onClose: PropTypes.func,\n\n /**\n * @ignore\n */\n onFocus: PropTypes.func,\n\n /**\n * Callback fired when the component requests to be opened.\n * Use in controlled mode (see open).\n *\n * @param {object} event The event source of the callback.\n */\n onOpen: PropTypes.func,\n\n /**\n * Control `select` open state.\n */\n open: PropTypes.bool,\n\n /**\n * @ignore\n */\n readOnly: PropTypes.bool,\n\n /**\n * Render the selected value.\n *\n * @param {any} value The `value` provided to the component.\n * @returns {ReactNode}\n */\n renderValue: PropTypes.func,\n\n /**\n * Props applied to the clickable div element.\n */\n SelectDisplayProps: PropTypes.object,\n\n /**\n * @ignore\n */\n tabIndex: PropTypes.oneOfType([PropTypes.number, PropTypes.string]),\n\n /**\n * @ignore\n */\n type: PropTypes.any,\n\n /**\n * The input value.\n */\n value: PropTypes.any,\n\n /**\n * The variant to use.\n */\n variant: PropTypes.oneOf(['standard', 'outlined', 'filled'])\n} : void 0;\nexport default SelectInput;","import _extends from \"@babel/runtime/helpers/esm/extends\";\nimport _objectWithoutProperties from \"@babel/runtime/helpers/esm/objectWithoutProperties\";\nimport * as React from 'react';\nimport PropTypes from 'prop-types';\nimport { mergeClasses } from '@material-ui/styles';\nimport SelectInput from './SelectInput';\nimport formControlState from '../FormControl/formControlState';\nimport useFormControl from '../FormControl/useFormControl';\nimport withStyles from '../styles/withStyles';\nimport ArrowDropDownIcon from '../internal/svg-icons/ArrowDropDown';\nimport Input from '../Input';\nimport { styles as nativeSelectStyles } from '../NativeSelect/NativeSelect';\nimport NativeSelectInput from '../NativeSelect/NativeSelectInput';\nimport FilledInput from '../FilledInput';\nimport OutlinedInput from '../OutlinedInput';\nexport var styles = nativeSelectStyles;\n\nvar _ref = /*#__PURE__*/React.createElement(Input, null);\n\nvar _ref2 = /*#__PURE__*/React.createElement(FilledInput, null);\n\nvar Select = /*#__PURE__*/React.forwardRef(function Select(props, ref) {\n var _props$autoWidth = props.autoWidth,\n autoWidth = _props$autoWidth === void 0 ? false : _props$autoWidth,\n children = props.children,\n classes = props.classes,\n _props$displayEmpty = props.displayEmpty,\n displayEmpty = _props$displayEmpty === void 0 ? false : _props$displayEmpty,\n _props$IconComponent = props.IconComponent,\n IconComponent = _props$IconComponent === void 0 ? ArrowDropDownIcon : _props$IconComponent,\n id = props.id,\n input = props.input,\n inputProps = props.inputProps,\n label = props.label,\n labelId = props.labelId,\n _props$labelWidth = props.labelWidth,\n labelWidth = _props$labelWidth === void 0 ? 0 : _props$labelWidth,\n MenuProps = props.MenuProps,\n _props$multiple = props.multiple,\n multiple = _props$multiple === void 0 ? false : _props$multiple,\n _props$native = props.native,\n native = _props$native === void 0 ? false : _props$native,\n onClose = props.onClose,\n onOpen = props.onOpen,\n open = props.open,\n renderValue = props.renderValue,\n SelectDisplayProps = props.SelectDisplayProps,\n _props$variant = props.variant,\n variantProps = _props$variant === void 0 ? 'standard' : _props$variant,\n other = _objectWithoutProperties(props, [\"autoWidth\", \"children\", \"classes\", \"displayEmpty\", \"IconComponent\", \"id\", \"input\", \"inputProps\", \"label\", \"labelId\", \"labelWidth\", \"MenuProps\", \"multiple\", \"native\", \"onClose\", \"onOpen\", \"open\", \"renderValue\", \"SelectDisplayProps\", \"variant\"]);\n\n var inputComponent = native ? NativeSelectInput : SelectInput;\n var muiFormControl = useFormControl();\n var fcs = formControlState({\n props: props,\n muiFormControl: muiFormControl,\n states: ['variant']\n });\n var variant = fcs.variant || variantProps;\n var InputComponent = input || {\n standard: _ref,\n outlined: /*#__PURE__*/React.createElement(OutlinedInput, {\n label: label,\n labelWidth: labelWidth\n }),\n filled: _ref2\n }[variant];\n return /*#__PURE__*/React.cloneElement(InputComponent, _extends({\n // Most of the logic is implemented in `SelectInput`.\n // The `Select` component is a simple API wrapper to expose something better to play with.\n inputComponent: inputComponent,\n inputProps: _extends({\n children: children,\n IconComponent: IconComponent,\n variant: variant,\n type: undefined,\n // We render a select. We can ignore the type provided by the `Input`.\n multiple: multiple\n }, native ? {\n id: id\n } : {\n autoWidth: autoWidth,\n displayEmpty: displayEmpty,\n labelId: labelId,\n MenuProps: MenuProps,\n onClose: onClose,\n onOpen: onOpen,\n open: open,\n renderValue: renderValue,\n SelectDisplayProps: _extends({\n id: id\n }, SelectDisplayProps)\n }, inputProps, {\n classes: inputProps ? mergeClasses({\n baseClasses: classes,\n newClasses: inputProps.classes,\n Component: Select\n }) : classes\n }, input ? input.props.inputProps : {}),\n ref: ref\n }, other));\n});\nprocess.env.NODE_ENV !== \"production\" ? Select.propTypes = {\n // ----------------------------- Warning --------------------------------\n // | These PropTypes are generated from the TypeScript type definitions |\n // | To update them edit the d.ts file and run \"yarn proptypes\" |\n // ----------------------------------------------------------------------\n\n /**\n * If `true`, the width of the popover will automatically be set according to the items inside the\n * menu, otherwise it will be at least the width of the select input.\n */\n autoWidth: PropTypes.bool,\n\n /**\n * The option elements to populate the select with.\n * Can be some `MenuItem` when `native` is false and `option` when `native` is true.\n *\n * ⚠️The `MenuItem` elements **must** be direct descendants when `native` is false.\n */\n children: PropTypes.node,\n\n /**\n * Override or extend the styles applied to the component.\n * See [CSS API](#css) below for more details.\n */\n classes: PropTypes.object,\n\n /**\n * The default element value. Use when the component is not controlled.\n */\n defaultValue: PropTypes.any,\n\n /**\n * If `true`, a value is displayed even if no items are selected.\n *\n * In order to display a meaningful value, a function should be passed to the `renderValue` prop which returns the value to be displayed when no items are selected.\n * You can only use it when the `native` prop is `false` (default).\n */\n displayEmpty: PropTypes.bool,\n\n /**\n * The icon that displays the arrow.\n */\n IconComponent: PropTypes.elementType,\n\n /**\n * The `id` of the wrapper element or the `select` element when `native`.\n */\n id: PropTypes.string,\n\n /**\n * An `Input` element; does not have to be a material-ui specific `Input`.\n */\n input: PropTypes.element,\n\n /**\n * [Attributes](https://developer.mozilla.org/en-US/docs/Web/HTML/Element/input#Attributes) applied to the `input` element.\n * When `native` is `true`, the attributes are applied on the `select` element.\n */\n inputProps: PropTypes.object,\n\n /**\n * See [OutlinedInput#label](/api/outlined-input/#props)\n */\n label: PropTypes.node,\n\n /**\n * The ID of an element that acts as an additional label. The Select will\n * be labelled by the additional label and the selected value.\n */\n labelId: PropTypes.string,\n\n /**\n * See [OutlinedInput#label](/api/outlined-input/#props)\n */\n labelWidth: PropTypes.number,\n\n /**\n * Props applied to the [`Menu`](/api/menu/) element.\n */\n MenuProps: PropTypes.object,\n\n /**\n * If `true`, `value` must be an array and the menu will support multiple selections.\n */\n multiple: PropTypes.bool,\n\n /**\n * If `true`, the component will be using a native `select` element.\n */\n native: PropTypes.bool,\n\n /**\n * Callback function fired when a menu item is selected.\n *\n * @param {object} event The event source of the callback.\n * You can pull out the new value by accessing `event.target.value` (any).\n * @param {object} [child] The react element that was selected when `native` is `false` (default).\n */\n onChange: PropTypes.func,\n\n /**\n * Callback fired when the component requests to be closed.\n * Use in controlled mode (see open).\n *\n * @param {object} event The event source of the callback.\n */\n onClose: PropTypes.func,\n\n /**\n * Callback fired when the component requests to be opened.\n * Use in controlled mode (see open).\n *\n * @param {object} event The event source of the callback.\n */\n onOpen: PropTypes.func,\n\n /**\n * Control `select` open state.\n * You can only use it when the `native` prop is `false` (default).\n */\n open: PropTypes.bool,\n\n /**\n * Render the selected value.\n * You can only use it when the `native` prop is `false` (default).\n *\n * @param {any} value The `value` provided to the component.\n * @returns {ReactNode}\n */\n renderValue: PropTypes.func,\n\n /**\n * Props applied to the clickable div element.\n */\n SelectDisplayProps: PropTypes.object,\n\n /**\n * The input value. Providing an empty string will select no options.\n * This prop is required when the `native` prop is `false` (default).\n * Set to an empty string `''` if you don't want any of the available options to be selected.\n *\n * If the value is an object it must have reference equality with the option in order to be selected.\n * If the value is not an object, the string representation must match with the string representation of the option in order to be selected.\n */\n value: PropTypes.any,\n\n /**\n * The variant to use.\n */\n variant: PropTypes.oneOf(['filled', 'outlined', 'standard'])\n} : void 0;\nSelect.muiName = 'Select';\nexport default withStyles(styles, {\n name: 'MuiSelect'\n})(Select);","import _extends from \"@babel/runtime/helpers/esm/extends\";\nimport * as React from 'react';\nimport clsx from 'clsx';\nimport withStyles from '../styles/withStyles';\n\nvar styles = function styles(theme) {\n return {\n thumb: {\n '&$open': {\n '& $offset': {\n transform: 'scale(1) translateY(-10px)'\n }\n }\n },\n open: {},\n offset: _extends({\n zIndex: 1\n }, theme.typography.body2, {\n fontSize: theme.typography.pxToRem(12),\n lineHeight: 1.2,\n transition: theme.transitions.create(['transform'], {\n duration: theme.transitions.duration.shortest\n }),\n top: -34,\n transformOrigin: 'bottom center',\n transform: 'scale(0)',\n position: 'absolute'\n }),\n circle: {\n display: 'flex',\n alignItems: 'center',\n justifyContent: 'center',\n width: 32,\n height: 32,\n borderRadius: '50% 50% 50% 0',\n backgroundColor: 'currentColor',\n transform: 'rotate(-45deg)'\n },\n label: {\n color: theme.palette.primary.contrastText,\n transform: 'rotate(45deg)'\n }\n };\n};\n/**\n * @ignore - internal component.\n */\n\n\nfunction ValueLabel(props) {\n var children = props.children,\n classes = props.classes,\n className = props.className,\n open = props.open,\n value = props.value,\n valueLabelDisplay = props.valueLabelDisplay;\n\n if (valueLabelDisplay === 'off') {\n return children;\n }\n\n return /*#__PURE__*/React.cloneElement(children, {\n className: clsx(children.props.className, (open || valueLabelDisplay === 'on') && classes.open, classes.thumb)\n }, /*#__PURE__*/React.createElement(\"span\", {\n className: clsx(classes.offset, className)\n }, /*#__PURE__*/React.createElement(\"span\", {\n className: classes.circle\n }, /*#__PURE__*/React.createElement(\"span\", {\n className: classes.label\n }, value))));\n}\n\nexport default withStyles(styles, {\n name: 'PrivateValueLabel'\n})(ValueLabel);","import _toConsumableArray from \"@babel/runtime/helpers/esm/toConsumableArray\";\nimport _slicedToArray from \"@babel/runtime/helpers/esm/slicedToArray\";\nimport _objectWithoutProperties from \"@babel/runtime/helpers/esm/objectWithoutProperties\";\nimport _extends from \"@babel/runtime/helpers/esm/extends\";\nimport * as React from 'react';\nimport PropTypes from 'prop-types';\nimport clsx from 'clsx';\nimport { chainPropTypes } from '@material-ui/utils';\nimport withStyles from '../styles/withStyles';\nimport useTheme from '../styles/useTheme';\nimport { alpha, lighten, darken } from '../styles/colorManipulator';\nimport useIsFocusVisible from '../utils/useIsFocusVisible';\nimport ownerDocument from '../utils/ownerDocument';\nimport useEventCallback from '../utils/useEventCallback';\nimport useForkRef from '../utils/useForkRef';\nimport capitalize from '../utils/capitalize';\nimport useControlled from '../utils/useControlled';\nimport ValueLabel from './ValueLabel';\n\nfunction asc(a, b) {\n return a - b;\n}\n\nfunction clamp(value, min, max) {\n return Math.min(Math.max(min, value), max);\n}\n\nfunction findClosest(values, currentValue) {\n var _values$reduce = values.reduce(function (acc, value, index) {\n var distance = Math.abs(currentValue - value);\n\n if (acc === null || distance < acc.distance || distance === acc.distance) {\n return {\n distance: distance,\n index: index\n };\n }\n\n return acc;\n }, null),\n closestIndex = _values$reduce.index;\n\n return closestIndex;\n}\n\nfunction trackFinger(event, touchId) {\n if (touchId.current !== undefined && event.changedTouches) {\n for (var i = 0; i < event.changedTouches.length; i += 1) {\n var touch = event.changedTouches[i];\n\n if (touch.identifier === touchId.current) {\n return {\n x: touch.clientX,\n y: touch.clientY\n };\n }\n }\n\n return false;\n }\n\n return {\n x: event.clientX,\n y: event.clientY\n };\n}\n\nfunction valueToPercent(value, min, max) {\n return (value - min) * 100 / (max - min);\n}\n\nfunction percentToValue(percent, min, max) {\n return (max - min) * percent + min;\n}\n\nfunction getDecimalPrecision(num) {\n // This handles the case when num is very small (0.00000001), js will turn this into 1e-8.\n // When num is bigger than 1 or less than -1 it won't get converted to this notation so it's fine.\n if (Math.abs(num) < 1) {\n var parts = num.toExponential().split('e-');\n var matissaDecimalPart = parts[0].split('.')[1];\n return (matissaDecimalPart ? matissaDecimalPart.length : 0) + parseInt(parts[1], 10);\n }\n\n var decimalPart = num.toString().split('.')[1];\n return decimalPart ? decimalPart.length : 0;\n}\n\nfunction roundValueToStep(value, step, min) {\n var nearest = Math.round((value - min) / step) * step + min;\n return Number(nearest.toFixed(getDecimalPrecision(step)));\n}\n\nfunction setValueIndex(_ref) {\n var values = _ref.values,\n source = _ref.source,\n newValue = _ref.newValue,\n index = _ref.index;\n\n // Performance shortcut\n if (values[index] === newValue) {\n return source;\n }\n\n var output = values.slice();\n output[index] = newValue;\n return output;\n}\n\nfunction focusThumb(_ref2) {\n var sliderRef = _ref2.sliderRef,\n activeIndex = _ref2.activeIndex,\n setActive = _ref2.setActive;\n\n if (!sliderRef.current.contains(document.activeElement) || Number(document.activeElement.getAttribute('data-index')) !== activeIndex) {\n sliderRef.current.querySelector(\"[role=\\\"slider\\\"][data-index=\\\"\".concat(activeIndex, \"\\\"]\")).focus();\n }\n\n if (setActive) {\n setActive(activeIndex);\n }\n}\n\nvar axisProps = {\n horizontal: {\n offset: function offset(percent) {\n return {\n left: \"\".concat(percent, \"%\")\n };\n },\n leap: function leap(percent) {\n return {\n width: \"\".concat(percent, \"%\")\n };\n }\n },\n 'horizontal-reverse': {\n offset: function offset(percent) {\n return {\n right: \"\".concat(percent, \"%\")\n };\n },\n leap: function leap(percent) {\n return {\n width: \"\".concat(percent, \"%\")\n };\n }\n },\n vertical: {\n offset: function offset(percent) {\n return {\n bottom: \"\".concat(percent, \"%\")\n };\n },\n leap: function leap(percent) {\n return {\n height: \"\".concat(percent, \"%\")\n };\n }\n }\n};\n\nvar Identity = function Identity(x) {\n return x;\n};\n\nexport var styles = function styles(theme) {\n return {\n /* Styles applied to the root element. */\n root: {\n height: 2,\n width: '100%',\n boxSizing: 'content-box',\n padding: '13px 0',\n display: 'inline-block',\n position: 'relative',\n cursor: 'pointer',\n touchAction: 'none',\n color: theme.palette.primary.main,\n WebkitTapHighlightColor: 'transparent',\n '&$disabled': {\n pointerEvents: 'none',\n cursor: 'default',\n color: theme.palette.grey[400]\n },\n '&$vertical': {\n width: 2,\n height: '100%',\n padding: '0 13px'\n },\n // The primary input mechanism of the device includes a pointing device of limited accuracy.\n '@media (pointer: coarse)': {\n // Reach 42px touch target, about ~8mm on screen.\n padding: '20px 0',\n '&$vertical': {\n padding: '0 20px'\n }\n },\n '@media print': {\n colorAdjust: 'exact'\n }\n },\n\n /* Styles applied to the root element if `color=\"primary\"`. */\n colorPrimary: {// TODO v5: move the style here\n },\n\n /* Styles applied to the root element if `color=\"secondary\"`. */\n colorSecondary: {\n color: theme.palette.secondary.main\n },\n\n /* Styles applied to the root element if `marks` is provided with at least one label. */\n marked: {\n marginBottom: 20,\n '&$vertical': {\n marginBottom: 'auto',\n marginRight: 20\n }\n },\n\n /* Pseudo-class applied to the root element if `orientation=\"vertical\"`. */\n vertical: {},\n\n /* Pseudo-class applied to the root and thumb element if `disabled={true}`. */\n disabled: {},\n\n /* Styles applied to the rail element. */\n rail: {\n display: 'block',\n position: 'absolute',\n width: '100%',\n height: 2,\n borderRadius: 1,\n backgroundColor: 'currentColor',\n opacity: 0.38,\n '$vertical &': {\n height: '100%',\n width: 2\n }\n },\n\n /* Styles applied to the track element. */\n track: {\n display: 'block',\n position: 'absolute',\n height: 2,\n borderRadius: 1,\n backgroundColor: 'currentColor',\n '$vertical &': {\n width: 2\n }\n },\n\n /* Styles applied to the track element if `track={false}`. */\n trackFalse: {\n '& $track': {\n display: 'none'\n }\n },\n\n /* Styles applied to the track element if `track=\"inverted\"`. */\n trackInverted: {\n '& $track': {\n backgroundColor: // Same logic as the LinearProgress track color\n theme.palette.type === 'light' ? lighten(theme.palette.primary.main, 0.62) : darken(theme.palette.primary.main, 0.5)\n },\n '& $rail': {\n opacity: 1\n }\n },\n\n /* Styles applied to the thumb element. */\n thumb: {\n position: 'absolute',\n width: 12,\n height: 12,\n marginLeft: -6,\n marginTop: -5,\n boxSizing: 'border-box',\n borderRadius: '50%',\n outline: 0,\n backgroundColor: 'currentColor',\n display: 'flex',\n alignItems: 'center',\n justifyContent: 'center',\n transition: theme.transitions.create(['box-shadow'], {\n duration: theme.transitions.duration.shortest\n }),\n '&::after': {\n position: 'absolute',\n content: '\"\"',\n borderRadius: '50%',\n // reach 42px hit target (2 * 15 + thumb diameter)\n left: -15,\n top: -15,\n right: -15,\n bottom: -15\n },\n '&$focusVisible,&:hover': {\n boxShadow: \"0px 0px 0px 8px \".concat(alpha(theme.palette.primary.main, 0.16)),\n '@media (hover: none)': {\n boxShadow: 'none'\n }\n },\n '&$active': {\n boxShadow: \"0px 0px 0px 14px \".concat(alpha(theme.palette.primary.main, 0.16))\n },\n '&$disabled': {\n width: 8,\n height: 8,\n marginLeft: -4,\n marginTop: -3,\n '&:hover': {\n boxShadow: 'none'\n }\n },\n '$vertical &': {\n marginLeft: -5,\n marginBottom: -6\n },\n '$vertical &$disabled': {\n marginLeft: -3,\n marginBottom: -4\n }\n },\n\n /* Styles applied to the thumb element if `color=\"primary\"`. */\n thumbColorPrimary: {// TODO v5: move the style here\n },\n\n /* Styles applied to the thumb element if `color=\"secondary\"`. */\n thumbColorSecondary: {\n '&$focusVisible,&:hover': {\n boxShadow: \"0px 0px 0px 8px \".concat(alpha(theme.palette.secondary.main, 0.16))\n },\n '&$active': {\n boxShadow: \"0px 0px 0px 14px \".concat(alpha(theme.palette.secondary.main, 0.16))\n }\n },\n\n /* Pseudo-class applied to the thumb element if it's active. */\n active: {},\n\n /* Pseudo-class applied to the thumb element if keyboard focused. */\n focusVisible: {},\n\n /* Styles applied to the thumb label element. */\n valueLabel: {\n // IE 11 centering bug, to remove from the customization demos once no longer supported\n left: 'calc(-50% - 4px)'\n },\n\n /* Styles applied to the mark element. */\n mark: {\n position: 'absolute',\n width: 2,\n height: 2,\n borderRadius: 1,\n backgroundColor: 'currentColor'\n },\n\n /* Styles applied to the mark element if active (depending on the value). */\n markActive: {\n backgroundColor: theme.palette.background.paper,\n opacity: 0.8\n },\n\n /* Styles applied to the mark label element. */\n markLabel: _extends({}, theme.typography.body2, {\n color: theme.palette.text.secondary,\n position: 'absolute',\n top: 26,\n transform: 'translateX(-50%)',\n whiteSpace: 'nowrap',\n '$vertical &': {\n top: 'auto',\n left: 26,\n transform: 'translateY(50%)'\n },\n '@media (pointer: coarse)': {\n top: 40,\n '$vertical &': {\n left: 31\n }\n }\n }),\n\n /* Styles applied to the mark label element if active (depending on the value). */\n markLabelActive: {\n color: theme.palette.text.primary\n }\n };\n};\nvar Slider = /*#__PURE__*/React.forwardRef(function Slider(props, ref) {\n var ariaLabel = props['aria-label'],\n ariaLabelledby = props['aria-labelledby'],\n ariaValuetext = props['aria-valuetext'],\n classes = props.classes,\n className = props.className,\n _props$color = props.color,\n color = _props$color === void 0 ? 'primary' : _props$color,\n _props$component = props.component,\n Component = _props$component === void 0 ? 'span' : _props$component,\n defaultValue = props.defaultValue,\n _props$disabled = props.disabled,\n disabled = _props$disabled === void 0 ? false : _props$disabled,\n getAriaLabel = props.getAriaLabel,\n getAriaValueText = props.getAriaValueText,\n _props$marks = props.marks,\n marksProp = _props$marks === void 0 ? false : _props$marks,\n _props$max = props.max,\n max = _props$max === void 0 ? 100 : _props$max,\n _props$min = props.min,\n min = _props$min === void 0 ? 0 : _props$min,\n name = props.name,\n onChange = props.onChange,\n onChangeCommitted = props.onChangeCommitted,\n onMouseDown = props.onMouseDown,\n _props$orientation = props.orientation,\n orientation = _props$orientation === void 0 ? 'horizontal' : _props$orientation,\n _props$scale = props.scale,\n scale = _props$scale === void 0 ? Identity : _props$scale,\n _props$step = props.step,\n step = _props$step === void 0 ? 1 : _props$step,\n _props$ThumbComponent = props.ThumbComponent,\n ThumbComponent = _props$ThumbComponent === void 0 ? 'span' : _props$ThumbComponent,\n _props$track = props.track,\n track = _props$track === void 0 ? 'normal' : _props$track,\n valueProp = props.value,\n _props$ValueLabelComp = props.ValueLabelComponent,\n ValueLabelComponent = _props$ValueLabelComp === void 0 ? ValueLabel : _props$ValueLabelComp,\n _props$valueLabelDisp = props.valueLabelDisplay,\n valueLabelDisplay = _props$valueLabelDisp === void 0 ? 'off' : _props$valueLabelDisp,\n _props$valueLabelForm = props.valueLabelFormat,\n valueLabelFormat = _props$valueLabelForm === void 0 ? Identity : _props$valueLabelForm,\n other = _objectWithoutProperties(props, [\"aria-label\", \"aria-labelledby\", \"aria-valuetext\", \"classes\", \"className\", \"color\", \"component\", \"defaultValue\", \"disabled\", \"getAriaLabel\", \"getAriaValueText\", \"marks\", \"max\", \"min\", \"name\", \"onChange\", \"onChangeCommitted\", \"onMouseDown\", \"orientation\", \"scale\", \"step\", \"ThumbComponent\", \"track\", \"value\", \"ValueLabelComponent\", \"valueLabelDisplay\", \"valueLabelFormat\"]);\n\n var theme = useTheme();\n var touchId = React.useRef(); // We can't use the :active browser pseudo-classes.\n // - The active state isn't triggered when clicking on the rail.\n // - The active state isn't transfered when inversing a range slider.\n\n var _React$useState = React.useState(-1),\n active = _React$useState[0],\n setActive = _React$useState[1];\n\n var _React$useState2 = React.useState(-1),\n open = _React$useState2[0],\n setOpen = _React$useState2[1];\n\n var _useControlled = useControlled({\n controlled: valueProp,\n default: defaultValue,\n name: 'Slider'\n }),\n _useControlled2 = _slicedToArray(_useControlled, 2),\n valueDerived = _useControlled2[0],\n setValueState = _useControlled2[1];\n\n var range = Array.isArray(valueDerived);\n var values = range ? valueDerived.slice().sort(asc) : [valueDerived];\n values = values.map(function (value) {\n return clamp(value, min, max);\n });\n var marks = marksProp === true && step !== null ? _toConsumableArray(Array(Math.floor((max - min) / step) + 1)).map(function (_, index) {\n return {\n value: min + step * index\n };\n }) : marksProp || [];\n\n var _useIsFocusVisible = useIsFocusVisible(),\n isFocusVisible = _useIsFocusVisible.isFocusVisible,\n onBlurVisible = _useIsFocusVisible.onBlurVisible,\n focusVisibleRef = _useIsFocusVisible.ref;\n\n var _React$useState3 = React.useState(-1),\n focusVisible = _React$useState3[0],\n setFocusVisible = _React$useState3[1];\n\n var sliderRef = React.useRef();\n var handleFocusRef = useForkRef(focusVisibleRef, sliderRef);\n var handleRef = useForkRef(ref, handleFocusRef);\n var handleFocus = useEventCallback(function (event) {\n var index = Number(event.currentTarget.getAttribute('data-index'));\n\n if (isFocusVisible(event)) {\n setFocusVisible(index);\n }\n\n setOpen(index);\n });\n var handleBlur = useEventCallback(function () {\n if (focusVisible !== -1) {\n setFocusVisible(-1);\n onBlurVisible();\n }\n\n setOpen(-1);\n });\n var handleMouseOver = useEventCallback(function (event) {\n var index = Number(event.currentTarget.getAttribute('data-index'));\n setOpen(index);\n });\n var handleMouseLeave = useEventCallback(function () {\n setOpen(-1);\n });\n var isRtl = theme.direction === 'rtl';\n var handleKeyDown = useEventCallback(function (event) {\n var index = Number(event.currentTarget.getAttribute('data-index'));\n var value = values[index];\n var tenPercents = (max - min) / 10;\n var marksValues = marks.map(function (mark) {\n return mark.value;\n });\n var marksIndex = marksValues.indexOf(value);\n var newValue;\n var increaseKey = isRtl ? 'ArrowLeft' : 'ArrowRight';\n var decreaseKey = isRtl ? 'ArrowRight' : 'ArrowLeft';\n\n switch (event.key) {\n case 'Home':\n newValue = min;\n break;\n\n case 'End':\n newValue = max;\n break;\n\n case 'PageUp':\n if (step) {\n newValue = value + tenPercents;\n }\n\n break;\n\n case 'PageDown':\n if (step) {\n newValue = value - tenPercents;\n }\n\n break;\n\n case increaseKey:\n case 'ArrowUp':\n if (step) {\n newValue = value + step;\n } else {\n newValue = marksValues[marksIndex + 1] || marksValues[marksValues.length - 1];\n }\n\n break;\n\n case decreaseKey:\n case 'ArrowDown':\n if (step) {\n newValue = value - step;\n } else {\n newValue = marksValues[marksIndex - 1] || marksValues[0];\n }\n\n break;\n\n default:\n return;\n } // Prevent scroll of the page\n\n\n event.preventDefault();\n\n if (step) {\n newValue = roundValueToStep(newValue, step, min);\n }\n\n newValue = clamp(newValue, min, max);\n\n if (range) {\n var previousValue = newValue;\n newValue = setValueIndex({\n values: values,\n source: valueDerived,\n newValue: newValue,\n index: index\n }).sort(asc);\n focusThumb({\n sliderRef: sliderRef,\n activeIndex: newValue.indexOf(previousValue)\n });\n }\n\n setValueState(newValue);\n setFocusVisible(index);\n\n if (onChange) {\n onChange(event, newValue);\n }\n\n if (onChangeCommitted) {\n onChangeCommitted(event, newValue);\n }\n });\n var previousIndex = React.useRef();\n var axis = orientation;\n\n if (isRtl && orientation !== \"vertical\") {\n axis += '-reverse';\n }\n\n var getFingerNewValue = function getFingerNewValue(_ref3) {\n var finger = _ref3.finger,\n _ref3$move = _ref3.move,\n move = _ref3$move === void 0 ? false : _ref3$move,\n values2 = _ref3.values,\n source = _ref3.source;\n var slider = sliderRef.current;\n\n var _slider$getBoundingCl = slider.getBoundingClientRect(),\n width = _slider$getBoundingCl.width,\n height = _slider$getBoundingCl.height,\n bottom = _slider$getBoundingCl.bottom,\n left = _slider$getBoundingCl.left;\n\n var percent;\n\n if (axis.indexOf('vertical') === 0) {\n percent = (bottom - finger.y) / height;\n } else {\n percent = (finger.x - left) / width;\n }\n\n if (axis.indexOf('-reverse') !== -1) {\n percent = 1 - percent;\n }\n\n var newValue;\n newValue = percentToValue(percent, min, max);\n\n if (step) {\n newValue = roundValueToStep(newValue, step, min);\n } else {\n var marksValues = marks.map(function (mark) {\n return mark.value;\n });\n var closestIndex = findClosest(marksValues, newValue);\n newValue = marksValues[closestIndex];\n }\n\n newValue = clamp(newValue, min, max);\n var activeIndex = 0;\n\n if (range) {\n if (!move) {\n activeIndex = findClosest(values2, newValue);\n } else {\n activeIndex = previousIndex.current;\n }\n\n var previousValue = newValue;\n newValue = setValueIndex({\n values: values2,\n source: source,\n newValue: newValue,\n index: activeIndex\n }).sort(asc);\n activeIndex = newValue.indexOf(previousValue);\n previousIndex.current = activeIndex;\n }\n\n return {\n newValue: newValue,\n activeIndex: activeIndex\n };\n };\n\n var handleTouchMove = useEventCallback(function (event) {\n var finger = trackFinger(event, touchId);\n\n if (!finger) {\n return;\n }\n\n var _getFingerNewValue = getFingerNewValue({\n finger: finger,\n move: true,\n values: values,\n source: valueDerived\n }),\n newValue = _getFingerNewValue.newValue,\n activeIndex = _getFingerNewValue.activeIndex;\n\n focusThumb({\n sliderRef: sliderRef,\n activeIndex: activeIndex,\n setActive: setActive\n });\n setValueState(newValue);\n\n if (onChange) {\n onChange(event, newValue);\n }\n });\n var handleTouchEnd = useEventCallback(function (event) {\n var finger = trackFinger(event, touchId);\n\n if (!finger) {\n return;\n }\n\n var _getFingerNewValue2 = getFingerNewValue({\n finger: finger,\n values: values,\n source: valueDerived\n }),\n newValue = _getFingerNewValue2.newValue;\n\n setActive(-1);\n\n if (event.type === 'touchend') {\n setOpen(-1);\n }\n\n if (onChangeCommitted) {\n onChangeCommitted(event, newValue);\n }\n\n touchId.current = undefined;\n var doc = ownerDocument(sliderRef.current);\n doc.removeEventListener('mousemove', handleTouchMove);\n doc.removeEventListener('mouseup', handleTouchEnd);\n doc.removeEventListener('touchmove', handleTouchMove);\n doc.removeEventListener('touchend', handleTouchEnd);\n });\n var handleTouchStart = useEventCallback(function (event) {\n // Workaround as Safari has partial support for touchAction: 'none'.\n event.preventDefault();\n var touch = event.changedTouches[0];\n\n if (touch != null) {\n // A number that uniquely identifies the current finger in the touch session.\n touchId.current = touch.identifier;\n }\n\n var finger = trackFinger(event, touchId);\n\n var _getFingerNewValue3 = getFingerNewValue({\n finger: finger,\n values: values,\n source: valueDerived\n }),\n newValue = _getFingerNewValue3.newValue,\n activeIndex = _getFingerNewValue3.activeIndex;\n\n focusThumb({\n sliderRef: sliderRef,\n activeIndex: activeIndex,\n setActive: setActive\n });\n setValueState(newValue);\n\n if (onChange) {\n onChange(event, newValue);\n }\n\n var doc = ownerDocument(sliderRef.current);\n doc.addEventListener('touchmove', handleTouchMove);\n doc.addEventListener('touchend', handleTouchEnd);\n });\n React.useEffect(function () {\n var slider = sliderRef.current;\n slider.addEventListener('touchstart', handleTouchStart);\n var doc = ownerDocument(slider);\n return function () {\n slider.removeEventListener('touchstart', handleTouchStart);\n doc.removeEventListener('mousemove', handleTouchMove);\n doc.removeEventListener('mouseup', handleTouchEnd);\n doc.removeEventListener('touchmove', handleTouchMove);\n doc.removeEventListener('touchend', handleTouchEnd);\n };\n }, [handleTouchEnd, handleTouchMove, handleTouchStart]);\n var handleMouseDown = useEventCallback(function (event) {\n if (onMouseDown) {\n onMouseDown(event);\n }\n\n event.preventDefault();\n var finger = trackFinger(event, touchId);\n\n var _getFingerNewValue4 = getFingerNewValue({\n finger: finger,\n values: values,\n source: valueDerived\n }),\n newValue = _getFingerNewValue4.newValue,\n activeIndex = _getFingerNewValue4.activeIndex;\n\n focusThumb({\n sliderRef: sliderRef,\n activeIndex: activeIndex,\n setActive: setActive\n });\n setValueState(newValue);\n\n if (onChange) {\n onChange(event, newValue);\n }\n\n var doc = ownerDocument(sliderRef.current);\n doc.addEventListener('mousemove', handleTouchMove);\n doc.addEventListener('mouseup', handleTouchEnd);\n });\n var trackOffset = valueToPercent(range ? values[0] : min, min, max);\n var trackLeap = valueToPercent(values[values.length - 1], min, max) - trackOffset;\n\n var trackStyle = _extends({}, axisProps[axis].offset(trackOffset), axisProps[axis].leap(trackLeap));\n\n return /*#__PURE__*/React.createElement(Component, _extends({\n ref: handleRef,\n className: clsx(classes.root, classes[\"color\".concat(capitalize(color))], className, disabled && classes.disabled, marks.length > 0 && marks.some(function (mark) {\n return mark.label;\n }) && classes.marked, track === false && classes.trackFalse, orientation === 'vertical' && classes.vertical, track === 'inverted' && classes.trackInverted),\n onMouseDown: handleMouseDown\n }, other), /*#__PURE__*/React.createElement(\"span\", {\n className: classes.rail\n }), /*#__PURE__*/React.createElement(\"span\", {\n className: classes.track,\n style: trackStyle\n }), /*#__PURE__*/React.createElement(\"input\", {\n value: values.join(','),\n name: name,\n type: \"hidden\"\n }), marks.map(function (mark, index) {\n var percent = valueToPercent(mark.value, min, max);\n var style = axisProps[axis].offset(percent);\n var markActive;\n\n if (track === false) {\n markActive = values.indexOf(mark.value) !== -1;\n } else {\n markActive = track === 'normal' && (range ? mark.value >= values[0] && mark.value <= values[values.length - 1] : mark.value <= values[0]) || track === 'inverted' && (range ? mark.value <= values[0] || mark.value >= values[values.length - 1] : mark.value >= values[0]);\n }\n\n return /*#__PURE__*/React.createElement(React.Fragment, {\n key: mark.value\n }, /*#__PURE__*/React.createElement(\"span\", {\n style: style,\n \"data-index\": index,\n className: clsx(classes.mark, markActive && classes.markActive)\n }), mark.label != null ? /*#__PURE__*/React.createElement(\"span\", {\n \"aria-hidden\": true,\n \"data-index\": index,\n style: style,\n className: clsx(classes.markLabel, markActive && classes.markLabelActive)\n }, mark.label) : null);\n }), values.map(function (value, index) {\n var percent = valueToPercent(value, min, max);\n var style = axisProps[axis].offset(percent);\n return /*#__PURE__*/React.createElement(ValueLabelComponent, {\n key: index,\n valueLabelFormat: valueLabelFormat,\n valueLabelDisplay: valueLabelDisplay,\n className: classes.valueLabel,\n value: typeof valueLabelFormat === 'function' ? valueLabelFormat(scale(value), index) : valueLabelFormat,\n index: index,\n open: open === index || active === index || valueLabelDisplay === 'on',\n disabled: disabled\n }, /*#__PURE__*/React.createElement(ThumbComponent, {\n className: clsx(classes.thumb, classes[\"thumbColor\".concat(capitalize(color))], active === index && classes.active, disabled && classes.disabled, focusVisible === index && classes.focusVisible),\n tabIndex: disabled ? null : 0,\n role: \"slider\",\n style: style,\n \"data-index\": index,\n \"aria-label\": getAriaLabel ? getAriaLabel(index) : ariaLabel,\n \"aria-labelledby\": ariaLabelledby,\n \"aria-orientation\": orientation,\n \"aria-valuemax\": scale(max),\n \"aria-valuemin\": scale(min),\n \"aria-valuenow\": scale(value),\n \"aria-valuetext\": getAriaValueText ? getAriaValueText(scale(value), index) : ariaValuetext,\n onKeyDown: handleKeyDown,\n onFocus: handleFocus,\n onBlur: handleBlur,\n onMouseOver: handleMouseOver,\n onMouseLeave: handleMouseLeave\n }));\n }));\n});\nprocess.env.NODE_ENV !== \"production\" ? Slider.propTypes = {\n /**\n * The label of the slider.\n */\n 'aria-label': chainPropTypes(PropTypes.string, function (props) {\n var range = Array.isArray(props.value || props.defaultValue);\n\n if (range && props['aria-label'] != null) {\n return new Error('Material-UI: You need to use the `getAriaLabel` prop instead of `aria-label` when using a range slider.');\n }\n\n return null;\n }),\n\n /**\n * The id of the element containing a label for the slider.\n */\n 'aria-labelledby': PropTypes.string,\n\n /**\n * A string value that provides a user-friendly name for the current value of the slider.\n */\n 'aria-valuetext': chainPropTypes(PropTypes.string, function (props) {\n var range = Array.isArray(props.value || props.defaultValue);\n\n if (range && props['aria-valuetext'] != null) {\n return new Error('Material-UI: You need to use the `getAriaValueText` prop instead of `aria-valuetext` when using a range slider.');\n }\n\n return null;\n }),\n\n /**\n * Override or extend the styles applied to the component.\n * See [CSS API](#css) below for more details.\n */\n classes: PropTypes.object.isRequired,\n\n /**\n * @ignore\n */\n className: PropTypes.string,\n\n /**\n * The color of the component. It supports those theme colors that make sense for this component.\n */\n color: PropTypes.oneOf(['primary', 'secondary']),\n\n /**\n * The component used for the root node.\n * Either a string to use a HTML element or a component.\n */\n component: PropTypes\n /* @typescript-to-proptypes-ignore */\n .elementType,\n\n /**\n * The default element value. Use when the component is not controlled.\n */\n defaultValue: PropTypes.oneOfType([PropTypes.number, PropTypes.arrayOf(PropTypes.number)]),\n\n /**\n * If `true`, the slider will be disabled.\n */\n disabled: PropTypes.bool,\n\n /**\n * Accepts a function which returns a string value that provides a user-friendly name for the thumb labels of the slider.\n *\n * @param {number} index The thumb label's index to format.\n * @returns {string}\n */\n getAriaLabel: PropTypes.func,\n\n /**\n * Accepts a function which returns a string value that provides a user-friendly name for the current value of the slider.\n *\n * @param {number} value The thumb label's value to format.\n * @param {number} index The thumb label's index to format.\n * @returns {string}\n */\n getAriaValueText: PropTypes.func,\n\n /**\n * Marks indicate predetermined values to which the user can move the slider.\n * If `true` the marks will be spaced according the value of the `step` prop.\n * If an array, it should contain objects with `value` and an optional `label` keys.\n */\n marks: PropTypes.oneOfType([PropTypes.bool, PropTypes.array]),\n\n /**\n * The maximum allowed value of the slider.\n * Should not be equal to min.\n */\n max: PropTypes.number,\n\n /**\n * The minimum allowed value of the slider.\n * Should not be equal to max.\n */\n min: PropTypes.number,\n\n /**\n * Name attribute of the hidden `input` element.\n */\n name: PropTypes.string,\n\n /**\n * Callback function that is fired when the slider's value changed.\n *\n * @param {object} event The event source of the callback.\n * @param {number | number[]} value The new value.\n */\n onChange: PropTypes.func,\n\n /**\n * Callback function that is fired when the `mouseup` is triggered.\n *\n * @param {object} event The event source of the callback.\n * @param {number | number[]} value The new value.\n */\n onChangeCommitted: PropTypes.func,\n\n /**\n * @ignore\n */\n onMouseDown: PropTypes.func,\n\n /**\n * The slider orientation.\n */\n orientation: PropTypes.oneOf(['horizontal', 'vertical']),\n\n /**\n * A transformation function, to change the scale of the slider.\n */\n scale: PropTypes.func,\n\n /**\n * The granularity with which the slider can step through values. (A \"discrete\" slider.)\n * The `min` prop serves as the origin for the valid values.\n * We recommend (max - min) to be evenly divisible by the step.\n *\n * When step is `null`, the thumb can only be slid onto marks provided with the `marks` prop.\n */\n step: PropTypes.number,\n\n /**\n * The component used to display the value label.\n */\n ThumbComponent: PropTypes.elementType,\n\n /**\n * The track presentation:\n *\n * - `normal` the track will render a bar representing the slider value.\n * - `inverted` the track will render a bar representing the remaining slider value.\n * - `false` the track will render without a bar.\n */\n track: PropTypes.oneOf(['normal', false, 'inverted']),\n\n /**\n * The value of the slider.\n * For ranged sliders, provide an array with two values.\n */\n value: PropTypes.oneOfType([PropTypes.number, PropTypes.arrayOf(PropTypes.number)]),\n\n /**\n * The value label component.\n */\n ValueLabelComponent: PropTypes.elementType,\n\n /**\n * Controls when the value label is displayed:\n *\n * - `auto` the value label will display when the thumb is hovered or focused.\n * - `on` will display persistently.\n * - `off` will never display.\n */\n valueLabelDisplay: PropTypes.oneOf(['on', 'auto', 'off']),\n\n /**\n * The format function the value label's value.\n *\n * When a function is provided, it should have the following signature:\n *\n * - {number} value The value label's value to format\n * - {number} index The value label's index to format\n */\n valueLabelFormat: PropTypes.oneOfType([PropTypes.string, PropTypes.func])\n} : void 0;\nexport default withStyles(styles, {\n name: 'MuiSlider'\n})(Slider);","import _objectWithoutProperties from \"@babel/runtime/helpers/esm/objectWithoutProperties\";\nimport _defineProperty from \"@babel/runtime/helpers/esm/defineProperty\";\nimport _extends from \"@babel/runtime/helpers/esm/extends\";\nimport * as React from 'react';\nimport PropTypes from 'prop-types';\nimport clsx from 'clsx';\nimport withStyles from '../styles/withStyles';\nimport Paper from '../Paper';\nimport { emphasize } from '../styles/colorManipulator';\nexport var styles = function styles(theme) {\n var emphasis = theme.palette.type === 'light' ? 0.8 : 0.98;\n var backgroundColor = emphasize(theme.palette.background.default, emphasis);\n return {\n /* Styles applied to the root element. */\n root: _extends({}, theme.typography.body2, _defineProperty({\n color: theme.palette.getContrastText(backgroundColor),\n backgroundColor: backgroundColor,\n display: 'flex',\n alignItems: 'center',\n flexWrap: 'wrap',\n padding: '6px 16px',\n borderRadius: theme.shape.borderRadius,\n flexGrow: 1\n }, theme.breakpoints.up('sm'), {\n flexGrow: 'initial',\n minWidth: 288\n })),\n\n /* Styles applied to the message wrapper element. */\n message: {\n padding: '8px 0'\n },\n\n /* Styles applied to the action wrapper element if `action` is provided. */\n action: {\n display: 'flex',\n alignItems: 'center',\n marginLeft: 'auto',\n paddingLeft: 16,\n marginRight: -8\n }\n };\n};\nvar SnackbarContent = /*#__PURE__*/React.forwardRef(function SnackbarContent(props, ref) {\n var action = props.action,\n classes = props.classes,\n className = props.className,\n message = props.message,\n _props$role = props.role,\n role = _props$role === void 0 ? 'alert' : _props$role,\n other = _objectWithoutProperties(props, [\"action\", \"classes\", \"className\", \"message\", \"role\"]);\n\n return /*#__PURE__*/React.createElement(Paper, _extends({\n role: role,\n square: true,\n elevation: 6,\n className: clsx(classes.root, className),\n ref: ref\n }, other), /*#__PURE__*/React.createElement(\"div\", {\n className: classes.message\n }, message), action ? /*#__PURE__*/React.createElement(\"div\", {\n className: classes.action\n }, action) : null);\n});\nprocess.env.NODE_ENV !== \"production\" ? SnackbarContent.propTypes = {\n // ----------------------------- Warning --------------------------------\n // | These PropTypes are generated from the TypeScript type definitions |\n // | To update them edit the d.ts file and run \"yarn proptypes\" |\n // ----------------------------------------------------------------------\n\n /**\n * The action to display. It renders after the message, at the end of the snackbar.\n */\n action: PropTypes.node,\n\n /**\n * Override or extend the styles applied to the component.\n * See [CSS API](#css) below for more details.\n */\n classes: PropTypes.object,\n\n /**\n * @ignore\n */\n className: PropTypes.string,\n\n /**\n * The message to display.\n */\n message: PropTypes.node,\n\n /**\n * The ARIA role attribute of the element.\n */\n role: PropTypes.string\n} : void 0;\nexport default withStyles(styles, {\n name: 'MuiSnackbarContent'\n})(SnackbarContent);","import _objectWithoutProperties from \"@babel/runtime/helpers/esm/objectWithoutProperties\";\nimport _defineProperty from \"@babel/runtime/helpers/esm/defineProperty\";\nimport _extends from \"@babel/runtime/helpers/esm/extends\";\nimport * as React from 'react';\nimport PropTypes from 'prop-types';\nimport clsx from 'clsx';\nimport withStyles from '../styles/withStyles';\nimport { duration } from '../styles/transitions';\nimport ClickAwayListener from '../ClickAwayListener';\nimport useEventCallback from '../utils/useEventCallback';\nimport capitalize from '../utils/capitalize';\nimport createChainedFunction from '../utils/createChainedFunction';\nimport deprecatedPropType from '../utils/deprecatedPropType';\nimport Grow from '../Grow';\nimport SnackbarContent from '../SnackbarContent';\nexport var styles = function styles(theme) {\n var top1 = {\n top: 8\n };\n var bottom1 = {\n bottom: 8\n };\n var right = {\n justifyContent: 'flex-end'\n };\n var left = {\n justifyContent: 'flex-start'\n };\n var top3 = {\n top: 24\n };\n var bottom3 = {\n bottom: 24\n };\n var right3 = {\n right: 24\n };\n var left3 = {\n left: 24\n };\n var center = {\n left: '50%',\n right: 'auto',\n transform: 'translateX(-50%)'\n };\n return {\n /* Styles applied to the root element. */\n root: {\n zIndex: theme.zIndex.snackbar,\n position: 'fixed',\n display: 'flex',\n left: 8,\n right: 8,\n justifyContent: 'center',\n alignItems: 'center'\n },\n\n /* Styles applied to the root element if `anchorOrigin={{ 'top', 'center' }}`. */\n anchorOriginTopCenter: _extends({}, top1, _defineProperty({}, theme.breakpoints.up('sm'), _extends({}, top3, center))),\n\n /* Styles applied to the root element if `anchorOrigin={{ 'bottom', 'center' }}`. */\n anchorOriginBottomCenter: _extends({}, bottom1, _defineProperty({}, theme.breakpoints.up('sm'), _extends({}, bottom3, center))),\n\n /* Styles applied to the root element if `anchorOrigin={{ 'top', 'right' }}`. */\n anchorOriginTopRight: _extends({}, top1, right, _defineProperty({}, theme.breakpoints.up('sm'), _extends({\n left: 'auto'\n }, top3, right3))),\n\n /* Styles applied to the root element if `anchorOrigin={{ 'bottom', 'right' }}`. */\n anchorOriginBottomRight: _extends({}, bottom1, right, _defineProperty({}, theme.breakpoints.up('sm'), _extends({\n left: 'auto'\n }, bottom3, right3))),\n\n /* Styles applied to the root element if `anchorOrigin={{ 'top', 'left' }}`. */\n anchorOriginTopLeft: _extends({}, top1, left, _defineProperty({}, theme.breakpoints.up('sm'), _extends({\n right: 'auto'\n }, top3, left3))),\n\n /* Styles applied to the root element if `anchorOrigin={{ 'bottom', 'left' }}`. */\n anchorOriginBottomLeft: _extends({}, bottom1, left, _defineProperty({}, theme.breakpoints.up('sm'), _extends({\n right: 'auto'\n }, bottom3, left3)))\n };\n};\nvar Snackbar = /*#__PURE__*/React.forwardRef(function Snackbar(props, ref) {\n var action = props.action,\n _props$anchorOrigin = props.anchorOrigin;\n _props$anchorOrigin = _props$anchorOrigin === void 0 ? {\n vertical: 'bottom',\n horizontal: 'center'\n } : _props$anchorOrigin;\n\n var vertical = _props$anchorOrigin.vertical,\n horizontal = _props$anchorOrigin.horizontal,\n _props$autoHideDurati = props.autoHideDuration,\n autoHideDuration = _props$autoHideDurati === void 0 ? null : _props$autoHideDurati,\n children = props.children,\n classes = props.classes,\n className = props.className,\n ClickAwayListenerProps = props.ClickAwayListenerProps,\n ContentProps = props.ContentProps,\n _props$disableWindowB = props.disableWindowBlurListener,\n disableWindowBlurListener = _props$disableWindowB === void 0 ? false : _props$disableWindowB,\n message = props.message,\n onClose = props.onClose,\n onEnter = props.onEnter,\n onEntered = props.onEntered,\n onEntering = props.onEntering,\n onExit = props.onExit,\n onExited = props.onExited,\n onExiting = props.onExiting,\n onMouseEnter = props.onMouseEnter,\n onMouseLeave = props.onMouseLeave,\n open = props.open,\n resumeHideDuration = props.resumeHideDuration,\n _props$TransitionComp = props.TransitionComponent,\n TransitionComponent = _props$TransitionComp === void 0 ? Grow : _props$TransitionComp,\n _props$transitionDura = props.transitionDuration,\n transitionDuration = _props$transitionDura === void 0 ? {\n enter: duration.enteringScreen,\n exit: duration.leavingScreen\n } : _props$transitionDura,\n TransitionProps = props.TransitionProps,\n other = _objectWithoutProperties(props, [\"action\", \"anchorOrigin\", \"autoHideDuration\", \"children\", \"classes\", \"className\", \"ClickAwayListenerProps\", \"ContentProps\", \"disableWindowBlurListener\", \"message\", \"onClose\", \"onEnter\", \"onEntered\", \"onEntering\", \"onExit\", \"onExited\", \"onExiting\", \"onMouseEnter\", \"onMouseLeave\", \"open\", \"resumeHideDuration\", \"TransitionComponent\", \"transitionDuration\", \"TransitionProps\"]);\n\n var timerAutoHide = React.useRef();\n\n var _React$useState = React.useState(true),\n exited = _React$useState[0],\n setExited = _React$useState[1];\n\n var handleClose = useEventCallback(function () {\n if (onClose) {\n onClose.apply(void 0, arguments);\n }\n });\n var setAutoHideTimer = useEventCallback(function (autoHideDurationParam) {\n if (!onClose || autoHideDurationParam == null) {\n return;\n }\n\n clearTimeout(timerAutoHide.current);\n timerAutoHide.current = setTimeout(function () {\n handleClose(null, 'timeout');\n }, autoHideDurationParam);\n });\n React.useEffect(function () {\n if (open) {\n setAutoHideTimer(autoHideDuration);\n }\n\n return function () {\n clearTimeout(timerAutoHide.current);\n };\n }, [open, autoHideDuration, setAutoHideTimer]); // Pause the timer when the user is interacting with the Snackbar\n // or when the user hide the window.\n\n var handlePause = function handlePause() {\n clearTimeout(timerAutoHide.current);\n }; // Restart the timer when the user is no longer interacting with the Snackbar\n // or when the window is shown back.\n\n\n var handleResume = React.useCallback(function () {\n if (autoHideDuration != null) {\n setAutoHideTimer(resumeHideDuration != null ? resumeHideDuration : autoHideDuration * 0.5);\n }\n }, [autoHideDuration, resumeHideDuration, setAutoHideTimer]);\n\n var handleMouseEnter = function handleMouseEnter(event) {\n if (onMouseEnter) {\n onMouseEnter(event);\n }\n\n handlePause();\n };\n\n var handleMouseLeave = function handleMouseLeave(event) {\n if (onMouseLeave) {\n onMouseLeave(event);\n }\n\n handleResume();\n };\n\n var handleClickAway = function handleClickAway(event) {\n if (onClose) {\n onClose(event, 'clickaway');\n }\n };\n\n var handleExited = function handleExited() {\n setExited(true);\n };\n\n var handleEnter = function handleEnter() {\n setExited(false);\n };\n\n React.useEffect(function () {\n if (!disableWindowBlurListener && open) {\n window.addEventListener('focus', handleResume);\n window.addEventListener('blur', handlePause);\n return function () {\n window.removeEventListener('focus', handleResume);\n window.removeEventListener('blur', handlePause);\n };\n }\n\n return undefined;\n }, [disableWindowBlurListener, handleResume, open]); // So we only render active snackbars.\n\n if (!open && exited) {\n return null;\n }\n\n return /*#__PURE__*/React.createElement(ClickAwayListener, _extends({\n onClickAway: handleClickAway\n }, ClickAwayListenerProps), /*#__PURE__*/React.createElement(\"div\", _extends({\n className: clsx(classes.root, classes[\"anchorOrigin\".concat(capitalize(vertical)).concat(capitalize(horizontal))], className),\n onMouseEnter: handleMouseEnter,\n onMouseLeave: handleMouseLeave,\n ref: ref\n }, other), /*#__PURE__*/React.createElement(TransitionComponent, _extends({\n appear: true,\n in: open,\n onEnter: createChainedFunction(handleEnter, onEnter),\n onEntered: onEntered,\n onEntering: onEntering,\n onExit: onExit,\n onExited: createChainedFunction(handleExited, onExited),\n onExiting: onExiting,\n timeout: transitionDuration,\n direction: vertical === 'top' ? 'down' : 'up'\n }, TransitionProps), children || /*#__PURE__*/React.createElement(SnackbarContent, _extends({\n message: message,\n action: action\n }, ContentProps)))));\n});\nprocess.env.NODE_ENV !== \"production\" ? Snackbar.propTypes = {\n // ----------------------------- Warning --------------------------------\n // | These PropTypes are generated from the TypeScript type definitions |\n // | To update them edit the d.ts file and run \"yarn proptypes\" |\n // ----------------------------------------------------------------------\n\n /**\n * The action to display. It renders after the message, at the end of the snackbar.\n */\n action: PropTypes.node,\n\n /**\n * The anchor of the `Snackbar`.\n */\n anchorOrigin: PropTypes.shape({\n horizontal: PropTypes.oneOf(['center', 'left', 'right']).isRequired,\n vertical: PropTypes.oneOf(['bottom', 'top']).isRequired\n }),\n\n /**\n * The number of milliseconds to wait before automatically calling the\n * `onClose` function. `onClose` should then set the state of the `open`\n * prop to hide the Snackbar. This behavior is disabled by default with\n * the `null` value.\n */\n autoHideDuration: PropTypes.number,\n\n /**\n * Replace the `SnackbarContent` component.\n */\n children: PropTypes.element,\n\n /**\n * Override or extend the styles applied to the component.\n * See [CSS API](#css) below for more details.\n */\n classes: PropTypes.object,\n\n /**\n * @ignore\n */\n className: PropTypes.string,\n\n /**\n * Props applied to the `ClickAwayListener` element.\n */\n ClickAwayListenerProps: PropTypes.object,\n\n /**\n * Props applied to the [`SnackbarContent`](/api/snackbar-content/) element.\n */\n ContentProps: PropTypes.object,\n\n /**\n * If `true`, the `autoHideDuration` timer will expire even if the window is not focused.\n */\n disableWindowBlurListener: PropTypes.bool,\n\n /**\n * When displaying multiple consecutive Snackbars from a parent rendering a single\n * , add the key prop to ensure independent treatment of each message.\n * e.g. , otherwise, the message may update-in-place and\n * features such as autoHideDuration may be canceled.\n */\n key: PropTypes.any,\n\n /**\n * The message to display.\n */\n message: PropTypes.node,\n\n /**\n * Callback fired when the component requests to be closed.\n * Typically `onClose` is used to set state in the parent component,\n * which is used to control the `Snackbar` `open` prop.\n * The `reason` parameter can optionally be used to control the response to `onClose`,\n * for example ignoring `clickaway`.\n *\n * @param {object} event The event source of the callback.\n * @param {string} reason Can be: `\"timeout\"` (`autoHideDuration` expired), `\"clickaway\"`.\n */\n onClose: PropTypes.func,\n\n /**\n * Callback fired before the transition is entering.\n * @deprecated Use the `TransitionProps` prop instead.\n */\n onEnter: deprecatedPropType(PropTypes.func, 'Use the `TransitionProps` prop instead.'),\n\n /**\n * Callback fired when the transition has entered.\n * @deprecated Use the `TransitionProps` prop instead.\n */\n onEntered: deprecatedPropType(PropTypes.func, 'Use the `TransitionProps` prop instead.'),\n\n /**\n * Callback fired when the transition is entering.\n * @deprecated Use the `TransitionProps` prop instead.\n */\n onEntering: deprecatedPropType(PropTypes.func, 'Use the `TransitionProps` prop instead.'),\n\n /**\n * Callback fired before the transition is exiting.\n * @deprecated Use the `TransitionProps` prop instead.\n */\n onExit: deprecatedPropType(PropTypes.func, 'Use the `TransitionProps` prop instead.'),\n\n /**\n * Callback fired when the transition has exited.\n * @deprecated Use the `TransitionProps` prop instead.\n */\n onExited: deprecatedPropType(PropTypes.func, 'Use the `TransitionProps` prop instead.'),\n\n /**\n * Callback fired when the transition is exiting.\n * @deprecated Use the `TransitionProps` prop instead.\n */\n onExiting: deprecatedPropType(PropTypes.func, 'Use the `TransitionProps` prop instead.'),\n\n /**\n * @ignore\n */\n onMouseEnter: PropTypes.func,\n\n /**\n * @ignore\n */\n onMouseLeave: PropTypes.func,\n\n /**\n * If `true`, `Snackbar` is open.\n */\n open: PropTypes.bool,\n\n /**\n * The number of milliseconds to wait before dismissing after user interaction.\n * If `autoHideDuration` prop isn't specified, it does nothing.\n * If `autoHideDuration` prop is specified but `resumeHideDuration` isn't,\n * we default to `autoHideDuration / 2` ms.\n */\n resumeHideDuration: PropTypes.number,\n\n /**\n * The component used for the transition.\n * [Follow this guide](/components/transitions/#transitioncomponent-prop) to learn more about the requirements for this component.\n */\n TransitionComponent: PropTypes.elementType,\n\n /**\n * The duration for the transition, in milliseconds.\n * You may specify a single timeout for all transitions, or individually with an object.\n */\n transitionDuration: PropTypes.oneOfType([PropTypes.number, PropTypes.shape({\n appear: PropTypes.number,\n enter: PropTypes.number,\n exit: PropTypes.number\n })]),\n\n /**\n * Props applied to the [`Transition`](http://reactcommunity.org/react-transition-group/transition#Transition-props) element.\n */\n TransitionProps: PropTypes.object\n} : void 0;\nexport default withStyles(styles, {\n flip: false,\n name: 'MuiSnackbar'\n})(Snackbar);","import _extends from \"@babel/runtime/helpers/esm/extends\";\nimport _objectWithoutProperties from \"@babel/runtime/helpers/esm/objectWithoutProperties\";\nimport * as React from 'react';\nimport { isFragment } from 'react-is';\nimport PropTypes from 'prop-types';\nimport clsx from 'clsx';\nimport withStyles from '../styles/withStyles';\nexport var styles = {\n /* Styles applied to the root element. */\n root: {},\n\n /* Styles applied to the root element if `orientation=\"horizontal\"`. */\n horizontal: {\n paddingLeft: 8,\n paddingRight: 8\n },\n\n /* Styles applied to the root element if `orientation=\"vertical\"`. */\n vertical: {},\n\n /* Styles applied to the root element if `alternativeLabel={true}`. */\n alternativeLabel: {\n flex: 1,\n position: 'relative'\n },\n\n /* Pseudo-class applied to the root element if `completed={true}`. */\n completed: {}\n};\nvar Step = /*#__PURE__*/React.forwardRef(function Step(props, ref) {\n var _props$active = props.active,\n active = _props$active === void 0 ? false : _props$active,\n alternativeLabel = props.alternativeLabel,\n children = props.children,\n classes = props.classes,\n className = props.className,\n _props$completed = props.completed,\n completed = _props$completed === void 0 ? false : _props$completed,\n connectorProp = props.connector,\n _props$disabled = props.disabled,\n disabled = _props$disabled === void 0 ? false : _props$disabled,\n _props$expanded = props.expanded,\n expanded = _props$expanded === void 0 ? false : _props$expanded,\n index = props.index,\n last = props.last,\n orientation = props.orientation,\n other = _objectWithoutProperties(props, [\"active\", \"alternativeLabel\", \"children\", \"classes\", \"className\", \"completed\", \"connector\", \"disabled\", \"expanded\", \"index\", \"last\", \"orientation\"]);\n\n var connector = connectorProp ? /*#__PURE__*/React.cloneElement(connectorProp, {\n orientation: orientation,\n alternativeLabel: alternativeLabel,\n index: index,\n active: active,\n completed: completed,\n disabled: disabled\n }) : null;\n var newChildren = /*#__PURE__*/React.createElement(\"div\", _extends({\n className: clsx(classes.root, classes[orientation], className, alternativeLabel && classes.alternativeLabel, completed && classes.completed),\n ref: ref\n }, other), connector && alternativeLabel && index !== 0 ? connector : null, React.Children.map(children, function (child) {\n if (! /*#__PURE__*/React.isValidElement(child)) {\n return null;\n }\n\n if (process.env.NODE_ENV !== 'production') {\n if (isFragment(child)) {\n console.error([\"Material-UI: The Step component doesn't accept a Fragment as a child.\", 'Consider providing an array instead.'].join('\\n'));\n }\n }\n\n return /*#__PURE__*/React.cloneElement(child, _extends({\n active: active,\n alternativeLabel: alternativeLabel,\n completed: completed,\n disabled: disabled,\n expanded: expanded,\n last: last,\n icon: index + 1,\n orientation: orientation\n }, child.props));\n }));\n\n if (connector && !alternativeLabel && index !== 0) {\n return /*#__PURE__*/React.createElement(React.Fragment, null, connector, newChildren);\n }\n\n return newChildren;\n});\nprocess.env.NODE_ENV !== \"production\" ? Step.propTypes = {\n // ----------------------------- Warning --------------------------------\n // | These PropTypes are generated from the TypeScript type definitions |\n // | To update them edit the d.ts file and run \"yarn proptypes\" |\n // ----------------------------------------------------------------------\n\n /**\n * Sets the step as active. Is passed to child components.\n */\n active: PropTypes.bool,\n\n /**\n * Should be `Step` sub-components such as `StepLabel`, `StepContent`.\n */\n children: PropTypes.node,\n\n /**\n * Override or extend the styles applied to the component.\n * See [CSS API](#css) below for more details.\n */\n classes: PropTypes.object,\n\n /**\n * @ignore\n */\n className: PropTypes.string,\n\n /**\n * Mark the step as completed. Is passed to child components.\n */\n completed: PropTypes.bool,\n\n /**\n * Mark the step as disabled, will also disable the button if\n * `StepButton` is a child of `Step`. Is passed to child components.\n */\n disabled: PropTypes.bool,\n\n /**\n * Expand the step.\n */\n expanded: PropTypes.bool\n} : void 0;\nexport default withStyles(styles, {\n name: 'MuiStep'\n})(Step);","import * as React from 'react';\nimport createSvgIcon from '../../utils/createSvgIcon';\n/**\n * @ignore - internal component.\n */\n\nexport default createSvgIcon( /*#__PURE__*/React.createElement(\"path\", {\n d: \"M12 0a12 12 0 1 0 0 24 12 12 0 0 0 0-24zm-2 17l-5-5 1.4-1.4 3.6 3.6 7.6-7.6L19 8l-9 9z\"\n}), 'CheckCircle');","import * as React from 'react';\nimport createSvgIcon from '../../utils/createSvgIcon';\n/**\n * @ignore - internal component.\n */\n\nexport default createSvgIcon( /*#__PURE__*/React.createElement(\"path\", {\n d: \"M1 21h22L12 2 1 21zm12-3h-2v-2h2v2zm0-4h-2v-4h2v4z\"\n}), 'Warning');","import * as React from 'react';\nimport PropTypes from 'prop-types';\nimport clsx from 'clsx';\nimport CheckCircle from '../internal/svg-icons/CheckCircle';\nimport Warning from '../internal/svg-icons/Warning';\nimport withStyles from '../styles/withStyles';\nimport SvgIcon from '../SvgIcon';\nexport var styles = function styles(theme) {\n return {\n /* Styles applied to the root element. */\n root: {\n display: 'block',\n color: theme.palette.text.disabled,\n '&$completed': {\n color: theme.palette.primary.main\n },\n '&$active': {\n color: theme.palette.primary.main\n },\n '&$error': {\n color: theme.palette.error.main\n }\n },\n\n /* Styles applied to the SVG text element. */\n text: {\n fill: theme.palette.primary.contrastText,\n fontSize: theme.typography.caption.fontSize,\n fontFamily: theme.typography.fontFamily\n },\n\n /* Pseudo-class applied to the root element if `active={true}`. */\n active: {},\n\n /* Pseudo-class applied to the root element if `completed={true}`. */\n completed: {},\n\n /* Pseudo-class applied to the root element if `error={true}`. */\n error: {}\n };\n};\n\nvar _ref = /*#__PURE__*/React.createElement(\"circle\", {\n cx: \"12\",\n cy: \"12\",\n r: \"12\"\n});\n\nvar StepIcon = /*#__PURE__*/React.forwardRef(function StepIcon(props, ref) {\n var _props$completed = props.completed,\n completed = _props$completed === void 0 ? false : _props$completed,\n icon = props.icon,\n _props$active = props.active,\n active = _props$active === void 0 ? false : _props$active,\n _props$error = props.error,\n error = _props$error === void 0 ? false : _props$error,\n classes = props.classes;\n\n if (typeof icon === 'number' || typeof icon === 'string') {\n var className = clsx(classes.root, active && classes.active, error && classes.error, completed && classes.completed);\n\n if (error) {\n return /*#__PURE__*/React.createElement(Warning, {\n className: className,\n ref: ref\n });\n }\n\n if (completed) {\n return /*#__PURE__*/React.createElement(CheckCircle, {\n className: className,\n ref: ref\n });\n }\n\n return /*#__PURE__*/React.createElement(SvgIcon, {\n className: className,\n ref: ref\n }, _ref, /*#__PURE__*/React.createElement(\"text\", {\n className: classes.text,\n x: \"12\",\n y: \"16\",\n textAnchor: \"middle\"\n }, icon));\n }\n\n return icon;\n});\nprocess.env.NODE_ENV !== \"production\" ? StepIcon.propTypes = {\n // ----------------------------- Warning --------------------------------\n // | These PropTypes are generated from the TypeScript type definitions |\n // | To update them edit the d.ts file and run \"yarn proptypes\" |\n // ----------------------------------------------------------------------\n\n /**\n * Whether this step is active.\n */\n active: PropTypes.bool,\n\n /**\n * Override or extend the styles applied to the component.\n * See [CSS API](#css) below for more details.\n */\n classes: PropTypes.object,\n\n /**\n * Mark the step as completed. Is passed to child components.\n */\n completed: PropTypes.bool,\n\n /**\n * Mark the step as failed.\n */\n error: PropTypes.bool,\n\n /**\n * The label displayed in the step icon.\n */\n icon: PropTypes.node\n} : void 0;\nexport default withStyles(styles, {\n name: 'MuiStepIcon'\n})(StepIcon);","import _extends from \"@babel/runtime/helpers/esm/extends\";\nimport _objectWithoutProperties from \"@babel/runtime/helpers/esm/objectWithoutProperties\";\nimport * as React from 'react';\nimport PropTypes from 'prop-types';\nimport clsx from 'clsx';\nimport withStyles from '../styles/withStyles';\nimport Typography from '../Typography';\nimport StepIcon from '../StepIcon';\nexport var styles = function styles(theme) {\n return {\n /* Styles applied to the root element. */\n root: {\n display: 'flex',\n alignItems: 'center',\n '&$alternativeLabel': {\n flexDirection: 'column'\n },\n '&$disabled': {\n cursor: 'default'\n }\n },\n\n /* Styles applied to the root element if `orientation=\"horizontal\"`. */\n horizontal: {},\n\n /* Styles applied to the root element if `orientation=\"vertical\"`. */\n vertical: {},\n\n /* Styles applied to the `Typography` component which wraps `children`. */\n label: {\n color: theme.palette.text.secondary,\n '&$active': {\n color: theme.palette.text.primary,\n fontWeight: 500\n },\n '&$completed': {\n color: theme.palette.text.primary,\n fontWeight: 500\n },\n '&$alternativeLabel': {\n textAlign: 'center',\n marginTop: 16\n },\n '&$error': {\n color: theme.palette.error.main\n }\n },\n\n /* Pseudo-class applied to the `Typography` component if `active={true}`. */\n active: {},\n\n /* Pseudo-class applied to the `Typography` component if `completed={true}`. */\n completed: {},\n\n /* Pseudo-class applied to the root element and `Typography` component if `error={true}`. */\n error: {},\n\n /* Pseudo-class applied to the root element and `Typography` component if `disabled={true}`. */\n disabled: {},\n\n /* Styles applied to the `icon` container element. */\n iconContainer: {\n flexShrink: 0,\n // Fix IE 11 issue\n display: 'flex',\n paddingRight: 8,\n '&$alternativeLabel': {\n paddingRight: 0\n }\n },\n\n /* Pseudo-class applied to the root and icon container and `Typography` if `alternativeLabel={true}`. */\n alternativeLabel: {},\n\n /* Styles applied to the container element which wraps `Typography` and `optional`. */\n labelContainer: {\n width: '100%'\n }\n };\n};\nvar StepLabel = /*#__PURE__*/React.forwardRef(function StepLabel(props, ref) {\n var _props$active = props.active,\n active = _props$active === void 0 ? false : _props$active,\n _props$alternativeLab = props.alternativeLabel,\n alternativeLabel = _props$alternativeLab === void 0 ? false : _props$alternativeLab,\n children = props.children,\n classes = props.classes,\n className = props.className,\n _props$completed = props.completed,\n completed = _props$completed === void 0 ? false : _props$completed,\n _props$disabled = props.disabled,\n disabled = _props$disabled === void 0 ? false : _props$disabled,\n _props$error = props.error,\n error = _props$error === void 0 ? false : _props$error,\n expanded = props.expanded,\n icon = props.icon,\n last = props.last,\n optional = props.optional,\n _props$orientation = props.orientation,\n orientation = _props$orientation === void 0 ? 'horizontal' : _props$orientation,\n StepIconComponentProp = props.StepIconComponent,\n StepIconProps = props.StepIconProps,\n other = _objectWithoutProperties(props, [\"active\", \"alternativeLabel\", \"children\", \"classes\", \"className\", \"completed\", \"disabled\", \"error\", \"expanded\", \"icon\", \"last\", \"optional\", \"orientation\", \"StepIconComponent\", \"StepIconProps\"]);\n\n var StepIconComponent = StepIconComponentProp;\n\n if (icon && !StepIconComponent) {\n StepIconComponent = StepIcon;\n }\n\n return /*#__PURE__*/React.createElement(\"span\", _extends({\n className: clsx(classes.root, classes[orientation], className, disabled && classes.disabled, alternativeLabel && classes.alternativeLabel, error && classes.error),\n ref: ref\n }, other), icon || StepIconComponent ? /*#__PURE__*/React.createElement(\"span\", {\n className: clsx(classes.iconContainer, alternativeLabel && classes.alternativeLabel)\n }, /*#__PURE__*/React.createElement(StepIconComponent, _extends({\n completed: completed,\n active: active,\n error: error,\n icon: icon\n }, StepIconProps))) : null, /*#__PURE__*/React.createElement(\"span\", {\n className: classes.labelContainer\n }, children ? /*#__PURE__*/React.createElement(Typography, {\n variant: \"body2\",\n component: \"span\",\n display: \"block\",\n className: clsx(classes.label, alternativeLabel && classes.alternativeLabel, completed && classes.completed, active && classes.active, error && classes.error)\n }, children) : null, optional));\n});\nprocess.env.NODE_ENV !== \"production\" ? StepLabel.propTypes = {\n // ----------------------------- Warning --------------------------------\n // | These PropTypes are generated from the TypeScript type definitions |\n // | To update them edit the d.ts file and run \"yarn proptypes\" |\n // ----------------------------------------------------------------------\n\n /**\n * In most cases will simply be a string containing a title for the label.\n */\n children: PropTypes.node,\n\n /**\n * Override or extend the styles applied to the component.\n * See [CSS API](#css) below for more details.\n */\n classes: PropTypes.object,\n\n /**\n * @ignore\n */\n className: PropTypes.string,\n\n /**\n * Mark the step as disabled, will also disable the button if\n * `StepLabelButton` is a child of `StepLabel`. Is passed to child components.\n */\n disabled: PropTypes.bool,\n\n /**\n * Mark the step as failed.\n */\n error: PropTypes.bool,\n\n /**\n * Override the default label of the step icon.\n */\n icon: PropTypes.node,\n\n /**\n * The optional node to display.\n */\n optional: PropTypes.node,\n\n /**\n * The component to render in place of the [`StepIcon`](/api/step-icon/).\n */\n StepIconComponent: PropTypes.elementType,\n\n /**\n * Props applied to the [`StepIcon`](/api/step-icon/) element.\n */\n StepIconProps: PropTypes.object\n} : void 0;\nStepLabel.muiName = 'StepLabel';\nexport default withStyles(styles, {\n name: 'MuiStepLabel'\n})(StepLabel);","import _extends from \"@babel/runtime/helpers/esm/extends\";\nimport _objectWithoutProperties from \"@babel/runtime/helpers/esm/objectWithoutProperties\";\nimport * as React from 'react';\nimport PropTypes from 'prop-types';\nimport clsx from 'clsx';\nimport withStyles from '../styles/withStyles';\nimport ButtonBase from '../ButtonBase';\nimport StepLabel from '../StepLabel';\nimport isMuiElement from '../utils/isMuiElement';\nexport var styles = {\n /* Styles applied to the root element. */\n root: {\n width: '100%',\n padding: '24px 16px',\n margin: '-24px -16px',\n boxSizing: 'content-box'\n },\n\n /* Styles applied to the root element if `orientation=\"horizontal\"`. */\n horizontal: {},\n\n /* Styles applied to the root element if `orientation=\"vertical\"`. */\n vertical: {\n justifyContent: 'flex-start',\n padding: '8px',\n margin: '-8px'\n },\n\n /* Styles applied to the `ButtonBase` touch-ripple. */\n touchRipple: {\n color: 'rgba(0, 0, 0, 0.3)'\n }\n};\nvar StepButton = /*#__PURE__*/React.forwardRef(function StepButton(props, ref) {\n var active = props.active,\n alternativeLabel = props.alternativeLabel,\n children = props.children,\n classes = props.classes,\n className = props.className,\n completed = props.completed,\n disabled = props.disabled,\n expanded = props.expanded,\n icon = props.icon,\n last = props.last,\n optional = props.optional,\n orientation = props.orientation,\n other = _objectWithoutProperties(props, [\"active\", \"alternativeLabel\", \"children\", \"classes\", \"className\", \"completed\", \"disabled\", \"expanded\", \"icon\", \"last\", \"optional\", \"orientation\"]);\n\n var childProps = {\n active: active,\n alternativeLabel: alternativeLabel,\n completed: completed,\n disabled: disabled,\n icon: icon,\n optional: optional,\n orientation: orientation\n };\n var child = isMuiElement(children, ['StepLabel']) ? /*#__PURE__*/React.cloneElement(children, childProps) : /*#__PURE__*/React.createElement(StepLabel, childProps, children);\n return /*#__PURE__*/React.createElement(ButtonBase, _extends({\n focusRipple: true,\n disabled: disabled,\n TouchRippleProps: {\n className: classes.touchRipple\n },\n className: clsx(classes.root, classes[orientation], className),\n ref: ref\n }, other), child);\n});\nprocess.env.NODE_ENV !== \"production\" ? StepButton.propTypes = {\n /**\n * @ignore\n * Passed in via `Step` - passed through to `StepLabel`.\n */\n active: PropTypes.bool,\n\n /**\n * @ignore\n * Set internally by Stepper when it's supplied with the alternativeLabel property.\n */\n alternativeLabel: PropTypes.bool,\n\n /**\n * Can be a `StepLabel` or a node to place inside `StepLabel` as children.\n */\n children: PropTypes.node,\n\n /**\n * Override or extend the styles applied to the component.\n * See [CSS API](#css) below for more details.\n */\n classes: PropTypes.object.isRequired,\n\n /**\n * @ignore\n */\n className: PropTypes.string,\n\n /**\n * @ignore\n * Sets completed styling. Is passed to StepLabel.\n */\n completed: PropTypes.bool,\n\n /**\n * @ignore\n * Disables the button and sets disabled styling. Is passed to StepLabel.\n */\n disabled: PropTypes.bool,\n\n /**\n * @ignore\n * potentially passed from parent `Step`\n */\n expanded: PropTypes.bool,\n\n /**\n * The icon displayed by the step label.\n */\n icon: PropTypes.node,\n\n /**\n * @ignore\n */\n last: PropTypes.bool,\n\n /**\n * The optional node to display.\n */\n optional: PropTypes.node,\n\n /**\n * @ignore\n */\n orientation: PropTypes.oneOf(['horizontal', 'vertical'])\n} : void 0;\nexport default withStyles(styles, {\n name: 'MuiStepButton'\n})(StepButton);","import _extends from \"@babel/runtime/helpers/esm/extends\";\nimport _objectWithoutProperties from \"@babel/runtime/helpers/esm/objectWithoutProperties\";\nimport * as React from 'react';\nimport PropTypes from 'prop-types';\nimport clsx from 'clsx';\nimport withStyles from '../styles/withStyles';\nexport var styles = function styles(theme) {\n return {\n /* Styles applied to the root element. */\n root: {\n flex: '1 1 auto'\n },\n\n /* Styles applied to the root element if `orientation=\"horizontal\"`. */\n horizontal: {},\n\n /* Styles applied to the root element if `orientation=\"vertical\"`. */\n vertical: {\n marginLeft: 12,\n // half icon\n padding: '0 0 8px'\n },\n\n /* Styles applied to the root element if `alternativeLabel={true}`. */\n alternativeLabel: {\n position: 'absolute',\n top: 8 + 4,\n left: 'calc(-50% + 20px)',\n right: 'calc(50% + 20px)'\n },\n\n /* Pseudo-class applied to the root element if `active={true}`. */\n active: {},\n\n /* Pseudo-class applied to the root element if `completed={true}`. */\n completed: {},\n\n /* Pseudo-class applied to the root element if `disabled={true}`. */\n disabled: {},\n\n /* Styles applied to the line element. */\n line: {\n display: 'block',\n borderColor: theme.palette.type === 'light' ? theme.palette.grey[400] : theme.palette.grey[600]\n },\n\n /* Styles applied to the root element if `orientation=\"horizontal\"`. */\n lineHorizontal: {\n borderTopStyle: 'solid',\n borderTopWidth: 1\n },\n\n /* Styles applied to the root element if `orientation=\"vertical\"`. */\n lineVertical: {\n borderLeftStyle: 'solid',\n borderLeftWidth: 1,\n minHeight: 24\n }\n };\n};\nvar StepConnector = /*#__PURE__*/React.forwardRef(function StepConnector(props, ref) {\n var active = props.active,\n _props$alternativeLab = props.alternativeLabel,\n alternativeLabel = _props$alternativeLab === void 0 ? false : _props$alternativeLab,\n classes = props.classes,\n className = props.className,\n completed = props.completed,\n disabled = props.disabled,\n index = props.index,\n _props$orientation = props.orientation,\n orientation = _props$orientation === void 0 ? 'horizontal' : _props$orientation,\n other = _objectWithoutProperties(props, [\"active\", \"alternativeLabel\", \"classes\", \"className\", \"completed\", \"disabled\", \"index\", \"orientation\"]);\n\n return /*#__PURE__*/React.createElement(\"div\", _extends({\n className: clsx(classes.root, classes[orientation], className, alternativeLabel && classes.alternativeLabel, active && classes.active, completed && classes.completed, disabled && classes.disabled),\n ref: ref\n }, other), /*#__PURE__*/React.createElement(\"span\", {\n className: clsx(classes.line, {\n 'horizontal': classes.lineHorizontal,\n 'vertical': classes.lineVertical\n }[orientation])\n }));\n});\nprocess.env.NODE_ENV !== \"production\" ? StepConnector.propTypes = {\n // ----------------------------- Warning --------------------------------\n // | These PropTypes are generated from the TypeScript type definitions |\n // | To update them edit the d.ts file and run \"yarn proptypes\" |\n // ----------------------------------------------------------------------\n\n /**\n * Override or extend the styles applied to the component.\n * See [CSS API](#css) below for more details.\n */\n classes: PropTypes.object,\n\n /**\n * @ignore\n */\n className: PropTypes.string\n} : void 0;\nexport default withStyles(styles, {\n name: 'MuiStepConnector'\n})(StepConnector);","import _extends from \"@babel/runtime/helpers/esm/extends\";\nimport _objectWithoutProperties from \"@babel/runtime/helpers/esm/objectWithoutProperties\";\nimport * as React from 'react';\nimport PropTypes from 'prop-types';\nimport clsx from 'clsx';\nimport Collapse from '../Collapse';\nimport withStyles from '../styles/withStyles';\nexport var styles = function styles(theme) {\n return {\n /* Styles applied to the root element. */\n root: {\n marginTop: 8,\n marginLeft: 12,\n // half icon\n paddingLeft: 8 + 12,\n // margin + half icon\n paddingRight: 8,\n borderLeft: \"1px solid \".concat(theme.palette.type === 'light' ? theme.palette.grey[400] : theme.palette.grey[600])\n },\n\n /* Styles applied to the root element if `last={true}` (controlled by `Step`). */\n last: {\n borderLeft: 'none'\n },\n\n /* Styles applied to the Transition component. */\n transition: {}\n };\n};\nvar StepContent = /*#__PURE__*/React.forwardRef(function StepContent(props, ref) {\n var active = props.active,\n alternativeLabel = props.alternativeLabel,\n children = props.children,\n classes = props.classes,\n className = props.className,\n completed = props.completed,\n expanded = props.expanded,\n last = props.last,\n optional = props.optional,\n orientation = props.orientation,\n _props$TransitionComp = props.TransitionComponent,\n TransitionComponent = _props$TransitionComp === void 0 ? Collapse : _props$TransitionComp,\n _props$transitionDura = props.transitionDuration,\n transitionDurationProp = _props$transitionDura === void 0 ? 'auto' : _props$transitionDura,\n TransitionProps = props.TransitionProps,\n other = _objectWithoutProperties(props, [\"active\", \"alternativeLabel\", \"children\", \"classes\", \"className\", \"completed\", \"expanded\", \"last\", \"optional\", \"orientation\", \"TransitionComponent\", \"transitionDuration\", \"TransitionProps\"]);\n\n if (process.env.NODE_ENV !== 'production') {\n if (orientation !== 'vertical') {\n console.error('Material-UI: is only designed for use with the vertical stepper.');\n }\n }\n\n var transitionDuration = transitionDurationProp;\n\n if (transitionDurationProp === 'auto' && !TransitionComponent.muiSupportAuto) {\n transitionDuration = undefined;\n }\n\n return /*#__PURE__*/React.createElement(\"div\", _extends({\n className: clsx(classes.root, className, last && classes.last),\n ref: ref\n }, other), /*#__PURE__*/React.createElement(TransitionComponent, _extends({\n in: active || expanded,\n className: classes.transition,\n timeout: transitionDuration,\n unmountOnExit: true\n }, TransitionProps), children));\n});\nprocess.env.NODE_ENV !== \"production\" ? StepContent.propTypes = {\n // ----------------------------- Warning --------------------------------\n // | These PropTypes are generated from the TypeScript type definitions |\n // | To update them edit the d.ts file and run \"yarn proptypes\" |\n // ----------------------------------------------------------------------\n\n /**\n * Step content.\n */\n children: PropTypes.node,\n\n /**\n * Override or extend the styles applied to the component.\n * See [CSS API](#css) below for more details.\n */\n classes: PropTypes.object,\n\n /**\n * @ignore\n */\n className: PropTypes.string,\n\n /**\n * The component used for the transition.\n * [Follow this guide](/components/transitions/#transitioncomponent-prop) to learn more about the requirements for this component.\n */\n TransitionComponent: PropTypes.elementType,\n\n /**\n * Adjust the duration of the content expand transition.\n * Passed as a prop to the transition component.\n *\n * Set to 'auto' to automatically calculate transition time based on height.\n */\n transitionDuration: PropTypes.oneOfType([PropTypes.oneOf(['auto']), PropTypes.number, PropTypes.shape({\n appear: PropTypes.number,\n enter: PropTypes.number,\n exit: PropTypes.number\n })]),\n\n /**\n * Props applied to the [`Transition`](http://reactcommunity.org/react-transition-group/transition#Transition-props) element.\n */\n TransitionProps: PropTypes.object\n} : void 0;\nexport default withStyles(styles, {\n name: 'MuiStepContent'\n})(StepContent);","import _extends from \"@babel/runtime/helpers/esm/extends\";\nimport _objectWithoutProperties from \"@babel/runtime/helpers/esm/objectWithoutProperties\";\nimport * as React from 'react';\nimport PropTypes from 'prop-types';\nimport clsx from 'clsx';\nimport withStyles from '../styles/withStyles';\nimport Paper from '../Paper';\nimport StepConnector from '../StepConnector';\nexport var styles = {\n /* Styles applied to the root element. */\n root: {\n display: 'flex',\n padding: 24\n },\n\n /* Styles applied to the root element if `orientation=\"horizontal\"`. */\n horizontal: {\n flexDirection: 'row',\n alignItems: 'center'\n },\n\n /* Styles applied to the root element if `orientation=\"vertical\"`. */\n vertical: {\n flexDirection: 'column'\n },\n\n /* Styles applied to the root element if `alternativeLabel={true}`. */\n alternativeLabel: {\n alignItems: 'flex-start'\n }\n};\nvar defaultConnector = /*#__PURE__*/React.createElement(StepConnector, null);\nvar Stepper = /*#__PURE__*/React.forwardRef(function Stepper(props, ref) {\n var _props$activeStep = props.activeStep,\n activeStep = _props$activeStep === void 0 ? 0 : _props$activeStep,\n _props$alternativeLab = props.alternativeLabel,\n alternativeLabel = _props$alternativeLab === void 0 ? false : _props$alternativeLab,\n children = props.children,\n classes = props.classes,\n className = props.className,\n _props$connector = props.connector,\n connectorProp = _props$connector === void 0 ? defaultConnector : _props$connector,\n _props$nonLinear = props.nonLinear,\n nonLinear = _props$nonLinear === void 0 ? false : _props$nonLinear,\n _props$orientation = props.orientation,\n orientation = _props$orientation === void 0 ? 'horizontal' : _props$orientation,\n other = _objectWithoutProperties(props, [\"activeStep\", \"alternativeLabel\", \"children\", \"classes\", \"className\", \"connector\", \"nonLinear\", \"orientation\"]);\n\n var connector = /*#__PURE__*/React.isValidElement(connectorProp) ? /*#__PURE__*/React.cloneElement(connectorProp, {\n orientation: orientation\n }) : null;\n var childrenArray = React.Children.toArray(children);\n var steps = childrenArray.map(function (step, index) {\n var state = {\n index: index,\n active: false,\n completed: false,\n disabled: false\n };\n\n if (activeStep === index) {\n state.active = true;\n } else if (!nonLinear && activeStep > index) {\n state.completed = true;\n } else if (!nonLinear && activeStep < index) {\n state.disabled = true;\n }\n\n return /*#__PURE__*/React.cloneElement(step, _extends({\n alternativeLabel: alternativeLabel,\n connector: connector,\n last: index + 1 === childrenArray.length,\n orientation: orientation\n }, state, step.props));\n });\n return /*#__PURE__*/React.createElement(Paper, _extends({\n square: true,\n elevation: 0,\n className: clsx(classes.root, classes[orientation], className, alternativeLabel && classes.alternativeLabel),\n ref: ref\n }, other), steps);\n});\nprocess.env.NODE_ENV !== \"production\" ? Stepper.propTypes = {\n // ----------------------------- Warning --------------------------------\n // | These PropTypes are generated from the TypeScript type definitions |\n // | To update them edit the d.ts file and run \"yarn proptypes\" |\n // ----------------------------------------------------------------------\n\n /**\n * Set the active step (zero based index).\n * Set to -1 to disable all the steps.\n */\n activeStep: PropTypes.number,\n\n /**\n * If set to 'true' and orientation is horizontal,\n * then the step label will be positioned under the icon.\n */\n alternativeLabel: PropTypes.bool,\n\n /**\n * Two or more ` ` components.\n */\n children: PropTypes.node,\n\n /**\n * Override or extend the styles applied to the component.\n * See [CSS API](#css) below for more details.\n */\n classes: PropTypes.object,\n\n /**\n * @ignore\n */\n className: PropTypes.string,\n\n /**\n * An element to be placed between each step.\n */\n connector: PropTypes.element,\n\n /**\n * If set the `Stepper` will not assist in controlling steps for linear flow.\n */\n nonLinear: PropTypes.bool,\n\n /**\n * The stepper orientation (layout flow direction).\n */\n orientation: PropTypes.oneOf(['horizontal', 'vertical'])\n} : void 0;\nexport default withStyles(styles, {\n name: 'MuiStepper'\n})(Stepper);","import _extends from \"@babel/runtime/helpers/esm/extends\";\nimport _defineProperty from \"@babel/runtime/helpers/esm/defineProperty\";\nimport _objectWithoutProperties from \"@babel/runtime/helpers/esm/objectWithoutProperties\";\nimport * as React from 'react';\nimport PropTypes from 'prop-types';\nimport clsx from 'clsx';\nimport withStyles from '../styles/withStyles';\nimport capitalize from '../utils/capitalize';\nimport { isHorizontal } from '../Drawer/Drawer';\nexport var styles = function styles(theme) {\n return {\n /* Styles applied to the root element. */\n root: {\n position: 'fixed',\n top: 0,\n left: 0,\n bottom: 0,\n zIndex: theme.zIndex.drawer - 1\n },\n anchorLeft: {\n right: 'auto'\n },\n anchorRight: {\n left: 'auto',\n right: 0\n },\n anchorTop: {\n bottom: 'auto',\n right: 0\n },\n anchorBottom: {\n top: 'auto',\n bottom: 0,\n right: 0\n }\n };\n};\n/**\n * @ignore - internal component.\n */\n\nvar SwipeArea = /*#__PURE__*/React.forwardRef(function SwipeArea(props, ref) {\n var anchor = props.anchor,\n classes = props.classes,\n className = props.className,\n width = props.width,\n other = _objectWithoutProperties(props, [\"anchor\", \"classes\", \"className\", \"width\"]);\n\n return /*#__PURE__*/React.createElement(\"div\", _extends({\n className: clsx(classes.root, classes[\"anchor\".concat(capitalize(anchor))], className),\n ref: ref,\n style: _defineProperty({}, isHorizontal(anchor) ? 'width' : 'height', width)\n }, other));\n});\nprocess.env.NODE_ENV !== \"production\" ? SwipeArea.propTypes = {\n /**\n * Side on which to attach the discovery area.\n */\n anchor: PropTypes.oneOf(['left', 'top', 'right', 'bottom']).isRequired,\n\n /**\n * @ignore\n */\n classes: PropTypes.object.isRequired,\n\n /**\n * @ignore\n */\n className: PropTypes.string,\n\n /**\n * The width of the left most (or right most) area in pixels where the\n * drawer can be swiped open from.\n */\n width: PropTypes.number.isRequired\n} : void 0;\nexport default withStyles(styles, {\n name: 'PrivateSwipeArea'\n})(SwipeArea);","import _objectWithoutProperties from \"@babel/runtime/helpers/esm/objectWithoutProperties\";\nimport _extends from \"@babel/runtime/helpers/esm/extends\";\nimport * as React from 'react';\nimport PropTypes from 'prop-types';\nimport * as ReactDOM from 'react-dom';\nimport { elementTypeAcceptingRef } from '@material-ui/utils';\nimport { getThemeProps } from '@material-ui/styles';\nimport Drawer, { getAnchor, isHorizontal } from '../Drawer/Drawer';\nimport ownerDocument from '../utils/ownerDocument';\nimport useEventCallback from '../utils/useEventCallback';\nimport { duration } from '../styles/transitions';\nimport useTheme from '../styles/useTheme';\nimport { getTransitionProps } from '../transitions/utils';\nimport NoSsr from '../NoSsr';\nimport SwipeArea from './SwipeArea'; // This value is closed to what browsers are using internally to\n// trigger a native scroll.\n\nvar UNCERTAINTY_THRESHOLD = 3; // px\n// We can only have one node at the time claiming ownership for handling the swipe.\n// Otherwise, the UX would be confusing.\n// That's why we use a singleton here.\n\nvar nodeThatClaimedTheSwipe = null; // Exported for test purposes.\n\nexport function reset() {\n nodeThatClaimedTheSwipe = null;\n}\n\nfunction calculateCurrentX(anchor, touches) {\n return anchor === 'right' ? document.body.offsetWidth - touches[0].pageX : touches[0].pageX;\n}\n\nfunction calculateCurrentY(anchor, touches) {\n return anchor === 'bottom' ? window.innerHeight - touches[0].clientY : touches[0].clientY;\n}\n\nfunction getMaxTranslate(horizontalSwipe, paperInstance) {\n return horizontalSwipe ? paperInstance.clientWidth : paperInstance.clientHeight;\n}\n\nfunction getTranslate(currentTranslate, startLocation, open, maxTranslate) {\n return Math.min(Math.max(open ? startLocation - currentTranslate : maxTranslate + startLocation - currentTranslate, 0), maxTranslate);\n}\n\nfunction getDomTreeShapes(element, rootNode) {\n // Adapted from https://github.com/oliviertassinari/react-swipeable-views/blob/7666de1dba253b896911adf2790ce51467670856/packages/react-swipeable-views/src/SwipeableViews.js#L129\n var domTreeShapes = [];\n\n while (element && element !== rootNode) {\n var style = window.getComputedStyle(element);\n\n if ( // Ignore the scroll children if the element is absolute positioned.\n style.getPropertyValue('position') === 'absolute' || // Ignore the scroll children if the element has an overflowX hidden\n style.getPropertyValue('overflow-x') === 'hidden') {\n domTreeShapes = [];\n } else if (element.clientWidth > 0 && element.scrollWidth > element.clientWidth || element.clientHeight > 0 && element.scrollHeight > element.clientHeight) {\n // Ignore the nodes that have no width.\n // Keep elements with a scroll\n domTreeShapes.push(element);\n }\n\n element = element.parentElement;\n }\n\n return domTreeShapes;\n}\n\nfunction findNativeHandler(_ref) {\n var domTreeShapes = _ref.domTreeShapes,\n start = _ref.start,\n current = _ref.current,\n anchor = _ref.anchor;\n // Adapted from https://github.com/oliviertassinari/react-swipeable-views/blob/7666de1dba253b896911adf2790ce51467670856/packages/react-swipeable-views/src/SwipeableViews.js#L175\n var axisProperties = {\n scrollPosition: {\n x: 'scrollLeft',\n y: 'scrollTop'\n },\n scrollLength: {\n x: 'scrollWidth',\n y: 'scrollHeight'\n },\n clientLength: {\n x: 'clientWidth',\n y: 'clientHeight'\n }\n };\n return domTreeShapes.some(function (shape) {\n // Determine if we are going backward or forward.\n var goingForward = current >= start;\n\n if (anchor === 'top' || anchor === 'left') {\n goingForward = !goingForward;\n }\n\n var axis = anchor === 'left' || anchor === 'right' ? 'x' : 'y';\n var scrollPosition = shape[axisProperties.scrollPosition[axis]];\n var areNotAtStart = scrollPosition > 0;\n var areNotAtEnd = scrollPosition + shape[axisProperties.clientLength[axis]] < shape[axisProperties.scrollLength[axis]];\n\n if (goingForward && areNotAtEnd || !goingForward && areNotAtStart) {\n return shape;\n }\n\n return null;\n });\n}\n\nvar iOS = typeof navigator !== 'undefined' && /iPad|iPhone|iPod/.test(navigator.userAgent);\nvar transitionDurationDefault = {\n enter: duration.enteringScreen,\n exit: duration.leavingScreen\n};\nvar useEnhancedEffect = typeof window !== 'undefined' ? React.useLayoutEffect : React.useEffect;\nvar SwipeableDrawer = /*#__PURE__*/React.forwardRef(function SwipeableDrawer(inProps, ref) {\n var theme = useTheme();\n var props = getThemeProps({\n name: 'MuiSwipeableDrawer',\n props: _extends({}, inProps),\n theme: theme\n });\n var _props$anchor = props.anchor,\n anchor = _props$anchor === void 0 ? 'left' : _props$anchor,\n _props$disableBackdro = props.disableBackdropTransition,\n disableBackdropTransition = _props$disableBackdro === void 0 ? false : _props$disableBackdro,\n _props$disableDiscove = props.disableDiscovery,\n disableDiscovery = _props$disableDiscove === void 0 ? false : _props$disableDiscove,\n _props$disableSwipeTo = props.disableSwipeToOpen,\n disableSwipeToOpen = _props$disableSwipeTo === void 0 ? iOS : _props$disableSwipeTo,\n hideBackdrop = props.hideBackdrop,\n _props$hysteresis = props.hysteresis,\n hysteresis = _props$hysteresis === void 0 ? 0.52 : _props$hysteresis,\n _props$minFlingVeloci = props.minFlingVelocity,\n minFlingVelocity = _props$minFlingVeloci === void 0 ? 450 : _props$minFlingVeloci,\n _props$ModalProps = props.ModalProps;\n _props$ModalProps = _props$ModalProps === void 0 ? {} : _props$ModalProps;\n\n var BackdropProps = _props$ModalProps.BackdropProps,\n ModalPropsProp = _objectWithoutProperties(_props$ModalProps, [\"BackdropProps\"]),\n onClose = props.onClose,\n onOpen = props.onOpen,\n open = props.open,\n _props$PaperProps = props.PaperProps,\n PaperProps = _props$PaperProps === void 0 ? {} : _props$PaperProps,\n SwipeAreaProps = props.SwipeAreaProps,\n _props$swipeAreaWidth = props.swipeAreaWidth,\n swipeAreaWidth = _props$swipeAreaWidth === void 0 ? 20 : _props$swipeAreaWidth,\n _props$transitionDura = props.transitionDuration,\n transitionDuration = _props$transitionDura === void 0 ? transitionDurationDefault : _props$transitionDura,\n _props$variant = props.variant,\n variant = _props$variant === void 0 ? 'temporary' : _props$variant,\n other = _objectWithoutProperties(props, [\"anchor\", \"disableBackdropTransition\", \"disableDiscovery\", \"disableSwipeToOpen\", \"hideBackdrop\", \"hysteresis\", \"minFlingVelocity\", \"ModalProps\", \"onClose\", \"onOpen\", \"open\", \"PaperProps\", \"SwipeAreaProps\", \"swipeAreaWidth\", \"transitionDuration\", \"variant\"]);\n\n var _React$useState = React.useState(false),\n maybeSwiping = _React$useState[0],\n setMaybeSwiping = _React$useState[1];\n\n var swipeInstance = React.useRef({\n isSwiping: null\n });\n var swipeAreaRef = React.useRef();\n var backdropRef = React.useRef();\n var paperRef = React.useRef();\n var touchDetected = React.useRef(false); // Ref for transition duration based on / to match swipe speed\n\n var calculatedDurationRef = React.useRef(); // Use a ref so the open value used is always up to date inside useCallback.\n\n useEnhancedEffect(function () {\n calculatedDurationRef.current = null;\n }, [open]);\n var setPosition = React.useCallback(function (translate) {\n var options = arguments.length > 1 && arguments[1] !== undefined ? arguments[1] : {};\n var _options$mode = options.mode,\n mode = _options$mode === void 0 ? null : _options$mode,\n _options$changeTransi = options.changeTransition,\n changeTransition = _options$changeTransi === void 0 ? true : _options$changeTransi;\n var anchorRtl = getAnchor(theme, anchor);\n var rtlTranslateMultiplier = ['right', 'bottom'].indexOf(anchorRtl) !== -1 ? 1 : -1;\n var horizontalSwipe = isHorizontal(anchor);\n var transform = horizontalSwipe ? \"translate(\".concat(rtlTranslateMultiplier * translate, \"px, 0)\") : \"translate(0, \".concat(rtlTranslateMultiplier * translate, \"px)\");\n var drawerStyle = paperRef.current.style;\n drawerStyle.webkitTransform = transform;\n drawerStyle.transform = transform;\n var transition = '';\n\n if (mode) {\n transition = theme.transitions.create('all', getTransitionProps({\n timeout: transitionDuration\n }, {\n mode: mode\n }));\n }\n\n if (changeTransition) {\n drawerStyle.webkitTransition = transition;\n drawerStyle.transition = transition;\n }\n\n if (!disableBackdropTransition && !hideBackdrop) {\n var backdropStyle = backdropRef.current.style;\n backdropStyle.opacity = 1 - translate / getMaxTranslate(horizontalSwipe, paperRef.current);\n\n if (changeTransition) {\n backdropStyle.webkitTransition = transition;\n backdropStyle.transition = transition;\n }\n }\n }, [anchor, disableBackdropTransition, hideBackdrop, theme, transitionDuration]);\n var handleBodyTouchEnd = useEventCallback(function (event) {\n if (!touchDetected.current) {\n return;\n }\n\n nodeThatClaimedTheSwipe = null;\n touchDetected.current = false;\n setMaybeSwiping(false); // The swipe wasn't started.\n\n if (!swipeInstance.current.isSwiping) {\n swipeInstance.current.isSwiping = null;\n return;\n }\n\n swipeInstance.current.isSwiping = null;\n var anchorRtl = getAnchor(theme, anchor);\n var horizontal = isHorizontal(anchor);\n var current;\n\n if (horizontal) {\n current = calculateCurrentX(anchorRtl, event.changedTouches);\n } else {\n current = calculateCurrentY(anchorRtl, event.changedTouches);\n }\n\n var startLocation = horizontal ? swipeInstance.current.startX : swipeInstance.current.startY;\n var maxTranslate = getMaxTranslate(horizontal, paperRef.current);\n var currentTranslate = getTranslate(current, startLocation, open, maxTranslate);\n var translateRatio = currentTranslate / maxTranslate;\n\n if (Math.abs(swipeInstance.current.velocity) > minFlingVelocity) {\n // Calculate transition duration to match swipe speed\n calculatedDurationRef.current = Math.abs((maxTranslate - currentTranslate) / swipeInstance.current.velocity) * 1000;\n }\n\n if (open) {\n if (swipeInstance.current.velocity > minFlingVelocity || translateRatio > hysteresis) {\n onClose();\n } else {\n // Reset the position, the swipe was aborted.\n setPosition(0, {\n mode: 'exit'\n });\n }\n\n return;\n }\n\n if (swipeInstance.current.velocity < -minFlingVelocity || 1 - translateRatio > hysteresis) {\n onOpen();\n } else {\n // Reset the position, the swipe was aborted.\n setPosition(getMaxTranslate(horizontal, paperRef.current), {\n mode: 'enter'\n });\n }\n });\n var handleBodyTouchMove = useEventCallback(function (event) {\n // the ref may be null when a parent component updates while swiping\n if (!paperRef.current || !touchDetected.current) {\n return;\n } // We are not supposed to handle this touch move because the swipe was started in a scrollable container in the drawer\n\n\n if (nodeThatClaimedTheSwipe != null && nodeThatClaimedTheSwipe !== swipeInstance.current) {\n return;\n }\n\n var anchorRtl = getAnchor(theme, anchor);\n var horizontalSwipe = isHorizontal(anchor);\n var currentX = calculateCurrentX(anchorRtl, event.touches);\n var currentY = calculateCurrentY(anchorRtl, event.touches);\n\n if (open && paperRef.current.contains(event.target) && nodeThatClaimedTheSwipe == null) {\n var domTreeShapes = getDomTreeShapes(event.target, paperRef.current);\n var nativeHandler = findNativeHandler({\n domTreeShapes: domTreeShapes,\n start: horizontalSwipe ? swipeInstance.current.startX : swipeInstance.current.startY,\n current: horizontalSwipe ? currentX : currentY,\n anchor: anchor\n });\n\n if (nativeHandler) {\n nodeThatClaimedTheSwipe = nativeHandler;\n return;\n }\n\n nodeThatClaimedTheSwipe = swipeInstance.current;\n } // We don't know yet.\n\n\n if (swipeInstance.current.isSwiping == null) {\n var dx = Math.abs(currentX - swipeInstance.current.startX);\n var dy = Math.abs(currentY - swipeInstance.current.startY); // We are likely to be swiping, let's prevent the scroll event on iOS.\n\n if (dx > dy) {\n if (event.cancelable) {\n event.preventDefault();\n }\n }\n\n var definitelySwiping = horizontalSwipe ? dx > dy && dx > UNCERTAINTY_THRESHOLD : dy > dx && dy > UNCERTAINTY_THRESHOLD;\n\n if (definitelySwiping === true || (horizontalSwipe ? dy > UNCERTAINTY_THRESHOLD : dx > UNCERTAINTY_THRESHOLD)) {\n swipeInstance.current.isSwiping = definitelySwiping;\n\n if (!definitelySwiping) {\n handleBodyTouchEnd(event);\n return;\n } // Shift the starting point.\n\n\n swipeInstance.current.startX = currentX;\n swipeInstance.current.startY = currentY; // Compensate for the part of the drawer displayed on touch start.\n\n if (!disableDiscovery && !open) {\n if (horizontalSwipe) {\n swipeInstance.current.startX -= swipeAreaWidth;\n } else {\n swipeInstance.current.startY -= swipeAreaWidth;\n }\n }\n }\n }\n\n if (!swipeInstance.current.isSwiping) {\n return;\n }\n\n var maxTranslate = getMaxTranslate(horizontalSwipe, paperRef.current);\n var startLocation = horizontalSwipe ? swipeInstance.current.startX : swipeInstance.current.startY;\n\n if (open && !swipeInstance.current.paperHit) {\n startLocation = Math.min(startLocation, maxTranslate);\n }\n\n var translate = getTranslate(horizontalSwipe ? currentX : currentY, startLocation, open, maxTranslate);\n\n if (open) {\n if (!swipeInstance.current.paperHit) {\n var paperHit = horizontalSwipe ? currentX < maxTranslate : currentY < maxTranslate;\n\n if (paperHit) {\n swipeInstance.current.paperHit = true;\n swipeInstance.current.startX = currentX;\n swipeInstance.current.startY = currentY;\n } else {\n return;\n }\n } else if (translate === 0) {\n swipeInstance.current.startX = currentX;\n swipeInstance.current.startY = currentY;\n }\n }\n\n if (swipeInstance.current.lastTranslate === null) {\n swipeInstance.current.lastTranslate = translate;\n swipeInstance.current.lastTime = performance.now() + 1;\n }\n\n var velocity = (translate - swipeInstance.current.lastTranslate) / (performance.now() - swipeInstance.current.lastTime) * 1e3; // Low Pass filter.\n\n swipeInstance.current.velocity = swipeInstance.current.velocity * 0.4 + velocity * 0.6;\n swipeInstance.current.lastTranslate = translate;\n swipeInstance.current.lastTime = performance.now(); // We are swiping, let's prevent the scroll event on iOS.\n\n if (event.cancelable) {\n event.preventDefault();\n }\n\n setPosition(translate);\n });\n var handleBodyTouchStart = useEventCallback(function (event) {\n // We are not supposed to handle this touch move.\n // Example of use case: ignore the event if there is a Slider.\n if (event.defaultPrevented) {\n return;\n } // We can only have one node at the time claiming ownership for handling the swipe.\n\n\n if (event.muiHandled) {\n return;\n } // At least one element clogs the drawer interaction zone.\n\n\n if (open && !backdropRef.current.contains(event.target) && !paperRef.current.contains(event.target)) {\n return;\n }\n\n var anchorRtl = getAnchor(theme, anchor);\n var horizontalSwipe = isHorizontal(anchor);\n var currentX = calculateCurrentX(anchorRtl, event.touches);\n var currentY = calculateCurrentY(anchorRtl, event.touches);\n\n if (!open) {\n if (disableSwipeToOpen || event.target !== swipeAreaRef.current) {\n return;\n }\n\n if (horizontalSwipe) {\n if (currentX > swipeAreaWidth) {\n return;\n }\n } else if (currentY > swipeAreaWidth) {\n return;\n }\n }\n\n event.muiHandled = true;\n nodeThatClaimedTheSwipe = null;\n swipeInstance.current.startX = currentX;\n swipeInstance.current.startY = currentY;\n setMaybeSwiping(true);\n\n if (!open && paperRef.current) {\n // The ref may be null when a parent component updates while swiping.\n setPosition(getMaxTranslate(horizontalSwipe, paperRef.current) + (disableDiscovery ? 20 : -swipeAreaWidth), {\n changeTransition: false\n });\n }\n\n swipeInstance.current.velocity = 0;\n swipeInstance.current.lastTime = null;\n swipeInstance.current.lastTranslate = null;\n swipeInstance.current.paperHit = false;\n touchDetected.current = true;\n });\n React.useEffect(function () {\n if (variant === 'temporary') {\n var doc = ownerDocument(paperRef.current);\n doc.addEventListener('touchstart', handleBodyTouchStart);\n doc.addEventListener('touchmove', handleBodyTouchMove, {\n passive: false\n });\n doc.addEventListener('touchend', handleBodyTouchEnd);\n return function () {\n doc.removeEventListener('touchstart', handleBodyTouchStart);\n doc.removeEventListener('touchmove', handleBodyTouchMove, {\n passive: false\n });\n doc.removeEventListener('touchend', handleBodyTouchEnd);\n };\n }\n\n return undefined;\n }, [variant, handleBodyTouchStart, handleBodyTouchMove, handleBodyTouchEnd]);\n React.useEffect(function () {\n return function () {\n // We need to release the lock.\n if (nodeThatClaimedTheSwipe === swipeInstance.current) {\n nodeThatClaimedTheSwipe = null;\n }\n };\n }, []);\n React.useEffect(function () {\n if (!open) {\n setMaybeSwiping(false);\n }\n }, [open]);\n var handleBackdropRef = React.useCallback(function (instance) {\n // #StrictMode ready\n backdropRef.current = ReactDOM.findDOMNode(instance);\n }, []);\n return /*#__PURE__*/React.createElement(React.Fragment, null, /*#__PURE__*/React.createElement(Drawer, _extends({\n open: variant === 'temporary' && maybeSwiping ? true : open,\n variant: variant,\n ModalProps: _extends({\n BackdropProps: _extends({}, BackdropProps, {\n ref: handleBackdropRef\n })\n }, ModalPropsProp),\n PaperProps: _extends({}, PaperProps, {\n style: _extends({\n pointerEvents: variant === 'temporary' && !open ? 'none' : ''\n }, PaperProps.style),\n ref: paperRef\n }),\n anchor: anchor,\n transitionDuration: calculatedDurationRef.current || transitionDuration,\n onClose: onClose,\n ref: ref\n }, other)), !disableSwipeToOpen && variant === 'temporary' && /*#__PURE__*/React.createElement(NoSsr, null, /*#__PURE__*/React.createElement(SwipeArea, _extends({\n anchor: anchor,\n ref: swipeAreaRef,\n width: swipeAreaWidth\n }, SwipeAreaProps))));\n});\nprocess.env.NODE_ENV !== \"production\" ? SwipeableDrawer.propTypes = {\n /**\n * @ignore\n */\n anchor: PropTypes.oneOf(['left', 'top', 'right', 'bottom']),\n\n /**\n * The content of the component.\n */\n children: PropTypes.node,\n\n /**\n * Disable the backdrop transition.\n * This can improve the FPS on low-end devices.\n */\n disableBackdropTransition: PropTypes.bool,\n\n /**\n * If `true`, touching the screen near the edge of the drawer will not slide in the drawer a bit\n * to promote accidental discovery of the swipe gesture.\n */\n disableDiscovery: PropTypes.bool,\n\n /**\n * If `true`, swipe to open is disabled. This is useful in browsers where swiping triggers\n * navigation actions. Swipe to open is disabled on iOS browsers by default.\n */\n disableSwipeToOpen: PropTypes.bool,\n\n /**\n * @ignore\n */\n hideBackdrop: PropTypes.bool,\n\n /**\n * Affects how far the drawer must be opened/closed to change his state.\n * Specified as percent (0-1) of the width of the drawer\n */\n hysteresis: PropTypes.number,\n\n /**\n * Defines, from which (average) velocity on, the swipe is\n * defined as complete although hysteresis isn't reached.\n * Good threshold is between 250 - 1000 px/s\n */\n minFlingVelocity: PropTypes.number,\n\n /**\n * @ignore\n */\n ModalProps: PropTypes.shape({\n BackdropProps: PropTypes.shape({\n component: elementTypeAcceptingRef\n })\n }),\n\n /**\n * Callback fired when the component requests to be closed.\n *\n * @param {object} event The event source of the callback.\n */\n onClose: PropTypes.func.isRequired,\n\n /**\n * Callback fired when the component requests to be opened.\n *\n * @param {object} event The event source of the callback.\n */\n onOpen: PropTypes.func.isRequired,\n\n /**\n * If `true`, the drawer is open.\n */\n open: PropTypes.bool.isRequired,\n\n /**\n * @ignore\n */\n PaperProps: PropTypes.shape({\n component: elementTypeAcceptingRef,\n style: PropTypes.object\n }),\n\n /**\n * The element is used to intercept the touch events on the edge.\n */\n SwipeAreaProps: PropTypes.object,\n\n /**\n * The width of the left most (or right most) area in pixels where the\n * drawer can be swiped open from.\n */\n swipeAreaWidth: PropTypes.number,\n\n /**\n * The duration for the transition, in milliseconds.\n * You may specify a single timeout for all transitions, or individually with an object.\n */\n transitionDuration: PropTypes.oneOfType([PropTypes.number, PropTypes.shape({\n enter: PropTypes.number,\n exit: PropTypes.number\n })]),\n\n /**\n * @ignore\n */\n variant: PropTypes.oneOf(['permanent', 'persistent', 'temporary'])\n} : void 0;\nexport default SwipeableDrawer;","import _extends from \"@babel/runtime/helpers/esm/extends\";\nimport _objectWithoutProperties from \"@babel/runtime/helpers/esm/objectWithoutProperties\";\n// @inheritedComponent IconButton\nimport * as React from 'react';\nimport PropTypes from 'prop-types';\nimport clsx from 'clsx';\nimport { refType } from '@material-ui/utils';\nimport withStyles from '../styles/withStyles';\nimport { alpha } from '../styles/colorManipulator';\nimport capitalize from '../utils/capitalize';\nimport SwitchBase from '../internal/SwitchBase';\nexport var styles = function styles(theme) {\n return {\n /* Styles applied to the root element. */\n root: {\n display: 'inline-flex',\n width: 34 + 12 * 2,\n height: 14 + 12 * 2,\n overflow: 'hidden',\n padding: 12,\n boxSizing: 'border-box',\n position: 'relative',\n flexShrink: 0,\n zIndex: 0,\n // Reset the stacking context.\n verticalAlign: 'middle',\n // For correct alignment with the text.\n '@media print': {\n colorAdjust: 'exact'\n }\n },\n\n /* Styles applied to the root element if `edge=\"start\"`. */\n edgeStart: {\n marginLeft: -8\n },\n\n /* Styles applied to the root element if `edge=\"end\"`. */\n edgeEnd: {\n marginRight: -8\n },\n\n /* Styles applied to the internal `SwitchBase` component's `root` class. */\n switchBase: {\n position: 'absolute',\n top: 0,\n left: 0,\n zIndex: 1,\n // Render above the focus ripple.\n color: theme.palette.type === 'light' ? theme.palette.grey[50] : theme.palette.grey[400],\n transition: theme.transitions.create(['left', 'transform'], {\n duration: theme.transitions.duration.shortest\n }),\n '&$checked': {\n transform: 'translateX(20px)'\n },\n '&$disabled': {\n color: theme.palette.type === 'light' ? theme.palette.grey[400] : theme.palette.grey[800]\n },\n '&$checked + $track': {\n opacity: 0.5\n },\n '&$disabled + $track': {\n opacity: theme.palette.type === 'light' ? 0.12 : 0.1\n }\n },\n\n /* Styles applied to the internal SwitchBase component's root element if `color=\"primary\"`. */\n colorPrimary: {\n '&$checked': {\n color: theme.palette.primary.main,\n '&:hover': {\n backgroundColor: alpha(theme.palette.primary.main, theme.palette.action.hoverOpacity),\n '@media (hover: none)': {\n backgroundColor: 'transparent'\n }\n }\n },\n '&$disabled': {\n color: theme.palette.type === 'light' ? theme.palette.grey[400] : theme.palette.grey[800]\n },\n '&$checked + $track': {\n backgroundColor: theme.palette.primary.main\n },\n '&$disabled + $track': {\n backgroundColor: theme.palette.type === 'light' ? theme.palette.common.black : theme.palette.common.white\n }\n },\n\n /* Styles applied to the internal SwitchBase component's root element if `color=\"secondary\"`. */\n colorSecondary: {\n '&$checked': {\n color: theme.palette.secondary.main,\n '&:hover': {\n backgroundColor: alpha(theme.palette.secondary.main, theme.palette.action.hoverOpacity),\n '@media (hover: none)': {\n backgroundColor: 'transparent'\n }\n }\n },\n '&$disabled': {\n color: theme.palette.type === 'light' ? theme.palette.grey[400] : theme.palette.grey[800]\n },\n '&$checked + $track': {\n backgroundColor: theme.palette.secondary.main\n },\n '&$disabled + $track': {\n backgroundColor: theme.palette.type === 'light' ? theme.palette.common.black : theme.palette.common.white\n }\n },\n\n /* Styles applied to the root element if `size=\"small\"`. */\n sizeSmall: {\n width: 40,\n height: 24,\n padding: 7,\n '& $thumb': {\n width: 16,\n height: 16\n },\n '& $switchBase': {\n padding: 4,\n '&$checked': {\n transform: 'translateX(16px)'\n }\n }\n },\n\n /* Pseudo-class applied to the internal `SwitchBase` component's `checked` class. */\n checked: {},\n\n /* Pseudo-class applied to the internal SwitchBase component's disabled class. */\n disabled: {},\n\n /* Styles applied to the internal SwitchBase component's input element. */\n input: {\n left: '-100%',\n width: '300%'\n },\n\n /* Styles used to create the thumb passed to the internal `SwitchBase` component `icon` prop. */\n thumb: {\n boxShadow: theme.shadows[1],\n backgroundColor: 'currentColor',\n width: 20,\n height: 20,\n borderRadius: '50%'\n },\n\n /* Styles applied to the track element. */\n track: {\n height: '100%',\n width: '100%',\n borderRadius: 14 / 2,\n zIndex: -1,\n transition: theme.transitions.create(['opacity', 'background-color'], {\n duration: theme.transitions.duration.shortest\n }),\n backgroundColor: theme.palette.type === 'light' ? theme.palette.common.black : theme.palette.common.white,\n opacity: theme.palette.type === 'light' ? 0.38 : 0.3\n }\n };\n};\nvar Switch = /*#__PURE__*/React.forwardRef(function Switch(props, ref) {\n var classes = props.classes,\n className = props.className,\n _props$color = props.color,\n color = _props$color === void 0 ? 'secondary' : _props$color,\n _props$edge = props.edge,\n edge = _props$edge === void 0 ? false : _props$edge,\n _props$size = props.size,\n size = _props$size === void 0 ? 'medium' : _props$size,\n other = _objectWithoutProperties(props, [\"classes\", \"className\", \"color\", \"edge\", \"size\"]);\n\n var icon = /*#__PURE__*/React.createElement(\"span\", {\n className: classes.thumb\n });\n return /*#__PURE__*/React.createElement(\"span\", {\n className: clsx(classes.root, className, {\n 'start': classes.edgeStart,\n 'end': classes.edgeEnd\n }[edge], size === \"small\" && classes[\"size\".concat(capitalize(size))])\n }, /*#__PURE__*/React.createElement(SwitchBase, _extends({\n type: \"checkbox\",\n icon: icon,\n checkedIcon: icon,\n classes: {\n root: clsx(classes.switchBase, classes[\"color\".concat(capitalize(color))]),\n input: classes.input,\n checked: classes.checked,\n disabled: classes.disabled\n },\n ref: ref\n }, other)), /*#__PURE__*/React.createElement(\"span\", {\n className: classes.track\n }));\n});\nprocess.env.NODE_ENV !== \"production\" ? Switch.propTypes = {\n // ----------------------------- Warning --------------------------------\n // | These PropTypes are generated from the TypeScript type definitions |\n // | To update them edit the d.ts file and run \"yarn proptypes\" |\n // ----------------------------------------------------------------------\n\n /**\n * If `true`, the component is checked.\n */\n checked: PropTypes.bool,\n\n /**\n * The icon to display when the component is checked.\n */\n checkedIcon: PropTypes.node,\n\n /**\n * Override or extend the styles applied to the component.\n * See [CSS API](#css) below for more details.\n */\n classes: PropTypes.object,\n\n /**\n * @ignore\n */\n className: PropTypes.string,\n\n /**\n * The color of the component. It supports those theme colors that make sense for this component.\n */\n color: PropTypes.oneOf(['default', 'primary', 'secondary']),\n\n /**\n * @ignore\n */\n defaultChecked: PropTypes.bool,\n\n /**\n * If `true`, the switch will be disabled.\n */\n disabled: PropTypes.bool,\n\n /**\n * If `true`, the ripple effect will be disabled.\n */\n disableRipple: PropTypes.bool,\n\n /**\n * If given, uses a negative margin to counteract the padding on one\n * side (this is often helpful for aligning the left or right\n * side of the icon with content above or below, without ruining the border\n * size and shape).\n */\n edge: PropTypes.oneOf(['end', 'start', false]),\n\n /**\n * The icon to display when the component is unchecked.\n */\n icon: PropTypes.node,\n\n /**\n * The id of the `input` element.\n */\n id: PropTypes.string,\n\n /**\n * [Attributes](https://developer.mozilla.org/en-US/docs/Web/HTML/Element/input#Attributes) applied to the `input` element.\n */\n inputProps: PropTypes.object,\n\n /**\n * Pass a ref to the `input` element.\n */\n inputRef: refType,\n\n /**\n * Callback fired when the state is changed.\n *\n * @param {object} event The event source of the callback.\n * You can pull out the new value by accessing `event.target.value` (string).\n * You can pull out the new checked state by accessing `event.target.checked` (boolean).\n */\n onChange: PropTypes.func,\n\n /**\n * If `true`, the `input` element will be required.\n */\n required: PropTypes.bool,\n\n /**\n * The size of the switch.\n * `small` is equivalent to the dense switch styling.\n */\n size: PropTypes.oneOf(['medium', 'small']),\n\n /**\n * The value of the component. The DOM API casts this to a string.\n * The browser uses \"on\" as the default value.\n */\n value: PropTypes.any\n} : void 0;\nexport default withStyles(styles, {\n name: 'MuiSwitch'\n})(Switch);","import _objectWithoutProperties from \"@babel/runtime/helpers/esm/objectWithoutProperties\";\nimport _defineProperty from \"@babel/runtime/helpers/esm/defineProperty\";\nimport _extends from \"@babel/runtime/helpers/esm/extends\";\nimport * as React from 'react';\nimport PropTypes from 'prop-types';\nimport clsx from 'clsx';\nimport withStyles from '../styles/withStyles';\nimport ButtonBase from '../ButtonBase';\nimport capitalize from '../utils/capitalize';\nimport unsupportedProp from '../utils/unsupportedProp';\nexport var styles = function styles(theme) {\n var _extends2;\n\n return {\n /* Styles applied to the root element. */\n root: _extends({}, theme.typography.button, (_extends2 = {\n maxWidth: 264,\n minWidth: 72,\n position: 'relative',\n boxSizing: 'border-box',\n minHeight: 48,\n flexShrink: 0,\n padding: '6px 12px'\n }, _defineProperty(_extends2, theme.breakpoints.up('sm'), {\n padding: '6px 24px'\n }), _defineProperty(_extends2, \"overflow\", 'hidden'), _defineProperty(_extends2, \"whiteSpace\", 'normal'), _defineProperty(_extends2, \"textAlign\", 'center'), _defineProperty(_extends2, theme.breakpoints.up('sm'), {\n minWidth: 160\n }), _extends2)),\n\n /* Styles applied to the root element if both `icon` and `label` are provided. */\n labelIcon: {\n minHeight: 72,\n paddingTop: 9,\n '& $wrapper > *:first-child': {\n marginBottom: 6\n }\n },\n\n /* Styles applied to the root element if the parent [`Tabs`](/api/tabs/) has `textColor=\"inherit\"`. */\n textColorInherit: {\n color: 'inherit',\n opacity: 0.7,\n '&$selected': {\n opacity: 1\n },\n '&$disabled': {\n opacity: 0.5\n }\n },\n\n /* Styles applied to the root element if the parent [`Tabs`](/api/tabs/) has `textColor=\"primary\"`. */\n textColorPrimary: {\n color: theme.palette.text.secondary,\n '&$selected': {\n color: theme.palette.primary.main\n },\n '&$disabled': {\n color: theme.palette.text.disabled\n }\n },\n\n /* Styles applied to the root element if the parent [`Tabs`](/api/tabs/) has `textColor=\"secondary\"`. */\n textColorSecondary: {\n color: theme.palette.text.secondary,\n '&$selected': {\n color: theme.palette.secondary.main\n },\n '&$disabled': {\n color: theme.palette.text.disabled\n }\n },\n\n /* Pseudo-class applied to the root element if `selected={true}` (controlled by the Tabs component). */\n selected: {},\n\n /* Pseudo-class applied to the root element if `disabled={true}` (controlled by the Tabs component). */\n disabled: {},\n\n /* Styles applied to the root element if `fullWidth={true}` (controlled by the Tabs component). */\n fullWidth: {\n flexShrink: 1,\n flexGrow: 1,\n flexBasis: 0,\n maxWidth: 'none'\n },\n\n /* Styles applied to the root element if `wrapped={true}`. */\n wrapped: {\n fontSize: theme.typography.pxToRem(12),\n lineHeight: 1.5\n },\n\n /* Styles applied to the `icon` and `label`'s wrapper element. */\n wrapper: {\n display: 'inline-flex',\n alignItems: 'center',\n justifyContent: 'center',\n width: '100%',\n flexDirection: 'column'\n }\n };\n};\nvar Tab = /*#__PURE__*/React.forwardRef(function Tab(props, ref) {\n var classes = props.classes,\n className = props.className,\n _props$disabled = props.disabled,\n disabled = _props$disabled === void 0 ? false : _props$disabled,\n _props$disableFocusRi = props.disableFocusRipple,\n disableFocusRipple = _props$disableFocusRi === void 0 ? false : _props$disableFocusRi,\n fullWidth = props.fullWidth,\n icon = props.icon,\n indicator = props.indicator,\n label = props.label,\n onChange = props.onChange,\n onClick = props.onClick,\n onFocus = props.onFocus,\n selected = props.selected,\n selectionFollowsFocus = props.selectionFollowsFocus,\n _props$textColor = props.textColor,\n textColor = _props$textColor === void 0 ? 'inherit' : _props$textColor,\n value = props.value,\n _props$wrapped = props.wrapped,\n wrapped = _props$wrapped === void 0 ? false : _props$wrapped,\n other = _objectWithoutProperties(props, [\"classes\", \"className\", \"disabled\", \"disableFocusRipple\", \"fullWidth\", \"icon\", \"indicator\", \"label\", \"onChange\", \"onClick\", \"onFocus\", \"selected\", \"selectionFollowsFocus\", \"textColor\", \"value\", \"wrapped\"]);\n\n var handleClick = function handleClick(event) {\n if (onChange) {\n onChange(event, value);\n }\n\n if (onClick) {\n onClick(event);\n }\n };\n\n var handleFocus = function handleFocus(event) {\n if (selectionFollowsFocus && !selected && onChange) {\n onChange(event, value);\n }\n\n if (onFocus) {\n onFocus(event);\n }\n };\n\n return /*#__PURE__*/React.createElement(ButtonBase, _extends({\n focusRipple: !disableFocusRipple,\n className: clsx(classes.root, classes[\"textColor\".concat(capitalize(textColor))], className, disabled && classes.disabled, selected && classes.selected, label && icon && classes.labelIcon, fullWidth && classes.fullWidth, wrapped && classes.wrapped),\n ref: ref,\n role: \"tab\",\n \"aria-selected\": selected,\n disabled: disabled,\n onClick: handleClick,\n onFocus: handleFocus,\n tabIndex: selected ? 0 : -1\n }, other), /*#__PURE__*/React.createElement(\"span\", {\n className: classes.wrapper\n }, icon, label), indicator);\n});\nprocess.env.NODE_ENV !== \"production\" ? Tab.propTypes = {\n /**\n * This prop isn't supported.\n * Use the `component` prop if you need to change the children structure.\n */\n children: unsupportedProp,\n\n /**\n * Override or extend the styles applied to the component.\n * See [CSS API](#css) below for more details.\n */\n classes: PropTypes.object.isRequired,\n\n /**\n * @ignore\n */\n className: PropTypes.string,\n\n /**\n * If `true`, the tab will be disabled.\n */\n disabled: PropTypes.bool,\n\n /**\n * If `true`, the keyboard focus ripple will be disabled.\n */\n disableFocusRipple: PropTypes.bool,\n\n /**\n * If `true`, the ripple effect will be disabled.\n */\n disableRipple: PropTypes.bool,\n\n /**\n * @ignore\n */\n fullWidth: PropTypes.bool,\n\n /**\n * The icon element.\n */\n icon: PropTypes.node,\n\n /**\n * @ignore\n * For server-side rendering consideration, we let the selected tab\n * render the indicator.\n */\n indicator: PropTypes.node,\n\n /**\n * The label element.\n */\n label: PropTypes.node,\n\n /**\n * @ignore\n */\n onChange: PropTypes.func,\n\n /**\n * @ignore\n */\n onClick: PropTypes.func,\n\n /**\n * @ignore\n */\n onFocus: PropTypes.func,\n\n /**\n * @ignore\n */\n selected: PropTypes.bool,\n\n /**\n * @ignore\n */\n selectionFollowsFocus: PropTypes.bool,\n\n /**\n * @ignore\n */\n textColor: PropTypes.oneOf(['secondary', 'primary', 'inherit']),\n\n /**\n * You can provide your own value. Otherwise, we fallback to the child position index.\n */\n value: PropTypes.any,\n\n /**\n * Tab labels appear in a single row.\n * They can use a second line if needed.\n */\n wrapped: PropTypes.bool\n} : void 0;\nexport default withStyles(styles, {\n name: 'MuiTab'\n})(Tab);","import * as React from 'react';\n/**\n * @ignore - internal component.\n */\n\nvar TableContext = React.createContext();\n\nif (process.env.NODE_ENV !== 'production') {\n TableContext.displayName = 'TableContext';\n}\n\nexport default TableContext;","import _objectWithoutProperties from \"@babel/runtime/helpers/esm/objectWithoutProperties\";\nimport _extends from \"@babel/runtime/helpers/esm/extends\";\nimport * as React from 'react';\nimport PropTypes from 'prop-types';\nimport clsx from 'clsx';\nimport { chainPropTypes } from '@material-ui/utils';\nimport withStyles from '../styles/withStyles';\nimport TableContext from './TableContext';\nexport var styles = function styles(theme) {\n return {\n /* Styles applied to the root element. */\n root: {\n display: 'table',\n width: '100%',\n borderCollapse: 'collapse',\n borderSpacing: 0,\n '& caption': _extends({}, theme.typography.body2, {\n padding: theme.spacing(2),\n color: theme.palette.text.secondary,\n textAlign: 'left',\n captionSide: 'bottom'\n })\n },\n\n /* Styles applied to the root element if `stickyHeader={true}`. */\n stickyHeader: {\n borderCollapse: 'separate'\n }\n };\n};\nvar defaultComponent = 'table';\nvar Table = /*#__PURE__*/React.forwardRef(function Table(props, ref) {\n var classes = props.classes,\n className = props.className,\n _props$component = props.component,\n Component = _props$component === void 0 ? defaultComponent : _props$component,\n _props$padding = props.padding,\n padding = _props$padding === void 0 ? 'normal' : _props$padding,\n _props$size = props.size,\n size = _props$size === void 0 ? 'medium' : _props$size,\n _props$stickyHeader = props.stickyHeader,\n stickyHeader = _props$stickyHeader === void 0 ? false : _props$stickyHeader,\n other = _objectWithoutProperties(props, [\"classes\", \"className\", \"component\", \"padding\", \"size\", \"stickyHeader\"]);\n\n var table = React.useMemo(function () {\n return {\n padding: padding,\n size: size,\n stickyHeader: stickyHeader\n };\n }, [padding, size, stickyHeader]);\n return /*#__PURE__*/React.createElement(TableContext.Provider, {\n value: table\n }, /*#__PURE__*/React.createElement(Component, _extends({\n role: Component === defaultComponent ? null : 'table',\n ref: ref,\n className: clsx(classes.root, className, stickyHeader && classes.stickyHeader)\n }, other)));\n});\nprocess.env.NODE_ENV !== \"production\" ? Table.propTypes = {\n /**\n * The content of the table, normally `TableHead` and `TableBody`.\n */\n children: PropTypes.node.isRequired,\n\n /**\n * Override or extend the styles applied to the component.\n * See [CSS API](#css) below for more details.\n */\n classes: PropTypes.object.isRequired,\n\n /**\n * @ignore\n */\n className: PropTypes.string,\n\n /**\n * The component used for the root node.\n * Either a string to use a HTML element or a component.\n */\n component: PropTypes\n /* @typescript-to-proptypes-ignore */\n .elementType,\n\n /**\n * Allows TableCells to inherit padding of the Table.\n * `default` is deprecated, use `normal` instead.\n */\n padding: chainPropTypes(PropTypes.oneOf(['normal', 'checkbox', 'none', 'default']), function (props) {\n if (props.padding === 'default') {\n return new Error('Material-UI: padding=\"default\" was renamed to padding=\"normal\" for consistency.');\n }\n\n return null;\n }),\n\n /**\n * Allows TableCells to inherit size of the Table.\n */\n size: PropTypes.oneOf(['small', 'medium']),\n\n /**\n * Set the header sticky.\n *\n * ⚠️ It doesn't work with IE 11.\n */\n stickyHeader: PropTypes.bool\n} : void 0;\nexport default withStyles(styles, {\n name: 'MuiTable'\n})(Table);","import * as React from 'react';\n/**\n * @ignore - internal component.\n */\n\nvar Tablelvl2Context = React.createContext();\n\nif (process.env.NODE_ENV !== 'production') {\n Tablelvl2Context.displayName = 'Tablelvl2Context';\n}\n\nexport default Tablelvl2Context;","// Source from https://github.com/alitaheri/normalize-scroll-left\nvar cachedType;\n/**\n * Based on the jquery plugin https://github.com/othree/jquery.rtl-scroll-type\n *\n * Types of scrollLeft, assuming scrollWidth=100 and direction is rtl.\n *\n * Type | <- Most Left | Most Right -> | Initial\n * ---------------- | ------------ | ------------- | -------\n * default | 0 | 100 | 100\n * negative (spec*) | -100 | 0 | 0\n * reverse | 100 | 0 | 0\n *\n * Edge 85: default\n * Safari 14: negative\n * Chrome 85: negative\n * Firefox 81: negative\n * IE 11: reverse\n *\n * spec* https://drafts.csswg.org/cssom-view/#dom-window-scroll\n */\n\nexport function detectScrollType() {\n if (cachedType) {\n return cachedType;\n }\n\n var dummy = document.createElement('div');\n var container = document.createElement('div');\n container.style.width = '10px';\n container.style.height = '1px';\n dummy.appendChild(container);\n dummy.dir = 'rtl';\n dummy.style.fontSize = '14px';\n dummy.style.width = '4px';\n dummy.style.height = '1px';\n dummy.style.position = 'absolute';\n dummy.style.top = '-1000px';\n dummy.style.overflow = 'scroll';\n document.body.appendChild(dummy);\n cachedType = 'reverse';\n\n if (dummy.scrollLeft > 0) {\n cachedType = 'default';\n } else {\n dummy.scrollLeft = 1;\n\n if (dummy.scrollLeft === 0) {\n cachedType = 'negative';\n }\n }\n\n document.body.removeChild(dummy);\n return cachedType;\n} // Based on https://stackoverflow.com/a/24394376\n\nexport function getNormalizedScrollLeft(element, direction) {\n var scrollLeft = element.scrollLeft; // Perform the calculations only when direction is rtl to avoid messing up the ltr bahavior\n\n if (direction !== 'rtl') {\n return scrollLeft;\n }\n\n var type = detectScrollType();\n\n switch (type) {\n case 'negative':\n return element.scrollWidth - element.clientWidth + scrollLeft;\n\n case 'reverse':\n return element.scrollWidth - element.clientWidth - scrollLeft;\n\n default:\n return scrollLeft;\n }\n}","import _extends from \"@babel/runtime/helpers/esm/extends\";\nimport _objectWithoutProperties from \"@babel/runtime/helpers/esm/objectWithoutProperties\";\nimport * as React from 'react';\nimport PropTypes from 'prop-types';\nimport clsx from 'clsx';\nimport withStyles from '../styles/withStyles';\nimport Tablelvl2Context from '../Table/Tablelvl2Context';\nexport var styles = {\n /* Styles applied to the root element. */\n root: {\n display: 'table-row-group'\n }\n};\nvar tablelvl2 = {\n variant: 'body'\n};\nvar defaultComponent = 'tbody';\nvar TableBody = /*#__PURE__*/React.forwardRef(function TableBody(props, ref) {\n var classes = props.classes,\n className = props.className,\n _props$component = props.component,\n Component = _props$component === void 0 ? defaultComponent : _props$component,\n other = _objectWithoutProperties(props, [\"classes\", \"className\", \"component\"]);\n\n return /*#__PURE__*/React.createElement(Tablelvl2Context.Provider, {\n value: tablelvl2\n }, /*#__PURE__*/React.createElement(Component, _extends({\n className: clsx(classes.root, className),\n ref: ref,\n role: Component === defaultComponent ? null : 'rowgroup'\n }, other)));\n});\nprocess.env.NODE_ENV !== \"production\" ? TableBody.propTypes = {\n /**\n * The content of the component, normally `TableRow`.\n */\n children: PropTypes.node,\n\n /**\n * Override or extend the styles applied to the component.\n * See [CSS API](#css) below for more details.\n */\n classes: PropTypes.object.isRequired,\n\n /**\n * @ignore\n */\n className: PropTypes.string,\n\n /**\n * The component used for the root node.\n * Either a string to use a HTML element or a component.\n */\n component: PropTypes\n /* @typescript-to-proptypes-ignore */\n .elementType\n} : void 0;\nexport default withStyles(styles, {\n name: 'MuiTableBody'\n})(TableBody);","import _objectWithoutProperties from \"@babel/runtime/helpers/esm/objectWithoutProperties\";\nimport _extends from \"@babel/runtime/helpers/esm/extends\";\nimport * as React from 'react';\nimport PropTypes from 'prop-types';\nimport clsx from 'clsx';\nimport { chainPropTypes } from '@material-ui/utils';\nimport withStyles from '../styles/withStyles';\nimport capitalize from '../utils/capitalize';\nimport { darken, alpha, lighten } from '../styles/colorManipulator';\nimport TableContext from '../Table/TableContext';\nimport Tablelvl2Context from '../Table/Tablelvl2Context';\nexport var styles = function styles(theme) {\n return {\n /* Styles applied to the root element. */\n root: _extends({}, theme.typography.body2, {\n display: 'table-cell',\n verticalAlign: 'inherit',\n // Workaround for a rendering bug with spanned columns in Chrome 62.0.\n // Removes the alpha (sets it to 1), and lightens or darkens the theme color.\n borderBottom: \"1px solid\\n \".concat(theme.palette.type === 'light' ? lighten(alpha(theme.palette.divider, 1), 0.88) : darken(alpha(theme.palette.divider, 1), 0.68)),\n textAlign: 'left',\n padding: 16\n }),\n\n /* Styles applied to the root element if `variant=\"head\"` or `context.table.head`. */\n head: {\n color: theme.palette.text.primary,\n lineHeight: theme.typography.pxToRem(24),\n fontWeight: theme.typography.fontWeightMedium\n },\n\n /* Styles applied to the root element if `variant=\"body\"` or `context.table.body`. */\n body: {\n color: theme.palette.text.primary\n },\n\n /* Styles applied to the root element if `variant=\"footer\"` or `context.table.footer`. */\n footer: {\n color: theme.palette.text.secondary,\n lineHeight: theme.typography.pxToRem(21),\n fontSize: theme.typography.pxToRem(12)\n },\n\n /* Styles applied to the root element if `size=\"small\"`. */\n sizeSmall: {\n padding: '6px 24px 6px 16px',\n '&:last-child': {\n paddingRight: 16\n },\n '&$paddingCheckbox': {\n width: 24,\n // prevent the checkbox column from growing\n padding: '0 12px 0 16px',\n '&:last-child': {\n paddingLeft: 12,\n paddingRight: 16\n },\n '& > *': {\n padding: 0\n }\n }\n },\n\n /* Styles applied to the root element if `padding=\"checkbox\"`. */\n paddingCheckbox: {\n width: 48,\n // prevent the checkbox column from growing\n padding: '0 0 0 4px',\n '&:last-child': {\n paddingLeft: 0,\n paddingRight: 4\n }\n },\n\n /* Styles applied to the root element if `padding=\"none\"`. */\n paddingNone: {\n padding: 0,\n '&:last-child': {\n padding: 0\n }\n },\n\n /* Styles applied to the root element if `align=\"left\"`. */\n alignLeft: {\n textAlign: 'left'\n },\n\n /* Styles applied to the root element if `align=\"center\"`. */\n alignCenter: {\n textAlign: 'center'\n },\n\n /* Styles applied to the root element if `align=\"right\"`. */\n alignRight: {\n textAlign: 'right',\n flexDirection: 'row-reverse'\n },\n\n /* Styles applied to the root element if `align=\"justify\"`. */\n alignJustify: {\n textAlign: 'justify'\n },\n\n /* Styles applied to the root element if `context.table.stickyHeader={true}`. */\n stickyHeader: {\n position: 'sticky',\n top: 0,\n left: 0,\n zIndex: 2,\n backgroundColor: theme.palette.background.default\n }\n };\n};\n/**\n * The component renders a `` element when the parent context is a header\n * or otherwise a ` ` element.\n */\n\nvar TableCell = /*#__PURE__*/React.forwardRef(function TableCell(props, ref) {\n var _props$align = props.align,\n align = _props$align === void 0 ? 'inherit' : _props$align,\n classes = props.classes,\n className = props.className,\n component = props.component,\n paddingProp = props.padding,\n scopeProp = props.scope,\n sizeProp = props.size,\n sortDirection = props.sortDirection,\n variantProp = props.variant,\n other = _objectWithoutProperties(props, [\"align\", \"classes\", \"className\", \"component\", \"padding\", \"scope\", \"size\", \"sortDirection\", \"variant\"]);\n\n var table = React.useContext(TableContext);\n var tablelvl2 = React.useContext(Tablelvl2Context);\n var isHeadCell = tablelvl2 && tablelvl2.variant === 'head';\n var role;\n var Component;\n\n if (component) {\n Component = component;\n role = isHeadCell ? 'columnheader' : 'cell';\n } else {\n Component = isHeadCell ? 'th' : 'td';\n }\n\n var scope = scopeProp;\n\n if (!scope && isHeadCell) {\n scope = 'col';\n }\n\n var padding = paddingProp || (table && table.padding ? table.padding : 'normal');\n var size = sizeProp || (table && table.size ? table.size : 'medium');\n var variant = variantProp || tablelvl2 && tablelvl2.variant;\n var ariaSort = null;\n\n if (sortDirection) {\n ariaSort = sortDirection === 'asc' ? 'ascending' : 'descending';\n }\n\n return /*#__PURE__*/React.createElement(Component, _extends({\n ref: ref,\n className: clsx(classes.root, classes[variant], className, align !== 'inherit' && classes[\"align\".concat(capitalize(align))], padding !== 'normal' && classes[\"padding\".concat(capitalize(padding))], size !== 'medium' && classes[\"size\".concat(capitalize(size))], variant === 'head' && table && table.stickyHeader && classes.stickyHeader),\n \"aria-sort\": ariaSort,\n role: role,\n scope: scope\n }, other));\n});\nprocess.env.NODE_ENV !== \"production\" ? TableCell.propTypes = {\n /**\n * Set the text-align on the table cell content.\n *\n * Monetary or generally number fields **should be right aligned** as that allows\n * you to add them up quickly in your head without having to worry about decimals.\n */\n align: PropTypes.oneOf(['center', 'inherit', 'justify', 'left', 'right']),\n\n /**\n * The table cell contents.\n */\n children: PropTypes.node,\n\n /**\n * Override or extend the styles applied to the component.\n * See [CSS API](#css) below for more details.\n */\n classes: PropTypes.object,\n\n /**\n * @ignore\n */\n className: PropTypes.string,\n\n /**\n * The component used for the root node.\n * Either a string to use a HTML element or a component.\n */\n component: PropTypes\n /* @typescript-to-proptypes-ignore */\n .elementType,\n\n /**\n * Sets the padding applied to the cell.\n * By default, the Table parent component set the value (`normal`).\n * `default` is deprecated, use `normal` instead.\n */\n padding: chainPropTypes(PropTypes.oneOf(['normal', 'checkbox', 'none', 'default']), function (props) {\n if (props.padding === 'default') {\n return new Error('Material-UI: padding=\"default\" was renamed to padding=\"normal\" for consistency.');\n }\n\n return null;\n }),\n\n /**\n * Set scope attribute.\n */\n scope: PropTypes.string,\n\n /**\n * Specify the size of the cell.\n * By default, the Table parent component set the value (`medium`).\n */\n size: PropTypes.oneOf(['medium', 'small']),\n\n /**\n * Set aria-sort direction.\n */\n sortDirection: PropTypes.oneOf(['asc', 'desc', false]),\n\n /**\n * Specify the cell type.\n * By default, the TableHead, TableBody or TableFooter parent component set the value.\n */\n variant: PropTypes.oneOf(['body', 'footer', 'head'])\n} : void 0;\nexport default withStyles(styles, {\n name: 'MuiTableCell'\n})(TableCell);","import _extends from \"@babel/runtime/helpers/esm/extends\";\nimport _objectWithoutProperties from \"@babel/runtime/helpers/esm/objectWithoutProperties\";\nimport * as React from 'react';\nimport PropTypes from 'prop-types';\nimport clsx from 'clsx';\nimport withStyles from '../styles/withStyles';\nexport var styles = {\n /* Styles applied to the root element. */\n root: {\n width: '100%',\n overflowX: 'auto'\n }\n};\nvar TableContainer = /*#__PURE__*/React.forwardRef(function TableContainer(props, ref) {\n var classes = props.classes,\n className = props.className,\n _props$component = props.component,\n Component = _props$component === void 0 ? 'div' : _props$component,\n other = _objectWithoutProperties(props, [\"classes\", \"className\", \"component\"]);\n\n return /*#__PURE__*/React.createElement(Component, _extends({\n ref: ref,\n className: clsx(classes.root, className)\n }, other));\n});\nprocess.env.NODE_ENV !== \"production\" ? TableContainer.propTypes = {\n /**\n * The table itself, normally ``\n */\n children: PropTypes.node,\n\n /**\n * Override or extend the styles applied to the component.\n * See [CSS API](#css) below for more details.\n */\n classes: PropTypes.object.isRequired,\n\n /**\n * @ignore\n */\n className: PropTypes.string,\n\n /**\n * The component used for the root node.\n * Either a string to use a HTML element or a component.\n */\n component: PropTypes\n /* @typescript-to-proptypes-ignore */\n .elementType\n} : void 0;\nexport default withStyles(styles, {\n name: 'MuiTableContainer'\n})(TableContainer);","import _extends from \"@babel/runtime/helpers/esm/extends\";\nimport _objectWithoutProperties from \"@babel/runtime/helpers/esm/objectWithoutProperties\";\nimport * as React from 'react';\nimport PropTypes from 'prop-types';\nimport clsx from 'clsx';\nimport withStyles from '../styles/withStyles';\nimport Tablelvl2Context from '../Table/Tablelvl2Context';\nexport var styles = {\n /* Styles applied to the root element. */\n root: {\n display: 'table-footer-group'\n }\n};\nvar tablelvl2 = {\n variant: 'footer'\n};\nvar defaultComponent = 'tfoot';\nvar TableFooter = /*#__PURE__*/React.forwardRef(function TableFooter(props, ref) {\n var classes = props.classes,\n className = props.className,\n _props$component = props.component,\n Component = _props$component === void 0 ? defaultComponent : _props$component,\n other = _objectWithoutProperties(props, [\"classes\", \"className\", \"component\"]);\n\n return /*#__PURE__*/React.createElement(Tablelvl2Context.Provider, {\n value: tablelvl2\n }, /*#__PURE__*/React.createElement(Component, _extends({\n className: clsx(classes.root, className),\n ref: ref,\n role: Component === defaultComponent ? null : 'rowgroup'\n }, other)));\n});\nprocess.env.NODE_ENV !== \"production\" ? TableFooter.propTypes = {\n /**\n * The content of the component, normally `TableRow`.\n */\n children: PropTypes.node,\n\n /**\n * Override or extend the styles applied to the component.\n * See [CSS API](#css) below for more details.\n */\n classes: PropTypes.object.isRequired,\n\n /**\n * @ignore\n */\n className: PropTypes.string,\n\n /**\n * The component used for the root node.\n * Either a string to use a HTML element or a component.\n */\n component: PropTypes\n /* @typescript-to-proptypes-ignore */\n .elementType\n} : void 0;\nexport default withStyles(styles, {\n name: 'MuiTableFooter'\n})(TableFooter);","import _extends from \"@babel/runtime/helpers/esm/extends\";\nimport _objectWithoutProperties from \"@babel/runtime/helpers/esm/objectWithoutProperties\";\nimport * as React from 'react';\nimport PropTypes from 'prop-types';\nimport clsx from 'clsx';\nimport withStyles from '../styles/withStyles';\nimport Tablelvl2Context from '../Table/Tablelvl2Context';\nexport var styles = {\n /* Styles applied to the root element. */\n root: {\n display: 'table-header-group'\n }\n};\nvar tablelvl2 = {\n variant: 'head'\n};\nvar defaultComponent = 'thead';\nvar TableHead = /*#__PURE__*/React.forwardRef(function TableHead(props, ref) {\n var classes = props.classes,\n className = props.className,\n _props$component = props.component,\n Component = _props$component === void 0 ? defaultComponent : _props$component,\n other = _objectWithoutProperties(props, [\"classes\", \"className\", \"component\"]);\n\n return /*#__PURE__*/React.createElement(Tablelvl2Context.Provider, {\n value: tablelvl2\n }, /*#__PURE__*/React.createElement(Component, _extends({\n className: clsx(classes.root, className),\n ref: ref,\n role: Component === defaultComponent ? null : 'rowgroup'\n }, other)));\n});\nprocess.env.NODE_ENV !== \"production\" ? TableHead.propTypes = {\n /**\n * The content of the component, normally `TableRow`.\n */\n children: PropTypes.node,\n\n /**\n * Override or extend the styles applied to the component.\n * See [CSS API](#css) below for more details.\n */\n classes: PropTypes.object.isRequired,\n\n /**\n * @ignore\n */\n className: PropTypes.string,\n\n /**\n * The component used for the root node.\n * Either a string to use a HTML element or a component.\n */\n component: PropTypes\n /* @typescript-to-proptypes-ignore */\n .elementType\n} : void 0;\nexport default withStyles(styles, {\n name: 'MuiTableHead'\n})(TableHead);","import _extends from \"@babel/runtime/helpers/esm/extends\";\nimport _objectWithoutProperties from \"@babel/runtime/helpers/esm/objectWithoutProperties\";\nimport _defineProperty from \"@babel/runtime/helpers/esm/defineProperty\";\nimport * as React from 'react';\nimport PropTypes from 'prop-types';\nimport clsx from 'clsx';\nimport withStyles from '../styles/withStyles';\nexport var styles = function styles(theme) {\n return {\n /* Styles applied to the root element. */\n root: {\n position: 'relative',\n display: 'flex',\n alignItems: 'center'\n },\n\n /* Styles applied to the root element if `disableGutters={false}`. */\n gutters: _defineProperty({\n paddingLeft: theme.spacing(2),\n paddingRight: theme.spacing(2)\n }, theme.breakpoints.up('sm'), {\n paddingLeft: theme.spacing(3),\n paddingRight: theme.spacing(3)\n }),\n\n /* Styles applied to the root element if `variant=\"regular\"`. */\n regular: theme.mixins.toolbar,\n\n /* Styles applied to the root element if `variant=\"dense\"`. */\n dense: {\n minHeight: 48\n }\n };\n};\nvar Toolbar = /*#__PURE__*/React.forwardRef(function Toolbar(props, ref) {\n var classes = props.classes,\n className = props.className,\n _props$component = props.component,\n Component = _props$component === void 0 ? 'div' : _props$component,\n _props$disableGutters = props.disableGutters,\n disableGutters = _props$disableGutters === void 0 ? false : _props$disableGutters,\n _props$variant = props.variant,\n variant = _props$variant === void 0 ? 'regular' : _props$variant,\n other = _objectWithoutProperties(props, [\"classes\", \"className\", \"component\", \"disableGutters\", \"variant\"]);\n\n return /*#__PURE__*/React.createElement(Component, _extends({\n className: clsx(classes.root, classes[variant], className, !disableGutters && classes.gutters),\n ref: ref\n }, other));\n});\nprocess.env.NODE_ENV !== \"production\" ? Toolbar.propTypes = {\n /**\n * Toolbar children, usually a mixture of `IconButton`, `Button` and `Typography`.\n */\n children: PropTypes.node,\n\n /**\n * Override or extend the styles applied to the component.\n * See [CSS API](#css) below for more details.\n */\n classes: PropTypes.object.isRequired,\n\n /**\n * @ignore\n */\n className: PropTypes.string,\n\n /**\n * The component used for the root node.\n * Either a string to use a HTML element or a component.\n */\n component: PropTypes\n /* @typescript-to-proptypes-ignore */\n .elementType,\n\n /**\n * If `true`, disables gutter padding.\n */\n disableGutters: PropTypes.bool,\n\n /**\n * The variant to use.\n */\n variant: PropTypes.oneOf(['regular', 'dense'])\n} : void 0;\nexport default withStyles(styles, {\n name: 'MuiToolbar'\n})(Toolbar);","import * as React from 'react';\nimport createSvgIcon from '../../utils/createSvgIcon';\n/**\n * @ignore - internal component.\n */\n\nexport default createSvgIcon( /*#__PURE__*/React.createElement(\"path\", {\n d: \"M15.41 16.09l-4.58-4.59 4.58-4.59L14 5.5l-6 6 6 6z\"\n}), 'KeyboardArrowLeft');","import * as React from 'react';\nimport createSvgIcon from '../../utils/createSvgIcon';\n/**\n * @ignore - internal component.\n */\n\nexport default createSvgIcon( /*#__PURE__*/React.createElement(\"path\", {\n d: \"M8.59 16.34l4.58-4.59-4.58-4.59L10 5.75l6 6-6 6z\"\n}), 'KeyboardArrowRight');","import _extends from \"@babel/runtime/helpers/esm/extends\";\nimport _objectWithoutProperties from \"@babel/runtime/helpers/esm/objectWithoutProperties\";\nimport * as React from 'react';\nimport PropTypes from 'prop-types';\nimport KeyboardArrowLeft from '../internal/svg-icons/KeyboardArrowLeft';\nimport KeyboardArrowRight from '../internal/svg-icons/KeyboardArrowRight';\nimport useTheme from '../styles/useTheme';\nimport IconButton from '../IconButton';\n/**\n * @ignore - internal component.\n */\n\nvar _ref = /*#__PURE__*/React.createElement(KeyboardArrowRight, null);\n\nvar _ref2 = /*#__PURE__*/React.createElement(KeyboardArrowLeft, null);\n\nvar _ref3 = /*#__PURE__*/React.createElement(KeyboardArrowLeft, null);\n\nvar _ref4 = /*#__PURE__*/React.createElement(KeyboardArrowRight, null);\n\nvar TablePaginationActions = /*#__PURE__*/React.forwardRef(function TablePaginationActions(props, ref) {\n var backIconButtonProps = props.backIconButtonProps,\n count = props.count,\n nextIconButtonProps = props.nextIconButtonProps,\n _props$onChangePage = props.onChangePage,\n onChangePage = _props$onChangePage === void 0 ? function () {} : _props$onChangePage,\n _props$onPageChange = props.onPageChange,\n onPageChange = _props$onPageChange === void 0 ? function () {} : _props$onPageChange,\n page = props.page,\n rowsPerPage = props.rowsPerPage,\n other = _objectWithoutProperties(props, [\"backIconButtonProps\", \"count\", \"nextIconButtonProps\", \"onChangePage\", \"onPageChange\", \"page\", \"rowsPerPage\"]);\n\n var theme = useTheme();\n\n var handleBackButtonClick = function handleBackButtonClick(event) {\n onChangePage(event, page - 1);\n onPageChange(event, page - 1);\n };\n\n var handleNextButtonClick = function handleNextButtonClick(event) {\n onChangePage(event, page + 1);\n onPageChange(event, page + 1);\n };\n\n return /*#__PURE__*/React.createElement(\"div\", _extends({\n ref: ref\n }, other), /*#__PURE__*/React.createElement(IconButton, _extends({\n onClick: handleBackButtonClick,\n disabled: page === 0,\n color: \"inherit\"\n }, backIconButtonProps), theme.direction === 'rtl' ? _ref : _ref2), /*#__PURE__*/React.createElement(IconButton, _extends({\n onClick: handleNextButtonClick,\n disabled: count !== -1 ? page >= Math.ceil(count / rowsPerPage) - 1 : false,\n color: \"inherit\"\n }, nextIconButtonProps), theme.direction === 'rtl' ? _ref3 : _ref4));\n});\nprocess.env.NODE_ENV !== \"production\" ? TablePaginationActions.propTypes = {\n /**\n * Props applied to the back arrow [`IconButton`](/api/icon-button/) element.\n */\n backIconButtonProps: PropTypes.object,\n\n /**\n * The total number of rows.\n */\n count: PropTypes.number.isRequired,\n\n /**\n * Props applied to the next arrow [`IconButton`](/api/icon-button/) element.\n */\n nextIconButtonProps: PropTypes.object,\n\n /**\n * Callback fired when the page is changed.\n *\n * @param {object} event The event source of the callback.\n * @param {number} page The page selected.\n */\n onChangePage: PropTypes.func,\n\n /**\n * Callback fired when the page is changed.\n *\n * @param {object} event The event source of the callback.\n * @param {number} page The page selected.\n */\n onPageChange: PropTypes.func,\n\n /**\n * The zero-based index of the current page.\n */\n page: PropTypes.number.isRequired,\n\n /**\n * The number of rows per page.\n */\n rowsPerPage: PropTypes.number.isRequired\n} : void 0;\nexport default TablePaginationActions;","import _extends from \"@babel/runtime/helpers/esm/extends\";\nimport _objectWithoutProperties from \"@babel/runtime/helpers/esm/objectWithoutProperties\";\nimport * as React from 'react';\nimport PropTypes from 'prop-types';\nimport { chainPropTypes } from '@material-ui/utils';\nimport clsx from 'clsx';\nimport deprecatedPropType from '../utils/deprecatedPropType';\nimport withStyles from '../styles/withStyles';\nimport InputBase from '../InputBase';\nimport MenuItem from '../MenuItem';\nimport Select from '../Select';\nimport TableCell from '../TableCell';\nimport Toolbar from '../Toolbar';\nimport Typography from '../Typography';\nimport TablePaginationActions from './TablePaginationActions';\nimport useId from '../utils/unstable_useId';\nexport var styles = function styles(theme) {\n return {\n /* Styles applied to the root element. */\n root: {\n color: theme.palette.text.primary,\n fontSize: theme.typography.pxToRem(14),\n overflow: 'auto',\n // Increase the specificity to override TableCell.\n '&:last-child': {\n padding: 0\n }\n },\n\n /* Styles applied to the Toolbar component. */\n toolbar: {\n minHeight: 52,\n paddingRight: 2\n },\n\n /* Styles applied to the spacer element. */\n spacer: {\n flex: '1 1 100%'\n },\n\n /* Styles applied to the caption Typography components if `variant=\"caption\"`. */\n caption: {\n flexShrink: 0\n },\n // TODO v5: `.selectRoot` should be merged with `.input`\n\n /* Styles applied to the Select component root element. */\n selectRoot: {\n marginRight: 32,\n marginLeft: 8\n },\n\n /* Styles applied to the Select component `select` class. */\n select: {\n paddingLeft: 8,\n paddingRight: 24,\n textAlign: 'right',\n textAlignLast: 'right' // Align on Chrome.\n\n },\n // TODO v5: remove\n\n /* Styles applied to the Select component `icon` class. */\n selectIcon: {},\n\n /* Styles applied to the `InputBase` component. */\n input: {\n color: 'inherit',\n fontSize: 'inherit',\n flexShrink: 0\n },\n\n /* Styles applied to the MenuItem component. */\n menuItem: {},\n\n /* Styles applied to the internal `TablePaginationActions` component. */\n actions: {\n flexShrink: 0,\n marginLeft: 20\n }\n };\n};\n\nvar defaultLabelDisplayedRows = function defaultLabelDisplayedRows(_ref) {\n var from = _ref.from,\n to = _ref.to,\n count = _ref.count;\n return \"\".concat(from, \"-\").concat(to, \" of \").concat(count !== -1 ? count : \"more than \".concat(to));\n};\n\nvar defaultRowsPerPageOptions = [10, 25, 50, 100];\n/**\n * A `TableCell` based component for placing inside `TableFooter` for pagination.\n */\n\nvar TablePagination = /*#__PURE__*/React.forwardRef(function TablePagination(props, ref) {\n var _props$ActionsCompone = props.ActionsComponent,\n ActionsComponent = _props$ActionsCompone === void 0 ? TablePaginationActions : _props$ActionsCompone,\n backIconButtonProps = props.backIconButtonProps,\n _props$backIconButton = props.backIconButtonText,\n backIconButtonText = _props$backIconButton === void 0 ? 'Previous page' : _props$backIconButton,\n classes = props.classes,\n className = props.className,\n colSpanProp = props.colSpan,\n _props$component = props.component,\n Component = _props$component === void 0 ? TableCell : _props$component,\n count = props.count,\n _props$labelDisplayed = props.labelDisplayedRows,\n labelDisplayedRows = _props$labelDisplayed === void 0 ? defaultLabelDisplayedRows : _props$labelDisplayed,\n _props$labelRowsPerPa = props.labelRowsPerPage,\n labelRowsPerPage = _props$labelRowsPerPa === void 0 ? 'Rows per page:' : _props$labelRowsPerPa,\n nextIconButtonProps = props.nextIconButtonProps,\n _props$nextIconButton = props.nextIconButtonText,\n nextIconButtonText = _props$nextIconButton === void 0 ? 'Next page' : _props$nextIconButton,\n onChangePage = props.onChangePage,\n onPageChange = props.onPageChange,\n onChangeRowsPerPageProp = props.onChangeRowsPerPage,\n onRowsPerPageChangeProp = props.onRowsPerPageChange,\n page = props.page,\n rowsPerPage = props.rowsPerPage,\n _props$rowsPerPageOpt = props.rowsPerPageOptions,\n rowsPerPageOptions = _props$rowsPerPageOpt === void 0 ? defaultRowsPerPageOptions : _props$rowsPerPageOpt,\n _props$SelectProps = props.SelectProps,\n SelectProps = _props$SelectProps === void 0 ? {} : _props$SelectProps,\n other = _objectWithoutProperties(props, [\"ActionsComponent\", \"backIconButtonProps\", \"backIconButtonText\", \"classes\", \"className\", \"colSpan\", \"component\", \"count\", \"labelDisplayedRows\", \"labelRowsPerPage\", \"nextIconButtonProps\", \"nextIconButtonText\", \"onChangePage\", \"onPageChange\", \"onChangeRowsPerPage\", \"onRowsPerPageChange\", \"page\", \"rowsPerPage\", \"rowsPerPageOptions\", \"SelectProps\"]);\n\n var onChangeRowsPerPage = onChangeRowsPerPageProp || onRowsPerPageChangeProp;\n var colSpan;\n\n if (Component === TableCell || Component === 'td') {\n colSpan = colSpanProp || 1000; // col-span over everything\n }\n\n var selectId = useId();\n var labelId = useId();\n var MenuItemComponent = SelectProps.native ? 'option' : MenuItem;\n return /*#__PURE__*/React.createElement(Component, _extends({\n className: clsx(classes.root, className),\n colSpan: colSpan,\n ref: ref\n }, other), /*#__PURE__*/React.createElement(Toolbar, {\n className: classes.toolbar\n }, /*#__PURE__*/React.createElement(\"div\", {\n className: classes.spacer\n }), rowsPerPageOptions.length > 1 && /*#__PURE__*/React.createElement(Typography, {\n color: \"inherit\",\n variant: \"body2\",\n className: classes.caption,\n id: labelId\n }, labelRowsPerPage), rowsPerPageOptions.length > 1 && /*#__PURE__*/React.createElement(Select, _extends({\n classes: {\n select: classes.select,\n icon: classes.selectIcon\n },\n input: /*#__PURE__*/React.createElement(InputBase, {\n className: clsx(classes.input, classes.selectRoot)\n }),\n value: rowsPerPage,\n onChange: onChangeRowsPerPage,\n id: selectId,\n labelId: labelId\n }, SelectProps), rowsPerPageOptions.map(function (rowsPerPageOption) {\n return /*#__PURE__*/React.createElement(MenuItemComponent, {\n className: classes.menuItem,\n key: rowsPerPageOption.value ? rowsPerPageOption.value : rowsPerPageOption,\n value: rowsPerPageOption.value ? rowsPerPageOption.value : rowsPerPageOption\n }, rowsPerPageOption.label ? rowsPerPageOption.label : rowsPerPageOption);\n })), /*#__PURE__*/React.createElement(Typography, {\n color: \"inherit\",\n variant: \"body2\",\n className: classes.caption\n }, labelDisplayedRows({\n from: count === 0 ? 0 : page * rowsPerPage + 1,\n to: count !== -1 ? Math.min(count, (page + 1) * rowsPerPage) : (page + 1) * rowsPerPage,\n count: count === -1 ? -1 : count,\n page: page\n })), /*#__PURE__*/React.createElement(ActionsComponent, {\n className: classes.actions,\n backIconButtonProps: _extends({\n title: backIconButtonText,\n 'aria-label': backIconButtonText\n }, backIconButtonProps),\n count: count,\n nextIconButtonProps: _extends({\n title: nextIconButtonText,\n 'aria-label': nextIconButtonText\n }, nextIconButtonProps),\n onChangePage: onChangePage,\n onPageChange: onPageChange,\n page: page,\n rowsPerPage: rowsPerPage\n })));\n});\nprocess.env.NODE_ENV !== \"production\" ? TablePagination.propTypes = {\n /**\n * The component used for displaying the actions.\n * Either a string to use a HTML element or a component.\n */\n ActionsComponent: PropTypes.elementType,\n\n /**\n * Props applied to the back arrow [`IconButton`](/api/icon-button/) component.\n */\n backIconButtonProps: PropTypes.object,\n\n /**\n * Text label for the back arrow icon button.\n *\n * For localization purposes, you can use the provided [translations](/guides/localization/).\n */\n backIconButtonText: PropTypes.string,\n\n /**\n * Override or extend the styles applied to the component.\n * See [CSS API](#css) below for more details.\n */\n classes: PropTypes.object.isRequired,\n\n /**\n * @ignore\n */\n className: PropTypes.string,\n\n /**\n * @ignore\n */\n colSpan: PropTypes.number,\n\n /**\n * The component used for the root node.\n * Either a string to use a HTML element or a component.\n */\n component: PropTypes\n /* @typescript-to-proptypes-ignore */\n .elementType,\n\n /**\n * The total number of rows.\n *\n * To enable server side pagination for an unknown number of items, provide -1.\n */\n count: PropTypes.number.isRequired,\n\n /**\n * Customize the displayed rows label. Invoked with a `{ from, to, count, page }`\n * object.\n *\n * For localization purposes, you can use the provided [translations](/guides/localization/).\n */\n labelDisplayedRows: PropTypes.func,\n\n /**\n * Customize the rows per page label.\n *\n * For localization purposes, you can use the provided [translations](/guides/localization/).\n */\n labelRowsPerPage: PropTypes.node,\n\n /**\n * Props applied to the next arrow [`IconButton`](/api/icon-button/) element.\n */\n nextIconButtonProps: PropTypes.object,\n\n /**\n * Text label for the next arrow icon button.\n *\n * For localization purposes, you can use the provided [translations](/guides/localization/).\n */\n nextIconButtonText: PropTypes.string,\n\n /**\n * Callback fired when the page is changed.\n *\n * @param {object} event The event source of the callback.\n * @param {number} page The page selected.\n * @deprecated Use the onPageChange prop instead.\n */\n onChangePage: deprecatedPropType(PropTypes.func, 'Use the `onPageChange` prop instead.'),\n\n /**\n * Callback fired when the number of rows per page is changed.\n *\n * @param {object} event The event source of the callback.\n * @deprecated Use the onRowsPerPageChange prop instead.\n */\n onChangeRowsPerPage: deprecatedPropType(PropTypes.func, 'Use the `onRowsPerPageChange` prop instead.'),\n\n /**\n * Callback fired when the page is changed.\n *\n * @param {object} event The event source of the callback.\n * @param {number} page The page selected.\n */\n onPageChange: PropTypes.func.isRequired,\n\n /**\n * Callback fired when the number of rows per page is changed.\n *\n * @param {object} event The event source of the callback.\n */\n onRowsPerPageChange: PropTypes.func,\n\n /**\n * The zero-based index of the current page.\n */\n page: chainPropTypes(PropTypes.number.isRequired, function (props) {\n var count = props.count,\n page = props.page,\n rowsPerPage = props.rowsPerPage;\n\n if (count === -1) {\n return null;\n }\n\n var newLastPage = Math.max(0, Math.ceil(count / rowsPerPage) - 1);\n\n if (page < 0 || page > newLastPage) {\n return new Error('Material-UI: The page prop of a TablePagination is out of range ' + \"(0 to \".concat(newLastPage, \", but page is \").concat(page, \").\"));\n }\n\n return null;\n }),\n\n /**\n * The number of rows per page.\n */\n rowsPerPage: PropTypes.number.isRequired,\n\n /**\n * Customizes the options of the rows per page select field. If less than two options are\n * available, no select field will be displayed.\n */\n rowsPerPageOptions: PropTypes.array,\n\n /**\n * Props applied to the rows per page [`Select`](/api/select/) element.\n */\n SelectProps: PropTypes.object\n} : void 0;\nexport default withStyles(styles, {\n name: 'MuiTablePagination'\n})(TablePagination);","import _extends from \"@babel/runtime/helpers/esm/extends\";\nimport _objectWithoutProperties from \"@babel/runtime/helpers/esm/objectWithoutProperties\";\nimport * as React from 'react';\nimport PropTypes from 'prop-types';\nimport clsx from 'clsx';\nimport withStyles from '../styles/withStyles';\nimport Tablelvl2Context from '../Table/Tablelvl2Context';\nimport { alpha } from '../styles/colorManipulator';\nexport var styles = function styles(theme) {\n return {\n /* Styles applied to the root element. */\n root: {\n color: 'inherit',\n display: 'table-row',\n verticalAlign: 'middle',\n // We disable the focus ring for mouse, touch and keyboard users.\n outline: 0,\n '&$hover:hover': {\n backgroundColor: theme.palette.action.hover\n },\n '&$selected, &$selected:hover': {\n backgroundColor: alpha(theme.palette.secondary.main, theme.palette.action.selectedOpacity)\n }\n },\n\n /* Pseudo-class applied to the root element if `selected={true}`. */\n selected: {},\n\n /* Pseudo-class applied to the root element if `hover={true}`. */\n hover: {},\n\n /* Styles applied to the root element if table variant=\"head\". */\n head: {},\n\n /* Styles applied to the root element if table variant=\"footer\". */\n footer: {}\n };\n};\nvar defaultComponent = 'tr';\n/**\n * Will automatically set dynamic row height\n * based on the material table element parent (head, body, etc).\n */\n\nvar TableRow = /*#__PURE__*/React.forwardRef(function TableRow(props, ref) {\n var classes = props.classes,\n className = props.className,\n _props$component = props.component,\n Component = _props$component === void 0 ? defaultComponent : _props$component,\n _props$hover = props.hover,\n hover = _props$hover === void 0 ? false : _props$hover,\n _props$selected = props.selected,\n selected = _props$selected === void 0 ? false : _props$selected,\n other = _objectWithoutProperties(props, [\"classes\", \"className\", \"component\", \"hover\", \"selected\"]);\n\n var tablelvl2 = React.useContext(Tablelvl2Context);\n return /*#__PURE__*/React.createElement(Component, _extends({\n ref: ref,\n className: clsx(classes.root, className, tablelvl2 && {\n 'head': classes.head,\n 'footer': classes.footer\n }[tablelvl2.variant], hover && classes.hover, selected && classes.selected),\n role: Component === defaultComponent ? null : 'row'\n }, other));\n});\nprocess.env.NODE_ENV !== \"production\" ? TableRow.propTypes = {\n /**\n * Should be valid children such as `TableCell`.\n */\n children: PropTypes.node,\n\n /**\n * Override or extend the styles applied to the component.\n * See [CSS API](#css) below for more details.\n */\n classes: PropTypes.object.isRequired,\n\n /**\n * @ignore\n */\n className: PropTypes.string,\n\n /**\n * The component used for the root node.\n * Either a string to use a HTML element or a component.\n */\n component: PropTypes\n /* @typescript-to-proptypes-ignore */\n .elementType,\n\n /**\n * If `true`, the table row will shade on hover.\n */\n hover: PropTypes.bool,\n\n /**\n * If `true`, the table row will have the selected shading.\n */\n selected: PropTypes.bool\n} : void 0;\nexport default withStyles(styles, {\n name: 'MuiTableRow'\n})(TableRow);","import * as React from 'react';\nimport createSvgIcon from '../../utils/createSvgIcon';\n/**\n * @ignore - internal component.\n */\n\nexport default createSvgIcon( /*#__PURE__*/React.createElement(\"path\", {\n d: \"M20 12l-1.41-1.41L13 16.17V4h-2v12.17l-5.58-5.59L4 12l8 8 8-8z\"\n}), 'ArrowDownward');","import _extends from \"@babel/runtime/helpers/esm/extends\";\nimport _objectWithoutProperties from \"@babel/runtime/helpers/esm/objectWithoutProperties\";\nimport * as React from 'react';\nimport PropTypes from 'prop-types';\nimport clsx from 'clsx';\nimport ArrowDownwardIcon from '../internal/svg-icons/ArrowDownward';\nimport withStyles from '../styles/withStyles';\nimport ButtonBase from '../ButtonBase';\nimport capitalize from '../utils/capitalize';\nexport var styles = function styles(theme) {\n return {\n /* Styles applied to the root element. */\n root: {\n cursor: 'pointer',\n display: 'inline-flex',\n justifyContent: 'flex-start',\n flexDirection: 'inherit',\n alignItems: 'center',\n '&:focus': {\n color: theme.palette.text.secondary\n },\n '&:hover': {\n color: theme.palette.text.secondary,\n '& $icon': {\n opacity: 0.5\n }\n },\n '&$active': {\n color: theme.palette.text.primary,\n // && instead of & is a workaround for https://github.com/cssinjs/jss/issues/1045\n '&& $icon': {\n opacity: 1,\n color: theme.palette.text.secondary\n }\n }\n },\n\n /* Pseudo-class applied to the root element if `active={true}`. */\n active: {},\n\n /* Styles applied to the icon component. */\n icon: {\n fontSize: 18,\n marginRight: 4,\n marginLeft: 4,\n opacity: 0,\n transition: theme.transitions.create(['opacity', 'transform'], {\n duration: theme.transitions.duration.shorter\n }),\n userSelect: 'none'\n },\n\n /* Styles applied to the icon component if `direction=\"desc\"`. */\n iconDirectionDesc: {\n transform: 'rotate(0deg)'\n },\n\n /* Styles applied to the icon component if `direction=\"asc\"`. */\n iconDirectionAsc: {\n transform: 'rotate(180deg)'\n }\n };\n};\n/**\n * A button based label for placing inside `TableCell` for column sorting.\n */\n\nvar TableSortLabel = /*#__PURE__*/React.forwardRef(function TableSortLabel(props, ref) {\n var _props$active = props.active,\n active = _props$active === void 0 ? false : _props$active,\n children = props.children,\n classes = props.classes,\n className = props.className,\n _props$direction = props.direction,\n direction = _props$direction === void 0 ? 'asc' : _props$direction,\n _props$hideSortIcon = props.hideSortIcon,\n hideSortIcon = _props$hideSortIcon === void 0 ? false : _props$hideSortIcon,\n _props$IconComponent = props.IconComponent,\n IconComponent = _props$IconComponent === void 0 ? ArrowDownwardIcon : _props$IconComponent,\n other = _objectWithoutProperties(props, [\"active\", \"children\", \"classes\", \"className\", \"direction\", \"hideSortIcon\", \"IconComponent\"]);\n\n return /*#__PURE__*/React.createElement(ButtonBase, _extends({\n className: clsx(classes.root, className, active && classes.active),\n component: \"span\",\n disableRipple: true,\n ref: ref\n }, other), children, hideSortIcon && !active ? null : /*#__PURE__*/React.createElement(IconComponent, {\n className: clsx(classes.icon, classes[\"iconDirection\".concat(capitalize(direction))])\n }));\n});\nprocess.env.NODE_ENV !== \"production\" ? TableSortLabel.propTypes = {\n /**\n * If `true`, the label will have the active styling (should be true for the sorted column).\n */\n active: PropTypes.bool,\n\n /**\n * Label contents, the arrow will be appended automatically.\n */\n children: PropTypes.node,\n\n /**\n * Override or extend the styles applied to the component.\n * See [CSS API](#css) below for more details.\n */\n classes: PropTypes.object.isRequired,\n\n /**\n * @ignore\n */\n className: PropTypes.string,\n\n /**\n * The current sort direction.\n */\n direction: PropTypes.oneOf(['asc', 'desc']),\n\n /**\n * Hide sort icon when active is false.\n */\n hideSortIcon: PropTypes.bool,\n\n /**\n * Sort icon to use.\n */\n IconComponent: PropTypes.elementType\n} : void 0;\nexport default withStyles(styles, {\n name: 'MuiTableSortLabel'\n})(TableSortLabel);","function easeInOutSin(time) {\n return (1 + Math.sin(Math.PI * time - Math.PI / 2)) / 2;\n}\n\nexport default function animate(property, element, to) {\n var options = arguments.length > 3 && arguments[3] !== undefined ? arguments[3] : {};\n var cb = arguments.length > 4 && arguments[4] !== undefined ? arguments[4] : function () {};\n var _options$ease = options.ease,\n ease = _options$ease === void 0 ? easeInOutSin : _options$ease,\n _options$duration = options.duration,\n duration = _options$duration === void 0 ? 300 : _options$duration;\n var start = null;\n var from = element[property];\n var cancelled = false;\n\n var cancel = function cancel() {\n cancelled = true;\n };\n\n var step = function step(timestamp) {\n if (cancelled) {\n cb(new Error('Animation cancelled'));\n return;\n }\n\n if (start === null) {\n start = timestamp;\n }\n\n var time = Math.min(1, (timestamp - start) / duration);\n element[property] = ease(time) * (to - from) + from;\n\n if (time >= 1) {\n requestAnimationFrame(function () {\n cb(null);\n });\n return;\n }\n\n requestAnimationFrame(step);\n };\n\n if (from === to) {\n cb(new Error('Element already at target position'));\n return cancel;\n }\n\n requestAnimationFrame(step);\n return cancel;\n}","import _extends from \"@babel/runtime/helpers/esm/extends\";\nimport _objectWithoutProperties from \"@babel/runtime/helpers/esm/objectWithoutProperties\";\nimport * as React from 'react';\nimport PropTypes from 'prop-types';\nimport debounce from '../utils/debounce';\nvar styles = {\n width: 99,\n height: 99,\n position: 'absolute',\n top: -9999,\n overflow: 'scroll'\n};\n/**\n * @ignore - internal component.\n * The component originates from https://github.com/STORIS/react-scrollbar-size.\n * It has been moved into the core in order to minimize the bundle size.\n */\n\nexport default function ScrollbarSize(props) {\n var onChange = props.onChange,\n other = _objectWithoutProperties(props, [\"onChange\"]);\n\n var scrollbarHeight = React.useRef();\n var nodeRef = React.useRef(null);\n\n var setMeasurements = function setMeasurements() {\n scrollbarHeight.current = nodeRef.current.offsetHeight - nodeRef.current.clientHeight;\n };\n\n React.useEffect(function () {\n var handleResize = debounce(function () {\n var prevHeight = scrollbarHeight.current;\n setMeasurements();\n\n if (prevHeight !== scrollbarHeight.current) {\n onChange(scrollbarHeight.current);\n }\n });\n window.addEventListener('resize', handleResize);\n return function () {\n handleResize.clear();\n window.removeEventListener('resize', handleResize);\n };\n }, [onChange]);\n React.useEffect(function () {\n setMeasurements();\n onChange(scrollbarHeight.current);\n }, [onChange]);\n return /*#__PURE__*/React.createElement(\"div\", _extends({\n style: styles,\n ref: nodeRef\n }, other));\n}\nprocess.env.NODE_ENV !== \"production\" ? ScrollbarSize.propTypes = {\n onChange: PropTypes.func.isRequired\n} : void 0;","import _extends from \"@babel/runtime/helpers/esm/extends\";\nimport _objectWithoutProperties from \"@babel/runtime/helpers/esm/objectWithoutProperties\";\nimport * as React from 'react';\nimport PropTypes from 'prop-types';\nimport clsx from 'clsx';\nimport withStyles from '../styles/withStyles';\nimport capitalize from '../utils/capitalize';\nexport var styles = function styles(theme) {\n return {\n root: {\n position: 'absolute',\n height: 2,\n bottom: 0,\n width: '100%',\n transition: theme.transitions.create()\n },\n colorPrimary: {\n backgroundColor: theme.palette.primary.main\n },\n colorSecondary: {\n backgroundColor: theme.palette.secondary.main\n },\n vertical: {\n height: '100%',\n width: 2,\n right: 0\n }\n };\n};\n/**\n * @ignore - internal component.\n */\n\nvar TabIndicator = /*#__PURE__*/React.forwardRef(function TabIndicator(props, ref) {\n var classes = props.classes,\n className = props.className,\n color = props.color,\n orientation = props.orientation,\n other = _objectWithoutProperties(props, [\"classes\", \"className\", \"color\", \"orientation\"]);\n\n return /*#__PURE__*/React.createElement(\"span\", _extends({\n className: clsx(classes.root, classes[\"color\".concat(capitalize(color))], className, orientation === 'vertical' && classes.vertical),\n ref: ref\n }, other));\n});\nprocess.env.NODE_ENV !== \"production\" ? TabIndicator.propTypes = {\n /**\n * Override or extend the styles applied to the component.\n * See [CSS API](#css) below for more details.\n */\n classes: PropTypes.object.isRequired,\n\n /**\n * @ignore\n */\n className: PropTypes.string,\n\n /**\n * @ignore\n * The color of the tab indicator.\n */\n color: PropTypes.oneOf(['primary', 'secondary']).isRequired,\n\n /**\n * The tabs orientation (layout flow direction).\n */\n orientation: PropTypes.oneOf(['horizontal', 'vertical']).isRequired\n} : void 0;\nexport default withStyles(styles, {\n name: 'PrivateTabIndicator'\n})(TabIndicator);","import _extends from \"@babel/runtime/helpers/esm/extends\";\nimport _objectWithoutProperties from \"@babel/runtime/helpers/esm/objectWithoutProperties\";\n\n/* eslint-disable jsx-a11y/aria-role */\nimport * as React from 'react';\nimport PropTypes from 'prop-types';\nimport clsx from 'clsx';\nimport KeyboardArrowLeft from '../internal/svg-icons/KeyboardArrowLeft';\nimport KeyboardArrowRight from '../internal/svg-icons/KeyboardArrowRight';\nimport withStyles from '../styles/withStyles';\nimport ButtonBase from '../ButtonBase';\nexport var styles = {\n /* Styles applied to the root element. */\n root: {\n width: 40,\n flexShrink: 0,\n opacity: 0.8,\n '&$disabled': {\n opacity: 0\n }\n },\n\n /* Styles applied to the root element if `orientation=\"vertical\"`. */\n vertical: {\n width: '100%',\n height: 40,\n '& svg': {\n transform: 'rotate(90deg)'\n }\n },\n\n /* Pseudo-class applied to the root element if `disabled={true}`. */\n disabled: {}\n};\n\nvar _ref = /*#__PURE__*/React.createElement(KeyboardArrowLeft, {\n fontSize: \"small\"\n});\n\nvar _ref2 = /*#__PURE__*/React.createElement(KeyboardArrowRight, {\n fontSize: \"small\"\n});\n\nvar TabScrollButton = /*#__PURE__*/React.forwardRef(function TabScrollButton(props, ref) {\n var classes = props.classes,\n classNameProp = props.className,\n direction = props.direction,\n orientation = props.orientation,\n disabled = props.disabled,\n other = _objectWithoutProperties(props, [\"classes\", \"className\", \"direction\", \"orientation\", \"disabled\"]);\n\n return /*#__PURE__*/React.createElement(ButtonBase, _extends({\n component: \"div\",\n className: clsx(classes.root, classNameProp, disabled && classes.disabled, orientation === 'vertical' && classes.vertical),\n ref: ref,\n role: null,\n tabIndex: null\n }, other), direction === 'left' ? _ref : _ref2);\n});\nprocess.env.NODE_ENV !== \"production\" ? TabScrollButton.propTypes = {\n // ----------------------------- Warning --------------------------------\n // | These PropTypes are generated from the TypeScript type definitions |\n // | To update them edit the d.ts file and run \"yarn proptypes\" |\n // ----------------------------------------------------------------------\n\n /**\n * The content of the component.\n */\n children: PropTypes.node,\n\n /**\n * Override or extend the styles applied to the component.\n * See [CSS API](#css) below for more details.\n */\n classes: PropTypes.object,\n\n /**\n * @ignore\n */\n className: PropTypes.string,\n\n /**\n * Which direction should the button indicate?\n */\n direction: PropTypes.oneOf(['left', 'right']).isRequired,\n\n /**\n * If `true`, the element will be disabled.\n */\n disabled: PropTypes.bool,\n\n /**\n * The tabs orientation (layout flow direction).\n */\n orientation: PropTypes.oneOf(['horizontal', 'vertical']).isRequired\n} : void 0;\nexport default withStyles(styles, {\n name: 'MuiTabScrollButton'\n})(TabScrollButton);","import _extends from \"@babel/runtime/helpers/esm/extends\";\nimport _objectWithoutProperties from \"@babel/runtime/helpers/esm/objectWithoutProperties\";\nimport _defineProperty from \"@babel/runtime/helpers/esm/defineProperty\";\nimport * as React from 'react';\nimport { isFragment } from 'react-is';\nimport PropTypes from 'prop-types';\nimport clsx from 'clsx';\nimport { refType } from '@material-ui/utils';\nimport debounce from '../utils/debounce';\nimport ownerWindow from '../utils/ownerWindow';\nimport { getNormalizedScrollLeft, detectScrollType } from '../utils/scrollLeft';\nimport animate from '../internal/animate';\nimport ScrollbarSize from './ScrollbarSize';\nimport withStyles from '../styles/withStyles';\nimport TabIndicator from './TabIndicator';\nimport TabScrollButton from '../TabScrollButton';\nimport useEventCallback from '../utils/useEventCallback';\nimport useTheme from '../styles/useTheme';\nexport var styles = function styles(theme) {\n return {\n /* Styles applied to the root element. */\n root: {\n overflow: 'hidden',\n minHeight: 48,\n WebkitOverflowScrolling: 'touch',\n // Add iOS momentum scrolling.\n display: 'flex'\n },\n\n /* Styles applied to the root element if `orientation=\"vertical\"`. */\n vertical: {\n flexDirection: 'column'\n },\n\n /* Styles applied to the flex container element. */\n flexContainer: {\n display: 'flex'\n },\n\n /* Styles applied to the flex container element if `orientation=\"vertical\"`. */\n flexContainerVertical: {\n flexDirection: 'column'\n },\n\n /* Styles applied to the flex container element if `centered={true}` & `!variant=\"scrollable\"`. */\n centered: {\n justifyContent: 'center'\n },\n\n /* Styles applied to the tablist element. */\n scroller: {\n position: 'relative',\n display: 'inline-block',\n flex: '1 1 auto',\n whiteSpace: 'nowrap'\n },\n\n /* Styles applied to the tablist element if `!variant=\"scrollable\"`\b\b\b. */\n fixed: {\n overflowX: 'hidden',\n width: '100%'\n },\n\n /* Styles applied to the tablist element if `variant=\"scrollable\"`. */\n scrollable: {\n overflowX: 'scroll',\n // Hide dimensionless scrollbar on MacOS\n scrollbarWidth: 'none',\n // Firefox\n '&::-webkit-scrollbar': {\n display: 'none' // Safari + Chrome\n\n }\n },\n\n /* Styles applied to the `ScrollButtonComponent` component. */\n scrollButtons: {},\n\n /* Styles applied to the `ScrollButtonComponent` component if `scrollButtons=\"auto\"` or scrollButtons=\"desktop\"`. */\n scrollButtonsDesktop: _defineProperty({}, theme.breakpoints.down('xs'), {\n display: 'none'\n }),\n\n /* Styles applied to the `TabIndicator` component. */\n indicator: {}\n };\n};\nvar Tabs = /*#__PURE__*/React.forwardRef(function Tabs(props, ref) {\n var ariaLabel = props['aria-label'],\n ariaLabelledBy = props['aria-labelledby'],\n action = props.action,\n _props$centered = props.centered,\n centered = _props$centered === void 0 ? false : _props$centered,\n childrenProp = props.children,\n classes = props.classes,\n className = props.className,\n _props$component = props.component,\n Component = _props$component === void 0 ? 'div' : _props$component,\n _props$indicatorColor = props.indicatorColor,\n indicatorColor = _props$indicatorColor === void 0 ? 'secondary' : _props$indicatorColor,\n onChange = props.onChange,\n _props$orientation = props.orientation,\n orientation = _props$orientation === void 0 ? 'horizontal' : _props$orientation,\n _props$ScrollButtonCo = props.ScrollButtonComponent,\n ScrollButtonComponent = _props$ScrollButtonCo === void 0 ? TabScrollButton : _props$ScrollButtonCo,\n _props$scrollButtons = props.scrollButtons,\n scrollButtons = _props$scrollButtons === void 0 ? 'auto' : _props$scrollButtons,\n selectionFollowsFocus = props.selectionFollowsFocus,\n _props$TabIndicatorPr = props.TabIndicatorProps,\n TabIndicatorProps = _props$TabIndicatorPr === void 0 ? {} : _props$TabIndicatorPr,\n TabScrollButtonProps = props.TabScrollButtonProps,\n _props$textColor = props.textColor,\n textColor = _props$textColor === void 0 ? 'inherit' : _props$textColor,\n value = props.value,\n _props$variant = props.variant,\n variant = _props$variant === void 0 ? 'standard' : _props$variant,\n other = _objectWithoutProperties(props, [\"aria-label\", \"aria-labelledby\", \"action\", \"centered\", \"children\", \"classes\", \"className\", \"component\", \"indicatorColor\", \"onChange\", \"orientation\", \"ScrollButtonComponent\", \"scrollButtons\", \"selectionFollowsFocus\", \"TabIndicatorProps\", \"TabScrollButtonProps\", \"textColor\", \"value\", \"variant\"]);\n\n var theme = useTheme();\n var scrollable = variant === 'scrollable';\n var isRtl = theme.direction === 'rtl';\n var vertical = orientation === 'vertical';\n var scrollStart = vertical ? 'scrollTop' : 'scrollLeft';\n var start = vertical ? 'top' : 'left';\n var end = vertical ? 'bottom' : 'right';\n var clientSize = vertical ? 'clientHeight' : 'clientWidth';\n var size = vertical ? 'height' : 'width';\n\n if (process.env.NODE_ENV !== 'production') {\n if (centered && scrollable) {\n console.error('Material-UI: You can not use the `centered={true}` and `variant=\"scrollable\"` properties ' + 'at the same time on a `Tabs` component.');\n }\n }\n\n var _React$useState = React.useState(false),\n mounted = _React$useState[0],\n setMounted = _React$useState[1];\n\n var _React$useState2 = React.useState({}),\n indicatorStyle = _React$useState2[0],\n setIndicatorStyle = _React$useState2[1];\n\n var _React$useState3 = React.useState({\n start: false,\n end: false\n }),\n displayScroll = _React$useState3[0],\n setDisplayScroll = _React$useState3[1];\n\n var _React$useState4 = React.useState({\n overflow: 'hidden',\n marginBottom: null\n }),\n scrollerStyle = _React$useState4[0],\n setScrollerStyle = _React$useState4[1];\n\n var valueToIndex = new Map();\n var tabsRef = React.useRef(null);\n var tabListRef = React.useRef(null);\n\n var getTabsMeta = function getTabsMeta() {\n var tabsNode = tabsRef.current;\n var tabsMeta;\n\n if (tabsNode) {\n var rect = tabsNode.getBoundingClientRect(); // create a new object with ClientRect class props + scrollLeft\n\n tabsMeta = {\n clientWidth: tabsNode.clientWidth,\n scrollLeft: tabsNode.scrollLeft,\n scrollTop: tabsNode.scrollTop,\n scrollLeftNormalized: getNormalizedScrollLeft(tabsNode, theme.direction),\n scrollWidth: tabsNode.scrollWidth,\n top: rect.top,\n bottom: rect.bottom,\n left: rect.left,\n right: rect.right\n };\n }\n\n var tabMeta;\n\n if (tabsNode && value !== false) {\n var _children = tabListRef.current.children;\n\n if (_children.length > 0) {\n var tab = _children[valueToIndex.get(value)];\n\n if (process.env.NODE_ENV !== 'production') {\n if (!tab) {\n console.error([\"Material-UI: The value provided to the Tabs component is invalid.\", \"None of the Tabs' children match with `\".concat(value, \"`.\"), valueToIndex.keys ? \"You can provide one of the following values: \".concat(Array.from(valueToIndex.keys()).join(', '), \".\") : null].join('\\n'));\n }\n }\n\n tabMeta = tab ? tab.getBoundingClientRect() : null;\n }\n }\n\n return {\n tabsMeta: tabsMeta,\n tabMeta: tabMeta\n };\n };\n\n var updateIndicatorState = useEventCallback(function () {\n var _newIndicatorStyle;\n\n var _getTabsMeta = getTabsMeta(),\n tabsMeta = _getTabsMeta.tabsMeta,\n tabMeta = _getTabsMeta.tabMeta;\n\n var startValue = 0;\n\n if (tabMeta && tabsMeta) {\n if (vertical) {\n startValue = tabMeta.top - tabsMeta.top + tabsMeta.scrollTop;\n } else {\n var correction = isRtl ? tabsMeta.scrollLeftNormalized + tabsMeta.clientWidth - tabsMeta.scrollWidth : tabsMeta.scrollLeft;\n startValue = tabMeta.left - tabsMeta.left + correction;\n }\n }\n\n var newIndicatorStyle = (_newIndicatorStyle = {}, _defineProperty(_newIndicatorStyle, start, startValue), _defineProperty(_newIndicatorStyle, size, tabMeta ? tabMeta[size] : 0), _newIndicatorStyle);\n\n if (isNaN(indicatorStyle[start]) || isNaN(indicatorStyle[size])) {\n setIndicatorStyle(newIndicatorStyle);\n } else {\n var dStart = Math.abs(indicatorStyle[start] - newIndicatorStyle[start]);\n var dSize = Math.abs(indicatorStyle[size] - newIndicatorStyle[size]);\n\n if (dStart >= 1 || dSize >= 1) {\n setIndicatorStyle(newIndicatorStyle);\n }\n }\n });\n\n var scroll = function scroll(scrollValue) {\n animate(scrollStart, tabsRef.current, scrollValue);\n };\n\n var moveTabsScroll = function moveTabsScroll(delta) {\n var scrollValue = tabsRef.current[scrollStart];\n\n if (vertical) {\n scrollValue += delta;\n } else {\n scrollValue += delta * (isRtl ? -1 : 1); // Fix for Edge\n\n scrollValue *= isRtl && detectScrollType() === 'reverse' ? -1 : 1;\n }\n\n scroll(scrollValue);\n };\n\n var handleStartScrollClick = function handleStartScrollClick() {\n moveTabsScroll(-tabsRef.current[clientSize]);\n };\n\n var handleEndScrollClick = function handleEndScrollClick() {\n moveTabsScroll(tabsRef.current[clientSize]);\n };\n\n var handleScrollbarSizeChange = React.useCallback(function (scrollbarHeight) {\n setScrollerStyle({\n overflow: null,\n marginBottom: -scrollbarHeight\n });\n }, []);\n\n var getConditionalElements = function getConditionalElements() {\n var conditionalElements = {};\n conditionalElements.scrollbarSizeListener = scrollable ? /*#__PURE__*/React.createElement(ScrollbarSize, {\n className: classes.scrollable,\n onChange: handleScrollbarSizeChange\n }) : null;\n var scrollButtonsActive = displayScroll.start || displayScroll.end;\n var showScrollButtons = scrollable && (scrollButtons === 'auto' && scrollButtonsActive || scrollButtons === 'desktop' || scrollButtons === 'on');\n conditionalElements.scrollButtonStart = showScrollButtons ? /*#__PURE__*/React.createElement(ScrollButtonComponent, _extends({\n orientation: orientation,\n direction: isRtl ? 'right' : 'left',\n onClick: handleStartScrollClick,\n disabled: !displayScroll.start,\n className: clsx(classes.scrollButtons, scrollButtons !== 'on' && classes.scrollButtonsDesktop)\n }, TabScrollButtonProps)) : null;\n conditionalElements.scrollButtonEnd = showScrollButtons ? /*#__PURE__*/React.createElement(ScrollButtonComponent, _extends({\n orientation: orientation,\n direction: isRtl ? 'left' : 'right',\n onClick: handleEndScrollClick,\n disabled: !displayScroll.end,\n className: clsx(classes.scrollButtons, scrollButtons !== 'on' && classes.scrollButtonsDesktop)\n }, TabScrollButtonProps)) : null;\n return conditionalElements;\n };\n\n var scrollSelectedIntoView = useEventCallback(function () {\n var _getTabsMeta2 = getTabsMeta(),\n tabsMeta = _getTabsMeta2.tabsMeta,\n tabMeta = _getTabsMeta2.tabMeta;\n\n if (!tabMeta || !tabsMeta) {\n return;\n }\n\n if (tabMeta[start] < tabsMeta[start]) {\n // left side of button is out of view\n var nextScrollStart = tabsMeta[scrollStart] + (tabMeta[start] - tabsMeta[start]);\n scroll(nextScrollStart);\n } else if (tabMeta[end] > tabsMeta[end]) {\n // right side of button is out of view\n var _nextScrollStart = tabsMeta[scrollStart] + (tabMeta[end] - tabsMeta[end]);\n\n scroll(_nextScrollStart);\n }\n });\n var updateScrollButtonState = useEventCallback(function () {\n if (scrollable && scrollButtons !== 'off') {\n var _tabsRef$current = tabsRef.current,\n scrollTop = _tabsRef$current.scrollTop,\n scrollHeight = _tabsRef$current.scrollHeight,\n clientHeight = _tabsRef$current.clientHeight,\n scrollWidth = _tabsRef$current.scrollWidth,\n clientWidth = _tabsRef$current.clientWidth;\n var showStartScroll;\n var showEndScroll;\n\n if (vertical) {\n showStartScroll = scrollTop > 1;\n showEndScroll = scrollTop < scrollHeight - clientHeight - 1;\n } else {\n var scrollLeft = getNormalizedScrollLeft(tabsRef.current, theme.direction); // use 1 for the potential rounding error with browser zooms.\n\n showStartScroll = isRtl ? scrollLeft < scrollWidth - clientWidth - 1 : scrollLeft > 1;\n showEndScroll = !isRtl ? scrollLeft < scrollWidth - clientWidth - 1 : scrollLeft > 1;\n }\n\n if (showStartScroll !== displayScroll.start || showEndScroll !== displayScroll.end) {\n setDisplayScroll({\n start: showStartScroll,\n end: showEndScroll\n });\n }\n }\n });\n React.useEffect(function () {\n var handleResize = debounce(function () {\n updateIndicatorState();\n updateScrollButtonState();\n });\n var win = ownerWindow(tabsRef.current);\n win.addEventListener('resize', handleResize);\n return function () {\n handleResize.clear();\n win.removeEventListener('resize', handleResize);\n };\n }, [updateIndicatorState, updateScrollButtonState]);\n var handleTabsScroll = React.useCallback(debounce(function () {\n updateScrollButtonState();\n }));\n React.useEffect(function () {\n return function () {\n handleTabsScroll.clear();\n };\n }, [handleTabsScroll]);\n React.useEffect(function () {\n setMounted(true);\n }, []);\n React.useEffect(function () {\n updateIndicatorState();\n updateScrollButtonState();\n });\n React.useEffect(function () {\n scrollSelectedIntoView();\n }, [scrollSelectedIntoView, indicatorStyle]);\n React.useImperativeHandle(action, function () {\n return {\n updateIndicator: updateIndicatorState,\n updateScrollButtons: updateScrollButtonState\n };\n }, [updateIndicatorState, updateScrollButtonState]);\n var indicator = /*#__PURE__*/React.createElement(TabIndicator, _extends({\n className: classes.indicator,\n orientation: orientation,\n color: indicatorColor\n }, TabIndicatorProps, {\n style: _extends({}, indicatorStyle, TabIndicatorProps.style)\n }));\n var childIndex = 0;\n var children = React.Children.map(childrenProp, function (child) {\n if (! /*#__PURE__*/React.isValidElement(child)) {\n return null;\n }\n\n if (process.env.NODE_ENV !== 'production') {\n if (isFragment(child)) {\n console.error([\"Material-UI: The Tabs component doesn't accept a Fragment as a child.\", 'Consider providing an array instead.'].join('\\n'));\n }\n }\n\n var childValue = child.props.value === undefined ? childIndex : child.props.value;\n valueToIndex.set(childValue, childIndex);\n var selected = childValue === value;\n childIndex += 1;\n return /*#__PURE__*/React.cloneElement(child, {\n fullWidth: variant === 'fullWidth',\n indicator: selected && !mounted && indicator,\n selected: selected,\n selectionFollowsFocus: selectionFollowsFocus,\n onChange: onChange,\n textColor: textColor,\n value: childValue\n });\n });\n\n var handleKeyDown = function handleKeyDown(event) {\n var target = event.target; // Keyboard navigation assumes that [role=\"tab\"] are siblings\n // though we might warn in the future about nested, interactive elements\n // as a a11y violation\n\n var role = target.getAttribute('role');\n\n if (role !== 'tab') {\n return;\n }\n\n var newFocusTarget = null;\n var previousItemKey = orientation !== \"vertical\" ? 'ArrowLeft' : 'ArrowUp';\n var nextItemKey = orientation !== \"vertical\" ? 'ArrowRight' : 'ArrowDown';\n\n if (orientation !== \"vertical\" && theme.direction === 'rtl') {\n // swap previousItemKey with nextItemKey\n previousItemKey = 'ArrowRight';\n nextItemKey = 'ArrowLeft';\n }\n\n switch (event.key) {\n case previousItemKey:\n newFocusTarget = target.previousElementSibling || tabListRef.current.lastChild;\n break;\n\n case nextItemKey:\n newFocusTarget = target.nextElementSibling || tabListRef.current.firstChild;\n break;\n\n case 'Home':\n newFocusTarget = tabListRef.current.firstChild;\n break;\n\n case 'End':\n newFocusTarget = tabListRef.current.lastChild;\n break;\n\n default:\n break;\n }\n\n if (newFocusTarget !== null) {\n newFocusTarget.focus();\n event.preventDefault();\n }\n };\n\n var conditionalElements = getConditionalElements();\n return /*#__PURE__*/React.createElement(Component, _extends({\n className: clsx(classes.root, className, vertical && classes.vertical),\n ref: ref\n }, other), conditionalElements.scrollButtonStart, conditionalElements.scrollbarSizeListener, /*#__PURE__*/React.createElement(\"div\", {\n className: clsx(classes.scroller, scrollable ? classes.scrollable : classes.fixed),\n style: scrollerStyle,\n ref: tabsRef,\n onScroll: handleTabsScroll\n }, /*#__PURE__*/React.createElement(\"div\", {\n \"aria-label\": ariaLabel,\n \"aria-labelledby\": ariaLabelledBy,\n className: clsx(classes.flexContainer, vertical && classes.flexContainerVertical, centered && !scrollable && classes.centered),\n onKeyDown: handleKeyDown,\n ref: tabListRef,\n role: \"tablist\"\n }, children), mounted && indicator), conditionalElements.scrollButtonEnd);\n});\nprocess.env.NODE_ENV !== \"production\" ? Tabs.propTypes = {\n // ----------------------------- Warning --------------------------------\n // | These PropTypes are generated from the TypeScript type definitions |\n // | To update them edit the d.ts file and run \"yarn proptypes\" |\n // ----------------------------------------------------------------------\n\n /**\n * Callback fired when the component mounts.\n * This is useful when you want to trigger an action programmatically.\n * It supports two actions: `updateIndicator()` and `updateScrollButtons()`\n *\n * @param {object} actions This object contains all possible actions\n * that can be triggered programmatically.\n */\n action: refType,\n\n /**\n * The label for the Tabs as a string.\n */\n 'aria-label': PropTypes.string,\n\n /**\n * An id or list of ids separated by a space that label the Tabs.\n */\n 'aria-labelledby': PropTypes.string,\n\n /**\n * If `true`, the tabs will be centered.\n * This property is intended for large views.\n */\n centered: PropTypes.bool,\n\n /**\n * The content of the component.\n */\n children: PropTypes.node,\n\n /**\n * Override or extend the styles applied to the component.\n * See [CSS API](#css) below for more details.\n */\n classes: PropTypes.object,\n\n /**\n * @ignore\n */\n className: PropTypes.string,\n\n /**\n * The component used for the root node.\n * Either a string to use a HTML element or a component.\n */\n component: PropTypes\n /* @typescript-to-proptypes-ignore */\n .elementType,\n\n /**\n * Determines the color of the indicator.\n */\n indicatorColor: PropTypes.oneOf(['primary', 'secondary']),\n\n /**\n * Callback fired when the value changes.\n *\n * @param {object} event The event source of the callback\n * @param {any} value We default to the index of the child (number)\n */\n onChange: PropTypes.func,\n\n /**\n * The tabs orientation (layout flow direction).\n */\n orientation: PropTypes.oneOf(['horizontal', 'vertical']),\n\n /**\n * The component used to render the scroll buttons.\n */\n ScrollButtonComponent: PropTypes.elementType,\n\n /**\n * Determine behavior of scroll buttons when tabs are set to scroll:\n *\n * - `auto` will only present them when not all the items are visible.\n * - `desktop` will only present them on medium and larger viewports.\n * - `on` will always present them.\n * - `off` will never present them.\n */\n scrollButtons: PropTypes.oneOf(['auto', 'desktop', 'off', 'on']),\n\n /**\n * If `true` the selected tab changes on focus. Otherwise it only\n * changes on activation.\n */\n selectionFollowsFocus: PropTypes.bool,\n\n /**\n * Props applied to the tab indicator element.\n */\n TabIndicatorProps: PropTypes.object,\n\n /**\n * Props applied to the [`TabScrollButton`](/api/tab-scroll-button/) element.\n */\n TabScrollButtonProps: PropTypes.object,\n\n /**\n * Determines the color of the `Tab`.\n */\n textColor: PropTypes.oneOf(['inherit', 'primary', 'secondary']),\n\n /**\n * The value of the currently selected `Tab`.\n * If you don't want any selected `Tab`, you can set this property to `false`.\n */\n value: PropTypes.any,\n\n /**\n * Determines additional display behavior of the tabs:\n *\n * - `scrollable` will invoke scrolling properties and allow for horizontally\n * scrolling (or swiping) of the tab bar.\n * -`fullWidth` will make the tabs grow to use all the available space,\n * which should be used for small views, like on mobile.\n * - `standard` will render the default state.\n */\n variant: PropTypes.oneOf(['fullWidth', 'scrollable', 'standard'])\n} : void 0;\nexport default withStyles(styles, {\n name: 'MuiTabs'\n})(Tabs);","import _extends from \"@babel/runtime/helpers/esm/extends\";\nimport _objectWithoutProperties from \"@babel/runtime/helpers/esm/objectWithoutProperties\";\nimport * as React from 'react';\nimport PropTypes from 'prop-types';\nimport clsx from 'clsx';\nimport { refType } from '@material-ui/utils';\nimport deprecatedPropType from '../utils/deprecatedPropType';\nimport Input from '../Input';\nimport FilledInput from '../FilledInput';\nimport OutlinedInput from '../OutlinedInput';\nimport InputLabel from '../InputLabel';\nimport FormControl from '../FormControl';\nimport FormHelperText from '../FormHelperText';\nimport Select from '../Select';\nimport withStyles from '../styles/withStyles';\nvar variantComponent = {\n standard: Input,\n filled: FilledInput,\n outlined: OutlinedInput\n};\nexport var styles = {\n /* Styles applied to the root element. */\n root: {}\n};\n/**\n * The `TextField` is a convenience wrapper for the most common cases (80%).\n * It cannot be all things to all people, otherwise the API would grow out of control.\n *\n * ## Advanced Configuration\n *\n * It's important to understand that the text field is a simple abstraction\n * on top of the following components:\n *\n * - [FormControl](/api/form-control/)\n * - [InputLabel](/api/input-label/)\n * - [FilledInput](/api/filled-input/)\n * - [OutlinedInput](/api/outlined-input/)\n * - [Input](/api/input/)\n * - [FormHelperText](/api/form-helper-text/)\n *\n * If you wish to alter the props applied to the `input` element, you can do so as follows:\n *\n * ```jsx\n * const inputProps = {\n * step: 300,\n * };\n *\n * return ;\n * ```\n *\n * For advanced cases, please look at the source of TextField by clicking on the\n * \"Edit this page\" button above. Consider either:\n *\n * - using the upper case props for passing values directly to the components\n * - using the underlying components directly as shown in the demos\n */\n\nvar TextField = /*#__PURE__*/React.forwardRef(function TextField(props, ref) {\n var autoComplete = props.autoComplete,\n _props$autoFocus = props.autoFocus,\n autoFocus = _props$autoFocus === void 0 ? false : _props$autoFocus,\n children = props.children,\n classes = props.classes,\n className = props.className,\n _props$color = props.color,\n color = _props$color === void 0 ? 'primary' : _props$color,\n defaultValue = props.defaultValue,\n _props$disabled = props.disabled,\n disabled = _props$disabled === void 0 ? false : _props$disabled,\n _props$error = props.error,\n error = _props$error === void 0 ? false : _props$error,\n FormHelperTextProps = props.FormHelperTextProps,\n _props$fullWidth = props.fullWidth,\n fullWidth = _props$fullWidth === void 0 ? false : _props$fullWidth,\n helperText = props.helperText,\n hiddenLabel = props.hiddenLabel,\n id = props.id,\n InputLabelProps = props.InputLabelProps,\n inputProps = props.inputProps,\n InputProps = props.InputProps,\n inputRef = props.inputRef,\n label = props.label,\n _props$multiline = props.multiline,\n multiline = _props$multiline === void 0 ? false : _props$multiline,\n name = props.name,\n onBlur = props.onBlur,\n onChange = props.onChange,\n onFocus = props.onFocus,\n placeholder = props.placeholder,\n _props$required = props.required,\n required = _props$required === void 0 ? false : _props$required,\n rows = props.rows,\n rowsMax = props.rowsMax,\n maxRows = props.maxRows,\n minRows = props.minRows,\n _props$select = props.select,\n select = _props$select === void 0 ? false : _props$select,\n SelectProps = props.SelectProps,\n type = props.type,\n value = props.value,\n _props$variant = props.variant,\n variant = _props$variant === void 0 ? 'standard' : _props$variant,\n other = _objectWithoutProperties(props, [\"autoComplete\", \"autoFocus\", \"children\", \"classes\", \"className\", \"color\", \"defaultValue\", \"disabled\", \"error\", \"FormHelperTextProps\", \"fullWidth\", \"helperText\", \"hiddenLabel\", \"id\", \"InputLabelProps\", \"inputProps\", \"InputProps\", \"inputRef\", \"label\", \"multiline\", \"name\", \"onBlur\", \"onChange\", \"onFocus\", \"placeholder\", \"required\", \"rows\", \"rowsMax\", \"maxRows\", \"minRows\", \"select\", \"SelectProps\", \"type\", \"value\", \"variant\"]);\n\n if (process.env.NODE_ENV !== 'production') {\n if (select && !children) {\n console.error('Material-UI: `children` must be passed when using the `TextField` component with `select`.');\n }\n }\n\n var InputMore = {};\n\n if (variant === 'outlined') {\n if (InputLabelProps && typeof InputLabelProps.shrink !== 'undefined') {\n InputMore.notched = InputLabelProps.shrink;\n }\n\n if (label) {\n var _InputLabelProps$requ;\n\n var displayRequired = (_InputLabelProps$requ = InputLabelProps === null || InputLabelProps === void 0 ? void 0 : InputLabelProps.required) !== null && _InputLabelProps$requ !== void 0 ? _InputLabelProps$requ : required;\n InputMore.label = /*#__PURE__*/React.createElement(React.Fragment, null, label, displayRequired && \"\\xA0*\");\n }\n }\n\n if (select) {\n // unset defaults from textbox inputs\n if (!SelectProps || !SelectProps.native) {\n InputMore.id = undefined;\n }\n\n InputMore['aria-describedby'] = undefined;\n }\n\n var helperTextId = helperText && id ? \"\".concat(id, \"-helper-text\") : undefined;\n var inputLabelId = label && id ? \"\".concat(id, \"-label\") : undefined;\n var InputComponent = variantComponent[variant];\n var InputElement = /*#__PURE__*/React.createElement(InputComponent, _extends({\n \"aria-describedby\": helperTextId,\n autoComplete: autoComplete,\n autoFocus: autoFocus,\n defaultValue: defaultValue,\n fullWidth: fullWidth,\n multiline: multiline,\n name: name,\n rows: rows,\n rowsMax: rowsMax,\n maxRows: maxRows,\n minRows: minRows,\n type: type,\n value: value,\n id: id,\n inputRef: inputRef,\n onBlur: onBlur,\n onChange: onChange,\n onFocus: onFocus,\n placeholder: placeholder,\n inputProps: inputProps\n }, InputMore, InputProps));\n return /*#__PURE__*/React.createElement(FormControl, _extends({\n className: clsx(classes.root, className),\n disabled: disabled,\n error: error,\n fullWidth: fullWidth,\n hiddenLabel: hiddenLabel,\n ref: ref,\n required: required,\n color: color,\n variant: variant\n }, other), label && /*#__PURE__*/React.createElement(InputLabel, _extends({\n htmlFor: id,\n id: inputLabelId\n }, InputLabelProps), label), select ? /*#__PURE__*/React.createElement(Select, _extends({\n \"aria-describedby\": helperTextId,\n id: id,\n labelId: inputLabelId,\n value: value,\n input: InputElement\n }, SelectProps), children) : InputElement, helperText && /*#__PURE__*/React.createElement(FormHelperText, _extends({\n id: helperTextId\n }, FormHelperTextProps), helperText));\n});\nprocess.env.NODE_ENV !== \"production\" ? TextField.propTypes = {\n // ----------------------------- Warning --------------------------------\n // | These PropTypes are generated from the TypeScript type definitions |\n // | To update them edit the d.ts file and run \"yarn proptypes\" |\n // ----------------------------------------------------------------------\n\n /**\n * This prop helps users to fill forms faster, especially on mobile devices.\n * The name can be confusing, as it's more like an autofill.\n * You can learn more about it [following the specification](https://html.spec.whatwg.org/multipage/form-control-infrastructure.html#autofill).\n */\n autoComplete: PropTypes.string,\n\n /**\n * If `true`, the `input` element will be focused during the first mount.\n */\n autoFocus: PropTypes.bool,\n\n /**\n * @ignore\n */\n children: PropTypes.node,\n\n /**\n * Override or extend the styles applied to the component.\n * See [CSS API](#css) below for more details.\n */\n classes: PropTypes.object,\n\n /**\n * @ignore\n */\n className: PropTypes.string,\n\n /**\n * The color of the component. It supports those theme colors that make sense for this component.\n */\n color: PropTypes.oneOf(['primary', 'secondary']),\n\n /**\n * The default value of the `input` element.\n */\n defaultValue: PropTypes.any,\n\n /**\n * If `true`, the `input` element will be disabled.\n */\n disabled: PropTypes.bool,\n\n /**\n * If `true`, the label will be displayed in an error state.\n */\n error: PropTypes.bool,\n\n /**\n * Props applied to the [`FormHelperText`](/api/form-helper-text/) element.\n */\n FormHelperTextProps: PropTypes.object,\n\n /**\n * If `true`, the input will take up the full width of its container.\n */\n fullWidth: PropTypes.bool,\n\n /**\n * The helper text content.\n */\n helperText: PropTypes.node,\n\n /**\n * @ignore\n */\n hiddenLabel: PropTypes.bool,\n\n /**\n * The id of the `input` element.\n * Use this prop to make `label` and `helperText` accessible for screen readers.\n */\n id: PropTypes.string,\n\n /**\n * Props applied to the [`InputLabel`](/api/input-label/) element.\n */\n InputLabelProps: PropTypes.object,\n\n /**\n * [Attributes](https://developer.mozilla.org/en-US/docs/Web/HTML/Element/input#Attributes) applied to the `input` element.\n */\n inputProps: PropTypes.object,\n\n /**\n * Props applied to the Input element.\n * It will be a [`FilledInput`](/api/filled-input/),\n * [`OutlinedInput`](/api/outlined-input/) or [`Input`](/api/input/)\n * component depending on the `variant` prop value.\n */\n InputProps: PropTypes.object,\n\n /**\n * Pass a ref to the `input` element.\n */\n inputRef: refType,\n\n /**\n * The label content.\n */\n label: PropTypes.node,\n\n /**\n * If `dense` or `normal`, will adjust vertical spacing of this and contained components.\n */\n margin: PropTypes.oneOf(['dense', 'none', 'normal']),\n\n /**\n * Maximum number of rows to display when multiline option is set to true.\n */\n maxRows: PropTypes.oneOfType([PropTypes.number, PropTypes.string]),\n\n /**\n * Minimum number of rows to display.\n */\n minRows: PropTypes.oneOfType([PropTypes.number, PropTypes.string]),\n\n /**\n * If `true`, a textarea element will be rendered instead of an input.\n */\n multiline: PropTypes.bool,\n\n /**\n * Name attribute of the `input` element.\n */\n name: PropTypes.string,\n\n /**\n * @ignore\n */\n onBlur: PropTypes.func,\n\n /**\n * Callback fired when the value is changed.\n *\n * @param {object} event The event source of the callback.\n * You can pull out the new value by accessing `event.target.value` (string).\n */\n onChange: PropTypes.func,\n\n /**\n * @ignore\n */\n onFocus: PropTypes.func,\n\n /**\n * The short hint displayed in the input before the user enters a value.\n */\n placeholder: PropTypes.string,\n\n /**\n * If `true`, the label is displayed as required and the `input` element` will be required.\n */\n required: PropTypes.bool,\n\n /**\n * Number of rows to display when multiline option is set to true.\n * @deprecated Use `minRows` instead.\n */\n rows: deprecatedPropType(PropTypes.oneOfType([PropTypes.number, PropTypes.string]), 'Use `minRows` instead'),\n\n /**\n * Maximum number of rows to display.\n * @deprecated Use `maxRows` instead.\n */\n rowsMax: deprecatedPropType(PropTypes.oneOfType([PropTypes.number, PropTypes.string]), 'Use `maxRows` instead'),\n\n /**\n * Render a [`Select`](/api/select/) element while passing the Input element to `Select` as `input` parameter.\n * If this option is set you must pass the options of the select as children.\n */\n select: PropTypes.bool,\n\n /**\n * Props applied to the [`Select`](/api/select/) element.\n */\n SelectProps: PropTypes.object,\n\n /**\n * The size of the text field.\n */\n size: PropTypes.oneOf(['medium', 'small']),\n\n /**\n * Type of the `input` element. It should be [a valid HTML5 input type](https://developer.mozilla.org/en-US/docs/Web/HTML/Element/input#Form_%3Cinput%3E_types).\n */\n type: PropTypes.string,\n\n /**\n * The value of the `input` element, required for a controlled component.\n */\n value: PropTypes.any,\n\n /**\n * The variant to use.\n */\n variant: PropTypes.oneOf(['filled', 'outlined', 'standard'])\n} : void 0;\nexport default withStyles(styles, {\n name: 'MuiTextField'\n})(TextField);","import _extends from \"@babel/runtime/helpers/esm/extends\";\nimport _slicedToArray from \"@babel/runtime/helpers/esm/slicedToArray\";\nimport _objectWithoutProperties from \"@babel/runtime/helpers/esm/objectWithoutProperties\";\nimport _defineProperty from \"@babel/runtime/helpers/esm/defineProperty\";\nimport * as React from 'react';\nimport * as ReactDOM from 'react-dom';\nimport PropTypes from 'prop-types';\nimport clsx from 'clsx';\nimport { deepmerge, elementAcceptingRef } from '@material-ui/utils';\nimport { alpha } from '../styles/colorManipulator';\nimport withStyles from '../styles/withStyles';\nimport capitalize from '../utils/capitalize';\nimport Grow from '../Grow';\nimport Popper from '../Popper';\nimport useForkRef from '../utils/useForkRef';\nimport useId from '../utils/unstable_useId';\nimport setRef from '../utils/setRef';\nimport useIsFocusVisible from '../utils/useIsFocusVisible';\nimport useControlled from '../utils/useControlled';\nimport useTheme from '../styles/useTheme';\n\nfunction round(value) {\n return Math.round(value * 1e5) / 1e5;\n}\n\nfunction arrowGenerator() {\n return {\n '&[x-placement*=\"bottom\"] $arrow': {\n top: 0,\n left: 0,\n marginTop: '-0.71em',\n marginLeft: 4,\n marginRight: 4,\n '&::before': {\n transformOrigin: '0 100%'\n }\n },\n '&[x-placement*=\"top\"] $arrow': {\n bottom: 0,\n left: 0,\n marginBottom: '-0.71em',\n marginLeft: 4,\n marginRight: 4,\n '&::before': {\n transformOrigin: '100% 0'\n }\n },\n '&[x-placement*=\"right\"] $arrow': {\n left: 0,\n marginLeft: '-0.71em',\n height: '1em',\n width: '0.71em',\n marginTop: 4,\n marginBottom: 4,\n '&::before': {\n transformOrigin: '100% 100%'\n }\n },\n '&[x-placement*=\"left\"] $arrow': {\n right: 0,\n marginRight: '-0.71em',\n height: '1em',\n width: '0.71em',\n marginTop: 4,\n marginBottom: 4,\n '&::before': {\n transformOrigin: '0 0'\n }\n }\n };\n}\n\nexport var styles = function styles(theme) {\n return {\n /* Styles applied to the Popper component. */\n popper: {\n zIndex: theme.zIndex.tooltip,\n pointerEvents: 'none' // disable jss-rtl plugin\n\n },\n\n /* Styles applied to the Popper component if `interactive={true}`. */\n popperInteractive: {\n pointerEvents: 'auto'\n },\n\n /* Styles applied to the Popper component if `arrow={true}`. */\n popperArrow: arrowGenerator(),\n\n /* Styles applied to the tooltip (label wrapper) element. */\n tooltip: {\n backgroundColor: alpha(theme.palette.grey[700], 0.9),\n borderRadius: theme.shape.borderRadius,\n color: theme.palette.common.white,\n fontFamily: theme.typography.fontFamily,\n padding: '4px 8px',\n fontSize: theme.typography.pxToRem(10),\n lineHeight: \"\".concat(round(14 / 10), \"em\"),\n maxWidth: 300,\n wordWrap: 'break-word',\n fontWeight: theme.typography.fontWeightMedium\n },\n\n /* Styles applied to the tooltip (label wrapper) element if `arrow={true}`. */\n tooltipArrow: {\n position: 'relative',\n margin: '0'\n },\n\n /* Styles applied to the arrow element. */\n arrow: {\n overflow: 'hidden',\n position: 'absolute',\n width: '1em',\n height: '0.71em'\n /* = width / sqrt(2) = (length of the hypotenuse) */\n ,\n boxSizing: 'border-box',\n color: alpha(theme.palette.grey[700], 0.9),\n '&::before': {\n content: '\"\"',\n margin: 'auto',\n display: 'block',\n width: '100%',\n height: '100%',\n backgroundColor: 'currentColor',\n transform: 'rotate(45deg)'\n }\n },\n\n /* Styles applied to the tooltip (label wrapper) element if the tooltip is opened by touch. */\n touch: {\n padding: '8px 16px',\n fontSize: theme.typography.pxToRem(14),\n lineHeight: \"\".concat(round(16 / 14), \"em\"),\n fontWeight: theme.typography.fontWeightRegular\n },\n\n /* Styles applied to the tooltip (label wrapper) element if `placement` contains \"left\". */\n tooltipPlacementLeft: _defineProperty({\n transformOrigin: 'right center',\n margin: '0 24px '\n }, theme.breakpoints.up('sm'), {\n margin: '0 14px'\n }),\n\n /* Styles applied to the tooltip (label wrapper) element if `placement` contains \"right\". */\n tooltipPlacementRight: _defineProperty({\n transformOrigin: 'left center',\n margin: '0 24px'\n }, theme.breakpoints.up('sm'), {\n margin: '0 14px'\n }),\n\n /* Styles applied to the tooltip (label wrapper) element if `placement` contains \"top\". */\n tooltipPlacementTop: _defineProperty({\n transformOrigin: 'center bottom',\n margin: '24px 0'\n }, theme.breakpoints.up('sm'), {\n margin: '14px 0'\n }),\n\n /* Styles applied to the tooltip (label wrapper) element if `placement` contains \"bottom\". */\n tooltipPlacementBottom: _defineProperty({\n transformOrigin: 'center top',\n margin: '24px 0'\n }, theme.breakpoints.up('sm'), {\n margin: '14px 0'\n })\n };\n};\nvar hystersisOpen = false;\nvar hystersisTimer = null;\nexport function testReset() {\n hystersisOpen = false;\n clearTimeout(hystersisTimer);\n}\nvar Tooltip = /*#__PURE__*/React.forwardRef(function Tooltip(props, ref) {\n var _props$arrow = props.arrow,\n arrow = _props$arrow === void 0 ? false : _props$arrow,\n children = props.children,\n classes = props.classes,\n _props$disableFocusLi = props.disableFocusListener,\n disableFocusListener = _props$disableFocusLi === void 0 ? false : _props$disableFocusLi,\n _props$disableHoverLi = props.disableHoverListener,\n disableHoverListener = _props$disableHoverLi === void 0 ? false : _props$disableHoverLi,\n _props$disableTouchLi = props.disableTouchListener,\n disableTouchListener = _props$disableTouchLi === void 0 ? false : _props$disableTouchLi,\n _props$enterDelay = props.enterDelay,\n enterDelay = _props$enterDelay === void 0 ? 100 : _props$enterDelay,\n _props$enterNextDelay = props.enterNextDelay,\n enterNextDelay = _props$enterNextDelay === void 0 ? 0 : _props$enterNextDelay,\n _props$enterTouchDela = props.enterTouchDelay,\n enterTouchDelay = _props$enterTouchDela === void 0 ? 700 : _props$enterTouchDela,\n idProp = props.id,\n _props$interactive = props.interactive,\n interactive = _props$interactive === void 0 ? false : _props$interactive,\n _props$leaveDelay = props.leaveDelay,\n leaveDelay = _props$leaveDelay === void 0 ? 0 : _props$leaveDelay,\n _props$leaveTouchDela = props.leaveTouchDelay,\n leaveTouchDelay = _props$leaveTouchDela === void 0 ? 1500 : _props$leaveTouchDela,\n onClose = props.onClose,\n onOpen = props.onOpen,\n openProp = props.open,\n _props$placement = props.placement,\n placement = _props$placement === void 0 ? 'bottom' : _props$placement,\n _props$PopperComponen = props.PopperComponent,\n PopperComponent = _props$PopperComponen === void 0 ? Popper : _props$PopperComponen,\n PopperProps = props.PopperProps,\n title = props.title,\n _props$TransitionComp = props.TransitionComponent,\n TransitionComponent = _props$TransitionComp === void 0 ? Grow : _props$TransitionComp,\n TransitionProps = props.TransitionProps,\n other = _objectWithoutProperties(props, [\"arrow\", \"children\", \"classes\", \"disableFocusListener\", \"disableHoverListener\", \"disableTouchListener\", \"enterDelay\", \"enterNextDelay\", \"enterTouchDelay\", \"id\", \"interactive\", \"leaveDelay\", \"leaveTouchDelay\", \"onClose\", \"onOpen\", \"open\", \"placement\", \"PopperComponent\", \"PopperProps\", \"title\", \"TransitionComponent\", \"TransitionProps\"]);\n\n var theme = useTheme();\n\n var _React$useState = React.useState(),\n childNode = _React$useState[0],\n setChildNode = _React$useState[1];\n\n var _React$useState2 = React.useState(null),\n arrowRef = _React$useState2[0],\n setArrowRef = _React$useState2[1];\n\n var ignoreNonTouchEvents = React.useRef(false);\n var closeTimer = React.useRef();\n var enterTimer = React.useRef();\n var leaveTimer = React.useRef();\n var touchTimer = React.useRef();\n\n var _useControlled = useControlled({\n controlled: openProp,\n default: false,\n name: 'Tooltip',\n state: 'open'\n }),\n _useControlled2 = _slicedToArray(_useControlled, 2),\n openState = _useControlled2[0],\n setOpenState = _useControlled2[1];\n\n var open = openState;\n\n if (process.env.NODE_ENV !== 'production') {\n // eslint-disable-next-line react-hooks/rules-of-hooks\n var _React$useRef = React.useRef(openProp !== undefined),\n isControlled = _React$useRef.current; // eslint-disable-next-line react-hooks/rules-of-hooks\n\n\n React.useEffect(function () {\n if (childNode && childNode.disabled && !isControlled && title !== '' && childNode.tagName.toLowerCase() === 'button') {\n console.error(['Material-UI: You are providing a disabled `button` child to the Tooltip component.', 'A disabled element does not fire events.', \"Tooltip needs to listen to the child element's events to display the title.\", '', 'Add a simple wrapper element, such as a `span`.'].join('\\n'));\n }\n }, [title, childNode, isControlled]);\n }\n\n var id = useId(idProp);\n React.useEffect(function () {\n return function () {\n clearTimeout(closeTimer.current);\n clearTimeout(enterTimer.current);\n clearTimeout(leaveTimer.current);\n clearTimeout(touchTimer.current);\n };\n }, []);\n\n var handleOpen = function handleOpen(event) {\n clearTimeout(hystersisTimer);\n hystersisOpen = true; // The mouseover event will trigger for every nested element in the tooltip.\n // We can skip rerendering when the tooltip is already open.\n // We are using the mouseover event instead of the mouseenter event to fix a hide/show issue.\n\n setOpenState(true);\n\n if (onOpen) {\n onOpen(event);\n }\n };\n\n var handleEnter = function handleEnter() {\n var forward = arguments.length > 0 && arguments[0] !== undefined ? arguments[0] : true;\n return function (event) {\n var childrenProps = children.props;\n\n if (event.type === 'mouseover' && childrenProps.onMouseOver && forward) {\n childrenProps.onMouseOver(event);\n }\n\n if (ignoreNonTouchEvents.current && event.type !== 'touchstart') {\n return;\n } // Remove the title ahead of time.\n // We don't want to wait for the next render commit.\n // We would risk displaying two tooltips at the same time (native + this one).\n\n\n if (childNode) {\n childNode.removeAttribute('title');\n }\n\n clearTimeout(enterTimer.current);\n clearTimeout(leaveTimer.current);\n\n if (enterDelay || hystersisOpen && enterNextDelay) {\n event.persist();\n enterTimer.current = setTimeout(function () {\n handleOpen(event);\n }, hystersisOpen ? enterNextDelay : enterDelay);\n } else {\n handleOpen(event);\n }\n };\n };\n\n var _useIsFocusVisible = useIsFocusVisible(),\n isFocusVisible = _useIsFocusVisible.isFocusVisible,\n onBlurVisible = _useIsFocusVisible.onBlurVisible,\n focusVisibleRef = _useIsFocusVisible.ref;\n\n var _React$useState3 = React.useState(false),\n childIsFocusVisible = _React$useState3[0],\n setChildIsFocusVisible = _React$useState3[1];\n\n var handleBlur = function handleBlur() {\n if (childIsFocusVisible) {\n setChildIsFocusVisible(false);\n onBlurVisible();\n }\n };\n\n var handleFocus = function handleFocus() {\n var forward = arguments.length > 0 && arguments[0] !== undefined ? arguments[0] : true;\n return function (event) {\n // Workaround for https://github.com/facebook/react/issues/7769\n // The autoFocus of React might trigger the event before the componentDidMount.\n // We need to account for this eventuality.\n if (!childNode) {\n setChildNode(event.currentTarget);\n }\n\n if (isFocusVisible(event)) {\n setChildIsFocusVisible(true);\n handleEnter()(event);\n }\n\n var childrenProps = children.props;\n\n if (childrenProps.onFocus && forward) {\n childrenProps.onFocus(event);\n }\n };\n };\n\n var handleClose = function handleClose(event) {\n clearTimeout(hystersisTimer);\n hystersisTimer = setTimeout(function () {\n hystersisOpen = false;\n }, 800 + leaveDelay);\n setOpenState(false);\n\n if (onClose) {\n onClose(event);\n }\n\n clearTimeout(closeTimer.current);\n closeTimer.current = setTimeout(function () {\n ignoreNonTouchEvents.current = false;\n }, theme.transitions.duration.shortest);\n };\n\n var handleLeave = function handleLeave() {\n var forward = arguments.length > 0 && arguments[0] !== undefined ? arguments[0] : true;\n return function (event) {\n var childrenProps = children.props;\n\n if (event.type === 'blur') {\n if (childrenProps.onBlur && forward) {\n childrenProps.onBlur(event);\n }\n\n handleBlur();\n }\n\n if (event.type === 'mouseleave' && childrenProps.onMouseLeave && event.currentTarget === childNode) {\n childrenProps.onMouseLeave(event);\n }\n\n clearTimeout(enterTimer.current);\n clearTimeout(leaveTimer.current);\n event.persist();\n leaveTimer.current = setTimeout(function () {\n handleClose(event);\n }, leaveDelay);\n };\n };\n\n var detectTouchStart = function detectTouchStart(event) {\n ignoreNonTouchEvents.current = true;\n var childrenProps = children.props;\n\n if (childrenProps.onTouchStart) {\n childrenProps.onTouchStart(event);\n }\n };\n\n var handleTouchStart = function handleTouchStart(event) {\n detectTouchStart(event);\n clearTimeout(leaveTimer.current);\n clearTimeout(closeTimer.current);\n clearTimeout(touchTimer.current);\n event.persist();\n touchTimer.current = setTimeout(function () {\n handleEnter()(event);\n }, enterTouchDelay);\n };\n\n var handleTouchEnd = function handleTouchEnd(event) {\n if (children.props.onTouchEnd) {\n children.props.onTouchEnd(event);\n }\n\n clearTimeout(touchTimer.current);\n clearTimeout(leaveTimer.current);\n event.persist();\n leaveTimer.current = setTimeout(function () {\n handleClose(event);\n }, leaveTouchDelay);\n };\n\n var handleUseRef = useForkRef(setChildNode, ref);\n var handleFocusRef = useForkRef(focusVisibleRef, handleUseRef); // can be removed once we drop support for non ref forwarding class components\n\n var handleOwnRef = React.useCallback(function (instance) {\n // #StrictMode ready\n setRef(handleFocusRef, ReactDOM.findDOMNode(instance));\n }, [handleFocusRef]);\n var handleRef = useForkRef(children.ref, handleOwnRef); // There is no point in displaying an empty tooltip.\n\n if (title === '') {\n open = false;\n } // For accessibility and SEO concerns, we render the title to the DOM node when\n // the tooltip is hidden. However, we have made a tradeoff when\n // `disableHoverListener` is set. This title logic is disabled.\n // It's allowing us to keep the implementation size minimal.\n // We are open to change the tradeoff.\n\n\n var shouldShowNativeTitle = !open && !disableHoverListener;\n\n var childrenProps = _extends({\n 'aria-describedby': open ? id : null,\n title: shouldShowNativeTitle && typeof title === 'string' ? title : null\n }, other, children.props, {\n className: clsx(other.className, children.props.className),\n onTouchStart: detectTouchStart,\n ref: handleRef\n });\n\n var interactiveWrapperListeners = {};\n\n if (!disableTouchListener) {\n childrenProps.onTouchStart = handleTouchStart;\n childrenProps.onTouchEnd = handleTouchEnd;\n }\n\n if (!disableHoverListener) {\n childrenProps.onMouseOver = handleEnter();\n childrenProps.onMouseLeave = handleLeave();\n\n if (interactive) {\n interactiveWrapperListeners.onMouseOver = handleEnter(false);\n interactiveWrapperListeners.onMouseLeave = handleLeave(false);\n }\n }\n\n if (!disableFocusListener) {\n childrenProps.onFocus = handleFocus();\n childrenProps.onBlur = handleLeave();\n\n if (interactive) {\n interactiveWrapperListeners.onFocus = handleFocus(false);\n interactiveWrapperListeners.onBlur = handleLeave(false);\n }\n }\n\n if (process.env.NODE_ENV !== 'production') {\n if (children.props.title) {\n console.error(['Material-UI: You have provided a `title` prop to the child of .', \"Remove this title prop `\".concat(children.props.title, \"` or the Tooltip component.\")].join('\\n'));\n }\n }\n\n var mergedPopperProps = React.useMemo(function () {\n return deepmerge({\n popperOptions: {\n modifiers: {\n arrow: {\n enabled: Boolean(arrowRef),\n element: arrowRef\n }\n }\n }\n }, PopperProps);\n }, [arrowRef, PopperProps]);\n return /*#__PURE__*/React.createElement(React.Fragment, null, /*#__PURE__*/React.cloneElement(children, childrenProps), /*#__PURE__*/React.createElement(PopperComponent, _extends({\n className: clsx(classes.popper, interactive && classes.popperInteractive, arrow && classes.popperArrow),\n placement: placement,\n anchorEl: childNode,\n open: childNode ? open : false,\n id: childrenProps['aria-describedby'],\n transition: true\n }, interactiveWrapperListeners, mergedPopperProps), function (_ref) {\n var placementInner = _ref.placement,\n TransitionPropsInner = _ref.TransitionProps;\n return /*#__PURE__*/React.createElement(TransitionComponent, _extends({\n timeout: theme.transitions.duration.shorter\n }, TransitionPropsInner, TransitionProps), /*#__PURE__*/React.createElement(\"div\", {\n className: clsx(classes.tooltip, classes[\"tooltipPlacement\".concat(capitalize(placementInner.split('-')[0]))], ignoreNonTouchEvents.current && classes.touch, arrow && classes.tooltipArrow)\n }, title, arrow ? /*#__PURE__*/React.createElement(\"span\", {\n className: classes.arrow,\n ref: setArrowRef\n }) : null));\n }));\n});\nprocess.env.NODE_ENV !== \"production\" ? Tooltip.propTypes = {\n // ----------------------------- Warning --------------------------------\n // | These PropTypes are generated from the TypeScript type definitions |\n // | To update them edit the d.ts file and run \"yarn proptypes\" |\n // ----------------------------------------------------------------------\n\n /**\n * If `true`, adds an arrow to the tooltip.\n */\n arrow: PropTypes.bool,\n\n /**\n * Tooltip reference element.\n */\n children: elementAcceptingRef.isRequired,\n\n /**\n * Override or extend the styles applied to the component.\n * See [CSS API](#css) below for more details.\n */\n classes: PropTypes.object,\n\n /**\n * @ignore\n */\n className: PropTypes.string,\n\n /**\n * Do not respond to focus events.\n */\n disableFocusListener: PropTypes.bool,\n\n /**\n * Do not respond to hover events.\n */\n disableHoverListener: PropTypes.bool,\n\n /**\n * Do not respond to long press touch events.\n */\n disableTouchListener: PropTypes.bool,\n\n /**\n * The number of milliseconds to wait before showing the tooltip.\n * This prop won't impact the enter touch delay (`enterTouchDelay`).\n */\n enterDelay: PropTypes.number,\n\n /**\n * The number of milliseconds to wait before showing the tooltip when one was already recently opened.\n */\n enterNextDelay: PropTypes.number,\n\n /**\n * The number of milliseconds a user must touch the element before showing the tooltip.\n */\n enterTouchDelay: PropTypes.number,\n\n /**\n * This prop is used to help implement the accessibility logic.\n * If you don't provide this prop. It falls back to a randomly generated id.\n */\n id: PropTypes.string,\n\n /**\n * Makes a tooltip interactive, i.e. will not close when the user\n * hovers over the tooltip before the `leaveDelay` is expired.\n */\n interactive: PropTypes.bool,\n\n /**\n * The number of milliseconds to wait before hiding the tooltip.\n * This prop won't impact the leave touch delay (`leaveTouchDelay`).\n */\n leaveDelay: PropTypes.number,\n\n /**\n * The number of milliseconds after the user stops touching an element before hiding the tooltip.\n */\n leaveTouchDelay: PropTypes.number,\n\n /**\n * Callback fired when the component requests to be closed.\n *\n * @param {object} event The event source of the callback.\n */\n onClose: PropTypes.func,\n\n /**\n * Callback fired when the component requests to be open.\n *\n * @param {object} event The event source of the callback.\n */\n onOpen: PropTypes.func,\n\n /**\n * If `true`, the tooltip is shown.\n */\n open: PropTypes.bool,\n\n /**\n * Tooltip placement.\n */\n placement: PropTypes.oneOf(['bottom-end', 'bottom-start', 'bottom', 'left-end', 'left-start', 'left', 'right-end', 'right-start', 'right', 'top-end', 'top-start', 'top']),\n\n /**\n * The component used for the popper.\n */\n PopperComponent: PropTypes.elementType,\n\n /**\n * Props applied to the [`Popper`](/api/popper/) element.\n */\n PopperProps: PropTypes.object,\n\n /**\n * Tooltip title. Zero-length titles string are never displayed.\n */\n title: PropTypes\n /* @typescript-to-proptypes-ignore */\n .node.isRequired,\n\n /**\n * The component used for the transition.\n * [Follow this guide](/components/transitions/#transitioncomponent-prop) to learn more about the requirements for this component.\n */\n TransitionComponent: PropTypes.elementType,\n\n /**\n * Props applied to the [`Transition`](http://reactcommunity.org/react-transition-group/transition#Transition-props) element.\n */\n TransitionProps: PropTypes.object\n} : void 0;\nexport default withStyles(styles, {\n name: 'MuiTooltip',\n flip: false\n})(Tooltip);","import _extends from \"@babel/runtime/helpers/esm/extends\";\nimport _objectWithoutProperties from \"@babel/runtime/helpers/esm/objectWithoutProperties\";\nimport * as React from 'react';\n\nfunction defaultTrigger(store, options) {\n var _options$disableHyste = options.disableHysteresis,\n disableHysteresis = _options$disableHyste === void 0 ? false : _options$disableHyste,\n _options$threshold = options.threshold,\n threshold = _options$threshold === void 0 ? 100 : _options$threshold,\n target = options.target;\n var previous = store.current;\n\n if (target) {\n // Get vertical scroll\n store.current = target.pageYOffset !== undefined ? target.pageYOffset : target.scrollTop;\n }\n\n if (!disableHysteresis && previous !== undefined) {\n if (store.current < previous) {\n return false;\n }\n }\n\n return store.current > threshold;\n}\n\nvar defaultTarget = typeof window !== 'undefined' ? window : null;\nexport default function useScrollTrigger() {\n var options = arguments.length > 0 && arguments[0] !== undefined ? arguments[0] : {};\n\n var _options$getTrigger = options.getTrigger,\n getTrigger = _options$getTrigger === void 0 ? defaultTrigger : _options$getTrigger,\n _options$target = options.target,\n target = _options$target === void 0 ? defaultTarget : _options$target,\n other = _objectWithoutProperties(options, [\"getTrigger\", \"target\"]);\n\n var store = React.useRef();\n\n var _React$useState = React.useState(function () {\n return getTrigger(store, other);\n }),\n trigger = _React$useState[0],\n setTrigger = _React$useState[1];\n\n React.useEffect(function () {\n var handleScroll = function handleScroll() {\n setTrigger(getTrigger(store, _extends({\n target: target\n }, other)));\n };\n\n handleScroll(); // Re-evaluate trigger when dependencies change\n\n target.addEventListener('scroll', handleScroll);\n return function () {\n target.removeEventListener('scroll', handleScroll);\n }; // See Option 3. https://github.com/facebook/react/issues/14476#issuecomment-471199055\n // eslint-disable-next-line react-hooks/exhaustive-deps\n }, [target, getTrigger, JSON.stringify(other)]);\n return trigger;\n}","import _extends from \"@babel/runtime/helpers/esm/extends\";\nimport * as React from 'react';\nimport PropTypes from 'prop-types';\nimport withWidth, { isWidthDown } from '../withWidth';\nvar warnedOnce = false;\n/**\n * Dialog will responsively be full screen *at or below* the given breakpoint\n * (defaults to 'sm' for mobile devices).\n * Notice that this Higher-order Component is incompatible with server-side rendering.\n */\n\nvar withMobileDialog = function withMobileDialog() {\n var options = arguments.length > 0 && arguments[0] !== undefined ? arguments[0] : {};\n return function (Component) {\n if (process.env.NODE_ENV !== 'production') {\n if (!warnedOnce) {\n console.warn(['Material-UI: The `withMobileDialog` function is deprecated.', 'Head to https://mui.com/r/migration-v4/#dialog for a migration path.'].join('\\n'));\n warnedOnce = true;\n }\n }\n\n var _options$breakpoint = options.breakpoint,\n breakpoint = _options$breakpoint === void 0 ? 'sm' : _options$breakpoint;\n\n function WithMobileDialog(props) {\n return /*#__PURE__*/React.createElement(Component, _extends({\n fullScreen: isWidthDown(breakpoint, props.width)\n }, props));\n }\n\n process.env.NODE_ENV !== \"production\" ? WithMobileDialog.propTypes = {\n width: PropTypes.oneOf(['xs', 'sm', 'md', 'lg', 'xl']).isRequired\n } : void 0;\n return withWidth()(WithMobileDialog);\n };\n};\n\nexport default withMobileDialog;","import _extends from \"@babel/runtime/helpers/esm/extends\";\nimport _slicedToArray from \"@babel/runtime/helpers/esm/slicedToArray\";\nimport _objectWithoutProperties from \"@babel/runtime/helpers/esm/objectWithoutProperties\";\nimport * as React from 'react';\nimport PropTypes from 'prop-types';\nimport { Transition } from 'react-transition-group';\nimport { duration } from '../styles/transitions';\nimport useTheme from '../styles/useTheme';\nimport { reflow, getTransitionProps } from '../transitions/utils';\nimport useForkRef from '../utils/useForkRef';\nvar styles = {\n entering: {\n transform: 'none'\n },\n entered: {\n transform: 'none'\n }\n};\nvar defaultTimeout = {\n enter: duration.enteringScreen,\n exit: duration.leavingScreen\n};\n/**\n * The Zoom transition can be used for the floating variant of the\n * [Button](/components/buttons/#floating-action-buttons) component.\n * It uses [react-transition-group](https://github.com/reactjs/react-transition-group) internally.\n */\n\nvar Zoom = /*#__PURE__*/React.forwardRef(function Zoom(props, ref) {\n var children = props.children,\n _props$disableStrictM = props.disableStrictModeCompat,\n disableStrictModeCompat = _props$disableStrictM === void 0 ? false : _props$disableStrictM,\n inProp = props.in,\n onEnter = props.onEnter,\n onEntered = props.onEntered,\n onEntering = props.onEntering,\n onExit = props.onExit,\n onExited = props.onExited,\n onExiting = props.onExiting,\n style = props.style,\n _props$timeout = props.timeout,\n timeout = _props$timeout === void 0 ? defaultTimeout : _props$timeout,\n _props$TransitionComp = props.TransitionComponent,\n TransitionComponent = _props$TransitionComp === void 0 ? Transition : _props$TransitionComp,\n other = _objectWithoutProperties(props, [\"children\", \"disableStrictModeCompat\", \"in\", \"onEnter\", \"onEntered\", \"onEntering\", \"onExit\", \"onExited\", \"onExiting\", \"style\", \"timeout\", \"TransitionComponent\"]);\n\n var theme = useTheme();\n var enableStrictModeCompat = theme.unstable_strictMode && !disableStrictModeCompat;\n var nodeRef = React.useRef(null);\n var foreignRef = useForkRef(children.ref, ref);\n var handleRef = useForkRef(enableStrictModeCompat ? nodeRef : undefined, foreignRef);\n\n var normalizedTransitionCallback = function normalizedTransitionCallback(callback) {\n return function (nodeOrAppearing, maybeAppearing) {\n if (callback) {\n var _ref = enableStrictModeCompat ? [nodeRef.current, nodeOrAppearing] : [nodeOrAppearing, maybeAppearing],\n _ref2 = _slicedToArray(_ref, 2),\n node = _ref2[0],\n isAppearing = _ref2[1]; // onEnterXxx and onExitXxx callbacks have a different arguments.length value.\n\n\n if (isAppearing === undefined) {\n callback(node);\n } else {\n callback(node, isAppearing);\n }\n }\n };\n };\n\n var handleEntering = normalizedTransitionCallback(onEntering);\n var handleEnter = normalizedTransitionCallback(function (node, isAppearing) {\n reflow(node); // So the animation always start from the start.\n\n var transitionProps = getTransitionProps({\n style: style,\n timeout: timeout\n }, {\n mode: 'enter'\n });\n node.style.webkitTransition = theme.transitions.create('transform', transitionProps);\n node.style.transition = theme.transitions.create('transform', transitionProps);\n\n if (onEnter) {\n onEnter(node, isAppearing);\n }\n });\n var handleEntered = normalizedTransitionCallback(onEntered);\n var handleExiting = normalizedTransitionCallback(onExiting);\n var handleExit = normalizedTransitionCallback(function (node) {\n var transitionProps = getTransitionProps({\n style: style,\n timeout: timeout\n }, {\n mode: 'exit'\n });\n node.style.webkitTransition = theme.transitions.create('transform', transitionProps);\n node.style.transition = theme.transitions.create('transform', transitionProps);\n\n if (onExit) {\n onExit(node);\n }\n });\n var handleExited = normalizedTransitionCallback(onExited);\n return /*#__PURE__*/React.createElement(TransitionComponent, _extends({\n appear: true,\n in: inProp,\n nodeRef: enableStrictModeCompat ? nodeRef : undefined,\n onEnter: handleEnter,\n onEntered: handleEntered,\n onEntering: handleEntering,\n onExit: handleExit,\n onExited: handleExited,\n onExiting: handleExiting,\n timeout: timeout\n }, other), function (state, childProps) {\n return /*#__PURE__*/React.cloneElement(children, _extends({\n style: _extends({\n transform: 'scale(0)',\n visibility: state === 'exited' && !inProp ? 'hidden' : undefined\n }, styles[state], style, children.props.style),\n ref: handleRef\n }, childProps));\n });\n});\nprocess.env.NODE_ENV !== \"production\" ? Zoom.propTypes = {\n // ----------------------------- Warning --------------------------------\n // | These PropTypes are generated from the TypeScript type definitions |\n // | To update them edit the d.ts file and run \"yarn proptypes\" |\n // ----------------------------------------------------------------------\n\n /**\n * A single child content element.\n */\n children: PropTypes.element,\n\n /**\n * Enable this prop if you encounter 'Function components cannot be given refs',\n * use `unstable_createStrictModeTheme`,\n * and can't forward the ref in the child component.\n */\n disableStrictModeCompat: PropTypes.bool,\n\n /**\n * If `true`, the component will transition in.\n */\n in: PropTypes.bool,\n\n /**\n * @ignore\n */\n onEnter: PropTypes.func,\n\n /**\n * @ignore\n */\n onEntered: PropTypes.func,\n\n /**\n * @ignore\n */\n onEntering: PropTypes.func,\n\n /**\n * @ignore\n */\n onExit: PropTypes.func,\n\n /**\n * @ignore\n */\n onExited: PropTypes.func,\n\n /**\n * @ignore\n */\n onExiting: PropTypes.func,\n\n /**\n * @ignore\n */\n style: PropTypes.object,\n\n /**\n * The duration for the transition, in milliseconds.\n * You may specify a single timeout for all transitions, or individually with an object.\n */\n timeout: PropTypes.oneOfType([PropTypes.number, PropTypes.shape({\n appear: PropTypes.number,\n enter: PropTypes.number,\n exit: PropTypes.number\n })])\n} : void 0;\nexport default Zoom;","import { formatMuiErrorMessage as _formatMuiErrorMessage } from \"@material-ui/utils\";\n\n/* eslint-disable no-use-before-define */\n\n/**\n * Returns a number whose value is limited to the given range.\n *\n * @param {number} value The value to be clamped\n * @param {number} min The lower boundary of the output range\n * @param {number} max The upper boundary of the output range\n * @returns {number} A number in the range [min, max]\n */\nfunction clamp(value) {\n var min = arguments.length > 1 && arguments[1] !== undefined ? arguments[1] : 0;\n var max = arguments.length > 2 && arguments[2] !== undefined ? arguments[2] : 1;\n\n if (process.env.NODE_ENV !== 'production') {\n if (value < min || value > max) {\n console.error(\"Material-UI: The value provided \".concat(value, \" is out of range [\").concat(min, \", \").concat(max, \"].\"));\n }\n }\n\n return Math.min(Math.max(min, value), max);\n}\n/**\n * Converts a color from CSS hex format to CSS rgb format.\n *\n * @param {string} color - Hex color, i.e. #nnn or #nnnnnn\n * @returns {string} A CSS rgb color string\n */\n\n\nexport function hexToRgb(color) {\n color = color.substr(1);\n var re = new RegExp(\".{1,\".concat(color.length >= 6 ? 2 : 1, \"}\"), 'g');\n var colors = color.match(re);\n\n if (colors && colors[0].length === 1) {\n colors = colors.map(function (n) {\n return n + n;\n });\n }\n\n return colors ? \"rgb\".concat(colors.length === 4 ? 'a' : '', \"(\").concat(colors.map(function (n, index) {\n return index < 3 ? parseInt(n, 16) : Math.round(parseInt(n, 16) / 255 * 1000) / 1000;\n }).join(', '), \")\") : '';\n}\n\nfunction intToHex(int) {\n var hex = int.toString(16);\n return hex.length === 1 ? \"0\".concat(hex) : hex;\n}\n/**\n * Converts a color from CSS rgb format to CSS hex format.\n *\n * @param {string} color - RGB color, i.e. rgb(n, n, n)\n * @returns {string} A CSS rgb color string, i.e. #nnnnnn\n */\n\n\nexport function rgbToHex(color) {\n // Idempotent\n if (color.indexOf('#') === 0) {\n return color;\n }\n\n var _decomposeColor = decomposeColor(color),\n values = _decomposeColor.values;\n\n return \"#\".concat(values.map(function (n) {\n return intToHex(n);\n }).join(''));\n}\n/**\n * Converts a color from hsl format to rgb format.\n *\n * @param {string} color - HSL color values\n * @returns {string} rgb color values\n */\n\nexport function hslToRgb(color) {\n color = decomposeColor(color);\n var _color = color,\n values = _color.values;\n var h = values[0];\n var s = values[1] / 100;\n var l = values[2] / 100;\n var a = s * Math.min(l, 1 - l);\n\n var f = function f(n) {\n var k = arguments.length > 1 && arguments[1] !== undefined ? arguments[1] : (n + h / 30) % 12;\n return l - a * Math.max(Math.min(k - 3, 9 - k, 1), -1);\n };\n\n var type = 'rgb';\n var rgb = [Math.round(f(0) * 255), Math.round(f(8) * 255), Math.round(f(4) * 255)];\n\n if (color.type === 'hsla') {\n type += 'a';\n rgb.push(values[3]);\n }\n\n return recomposeColor({\n type: type,\n values: rgb\n });\n}\n/**\n * Returns an object with the type and values of a color.\n *\n * Note: Does not support rgb % values.\n *\n * @param {string} color - CSS color, i.e. one of: #nnn, #nnnnnn, rgb(), rgba(), hsl(), hsla()\n * @returns {object} - A MUI color object: {type: string, values: number[]}\n */\n\nexport function decomposeColor(color) {\n // Idempotent\n if (color.type) {\n return color;\n }\n\n if (color.charAt(0) === '#') {\n return decomposeColor(hexToRgb(color));\n }\n\n var marker = color.indexOf('(');\n var type = color.substring(0, marker);\n\n if (['rgb', 'rgba', 'hsl', 'hsla'].indexOf(type) === -1) {\n throw new Error(process.env.NODE_ENV !== \"production\" ? \"Material-UI: Unsupported `\".concat(color, \"` color.\\nWe support the following formats: #nnn, #nnnnnn, rgb(), rgba(), hsl(), hsla().\") : _formatMuiErrorMessage(3, color));\n }\n\n var values = color.substring(marker + 1, color.length - 1).split(',');\n values = values.map(function (value) {\n return parseFloat(value);\n });\n return {\n type: type,\n values: values\n };\n}\n/**\n * Converts a color object with type and values to a string.\n *\n * @param {object} color - Decomposed color\n * @param {string} color.type - One of: 'rgb', 'rgba', 'hsl', 'hsla'\n * @param {array} color.values - [n,n,n] or [n,n,n,n]\n * @returns {string} A CSS color string\n */\n\nexport function recomposeColor(color) {\n var type = color.type;\n var values = color.values;\n\n if (type.indexOf('rgb') !== -1) {\n // Only convert the first 3 values to int (i.e. not alpha)\n values = values.map(function (n, i) {\n return i < 3 ? parseInt(n, 10) : n;\n });\n } else if (type.indexOf('hsl') !== -1) {\n values[1] = \"\".concat(values[1], \"%\");\n values[2] = \"\".concat(values[2], \"%\");\n }\n\n return \"\".concat(type, \"(\").concat(values.join(', '), \")\");\n}\n/**\n * Calculates the contrast ratio between two colors.\n *\n * Formula: https://www.w3.org/TR/WCAG20-TECHS/G17.html#G17-tests\n *\n * @param {string} foreground - CSS color, i.e. one of: #nnn, #nnnnnn, rgb(), rgba(), hsl(), hsla()\n * @param {string} background - CSS color, i.e. one of: #nnn, #nnnnnn, rgb(), rgba(), hsl(), hsla()\n * @returns {number} A contrast ratio value in the range 0 - 21.\n */\n\nexport function getContrastRatio(foreground, background) {\n var lumA = getLuminance(foreground);\n var lumB = getLuminance(background);\n return (Math.max(lumA, lumB) + 0.05) / (Math.min(lumA, lumB) + 0.05);\n}\n/**\n * The relative brightness of any point in a color space,\n * normalized to 0 for darkest black and 1 for lightest white.\n *\n * Formula: https://www.w3.org/TR/WCAG20-TECHS/G17.html#G17-tests\n *\n * @param {string} color - CSS color, i.e. one of: #nnn, #nnnnnn, rgb(), rgba(), hsl(), hsla()\n * @returns {number} The relative brightness of the color in the range 0 - 1\n */\n\nexport function getLuminance(color) {\n color = decomposeColor(color);\n var rgb = color.type === 'hsl' ? decomposeColor(hslToRgb(color)).values : color.values;\n rgb = rgb.map(function (val) {\n val /= 255; // normalized\n\n return val <= 0.03928 ? val / 12.92 : Math.pow((val + 0.055) / 1.055, 2.4);\n }); // Truncate at 3 digits\n\n return Number((0.2126 * rgb[0] + 0.7152 * rgb[1] + 0.0722 * rgb[2]).toFixed(3));\n}\n/**\n * Darken or lighten a color, depending on its luminance.\n * Light colors are darkened, dark colors are lightened.\n *\n * @param {string} color - CSS color, i.e. one of: #nnn, #nnnnnn, rgb(), rgba(), hsl(), hsla()\n * @param {number} coefficient=0.15 - multiplier in the range 0 - 1\n * @returns {string} A CSS color string. Hex input values are returned as rgb\n */\n\nexport function emphasize(color) {\n var coefficient = arguments.length > 1 && arguments[1] !== undefined ? arguments[1] : 0.15;\n return getLuminance(color) > 0.5 ? darken(color, coefficient) : lighten(color, coefficient);\n}\nvar warnedOnce = false;\n/**\n * Set the absolute transparency of a color.\n * Any existing alpha values are overwritten.\n *\n * @param {string} color - CSS color, i.e. one of: #nnn, #nnnnnn, rgb(), rgba(), hsl(), hsla()\n * @param {number} value - value to set the alpha channel to in the range 0 -1\n * @returns {string} A CSS color string. Hex input values are returned as rgb\n *\n * @deprecated\n * Use `import { alpha } from '@material-ui/core/styles'` instead.\n */\n\nexport function fade(color, value) {\n if (process.env.NODE_ENV !== 'production') {\n if (!warnedOnce) {\n warnedOnce = true;\n console.error(['Material-UI: The `fade` color utility was renamed to `alpha` to better describe its functionality.', '', \"You should use `import { alpha } from '@material-ui/core/styles'`\"].join('\\n'));\n }\n }\n\n return alpha(color, value);\n}\n/**\n * Set the absolute transparency of a color.\n * Any existing alpha value is overwritten.\n *\n * @param {string} color - CSS color, i.e. one of: #nnn, #nnnnnn, rgb(), rgba(), hsl(), hsla()\n * @param {number} value - value to set the alpha channel to in the range 0-1\n * @returns {string} A CSS color string. Hex input values are returned as rgb\n */\n\nexport function alpha(color, value) {\n color = decomposeColor(color);\n value = clamp(value);\n\n if (color.type === 'rgb' || color.type === 'hsl') {\n color.type += 'a';\n }\n\n color.values[3] = value;\n return recomposeColor(color);\n}\n/**\n * Darkens a color.\n *\n * @param {string} color - CSS color, i.e. one of: #nnn, #nnnnnn, rgb(), rgba(), hsl(), hsla()\n * @param {number} coefficient - multiplier in the range 0 - 1\n * @returns {string} A CSS color string. Hex input values are returned as rgb\n */\n\nexport function darken(color, coefficient) {\n color = decomposeColor(color);\n coefficient = clamp(coefficient);\n\n if (color.type.indexOf('hsl') !== -1) {\n color.values[2] *= 1 - coefficient;\n } else if (color.type.indexOf('rgb') !== -1) {\n for (var i = 0; i < 3; i += 1) {\n color.values[i] *= 1 - coefficient;\n }\n }\n\n return recomposeColor(color);\n}\n/**\n * Lightens a color.\n *\n * @param {string} color - CSS color, i.e. one of: #nnn, #nnnnnn, rgb(), rgba(), hsl(), hsla()\n * @param {number} coefficient - multiplier in the range 0 - 1\n * @returns {string} A CSS color string. Hex input values are returned as rgb\n */\n\nexport function lighten(color, coefficient) {\n color = decomposeColor(color);\n coefficient = clamp(coefficient);\n\n if (color.type.indexOf('hsl') !== -1) {\n color.values[2] += (100 - color.values[2]) * coefficient;\n } else if (color.type.indexOf('rgb') !== -1) {\n for (var i = 0; i < 3; i += 1) {\n color.values[i] += (255 - color.values[i]) * coefficient;\n }\n }\n\n return recomposeColor(color);\n}","import _extends from \"@babel/runtime/helpers/esm/extends\";\nimport _objectWithoutProperties from \"@babel/runtime/helpers/esm/objectWithoutProperties\";\n// Sorted ASC by size. That's important.\n// It can't be configured as it's used statically for propTypes.\nexport var keys = ['xs', 'sm', 'md', 'lg', 'xl']; // Keep in mind that @media is inclusive by the CSS specification.\n\nexport default function createBreakpoints(breakpoints) {\n var _breakpoints$values = breakpoints.values,\n values = _breakpoints$values === void 0 ? {\n xs: 0,\n sm: 600,\n md: 960,\n lg: 1280,\n xl: 1920\n } : _breakpoints$values,\n _breakpoints$unit = breakpoints.unit,\n unit = _breakpoints$unit === void 0 ? 'px' : _breakpoints$unit,\n _breakpoints$step = breakpoints.step,\n step = _breakpoints$step === void 0 ? 5 : _breakpoints$step,\n other = _objectWithoutProperties(breakpoints, [\"values\", \"unit\", \"step\"]);\n\n function up(key) {\n var value = typeof values[key] === 'number' ? values[key] : key;\n return \"@media (min-width:\".concat(value).concat(unit, \")\");\n }\n\n function down(key) {\n var endIndex = keys.indexOf(key) + 1;\n var upperbound = values[keys[endIndex]];\n\n if (endIndex === keys.length) {\n // xl down applies to all sizes\n return up('xs');\n }\n\n var value = typeof upperbound === 'number' && endIndex > 0 ? upperbound : key;\n return \"@media (max-width:\".concat(value - step / 100).concat(unit, \")\");\n }\n\n function between(start, end) {\n var endIndex = keys.indexOf(end);\n\n if (endIndex === keys.length - 1) {\n return up(start);\n }\n\n return \"@media (min-width:\".concat(typeof values[start] === 'number' ? values[start] : start).concat(unit, \") and \") + \"(max-width:\".concat((endIndex !== -1 && typeof values[keys[endIndex + 1]] === 'number' ? values[keys[endIndex + 1]] : end) - step / 100).concat(unit, \")\");\n }\n\n function only(key) {\n return between(key, key);\n }\n\n var warnedOnce = false;\n\n function width(key) {\n if (process.env.NODE_ENV !== 'production') {\n if (!warnedOnce) {\n warnedOnce = true;\n console.warn([\"Material-UI: The `theme.breakpoints.width` utility is deprecated because it's redundant.\", 'Use the `theme.breakpoints.values` instead.'].join('\\n'));\n }\n }\n\n return values[key];\n }\n\n return _extends({\n keys: keys,\n values: values,\n up: up,\n down: down,\n between: between,\n only: only,\n width: width\n }, other);\n}","import _defineProperty from \"@babel/runtime/helpers/esm/defineProperty\";\nimport _extends from \"@babel/runtime/helpers/esm/extends\";\nexport default function createMixins(breakpoints, spacing, mixins) {\n var _toolbar;\n\n return _extends({\n gutters: function gutters() {\n var styles = arguments.length > 0 && arguments[0] !== undefined ? arguments[0] : {};\n console.warn(['Material-UI: theme.mixins.gutters() is deprecated.', 'You can use the source of the mixin directly:', \"\\n paddingLeft: theme.spacing(2),\\n paddingRight: theme.spacing(2),\\n [theme.breakpoints.up('sm')]: {\\n paddingLeft: theme.spacing(3),\\n paddingRight: theme.spacing(3),\\n },\\n \"].join('\\n'));\n return _extends({\n paddingLeft: spacing(2),\n paddingRight: spacing(2)\n }, styles, _defineProperty({}, breakpoints.up('sm'), _extends({\n paddingLeft: spacing(3),\n paddingRight: spacing(3)\n }, styles[breakpoints.up('sm')])));\n },\n toolbar: (_toolbar = {\n minHeight: 56\n }, _defineProperty(_toolbar, \"\".concat(breakpoints.up('xs'), \" and (orientation: landscape)\"), {\n minHeight: 48\n }), _defineProperty(_toolbar, breakpoints.up('sm'), {\n minHeight: 64\n }), _toolbar)\n }, mixins);\n}","import _extends from \"@babel/runtime/helpers/esm/extends\";\nimport _objectWithoutProperties from \"@babel/runtime/helpers/esm/objectWithoutProperties\";\nimport { formatMuiErrorMessage as _formatMuiErrorMessage } from \"@material-ui/utils\";\nimport { deepmerge } from '@material-ui/utils';\nimport common from '../colors/common';\nimport grey from '../colors/grey';\nimport indigo from '../colors/indigo';\nimport pink from '../colors/pink';\nimport red from '../colors/red';\nimport orange from '../colors/orange';\nimport blue from '../colors/blue';\nimport green from '../colors/green';\nimport { darken, getContrastRatio, lighten } from './colorManipulator';\nexport var light = {\n // The colors used to style the text.\n text: {\n // The most important text.\n primary: 'rgba(0, 0, 0, 0.87)',\n // Secondary text.\n secondary: 'rgba(0, 0, 0, 0.54)',\n // Disabled text have even lower visual prominence.\n disabled: 'rgba(0, 0, 0, 0.38)',\n // Text hints.\n hint: 'rgba(0, 0, 0, 0.38)'\n },\n // The color used to divide different elements.\n divider: 'rgba(0, 0, 0, 0.12)',\n // The background colors used to style the surfaces.\n // Consistency between these values is important.\n background: {\n paper: common.white,\n default: grey[50]\n },\n // The colors used to style the action elements.\n action: {\n // The color of an active action like an icon button.\n active: 'rgba(0, 0, 0, 0.54)',\n // The color of an hovered action.\n hover: 'rgba(0, 0, 0, 0.04)',\n hoverOpacity: 0.04,\n // The color of a selected action.\n selected: 'rgba(0, 0, 0, 0.08)',\n selectedOpacity: 0.08,\n // The color of a disabled action.\n disabled: 'rgba(0, 0, 0, 0.26)',\n // The background color of a disabled action.\n disabledBackground: 'rgba(0, 0, 0, 0.12)',\n disabledOpacity: 0.38,\n focus: 'rgba(0, 0, 0, 0.12)',\n focusOpacity: 0.12,\n activatedOpacity: 0.12\n }\n};\nexport var dark = {\n text: {\n primary: common.white,\n secondary: 'rgba(255, 255, 255, 0.7)',\n disabled: 'rgba(255, 255, 255, 0.5)',\n hint: 'rgba(255, 255, 255, 0.5)',\n icon: 'rgba(255, 255, 255, 0.5)'\n },\n divider: 'rgba(255, 255, 255, 0.12)',\n background: {\n paper: grey[800],\n default: '#303030'\n },\n action: {\n active: common.white,\n hover: 'rgba(255, 255, 255, 0.08)',\n hoverOpacity: 0.08,\n selected: 'rgba(255, 255, 255, 0.16)',\n selectedOpacity: 0.16,\n disabled: 'rgba(255, 255, 255, 0.3)',\n disabledBackground: 'rgba(255, 255, 255, 0.12)',\n disabledOpacity: 0.38,\n focus: 'rgba(255, 255, 255, 0.12)',\n focusOpacity: 0.12,\n activatedOpacity: 0.24\n }\n};\n\nfunction addLightOrDark(intent, direction, shade, tonalOffset) {\n var tonalOffsetLight = tonalOffset.light || tonalOffset;\n var tonalOffsetDark = tonalOffset.dark || tonalOffset * 1.5;\n\n if (!intent[direction]) {\n if (intent.hasOwnProperty(shade)) {\n intent[direction] = intent[shade];\n } else if (direction === 'light') {\n intent.light = lighten(intent.main, tonalOffsetLight);\n } else if (direction === 'dark') {\n intent.dark = darken(intent.main, tonalOffsetDark);\n }\n }\n}\n\nexport default function createPalette(palette) {\n var _palette$primary = palette.primary,\n primary = _palette$primary === void 0 ? {\n light: indigo[300],\n main: indigo[500],\n dark: indigo[700]\n } : _palette$primary,\n _palette$secondary = palette.secondary,\n secondary = _palette$secondary === void 0 ? {\n light: pink.A200,\n main: pink.A400,\n dark: pink.A700\n } : _palette$secondary,\n _palette$error = palette.error,\n error = _palette$error === void 0 ? {\n light: red[300],\n main: red[500],\n dark: red[700]\n } : _palette$error,\n _palette$warning = palette.warning,\n warning = _palette$warning === void 0 ? {\n light: orange[300],\n main: orange[500],\n dark: orange[700]\n } : _palette$warning,\n _palette$info = palette.info,\n info = _palette$info === void 0 ? {\n light: blue[300],\n main: blue[500],\n dark: blue[700]\n } : _palette$info,\n _palette$success = palette.success,\n success = _palette$success === void 0 ? {\n light: green[300],\n main: green[500],\n dark: green[700]\n } : _palette$success,\n _palette$type = palette.type,\n type = _palette$type === void 0 ? 'light' : _palette$type,\n _palette$contrastThre = palette.contrastThreshold,\n contrastThreshold = _palette$contrastThre === void 0 ? 3 : _palette$contrastThre,\n _palette$tonalOffset = palette.tonalOffset,\n tonalOffset = _palette$tonalOffset === void 0 ? 0.2 : _palette$tonalOffset,\n other = _objectWithoutProperties(palette, [\"primary\", \"secondary\", \"error\", \"warning\", \"info\", \"success\", \"type\", \"contrastThreshold\", \"tonalOffset\"]); // Use the same logic as\n // Bootstrap: https://github.com/twbs/bootstrap/blob/1d6e3710dd447de1a200f29e8fa521f8a0908f70/scss/_functions.scss#L59\n // and material-components-web https://github.com/material-components/material-components-web/blob/ac46b8863c4dab9fc22c4c662dc6bd1b65dd652f/packages/mdc-theme/_functions.scss#L54\n\n\n function getContrastText(background) {\n var contrastText = getContrastRatio(background, dark.text.primary) >= contrastThreshold ? dark.text.primary : light.text.primary;\n\n if (process.env.NODE_ENV !== 'production') {\n var contrast = getContrastRatio(background, contrastText);\n\n if (contrast < 3) {\n console.error([\"Material-UI: The contrast ratio of \".concat(contrast, \":1 for \").concat(contrastText, \" on \").concat(background), 'falls below the WCAG recommended absolute minimum contrast ratio of 3:1.', 'https://www.w3.org/TR/2008/REC-WCAG20-20081211/#visual-audio-contrast-contrast'].join('\\n'));\n }\n }\n\n return contrastText;\n }\n\n var augmentColor = function augmentColor(color) {\n var mainShade = arguments.length > 1 && arguments[1] !== undefined ? arguments[1] : 500;\n var lightShade = arguments.length > 2 && arguments[2] !== undefined ? arguments[2] : 300;\n var darkShade = arguments.length > 3 && arguments[3] !== undefined ? arguments[3] : 700;\n color = _extends({}, color);\n\n if (!color.main && color[mainShade]) {\n color.main = color[mainShade];\n }\n\n if (!color.main) {\n throw new Error(process.env.NODE_ENV !== \"production\" ? \"Material-UI: The color provided to augmentColor(color) is invalid.\\nThe color object needs to have a `main` property or a `\".concat(mainShade, \"` property.\") : _formatMuiErrorMessage(4, mainShade));\n }\n\n if (typeof color.main !== 'string') {\n throw new Error(process.env.NODE_ENV !== \"production\" ? \"Material-UI: The color provided to augmentColor(color) is invalid.\\n`color.main` should be a string, but `\".concat(JSON.stringify(color.main), \"` was provided instead.\\n\\nDid you intend to use one of the following approaches?\\n\\nimport {\\xA0green } from \\\"@material-ui/core/colors\\\";\\n\\nconst theme1 = createTheme({ palette: {\\n primary: green,\\n} });\\n\\nconst theme2 = createTheme({ palette: {\\n primary: { main: green[500] },\\n} });\") : _formatMuiErrorMessage(5, JSON.stringify(color.main)));\n }\n\n addLightOrDark(color, 'light', lightShade, tonalOffset);\n addLightOrDark(color, 'dark', darkShade, tonalOffset);\n\n if (!color.contrastText) {\n color.contrastText = getContrastText(color.main);\n }\n\n return color;\n };\n\n var types = {\n dark: dark,\n light: light\n };\n\n if (process.env.NODE_ENV !== 'production') {\n if (!types[type]) {\n console.error(\"Material-UI: The palette type `\".concat(type, \"` is not supported.\"));\n }\n }\n\n var paletteOutput = deepmerge(_extends({\n // A collection of common colors.\n common: common,\n // The palette type, can be light or dark.\n type: type,\n // The colors used to represent primary interface elements for a user.\n primary: augmentColor(primary),\n // The colors used to represent secondary interface elements for a user.\n secondary: augmentColor(secondary, 'A400', 'A200', 'A700'),\n // The colors used to represent interface elements that the user should be made aware of.\n error: augmentColor(error),\n // The colors used to represent potentially dangerous actions or important messages.\n warning: augmentColor(warning),\n // The colors used to present information to the user that is neutral and not necessarily important.\n info: augmentColor(info),\n // The colors used to indicate the successful completion of an action that user triggered.\n success: augmentColor(success),\n // The grey colors.\n grey: grey,\n // Used by `getContrastText()` to maximize the contrast between\n // the background and the text.\n contrastThreshold: contrastThreshold,\n // Takes a background color and returns the text color that maximizes the contrast.\n getContrastText: getContrastText,\n // Generate a rich color object.\n augmentColor: augmentColor,\n // Used by the functions below to shift a color's luminance by approximately\n // two indexes within its tonal palette.\n // E.g., shift from Red 500 to Red 300 or Red 700.\n tonalOffset: tonalOffset\n }, types[type]), other);\n return paletteOutput;\n}","import _extends from \"@babel/runtime/helpers/esm/extends\";\nimport _objectWithoutProperties from \"@babel/runtime/helpers/esm/objectWithoutProperties\";\nimport { deepmerge } from '@material-ui/utils';\n\nfunction round(value) {\n return Math.round(value * 1e5) / 1e5;\n}\n\nvar warnedOnce = false;\n\nfunction roundWithDeprecationWarning(value) {\n if (process.env.NODE_ENV !== 'production') {\n if (!warnedOnce) {\n console.warn(['Material-UI: The `theme.typography.round` helper is deprecated.', 'Head to https://mui.com/r/migration-v4/#theme for a migration path.'].join('\\n'));\n warnedOnce = true;\n }\n }\n\n return round(value);\n}\n\nvar caseAllCaps = {\n textTransform: 'uppercase'\n};\nvar defaultFontFamily = '\"Roboto\", \"Helvetica\", \"Arial\", sans-serif';\n/**\n * @see @link{https://material.io/design/typography/the-type-system.html}\n * @see @link{https://material.io/design/typography/understanding-typography.html}\n */\n\nexport default function createTypography(palette, typography) {\n var _ref = typeof typography === 'function' ? typography(palette) : typography,\n _ref$fontFamily = _ref.fontFamily,\n fontFamily = _ref$fontFamily === void 0 ? defaultFontFamily : _ref$fontFamily,\n _ref$fontSize = _ref.fontSize,\n fontSize = _ref$fontSize === void 0 ? 14 : _ref$fontSize,\n _ref$fontWeightLight = _ref.fontWeightLight,\n fontWeightLight = _ref$fontWeightLight === void 0 ? 300 : _ref$fontWeightLight,\n _ref$fontWeightRegula = _ref.fontWeightRegular,\n fontWeightRegular = _ref$fontWeightRegula === void 0 ? 400 : _ref$fontWeightRegula,\n _ref$fontWeightMedium = _ref.fontWeightMedium,\n fontWeightMedium = _ref$fontWeightMedium === void 0 ? 500 : _ref$fontWeightMedium,\n _ref$fontWeightBold = _ref.fontWeightBold,\n fontWeightBold = _ref$fontWeightBold === void 0 ? 700 : _ref$fontWeightBold,\n _ref$htmlFontSize = _ref.htmlFontSize,\n htmlFontSize = _ref$htmlFontSize === void 0 ? 16 : _ref$htmlFontSize,\n allVariants = _ref.allVariants,\n pxToRem2 = _ref.pxToRem,\n other = _objectWithoutProperties(_ref, [\"fontFamily\", \"fontSize\", \"fontWeightLight\", \"fontWeightRegular\", \"fontWeightMedium\", \"fontWeightBold\", \"htmlFontSize\", \"allVariants\", \"pxToRem\"]);\n\n if (process.env.NODE_ENV !== 'production') {\n if (typeof fontSize !== 'number') {\n console.error('Material-UI: `fontSize` is required to be a number.');\n }\n\n if (typeof htmlFontSize !== 'number') {\n console.error('Material-UI: `htmlFontSize` is required to be a number.');\n }\n }\n\n var coef = fontSize / 14;\n\n var pxToRem = pxToRem2 || function (size) {\n return \"\".concat(size / htmlFontSize * coef, \"rem\");\n };\n\n var buildVariant = function buildVariant(fontWeight, size, lineHeight, letterSpacing, casing) {\n return _extends({\n fontFamily: fontFamily,\n fontWeight: fontWeight,\n fontSize: pxToRem(size),\n // Unitless following https://meyerweb.com/eric/thoughts/2006/02/08/unitless-line-heights/\n lineHeight: lineHeight\n }, fontFamily === defaultFontFamily ? {\n letterSpacing: \"\".concat(round(letterSpacing / size), \"em\")\n } : {}, casing, allVariants);\n };\n\n var variants = {\n h1: buildVariant(fontWeightLight, 96, 1.167, -1.5),\n h2: buildVariant(fontWeightLight, 60, 1.2, -0.5),\n h3: buildVariant(fontWeightRegular, 48, 1.167, 0),\n h4: buildVariant(fontWeightRegular, 34, 1.235, 0.25),\n h5: buildVariant(fontWeightRegular, 24, 1.334, 0),\n h6: buildVariant(fontWeightMedium, 20, 1.6, 0.15),\n subtitle1: buildVariant(fontWeightRegular, 16, 1.75, 0.15),\n subtitle2: buildVariant(fontWeightMedium, 14, 1.57, 0.1),\n body1: buildVariant(fontWeightRegular, 16, 1.5, 0.15),\n body2: buildVariant(fontWeightRegular, 14, 1.43, 0.15),\n button: buildVariant(fontWeightMedium, 14, 1.75, 0.4, caseAllCaps),\n caption: buildVariant(fontWeightRegular, 12, 1.66, 0.4),\n overline: buildVariant(fontWeightRegular, 12, 2.66, 1, caseAllCaps)\n };\n return deepmerge(_extends({\n htmlFontSize: htmlFontSize,\n pxToRem: pxToRem,\n round: roundWithDeprecationWarning,\n // TODO v5: remove\n fontFamily: fontFamily,\n fontSize: fontSize,\n fontWeightLight: fontWeightLight,\n fontWeightRegular: fontWeightRegular,\n fontWeightMedium: fontWeightMedium,\n fontWeightBold: fontWeightBold\n }, variants), other, {\n clone: false // No need to clone deep\n\n });\n}","var shadowKeyUmbraOpacity = 0.2;\nvar shadowKeyPenumbraOpacity = 0.14;\nvar shadowAmbientShadowOpacity = 0.12;\n\nfunction createShadow() {\n return [\"\".concat(arguments.length <= 0 ? undefined : arguments[0], \"px \").concat(arguments.length <= 1 ? undefined : arguments[1], \"px \").concat(arguments.length <= 2 ? undefined : arguments[2], \"px \").concat(arguments.length <= 3 ? undefined : arguments[3], \"px rgba(0,0,0,\").concat(shadowKeyUmbraOpacity, \")\"), \"\".concat(arguments.length <= 4 ? undefined : arguments[4], \"px \").concat(arguments.length <= 5 ? undefined : arguments[5], \"px \").concat(arguments.length <= 6 ? undefined : arguments[6], \"px \").concat(arguments.length <= 7 ? undefined : arguments[7], \"px rgba(0,0,0,\").concat(shadowKeyPenumbraOpacity, \")\"), \"\".concat(arguments.length <= 8 ? undefined : arguments[8], \"px \").concat(arguments.length <= 9 ? undefined : arguments[9], \"px \").concat(arguments.length <= 10 ? undefined : arguments[10], \"px \").concat(arguments.length <= 11 ? undefined : arguments[11], \"px rgba(0,0,0,\").concat(shadowAmbientShadowOpacity, \")\")].join(',');\n} // Values from https://github.com/material-components/material-components-web/blob/be8747f94574669cb5e7add1a7c54fa41a89cec7/packages/mdc-elevation/_variables.scss\n\n\nvar shadows = ['none', createShadow(0, 2, 1, -1, 0, 1, 1, 0, 0, 1, 3, 0), createShadow(0, 3, 1, -2, 0, 2, 2, 0, 0, 1, 5, 0), createShadow(0, 3, 3, -2, 0, 3, 4, 0, 0, 1, 8, 0), createShadow(0, 2, 4, -1, 0, 4, 5, 0, 0, 1, 10, 0), createShadow(0, 3, 5, -1, 0, 5, 8, 0, 0, 1, 14, 0), createShadow(0, 3, 5, -1, 0, 6, 10, 0, 0, 1, 18, 0), createShadow(0, 4, 5, -2, 0, 7, 10, 1, 0, 2, 16, 1), createShadow(0, 5, 5, -3, 0, 8, 10, 1, 0, 3, 14, 2), createShadow(0, 5, 6, -3, 0, 9, 12, 1, 0, 3, 16, 2), createShadow(0, 6, 6, -3, 0, 10, 14, 1, 0, 4, 18, 3), createShadow(0, 6, 7, -4, 0, 11, 15, 1, 0, 4, 20, 3), createShadow(0, 7, 8, -4, 0, 12, 17, 2, 0, 5, 22, 4), createShadow(0, 7, 8, -4, 0, 13, 19, 2, 0, 5, 24, 4), createShadow(0, 7, 9, -4, 0, 14, 21, 2, 0, 5, 26, 4), createShadow(0, 8, 9, -5, 0, 15, 22, 2, 0, 6, 28, 5), createShadow(0, 8, 10, -5, 0, 16, 24, 2, 0, 6, 30, 5), createShadow(0, 8, 11, -5, 0, 17, 26, 2, 0, 6, 32, 5), createShadow(0, 9, 11, -5, 0, 18, 28, 2, 0, 7, 34, 6), createShadow(0, 9, 12, -6, 0, 19, 29, 2, 0, 7, 36, 6), createShadow(0, 10, 13, -6, 0, 20, 31, 3, 0, 8, 38, 7), createShadow(0, 10, 13, -6, 0, 21, 33, 3, 0, 8, 40, 7), createShadow(0, 10, 14, -6, 0, 22, 35, 3, 0, 8, 42, 7), createShadow(0, 11, 14, -7, 0, 23, 36, 3, 0, 9, 44, 8), createShadow(0, 11, 15, -7, 0, 24, 38, 3, 0, 9, 46, 8)];\nexport default shadows;","var shape = {\n borderRadius: 4\n};\nexport default shape;","import _defineProperty from \"@babel/runtime/helpers/esm/defineProperty\";\nimport _objectWithoutProperties from \"@babel/runtime/helpers/esm/objectWithoutProperties\";\nimport { deepmerge } from '@material-ui/utils';\nimport createBreakpoints from './createBreakpoints';\nimport createMixins from './createMixins';\nimport createPalette from './createPalette';\nimport createTypography from './createTypography';\nimport shadows from './shadows';\nimport shape from './shape';\nimport createSpacing from './createSpacing';\nimport transitions from './transitions';\nimport zIndex from './zIndex';\n\nfunction createTheme() {\n var options = arguments.length > 0 && arguments[0] !== undefined ? arguments[0] : {};\n\n var _options$breakpoints = options.breakpoints,\n breakpointsInput = _options$breakpoints === void 0 ? {} : _options$breakpoints,\n _options$mixins = options.mixins,\n mixinsInput = _options$mixins === void 0 ? {} : _options$mixins,\n _options$palette = options.palette,\n paletteInput = _options$palette === void 0 ? {} : _options$palette,\n spacingInput = options.spacing,\n _options$typography = options.typography,\n typographyInput = _options$typography === void 0 ? {} : _options$typography,\n other = _objectWithoutProperties(options, [\"breakpoints\", \"mixins\", \"palette\", \"spacing\", \"typography\"]);\n\n var palette = createPalette(paletteInput);\n var breakpoints = createBreakpoints(breakpointsInput);\n var spacing = createSpacing(spacingInput);\n var muiTheme = deepmerge({\n breakpoints: breakpoints,\n direction: 'ltr',\n mixins: createMixins(breakpoints, spacing, mixinsInput),\n overrides: {},\n // Inject custom styles\n palette: palette,\n props: {},\n // Provide default props\n shadows: shadows,\n typography: createTypography(palette, typographyInput),\n spacing: spacing,\n shape: shape,\n transitions: transitions,\n zIndex: zIndex\n }, other);\n\n for (var _len = arguments.length, args = new Array(_len > 1 ? _len - 1 : 0), _key = 1; _key < _len; _key++) {\n args[_key - 1] = arguments[_key];\n }\n\n muiTheme = args.reduce(function (acc, argument) {\n return deepmerge(acc, argument);\n }, muiTheme);\n\n if (process.env.NODE_ENV !== 'production') {\n var pseudoClasses = ['checked', 'disabled', 'error', 'focused', 'focusVisible', 'required', 'expanded', 'selected'];\n\n var traverse = function traverse(node, parentKey) {\n var depth = arguments.length > 2 && arguments[2] !== undefined ? arguments[2] : 1;\n var key; // eslint-disable-next-line guard-for-in, no-restricted-syntax\n\n for (key in node) {\n var child = node[key];\n\n if (depth === 1) {\n if (key.indexOf('Mui') === 0 && child) {\n traverse(child, key, depth + 1);\n }\n } else if (pseudoClasses.indexOf(key) !== -1 && Object.keys(child).length > 0) {\n if (process.env.NODE_ENV !== 'production') {\n console.error([\"Material-UI: The `\".concat(parentKey, \"` component increases \") + \"the CSS specificity of the `\".concat(key, \"` internal state.\"), 'You can not override it like this: ', JSON.stringify(node, null, 2), '', 'Instead, you need to use the $ruleName syntax:', JSON.stringify({\n root: _defineProperty({}, \"&$\".concat(key), child)\n }, null, 2), '', 'https://mui.com/r/pseudo-classes-guide'].join('\\n'));\n } // Remove the style to prevent global conflicts.\n\n\n node[key] = {};\n }\n }\n };\n\n traverse(muiTheme.overrides);\n }\n\n return muiTheme;\n}\n\nvar warnedOnce = false;\nexport function createMuiTheme() {\n if (process.env.NODE_ENV !== 'production') {\n if (!warnedOnce) {\n warnedOnce = true;\n console.error(['Material-UI: the createMuiTheme function was renamed to createTheme.', '', \"You should use `import { createTheme } from '@material-ui/core/styles'`\"].join('\\n'));\n }\n }\n\n return createTheme.apply(void 0, arguments);\n}\nexport default createTheme;","import { createUnarySpacing } from '@material-ui/system';\nvar warnOnce;\nexport default function createSpacing() {\n var spacingInput = arguments.length > 0 && arguments[0] !== undefined ? arguments[0] : 8;\n\n // Already transformed.\n if (spacingInput.mui) {\n return spacingInput;\n } // Material Design layouts are visually balanced. Most measurements align to an 8dp grid applied, which aligns both spacing and the overall layout.\n // Smaller components, such as icons and type, can align to a 4dp grid.\n // https://material.io/design/layout/understanding-layout.html#usage\n\n\n var transform = createUnarySpacing({\n spacing: spacingInput\n });\n\n var spacing = function spacing() {\n for (var _len = arguments.length, args = new Array(_len), _key = 0; _key < _len; _key++) {\n args[_key] = arguments[_key];\n }\n\n if (process.env.NODE_ENV !== 'production') {\n if (!(args.length <= 4)) {\n console.error(\"Material-UI: Too many arguments provided, expected between 0 and 4, got \".concat(args.length));\n }\n }\n\n if (args.length === 0) {\n return transform(1);\n }\n\n if (args.length === 1) {\n return transform(args[0]);\n }\n\n return args.map(function (argument) {\n if (typeof argument === 'string') {\n return argument;\n }\n\n var output = transform(argument);\n return typeof output === 'number' ? \"\".concat(output, \"px\") : output;\n }).join(' ');\n }; // Backward compatibility, to remove in v5.\n\n\n Object.defineProperty(spacing, 'unit', {\n get: function get() {\n if (process.env.NODE_ENV !== 'production') {\n if (!warnOnce || process.env.NODE_ENV === 'test') {\n console.error(['Material-UI: theme.spacing.unit usage has been deprecated.', 'It will be removed in v5.', 'You can replace `theme.spacing.unit * y` with `theme.spacing(y)`.', '', 'You can use the `https://github.com/mui-org/material-ui/tree/master/packages/material-ui-codemod/README.md#theme-spacing-api` migration helper to make the process smoother.'].join('\\n'));\n }\n\n warnOnce = true;\n }\n\n return spacingInput;\n }\n });\n spacing.mui = true;\n return spacing;\n}","import createTheme from './createTheme';\nvar defaultTheme = createTheme();\nexport default defaultTheme;","import { deepmerge } from '@material-ui/utils';\nimport createTheme from './createTheme';\nexport default function createMuiStrictModeTheme(options) {\n for (var _len = arguments.length, args = new Array(_len > 1 ? _len - 1 : 0), _key = 1; _key < _len; _key++) {\n args[_key - 1] = arguments[_key];\n }\n\n return createTheme.apply(void 0, [deepmerge({\n unstable_strictMode: true\n }, options)].concat(args));\n}","import { createStyles as createStylesOriginal } from '@material-ui/styles'; // let warnOnce = false;\n// To remove in v5\n\nexport default function createStyles(styles) {\n // warning(\n // warnOnce,\n // [\n // 'Material-UI: createStyles from @material-ui/core/styles is deprecated.',\n // 'Please use @material-ui/styles/createStyles',\n // ].join('\\n'),\n // );\n // warnOnce = true;\n return createStylesOriginal(styles);\n}","import _extends from \"@babel/runtime/helpers/esm/extends\";\nimport { makeStyles as makeStylesWithoutDefault } from '@material-ui/styles';\nimport defaultTheme from './defaultTheme';\n\nfunction makeStyles(stylesOrCreator) {\n var options = arguments.length > 1 && arguments[1] !== undefined ? arguments[1] : {};\n return makeStylesWithoutDefault(stylesOrCreator, _extends({\n defaultTheme: defaultTheme\n }, options));\n}\n\nexport default makeStyles;","import _defineProperty from \"@babel/runtime/helpers/esm/defineProperty\";\nexport function isUnitless(value) {\n return String(parseFloat(value)).length === String(value).length;\n} // Ported from Compass\n// https://github.com/Compass/compass/blob/master/core/stylesheets/compass/typography/_units.scss\n// Emulate the sass function \"unit\"\n\nexport function getUnit(input) {\n return String(input).match(/[\\d.\\-+]*\\s*(.*)/)[1] || '';\n} // Emulate the sass function \"unitless\"\n\nexport function toUnitless(length) {\n return parseFloat(length);\n} // Convert any CSS or value to any another.\n// From https://github.com/KyleAMathews/convert-css-length\n\nexport function convertLength(baseFontSize) {\n return function (length, toUnit) {\n var fromUnit = getUnit(length); // Optimize for cases where `from` and `to` units are accidentally the same.\n\n if (fromUnit === toUnit) {\n return length;\n } // Convert input length to pixels.\n\n\n var pxLength = toUnitless(length);\n\n if (fromUnit !== 'px') {\n if (fromUnit === 'em') {\n pxLength = toUnitless(length) * toUnitless(baseFontSize);\n } else if (fromUnit === 'rem') {\n pxLength = toUnitless(length) * toUnitless(baseFontSize);\n return length;\n }\n } // Convert length in pixels to the output unit\n\n\n var outputLength = pxLength;\n\n if (toUnit !== 'px') {\n if (toUnit === 'em') {\n outputLength = pxLength / toUnitless(baseFontSize);\n } else if (toUnit === 'rem') {\n outputLength = pxLength / toUnitless(baseFontSize);\n } else {\n return length;\n }\n }\n\n return parseFloat(outputLength.toFixed(5)) + toUnit;\n };\n}\nexport function alignProperty(_ref) {\n var size = _ref.size,\n grid = _ref.grid;\n var sizeBelow = size - size % grid;\n var sizeAbove = sizeBelow + grid;\n return size - sizeBelow < sizeAbove - size ? sizeBelow : sizeAbove;\n} // fontGrid finds a minimal grid (in rem) for the fontSize values so that the\n// lineHeight falls under a x pixels grid, 4px in the case of Material Design,\n// without changing the relative line height\n\nexport function fontGrid(_ref2) {\n var lineHeight = _ref2.lineHeight,\n pixels = _ref2.pixels,\n htmlFontSize = _ref2.htmlFontSize;\n return pixels / (lineHeight * htmlFontSize);\n}\n/**\n * generate a responsive version of a given CSS property\n * @example\n * responsiveProperty({\n * cssProperty: 'fontSize',\n * min: 15,\n * max: 20,\n * unit: 'px',\n * breakpoints: [300, 600],\n * })\n *\n * // this returns\n *\n * {\n * fontSize: '15px',\n * '@media (min-width:300px)': {\n * fontSize: '17.5px',\n * },\n * '@media (min-width:600px)': {\n * fontSize: '20px',\n * },\n * }\n *\n * @param {Object} params\n * @param {string} params.cssProperty - The CSS property to be made responsive\n * @param {number} params.min - The smallest value of the CSS property\n * @param {number} params.max - The largest value of the CSS property\n * @param {string} [params.unit] - The unit to be used for the CSS property\n * @param {Array.number} [params.breakpoints] - An array of breakpoints\n * @param {number} [params.alignStep] - Round scaled value to fall under this grid\n * @returns {Object} responsive styles for {params.cssProperty}\n */\n\nexport function responsiveProperty(_ref3) {\n var cssProperty = _ref3.cssProperty,\n min = _ref3.min,\n max = _ref3.max,\n _ref3$unit = _ref3.unit,\n unit = _ref3$unit === void 0 ? 'rem' : _ref3$unit,\n _ref3$breakpoints = _ref3.breakpoints,\n breakpoints = _ref3$breakpoints === void 0 ? [600, 960, 1280] : _ref3$breakpoints,\n _ref3$transform = _ref3.transform,\n transform = _ref3$transform === void 0 ? null : _ref3$transform;\n\n var output = _defineProperty({}, cssProperty, \"\".concat(min).concat(unit));\n\n var factor = (max - min) / breakpoints[breakpoints.length - 1];\n breakpoints.forEach(function (breakpoint) {\n var value = min + factor * breakpoint;\n\n if (transform !== null) {\n value = transform(value);\n }\n\n output[\"@media (min-width:\".concat(breakpoint, \"px)\")] = _defineProperty({}, cssProperty, \"\".concat(Math.round(value * 10000) / 10000).concat(unit));\n });\n return output;\n}","import _extends from \"@babel/runtime/helpers/esm/extends\";\nimport { formatMuiErrorMessage as _formatMuiErrorMessage } from \"@material-ui/utils\";\nimport { isUnitless, convertLength, responsiveProperty, alignProperty, fontGrid } from './cssUtils';\nexport default function responsiveFontSizes(themeInput) {\n var options = arguments.length > 1 && arguments[1] !== undefined ? arguments[1] : {};\n var _options$breakpoints = options.breakpoints,\n breakpoints = _options$breakpoints === void 0 ? ['sm', 'md', 'lg'] : _options$breakpoints,\n _options$disableAlign = options.disableAlign,\n disableAlign = _options$disableAlign === void 0 ? false : _options$disableAlign,\n _options$factor = options.factor,\n factor = _options$factor === void 0 ? 2 : _options$factor,\n _options$variants = options.variants,\n variants = _options$variants === void 0 ? ['h1', 'h2', 'h3', 'h4', 'h5', 'h6', 'subtitle1', 'subtitle2', 'body1', 'body2', 'caption', 'button', 'overline'] : _options$variants;\n\n var theme = _extends({}, themeInput);\n\n theme.typography = _extends({}, theme.typography);\n var typography = theme.typography; // Convert between css lengths e.g. em->px or px->rem\n // Set the baseFontSize for your project. Defaults to 16px (also the browser default).\n\n var convert = convertLength(typography.htmlFontSize);\n var breakpointValues = breakpoints.map(function (x) {\n return theme.breakpoints.values[x];\n });\n variants.forEach(function (variant) {\n var style = typography[variant];\n var remFontSize = parseFloat(convert(style.fontSize, 'rem'));\n\n if (remFontSize <= 1) {\n return;\n }\n\n var maxFontSize = remFontSize;\n var minFontSize = 1 + (maxFontSize - 1) / factor;\n var lineHeight = style.lineHeight;\n\n if (!isUnitless(lineHeight) && !disableAlign) {\n throw new Error(process.env.NODE_ENV !== \"production\" ? \"Material-UI: Unsupported non-unitless line height with grid alignment.\\nUse unitless line heights instead.\" : _formatMuiErrorMessage(6));\n }\n\n if (!isUnitless(lineHeight)) {\n // make it unitless\n lineHeight = parseFloat(convert(lineHeight, 'rem')) / parseFloat(remFontSize);\n }\n\n var transform = null;\n\n if (!disableAlign) {\n transform = function transform(value) {\n return alignProperty({\n size: value,\n grid: fontGrid({\n pixels: 4,\n lineHeight: lineHeight,\n htmlFontSize: typography.htmlFontSize\n })\n });\n };\n }\n\n typography[variant] = _extends({}, style, responsiveProperty({\n cssProperty: 'fontSize',\n min: minFontSize,\n max: maxFontSize,\n unit: 'rem',\n breakpoints: breakpointValues,\n transform: transform\n }));\n });\n return theme;\n}","import _extends from \"@babel/runtime/helpers/esm/extends\";\nimport _objectWithoutProperties from \"@babel/runtime/helpers/esm/objectWithoutProperties\";\nimport React from 'react';\nimport PropTypes from 'prop-types';\nimport hoistNonReactStatics from 'hoist-non-react-statics';\nimport { chainPropTypes, getDisplayName } from '@material-ui/utils';\nimport useTheme from '../useTheme';\nexport function withThemeCreator() {\n var options = arguments.length > 0 && arguments[0] !== undefined ? arguments[0] : {};\n var defaultTheme = options.defaultTheme;\n\n var withTheme = function withTheme(Component) {\n if (process.env.NODE_ENV !== 'production') {\n if (Component === undefined) {\n throw new Error(['You are calling withTheme(Component) with an undefined component.', 'You may have forgotten to import it.'].join('\\n'));\n }\n }\n\n var WithTheme = /*#__PURE__*/React.forwardRef(function WithTheme(props, ref) {\n var innerRef = props.innerRef,\n other = _objectWithoutProperties(props, [\"innerRef\"]);\n\n var theme = useTheme() || defaultTheme;\n return /*#__PURE__*/React.createElement(Component, _extends({\n theme: theme,\n ref: innerRef || ref\n }, other));\n });\n process.env.NODE_ENV !== \"production\" ? WithTheme.propTypes = {\n /**\n * Use that prop to pass a ref to the decorated component.\n * @deprecated\n */\n innerRef: chainPropTypes(PropTypes.oneOfType([PropTypes.func, PropTypes.object]), function (props) {\n if (props.innerRef == null) {\n return null;\n }\n\n return new Error('Material-UI: The `innerRef` prop is deprecated and will be removed in v5. ' + 'Refs are now automatically forwarded to the inner component.');\n })\n } : void 0;\n\n if (process.env.NODE_ENV !== 'production') {\n WithTheme.displayName = \"WithTheme(\".concat(getDisplayName(Component), \")\");\n }\n\n hoistNonReactStatics(WithTheme, Component);\n\n if (process.env.NODE_ENV !== 'production') {\n // Exposed for test purposes.\n WithTheme.Naked = Component;\n }\n\n return WithTheme;\n };\n\n return withTheme;\n} // Provide the theme object as a prop to the input component.\n// It's an alternative API to useTheme().\n// We encourage the usage of useTheme() where possible.\n\nvar withTheme = withThemeCreator();\nexport default withTheme;","import { withThemeCreator } from '@material-ui/styles';\nimport defaultTheme from './defaultTheme';\nvar withTheme = withThemeCreator({\n defaultTheme: defaultTheme\n});\nexport default withTheme;","export default function _typeof(o) {\n \"@babel/helpers - typeof\";\n\n return _typeof = \"function\" == typeof Symbol && \"symbol\" == typeof Symbol.iterator ? function (o) {\n return typeof o;\n } : function (o) {\n return o && \"function\" == typeof Symbol && o.constructor === Symbol && o !== Symbol.prototype ? \"symbol\" : typeof o;\n }, _typeof(o);\n}","import _typeof from \"./typeof.js\";\nimport toPrimitive from \"./toPrimitive.js\";\nexport default function toPropertyKey(t) {\n var i = toPrimitive(t, \"string\");\n return \"symbol\" == _typeof(i) ? i : i + \"\";\n}","import _typeof from \"./typeof.js\";\nexport default function toPrimitive(t, r) {\n if (\"object\" != _typeof(t) || !t) return t;\n var e = t[Symbol.toPrimitive];\n if (void 0 !== e) {\n var i = e.call(t, r || \"default\");\n if (\"object\" != _typeof(i)) return i;\n throw new TypeError(\"@@toPrimitive must return a primitive value.\");\n }\n return (\"string\" === r ? String : Number)(t);\n}","import toPropertyKey from \"./toPropertyKey.js\";\nfunction _defineProperties(target, props) {\n for (var i = 0; i < props.length; i++) {\n var descriptor = props[i];\n descriptor.enumerable = descriptor.enumerable || false;\n descriptor.configurable = true;\n if (\"value\" in descriptor) descriptor.writable = true;\n Object.defineProperty(target, toPropertyKey(descriptor.key), descriptor);\n }\n}\nexport default function _createClass(Constructor, protoProps, staticProps) {\n if (protoProps) _defineProperties(Constructor.prototype, protoProps);\n if (staticProps) _defineProperties(Constructor, staticProps);\n Object.defineProperty(Constructor, \"prototype\", {\n writable: false\n });\n return Constructor;\n}","import _extends from \"@babel/runtime/helpers/esm/extends\";\nimport _classCallCheck from \"@babel/runtime/helpers/esm/classCallCheck\";\nimport _createClass from \"@babel/runtime/helpers/esm/createClass\";\nimport React from 'react';\nimport { SheetsRegistry } from 'jss';\nimport StylesProvider from '../StylesProvider';\nimport createGenerateClassName from '../createGenerateClassName';\n\nvar ServerStyleSheets = /*#__PURE__*/function () {\n function ServerStyleSheets() {\n var options = arguments.length > 0 && arguments[0] !== undefined ? arguments[0] : {};\n\n _classCallCheck(this, ServerStyleSheets);\n\n this.options = options;\n }\n\n _createClass(ServerStyleSheets, [{\n key: \"collect\",\n value: function collect(children) {\n // This is needed in order to deduplicate the injection of CSS in the page.\n var sheetsManager = new Map(); // This is needed in order to inject the critical CSS.\n\n this.sheetsRegistry = new SheetsRegistry(); // A new class name generator\n\n var generateClassName = createGenerateClassName();\n return /*#__PURE__*/React.createElement(StylesProvider, _extends({\n sheetsManager: sheetsManager,\n serverGenerateClassName: generateClassName,\n sheetsRegistry: this.sheetsRegistry\n }, this.options), children);\n }\n }, {\n key: \"toString\",\n value: function toString() {\n return this.sheetsRegistry ? this.sheetsRegistry.toString() : '';\n }\n }, {\n key: \"getStyleElement\",\n value: function getStyleElement(props) {\n return /*#__PURE__*/React.createElement('style', _extends({\n id: 'jss-server-side',\n key: 'jss-server-side',\n dangerouslySetInnerHTML: {\n __html: this.toString()\n }\n }, props));\n }\n }]);\n\n return ServerStyleSheets;\n}();\n\nexport { ServerStyleSheets as default };","export default function _classCallCheck(instance, Constructor) {\n if (!(instance instanceof Constructor)) {\n throw new TypeError(\"Cannot call a class as a function\");\n }\n}","import _extends from \"@babel/runtime/helpers/esm/extends\";\nimport React from 'react';\nimport PropTypes from 'prop-types';\nimport { exactProp } from '@material-ui/utils';\nimport ThemeContext from '../useTheme/ThemeContext';\nimport useTheme from '../useTheme';\nimport nested from './nested'; // To support composition of theme.\n\nfunction mergeOuterLocalTheme(outerTheme, localTheme) {\n if (typeof localTheme === 'function') {\n var mergedTheme = localTheme(outerTheme);\n\n if (process.env.NODE_ENV !== 'production') {\n if (!mergedTheme) {\n console.error(['Material-UI: You should return an object from your theme function, i.e.', ' ({})} />'].join('\\n'));\n }\n }\n\n return mergedTheme;\n }\n\n return _extends({}, outerTheme, localTheme);\n}\n/**\n * This component takes a `theme` prop.\n * It makes the `theme` available down the React tree thanks to React context.\n * This component should preferably be used at **the root of your component tree**.\n */\n\n\nfunction ThemeProvider(props) {\n var children = props.children,\n localTheme = props.theme;\n var outerTheme = useTheme();\n\n if (process.env.NODE_ENV !== 'production') {\n if (outerTheme === null && typeof localTheme === 'function') {\n console.error(['Material-UI: You are providing a theme function prop to the ThemeProvider component:', ' outerTheme} />', '', 'However, no outer theme is present.', 'Make sure a theme is already injected higher in the React tree ' + 'or provide a theme object.'].join('\\n'));\n }\n }\n\n var theme = React.useMemo(function () {\n var output = outerTheme === null ? localTheme : mergeOuterLocalTheme(outerTheme, localTheme);\n\n if (output != null) {\n output[nested] = outerTheme !== null;\n }\n\n return output;\n }, [localTheme, outerTheme]);\n return /*#__PURE__*/React.createElement(ThemeContext.Provider, {\n value: theme\n }, children);\n}\n\nprocess.env.NODE_ENV !== \"production\" ? ThemeProvider.propTypes = {\n /**\n * Your component tree.\n */\n children: PropTypes.node.isRequired,\n\n /**\n * A theme object. You can provide a function to extend the outer theme.\n */\n theme: PropTypes.oneOfType([PropTypes.object, PropTypes.func]).isRequired\n} : void 0;\n\nif (process.env.NODE_ENV !== 'production') {\n process.env.NODE_ENV !== \"production\" ? ThemeProvider.propTypes = exactProp(ThemeProvider.propTypes) : void 0;\n}\n\nexport default ThemeProvider;","import _extends from \"@babel/runtime/helpers/esm/extends\";\nimport _objectWithoutProperties from \"@babel/runtime/helpers/esm/objectWithoutProperties\";\nimport React from 'react';\nimport clsx from 'clsx';\nimport PropTypes from 'prop-types';\nimport { chainPropTypes, getDisplayName } from '@material-ui/utils';\nimport hoistNonReactStatics from 'hoist-non-react-statics';\nimport makeStyles from '../makeStyles';\n\nfunction omit(input, fields) {\n var output = {};\n Object.keys(input).forEach(function (prop) {\n if (fields.indexOf(prop) === -1) {\n output[prop] = input[prop];\n }\n });\n return output;\n} // styled-components's API removes the mapping between components and styles.\n// Using components as a low-level styling construct can be simpler.\n\n\nexport default function styled(Component) {\n var componentCreator = function componentCreator(style) {\n var options = arguments.length > 1 && arguments[1] !== undefined ? arguments[1] : {};\n\n var name = options.name,\n stylesOptions = _objectWithoutProperties(options, [\"name\"]);\n\n if (process.env.NODE_ENV !== 'production' && Component === undefined) {\n throw new Error(['You are calling styled(Component)(style) with an undefined component.', 'You may have forgotten to import it.'].join('\\n'));\n }\n\n var classNamePrefix = name;\n\n if (process.env.NODE_ENV !== 'production') {\n if (!name) {\n // Provide a better DX outside production.\n var displayName = getDisplayName(Component);\n\n if (displayName !== undefined) {\n classNamePrefix = displayName;\n }\n }\n }\n\n var stylesOrCreator = typeof style === 'function' ? function (theme) {\n return {\n root: function root(props) {\n return style(_extends({\n theme: theme\n }, props));\n }\n };\n } : {\n root: style\n };\n var useStyles = makeStyles(stylesOrCreator, _extends({\n Component: Component,\n name: name || Component.displayName,\n classNamePrefix: classNamePrefix\n }, stylesOptions));\n var filterProps;\n var propTypes = {};\n\n if (style.filterProps) {\n filterProps = style.filterProps;\n delete style.filterProps;\n }\n /* eslint-disable react/forbid-foreign-prop-types */\n\n\n if (style.propTypes) {\n propTypes = style.propTypes;\n delete style.propTypes;\n }\n /* eslint-enable react/forbid-foreign-prop-types */\n\n\n var StyledComponent = /*#__PURE__*/React.forwardRef(function StyledComponent(props, ref) {\n var children = props.children,\n classNameProp = props.className,\n clone = props.clone,\n ComponentProp = props.component,\n other = _objectWithoutProperties(props, [\"children\", \"className\", \"clone\", \"component\"]);\n\n var classes = useStyles(props);\n var className = clsx(classes.root, classNameProp);\n var spread = other;\n\n if (filterProps) {\n spread = omit(spread, filterProps);\n }\n\n if (clone) {\n return /*#__PURE__*/React.cloneElement(children, _extends({\n className: clsx(children.props.className, className)\n }, spread));\n }\n\n if (typeof children === 'function') {\n return children(_extends({\n className: className\n }, spread));\n }\n\n var FinalComponent = ComponentProp || Component;\n return /*#__PURE__*/React.createElement(FinalComponent, _extends({\n ref: ref,\n className: className\n }, spread), children);\n });\n process.env.NODE_ENV !== \"production\" ? StyledComponent.propTypes = _extends({\n /**\n * A render function or node.\n */\n children: PropTypes.oneOfType([PropTypes.node, PropTypes.func]),\n\n /**\n * @ignore\n */\n className: PropTypes.string,\n\n /**\n * If `true`, the component will recycle it's children HTML element.\n * It's using `React.cloneElement` internally.\n *\n * This prop will be deprecated and removed in v5\n */\n clone: chainPropTypes(PropTypes.bool, function (props) {\n if (props.clone && props.component) {\n return new Error('You can not use the clone and component prop at the same time.');\n }\n\n return null;\n }),\n\n /**\n * The component used for the root node.\n * Either a string to use a HTML element or a component.\n */\n component: PropTypes\n /* @typescript-to-proptypes-ignore */\n .elementType\n }, propTypes) : void 0;\n\n if (process.env.NODE_ENV !== 'production') {\n StyledComponent.displayName = \"Styled(\".concat(classNamePrefix, \")\");\n }\n\n hoistNonReactStatics(StyledComponent, Component);\n return StyledComponent;\n };\n\n return componentCreator;\n}","import _extends from \"@babel/runtime/helpers/esm/extends\";\nimport { styled as styledWithoutDefault } from '@material-ui/styles';\nimport defaultTheme from './defaultTheme';\n\nvar styled = function styled(Component) {\n var componentCreator = styledWithoutDefault(Component);\n return function (style, options) {\n return componentCreator(style, _extends({\n defaultTheme: defaultTheme\n }, options));\n };\n};\n\nexport default styled;","import _objectWithoutProperties from \"@babel/runtime/helpers/esm/objectWithoutProperties\";\n// Follow https://material.google.com/motion/duration-easing.html#duration-easing-natural-easing-curves\n// to learn the context in which each easing should be used.\nexport var easing = {\n // This is the most common easing curve.\n easeInOut: 'cubic-bezier(0.4, 0, 0.2, 1)',\n // Objects enter the screen at full velocity from off-screen and\n // slowly decelerate to a resting point.\n easeOut: 'cubic-bezier(0.0, 0, 0.2, 1)',\n // Objects leave the screen at full velocity. They do not decelerate when off-screen.\n easeIn: 'cubic-bezier(0.4, 0, 1, 1)',\n // The sharp curve is used by objects that may return to the screen at any time.\n sharp: 'cubic-bezier(0.4, 0, 0.6, 1)'\n}; // Follow https://material.io/guidelines/motion/duration-easing.html#duration-easing-common-durations\n// to learn when use what timing\n\nexport var duration = {\n shortest: 150,\n shorter: 200,\n short: 250,\n // most basic recommended timing\n standard: 300,\n // this is to be used in complex animations\n complex: 375,\n // recommended when something is entering screen\n enteringScreen: 225,\n // recommended when something is leaving screen\n leavingScreen: 195\n};\n\nfunction formatMs(milliseconds) {\n return \"\".concat(Math.round(milliseconds), \"ms\");\n}\n/**\n * @param {string|Array} props\n * @param {object} param\n * @param {string} param.prop\n * @param {number} param.duration\n * @param {string} param.easing\n * @param {number} param.delay\n */\n\n\nexport default {\n easing: easing,\n duration: duration,\n create: function create() {\n var props = arguments.length > 0 && arguments[0] !== undefined ? arguments[0] : ['all'];\n var options = arguments.length > 1 && arguments[1] !== undefined ? arguments[1] : {};\n\n var _options$duration = options.duration,\n durationOption = _options$duration === void 0 ? duration.standard : _options$duration,\n _options$easing = options.easing,\n easingOption = _options$easing === void 0 ? easing.easeInOut : _options$easing,\n _options$delay = options.delay,\n delay = _options$delay === void 0 ? 0 : _options$delay,\n other = _objectWithoutProperties(options, [\"duration\", \"easing\", \"delay\"]);\n\n if (process.env.NODE_ENV !== 'production') {\n var isString = function isString(value) {\n return typeof value === 'string';\n };\n\n var isNumber = function isNumber(value) {\n return !isNaN(parseFloat(value));\n };\n\n if (!isString(props) && !Array.isArray(props)) {\n console.error('Material-UI: Argument \"props\" must be a string or Array.');\n }\n\n if (!isNumber(durationOption) && !isString(durationOption)) {\n console.error(\"Material-UI: Argument \\\"duration\\\" must be a number or a string but found \".concat(durationOption, \".\"));\n }\n\n if (!isString(easingOption)) {\n console.error('Material-UI: Argument \"easing\" must be a string.');\n }\n\n if (!isNumber(delay) && !isString(delay)) {\n console.error('Material-UI: Argument \"delay\" must be a number or a string.');\n }\n\n if (Object.keys(other).length !== 0) {\n console.error(\"Material-UI: Unrecognized argument(s) [\".concat(Object.keys(other).join(','), \"].\"));\n }\n }\n\n return (Array.isArray(props) ? props : [props]).map(function (animatedProp) {\n return \"\".concat(animatedProp, \" \").concat(typeof durationOption === 'string' ? durationOption : formatMs(durationOption), \" \").concat(easingOption, \" \").concat(typeof delay === 'string' ? delay : formatMs(delay));\n }).join(',');\n },\n getAutoHeightDuration: function getAutoHeightDuration(height) {\n if (!height) {\n return 0;\n }\n\n var constant = height / 36; // https://www.wolframalpha.com/input/?i=(4+%2B+15+*+(x+%2F+36+)+**+0.25+%2B+(x+%2F+36)+%2F+5)+*+10\n\n return Math.round((4 + 15 * Math.pow(constant, 0.25) + constant / 5) * 10);\n }\n};","import { useTheme as useThemeWithoutDefault } from '@material-ui/styles';\nimport React from 'react';\nimport defaultTheme from './defaultTheme';\nexport default function useTheme() {\n var theme = useThemeWithoutDefault() || defaultTheme;\n\n if (process.env.NODE_ENV !== 'production') {\n // eslint-disable-next-line react-hooks/rules-of-hooks\n React.useDebugValue(theme);\n }\n\n return theme;\n}","import _extends from \"@babel/runtime/helpers/esm/extends\";\nimport _objectWithoutProperties from \"@babel/runtime/helpers/esm/objectWithoutProperties\";\nimport React from 'react';\nimport PropTypes from 'prop-types';\nimport hoistNonReactStatics from 'hoist-non-react-statics';\nimport { chainPropTypes, getDisplayName } from '@material-ui/utils';\nimport makeStyles from '../makeStyles';\nimport getThemeProps from '../getThemeProps';\nimport useTheme from '../useTheme'; // Link a style sheet with a component.\n// It does not modify the component passed to it;\n// instead, it returns a new component, with a `classes` property.\n\nvar withStyles = function withStyles(stylesOrCreator) {\n var options = arguments.length > 1 && arguments[1] !== undefined ? arguments[1] : {};\n return function (Component) {\n var defaultTheme = options.defaultTheme,\n _options$withTheme = options.withTheme,\n withTheme = _options$withTheme === void 0 ? false : _options$withTheme,\n name = options.name,\n stylesOptions = _objectWithoutProperties(options, [\"defaultTheme\", \"withTheme\", \"name\"]);\n\n if (process.env.NODE_ENV !== 'production') {\n if (Component === undefined) {\n throw new Error(['You are calling withStyles(styles)(Component) with an undefined component.', 'You may have forgotten to import it.'].join('\\n'));\n }\n }\n\n var classNamePrefix = name;\n\n if (process.env.NODE_ENV !== 'production') {\n if (!name) {\n // Provide a better DX outside production.\n var displayName = getDisplayName(Component);\n\n if (displayName !== undefined) {\n classNamePrefix = displayName;\n }\n }\n }\n\n var useStyles = makeStyles(stylesOrCreator, _extends({\n defaultTheme: defaultTheme,\n Component: Component,\n name: name || Component.displayName,\n classNamePrefix: classNamePrefix\n }, stylesOptions));\n var WithStyles = /*#__PURE__*/React.forwardRef(function WithStyles(props, ref) {\n var classesProp = props.classes,\n innerRef = props.innerRef,\n other = _objectWithoutProperties(props, [\"classes\", \"innerRef\"]); // The wrapper receives only user supplied props, which could be a subset of\n // the actual props Component might receive due to merging with defaultProps.\n // So copying it here would give us the same result in the wrapper as well.\n\n\n var classes = useStyles(_extends({}, Component.defaultProps, props));\n var theme;\n var more = other;\n\n if (typeof name === 'string' || withTheme) {\n // name and withTheme are invariant in the outer scope\n // eslint-disable-next-line react-hooks/rules-of-hooks\n theme = useTheme() || defaultTheme;\n\n if (name) {\n more = getThemeProps({\n theme: theme,\n name: name,\n props: other\n });\n } // Provide the theme to the wrapped component.\n // So we don't have to use the `withTheme()` Higher-order Component.\n\n\n if (withTheme && !more.theme) {\n more.theme = theme;\n }\n }\n\n return /*#__PURE__*/React.createElement(Component, _extends({\n ref: innerRef || ref,\n classes: classes\n }, more));\n });\n process.env.NODE_ENV !== \"production\" ? WithStyles.propTypes = {\n /**\n * Override or extend the styles applied to the component.\n */\n classes: PropTypes.object,\n\n /**\n * Use that prop to pass a ref to the decorated component.\n * @deprecated\n */\n innerRef: chainPropTypes(PropTypes.oneOfType([PropTypes.func, PropTypes.object]), function (props) {\n if (props.innerRef == null) {\n return null;\n }\n\n return null; // return new Error(\n // 'Material-UI: The `innerRef` prop is deprecated and will be removed in v5. ' +\n // 'Refs are now automatically forwarded to the inner component.',\n // );\n })\n } : void 0;\n\n if (process.env.NODE_ENV !== 'production') {\n WithStyles.displayName = \"WithStyles(\".concat(getDisplayName(Component), \")\");\n }\n\n hoistNonReactStatics(WithStyles, Component);\n\n if (process.env.NODE_ENV !== 'production') {\n // Exposed for test purposes.\n WithStyles.Naked = Component;\n WithStyles.options = options;\n WithStyles.useStyles = useStyles;\n }\n\n return WithStyles;\n };\n};\n\nexport default withStyles;","import _extends from \"@babel/runtime/helpers/esm/extends\";\nimport { withStyles as withStylesWithoutDefault } from '@material-ui/styles';\nimport defaultTheme from './defaultTheme';\n\nfunction withStyles(stylesOrCreator, options) {\n return withStylesWithoutDefault(stylesOrCreator, _extends({\n defaultTheme: defaultTheme\n }, options));\n}\n\nexport default withStyles;","// We need to centralize the zIndex definitions as they work\n// like global values in the browser.\nvar zIndex = {\n mobileStepper: 1000,\n speedDial: 1050,\n appBar: 1100,\n drawer: 1200,\n modal: 1300,\n snackbar: 1400,\n tooltip: 1500\n};\nexport default zIndex;","import { formatMuiErrorMessage as _formatMuiErrorMessage } from \"@material-ui/utils\";\n// It should to be noted that this function isn't equivalent to `text-transform: capitalize`.\n//\n// A strict capitalization should uppercase the first letter of each word a the sentence.\n// We only handle the first word.\nexport default function capitalize(string) {\n if (typeof string !== 'string') {\n throw new Error(process.env.NODE_ENV !== \"production\" ? \"Material-UI: capitalize(string) expects a string argument.\" : _formatMuiErrorMessage(7));\n }\n\n return string.charAt(0).toUpperCase() + string.slice(1);\n}","/** @license React v17.0.2\n * react-is.production.min.js\n *\n * Copyright (c) Facebook, Inc. and its affiliates.\n *\n * This source code is licensed under the MIT license found in the\n * LICENSE file in the root directory of this source tree.\n */\n'use strict';var b=60103,c=60106,d=60107,e=60108,f=60114,g=60109,h=60110,k=60112,l=60113,m=60120,n=60115,p=60116,q=60121,r=60122,u=60117,v=60129,w=60131;\nif(\"function\"===typeof Symbol&&Symbol.for){var x=Symbol.for;b=x(\"react.element\");c=x(\"react.portal\");d=x(\"react.fragment\");e=x(\"react.strict_mode\");f=x(\"react.profiler\");g=x(\"react.provider\");h=x(\"react.context\");k=x(\"react.forward_ref\");l=x(\"react.suspense\");m=x(\"react.suspense_list\");n=x(\"react.memo\");p=x(\"react.lazy\");q=x(\"react.block\");r=x(\"react.server.block\");u=x(\"react.fundamental\");v=x(\"react.debug_trace_mode\");w=x(\"react.legacy_hidden\")}\nfunction y(a){if(\"object\"===typeof a&&null!==a){var t=a.$$typeof;switch(t){case b:switch(a=a.type,a){case d:case f:case e:case l:case m:return a;default:switch(a=a&&a.$$typeof,a){case h:case k:case p:case n:case g:return a;default:return t}}case c:return t}}}var z=g,A=b,B=k,C=d,D=p,E=n,F=c,G=f,H=e,I=l;exports.ContextConsumer=h;exports.ContextProvider=z;exports.Element=A;exports.ForwardRef=B;exports.Fragment=C;exports.Lazy=D;exports.Memo=E;exports.Portal=F;exports.Profiler=G;exports.StrictMode=H;\nexports.Suspense=I;exports.isAsyncMode=function(){return!1};exports.isConcurrentMode=function(){return!1};exports.isContextConsumer=function(a){return y(a)===h};exports.isContextProvider=function(a){return y(a)===g};exports.isElement=function(a){return\"object\"===typeof a&&null!==a&&a.$$typeof===b};exports.isForwardRef=function(a){return y(a)===k};exports.isFragment=function(a){return y(a)===d};exports.isLazy=function(a){return y(a)===p};exports.isMemo=function(a){return y(a)===n};\nexports.isPortal=function(a){return y(a)===c};exports.isProfiler=function(a){return y(a)===f};exports.isStrictMode=function(a){return y(a)===e};exports.isSuspense=function(a){return y(a)===l};exports.isValidElementType=function(a){return\"string\"===typeof a||\"function\"===typeof a||a===d||a===f||a===v||a===e||a===l||a===m||a===w||\"object\"===typeof a&&null!==a&&(a.$$typeof===p||a.$$typeof===n||a.$$typeof===g||a.$$typeof===h||a.$$typeof===k||a.$$typeof===u||a.$$typeof===q||a[0]===r)?!0:!1};\nexports.typeOf=y;\n","'use strict';\n\nif (process.env.NODE_ENV === 'production') {\n module.exports = require('./cjs/react-is.production.min.js');\n} else {\n module.exports = require('./cjs/react-is.development.js');\n}\n","\"use strict\";\n\nvar _interopRequireDefault = require(\"@babel/runtime/helpers/interopRequireDefault\");\n\nObject.defineProperty(exports, \"__esModule\", {\n value: true\n});\nexports.default = void 0;\n\nvar _react = _interopRequireDefault(require(\"react\"));\n\nvar _createSvgIcon = _interopRequireDefault(require(\"./utils/createSvgIcon\"));\n\nvar _default = (0, _createSvgIcon.default)(_react.default.createElement(\"path\", {\n d: \"M16.5 12c0-1.77-1.02-3.29-2.5-4.03v2.21l2.45 2.45c.03-.2.05-.41.05-.63zm2.5 0c0 .94-.2 1.82-.54 2.64l1.51 1.51C20.63 14.91 21 13.5 21 12c0-4.28-2.99-7.86-7-8.77v2.06c2.89.86 5 3.54 5 6.71zM4.27 3L3 4.27 7.73 9H3v6h4l5 5v-6.73l4.25 4.25c-.67.52-1.42.93-2.25 1.18v2.06c1.38-.31 2.63-.95 3.69-1.81L19.73 21 21 19.73l-9-9L4.27 3zM12 4L9.91 6.09 12 8.18V4z\"\n}), 'VolumeOff');\n\nexports.default = _default;","\"use strict\";\n\nvar _interopRequireDefault = require(\"@babel/runtime/helpers/interopRequireDefault\");\n\nObject.defineProperty(exports, \"__esModule\", {\n value: true\n});\nexports.default = void 0;\n\nvar _react = _interopRequireDefault(require(\"react\"));\n\nvar _createSvgIcon = _interopRequireDefault(require(\"./utils/createSvgIcon\"));\n\nvar _default = (0, _createSvgIcon.default)(_react.default.createElement(\"path\", {\n d: \"M3 9v6h4l5 5V4L7 9H3zm13.5 3c0-1.77-1.02-3.29-2.5-4.03v8.05c1.48-.73 2.5-2.25 2.5-4.02zM14 3.23v2.06c2.89.86 5 3.54 5 6.71s-2.11 5.85-5 6.71v2.06c4.01-.91 7-4.49 7-8.77s-2.99-7.86-7-8.77z\"\n}), 'VolumeUp');\n\nexports.default = _default;","\"use strict\";\n\nvar _interopRequireDefault = require(\"@babel/runtime/helpers/interopRequireDefault\");\n\nObject.defineProperty(exports, \"__esModule\", {\n value: true\n});\nexports.default = createSvgIcon;\n\nvar _extends2 = _interopRequireDefault(require(\"@babel/runtime/helpers/extends\"));\n\nvar _react = _interopRequireDefault(require(\"react\"));\n\nvar _SvgIcon = _interopRequireDefault(require(\"@material-ui/core/SvgIcon\"));\n\nfunction createSvgIcon(path, displayName) {\n var Component = _react.default.memo(_react.default.forwardRef(function (props, ref) {\n return _react.default.createElement(_SvgIcon.default, (0, _extends2.default)({\n ref: ref\n }, props), path);\n }));\n\n if (process.env.NODE_ENV !== 'production') {\n Component.displayName = \"\".concat(displayName, \"Icon\");\n }\n\n Component.muiName = _SvgIcon.default.muiName;\n return Component;\n}","import _extends from \"@babel/runtime/helpers/esm/extends\";\nimport _objectWithoutProperties from \"@babel/runtime/helpers/esm/objectWithoutProperties\";\nimport React from 'react';\nimport PropTypes from 'prop-types';\nimport { exactProp } from '@material-ui/utils';\nimport createGenerateClassName from '../createGenerateClassName';\nimport { create } from 'jss';\nimport jssPreset from '../jssPreset'; // Default JSS instance.\n\nvar jss = create(jssPreset()); // Use a singleton or the provided one by the context.\n//\n// The counter-based approach doesn't tolerate any mistake.\n// It's much safer to use the same counter everywhere.\n\nvar generateClassName = createGenerateClassName(); // Exported for test purposes\n\nexport var sheetsManager = new Map();\nvar defaultOptions = {\n disableGeneration: false,\n generateClassName: generateClassName,\n jss: jss,\n sheetsCache: null,\n sheetsManager: sheetsManager,\n sheetsRegistry: null\n};\nexport var StylesContext = React.createContext(defaultOptions);\n\nif (process.env.NODE_ENV !== 'production') {\n StylesContext.displayName = 'StylesContext';\n}\n\nvar injectFirstNode;\nexport default function StylesProvider(props) {\n var children = props.children,\n _props$injectFirst = props.injectFirst,\n injectFirst = _props$injectFirst === void 0 ? false : _props$injectFirst,\n _props$disableGenerat = props.disableGeneration,\n disableGeneration = _props$disableGenerat === void 0 ? false : _props$disableGenerat,\n localOptions = _objectWithoutProperties(props, [\"children\", \"injectFirst\", \"disableGeneration\"]);\n\n var outerOptions = React.useContext(StylesContext);\n\n var context = _extends({}, outerOptions, {\n disableGeneration: disableGeneration\n }, localOptions);\n\n if (process.env.NODE_ENV !== 'production') {\n if (typeof window === 'undefined' && !context.sheetsManager) {\n console.error('Material-UI: You need to use the ServerStyleSheets API when rendering on the server.');\n }\n }\n\n if (process.env.NODE_ENV !== 'production') {\n if (context.jss.options.insertionPoint && injectFirst) {\n console.error('Material-UI: You cannot use a custom insertionPoint and at the same time.');\n }\n }\n\n if (process.env.NODE_ENV !== 'production') {\n if (injectFirst && localOptions.jss) {\n console.error('Material-UI: You cannot use the jss and injectFirst props at the same time.');\n }\n }\n\n if (!context.jss.options.insertionPoint && injectFirst && typeof window !== 'undefined') {\n if (!injectFirstNode) {\n var head = document.head;\n injectFirstNode = document.createComment('mui-inject-first');\n head.insertBefore(injectFirstNode, head.firstChild);\n }\n\n context.jss = create({\n plugins: jssPreset().plugins,\n insertionPoint: injectFirstNode\n });\n }\n\n return /*#__PURE__*/React.createElement(StylesContext.Provider, {\n value: context\n }, children);\n}\nprocess.env.NODE_ENV !== \"production\" ? StylesProvider.propTypes = {\n /**\n * Your component tree.\n */\n children: PropTypes.node.isRequired,\n\n /**\n * You can disable the generation of the styles with this option.\n * It can be useful when traversing the React tree outside of the HTML\n * rendering step on the server.\n * Let's say you are using react-apollo to extract all\n * the queries made by the interface server-side - you can significantly speed up the traversal with this prop.\n */\n disableGeneration: PropTypes.bool,\n\n /**\n * JSS's class name generator.\n */\n generateClassName: PropTypes.func,\n\n /**\n * By default, the styles are injected last in the element of the page.\n * As a result, they gain more specificity than any other style sheet.\n * If you want to override Material-UI's styles, set this prop.\n */\n injectFirst: PropTypes.bool,\n\n /**\n * JSS's instance.\n */\n jss: PropTypes.object,\n\n /**\n * @ignore\n */\n serverGenerateClassName: PropTypes.func,\n\n /**\n * @ignore\n *\n * Beta feature.\n *\n * Cache for the sheets.\n */\n sheetsCache: PropTypes.object,\n\n /**\n * @ignore\n *\n * The sheetsManager is used to deduplicate style sheet injection in the page.\n * It's deduplicating using the (theme, styles) couple.\n * On the server, you should provide a new instance for each request.\n */\n sheetsManager: PropTypes.object,\n\n /**\n * @ignore\n *\n * Collect the sheets.\n */\n sheetsRegistry: PropTypes.object\n} : void 0;\n\nif (process.env.NODE_ENV !== 'production') {\n process.env.NODE_ENV !== \"production\" ? StylesProvider.propTypes = exactProp(StylesProvider.propTypes) : void 0;\n}","var hasSymbol = typeof Symbol === 'function' && Symbol.for;\nexport default hasSymbol ? Symbol.for('mui.nested') : '__THEME_NESTED__';","import nested from '../ThemeProvider/nested';\n/**\n * This is the list of the style rule name we use as drop in replacement for the built-in\n * pseudo classes (:checked, :disabled, :focused, etc.).\n *\n * Why do they exist in the first place?\n * These classes are used at a specificity of 2.\n * It allows them to override previously definied styles as well as\n * being untouched by simple user overrides.\n */\n\nvar pseudoClasses = ['checked', 'disabled', 'error', 'focused', 'focusVisible', 'required', 'expanded', 'selected']; // Returns a function which generates unique class names based on counters.\n// When new generator function is created, rule counter is reset.\n// We need to reset the rule counter for SSR for each request.\n//\n// It's inspired by\n// https://github.com/cssinjs/jss/blob/4e6a05dd3f7b6572fdd3ab216861d9e446c20331/src/utils/createGenerateClassName.js\n\nexport default function createGenerateClassName() {\n var options = arguments.length > 0 && arguments[0] !== undefined ? arguments[0] : {};\n var _options$disableGloba = options.disableGlobal,\n disableGlobal = _options$disableGloba === void 0 ? false : _options$disableGloba,\n _options$productionPr = options.productionPrefix,\n productionPrefix = _options$productionPr === void 0 ? 'jss' : _options$productionPr,\n _options$seed = options.seed,\n seed = _options$seed === void 0 ? '' : _options$seed;\n var seedPrefix = seed === '' ? '' : \"\".concat(seed, \"-\");\n var ruleCounter = 0;\n\n var getNextCounterId = function getNextCounterId() {\n ruleCounter += 1;\n\n if (process.env.NODE_ENV !== 'production') {\n if (ruleCounter >= 1e10) {\n console.warn(['Material-UI: You might have a memory leak.', 'The ruleCounter is not supposed to grow that much.'].join(''));\n }\n }\n\n return ruleCounter;\n };\n\n return function (rule, styleSheet) {\n var name = styleSheet.options.name; // Is a global static MUI style?\n\n if (name && name.indexOf('Mui') === 0 && !styleSheet.options.link && !disableGlobal) {\n // We can use a shorthand class name, we never use the keys to style the components.\n if (pseudoClasses.indexOf(rule.key) !== -1) {\n return \"Mui-\".concat(rule.key);\n }\n\n var prefix = \"\".concat(seedPrefix).concat(name, \"-\").concat(rule.key);\n\n if (!styleSheet.options.theme[nested] || seed !== '') {\n return prefix;\n }\n\n return \"\".concat(prefix, \"-\").concat(getNextCounterId());\n }\n\n if (process.env.NODE_ENV === 'production') {\n return \"\".concat(seedPrefix).concat(productionPrefix).concat(getNextCounterId());\n }\n\n var suffix = \"\".concat(rule.key, \"-\").concat(getNextCounterId()); // Help with debuggability.\n\n if (styleSheet.options.classNamePrefix) {\n return \"\".concat(seedPrefix).concat(styleSheet.options.classNamePrefix, \"-\").concat(suffix);\n }\n\n return \"\".concat(seedPrefix).concat(suffix);\n };\n}","/* eslint-disable no-restricted-syntax */\nexport default function getThemeProps(params) {\n var theme = params.theme,\n name = params.name,\n props = params.props;\n\n if (!theme || !theme.props || !theme.props[name]) {\n return props;\n } // Resolve default props, code borrow from React source.\n // https://github.com/facebook/react/blob/15a8f031838a553e41c0b66eb1bcf1da8448104d/packages/react/src/ReactElement.js#L221\n\n\n var defaultProps = theme.props[name];\n var propName;\n\n for (propName in defaultProps) {\n if (props[propName] === undefined) {\n props[propName] = defaultProps[propName];\n }\n }\n\n return props;\n}","import warning from 'tiny-warning';\nimport { createRule } from 'jss';\n\nvar now = Date.now();\nvar fnValuesNs = \"fnValues\" + now;\nvar fnRuleNs = \"fnStyle\" + ++now;\n\nvar functionPlugin = function functionPlugin() {\n return {\n onCreateRule: function onCreateRule(name, decl, options) {\n if (typeof decl !== 'function') return null;\n var rule = createRule(name, {}, options);\n rule[fnRuleNs] = decl;\n return rule;\n },\n onProcessStyle: function onProcessStyle(style, rule) {\n // We need to extract function values from the declaration, so that we can keep core unaware of them.\n // We need to do that only once.\n // We don't need to extract functions on each style update, since this can happen only once.\n // We don't support function values inside of function rules.\n if (fnValuesNs in rule || fnRuleNs in rule) return style;\n var fnValues = {};\n\n for (var prop in style) {\n var value = style[prop];\n if (typeof value !== 'function') continue;\n delete style[prop];\n fnValues[prop] = value;\n }\n\n rule[fnValuesNs] = fnValues;\n return style;\n },\n onUpdate: function onUpdate(data, rule, sheet, options) {\n var styleRule = rule;\n var fnRule = styleRule[fnRuleNs]; // If we have a style function, the entire rule is dynamic and style object\n // will be returned from that function.\n\n if (fnRule) {\n // Empty object will remove all currently defined props\n // in case function rule returns a falsy value.\n styleRule.style = fnRule(data) || {};\n\n if (process.env.NODE_ENV === 'development') {\n for (var prop in styleRule.style) {\n if (typeof styleRule.style[prop] === 'function') {\n process.env.NODE_ENV !== \"production\" ? warning(false, '[JSS] Function values inside function rules are not supported.') : void 0;\n break;\n }\n }\n }\n }\n\n var fnValues = styleRule[fnValuesNs]; // If we have a fn values map, it is a rule with function values.\n\n if (fnValues) {\n for (var _prop in fnValues) {\n styleRule.prop(_prop, fnValues[_prop](data), options);\n }\n }\n }\n };\n};\n\nexport default functionPlugin;\n","export default function _extends() {\n _extends = Object.assign ? Object.assign.bind() : function (target) {\n for (var i = 1; i < arguments.length; i++) {\n var source = arguments[i];\n for (var key in source) {\n if (Object.prototype.hasOwnProperty.call(source, key)) {\n target[key] = source[key];\n }\n }\n }\n return target;\n };\n return _extends.apply(this, arguments);\n}","import _extends from '@babel/runtime/helpers/esm/extends';\nimport { RuleList } from 'jss';\n\nvar at = '@global';\nvar atPrefix = '@global ';\n\nvar GlobalContainerRule =\n/*#__PURE__*/\nfunction () {\n function GlobalContainerRule(key, styles, options) {\n this.type = 'global';\n this.at = at;\n this.isProcessed = false;\n this.key = key;\n this.options = options;\n this.rules = new RuleList(_extends({}, options, {\n parent: this\n }));\n\n for (var selector in styles) {\n this.rules.add(selector, styles[selector]);\n }\n\n this.rules.process();\n }\n /**\n * Get a rule.\n */\n\n\n var _proto = GlobalContainerRule.prototype;\n\n _proto.getRule = function getRule(name) {\n return this.rules.get(name);\n }\n /**\n * Create and register rule, run plugins.\n */\n ;\n\n _proto.addRule = function addRule(name, style, options) {\n var rule = this.rules.add(name, style, options);\n if (rule) this.options.jss.plugins.onProcessRule(rule);\n return rule;\n }\n /**\n * Replace rule, run plugins.\n */\n ;\n\n _proto.replaceRule = function replaceRule(name, style, options) {\n var newRule = this.rules.replace(name, style, options);\n if (newRule) this.options.jss.plugins.onProcessRule(newRule);\n return newRule;\n }\n /**\n * Get index of a rule.\n */\n ;\n\n _proto.indexOf = function indexOf(rule) {\n return this.rules.indexOf(rule);\n }\n /**\n * Generates a CSS string.\n */\n ;\n\n _proto.toString = function toString(options) {\n return this.rules.toString(options);\n };\n\n return GlobalContainerRule;\n}();\n\nvar GlobalPrefixedRule =\n/*#__PURE__*/\nfunction () {\n function GlobalPrefixedRule(key, style, options) {\n this.type = 'global';\n this.at = at;\n this.isProcessed = false;\n this.key = key;\n this.options = options;\n var selector = key.substr(atPrefix.length);\n this.rule = options.jss.createRule(selector, style, _extends({}, options, {\n parent: this\n }));\n }\n\n var _proto2 = GlobalPrefixedRule.prototype;\n\n _proto2.toString = function toString(options) {\n return this.rule ? this.rule.toString(options) : '';\n };\n\n return GlobalPrefixedRule;\n}();\n\nvar separatorRegExp = /\\s*,\\s*/g;\n\nfunction addScope(selector, scope) {\n var parts = selector.split(separatorRegExp);\n var scoped = '';\n\n for (var i = 0; i < parts.length; i++) {\n scoped += scope + \" \" + parts[i].trim();\n if (parts[i + 1]) scoped += ', ';\n }\n\n return scoped;\n}\n\nfunction handleNestedGlobalContainerRule(rule, sheet) {\n var options = rule.options,\n style = rule.style;\n var rules = style ? style[at] : null;\n if (!rules) return;\n\n for (var name in rules) {\n sheet.addRule(name, rules[name], _extends({}, options, {\n selector: addScope(name, rule.selector)\n }));\n }\n\n delete style[at];\n}\n\nfunction handlePrefixedGlobalRule(rule, sheet) {\n var options = rule.options,\n style = rule.style;\n\n for (var prop in style) {\n if (prop[0] !== '@' || prop.substr(0, at.length) !== at) continue;\n var selector = addScope(prop.substr(at.length), rule.selector);\n sheet.addRule(selector, style[prop], _extends({}, options, {\n selector: selector\n }));\n delete style[prop];\n }\n}\n/**\n * Convert nested rules to separate, remove them from original styles.\n */\n\n\nfunction jssGlobal() {\n function onCreateRule(name, styles, options) {\n if (!name) return null;\n\n if (name === at) {\n return new GlobalContainerRule(name, styles, options);\n }\n\n if (name[0] === '@' && name.substr(0, atPrefix.length) === atPrefix) {\n return new GlobalPrefixedRule(name, styles, options);\n }\n\n var parent = options.parent;\n\n if (parent) {\n if (parent.type === 'global' || parent.options.parent && parent.options.parent.type === 'global') {\n options.scoped = false;\n }\n }\n\n if (!options.selector && options.scoped === false) {\n options.selector = name;\n }\n\n return null;\n }\n\n function onProcessRule(rule, sheet) {\n if (rule.type !== 'style' || !sheet) return;\n handleNestedGlobalContainerRule(rule, sheet);\n handlePrefixedGlobalRule(rule, sheet);\n }\n\n return {\n onCreateRule: onCreateRule,\n onProcessRule: onProcessRule\n };\n}\n\nexport default jssGlobal;\n","export default function _extends() {\n _extends = Object.assign ? Object.assign.bind() : function (target) {\n for (var i = 1; i < arguments.length; i++) {\n var source = arguments[i];\n for (var key in source) {\n if (Object.prototype.hasOwnProperty.call(source, key)) {\n target[key] = source[key];\n }\n }\n }\n return target;\n };\n return _extends.apply(this, arguments);\n}","import _extends from '@babel/runtime/helpers/esm/extends';\nimport warning from 'tiny-warning';\n\nvar separatorRegExp = /\\s*,\\s*/g;\nvar parentRegExp = /&/g;\nvar refRegExp = /\\$([\\w-]+)/g;\n/**\n * Convert nested rules to separate, remove them from original styles.\n */\n\nfunction jssNested() {\n // Get a function to be used for $ref replacement.\n function getReplaceRef(container, sheet) {\n return function (match, key) {\n var rule = container.getRule(key) || sheet && sheet.getRule(key);\n\n if (rule) {\n return rule.selector;\n }\n\n process.env.NODE_ENV !== \"production\" ? warning(false, \"[JSS] Could not find the referenced rule \\\"\" + key + \"\\\" in \\\"\" + (container.options.meta || container.toString()) + \"\\\".\") : void 0;\n return key;\n };\n }\n\n function replaceParentRefs(nestedProp, parentProp) {\n var parentSelectors = parentProp.split(separatorRegExp);\n var nestedSelectors = nestedProp.split(separatorRegExp);\n var result = '';\n\n for (var i = 0; i < parentSelectors.length; i++) {\n var parent = parentSelectors[i];\n\n for (var j = 0; j < nestedSelectors.length; j++) {\n var nested = nestedSelectors[j];\n if (result) result += ', '; // Replace all & by the parent or prefix & with the parent.\n\n result += nested.indexOf('&') !== -1 ? nested.replace(parentRegExp, parent) : parent + \" \" + nested;\n }\n }\n\n return result;\n }\n\n function getOptions(rule, container, prevOptions) {\n // Options has been already created, now we only increase index.\n if (prevOptions) return _extends({}, prevOptions, {\n index: prevOptions.index + 1\n });\n var nestingLevel = rule.options.nestingLevel;\n nestingLevel = nestingLevel === undefined ? 1 : nestingLevel + 1;\n\n var options = _extends({}, rule.options, {\n nestingLevel: nestingLevel,\n index: container.indexOf(rule) + 1 // We don't need the parent name to be set options for chlid.\n\n });\n\n delete options.name;\n return options;\n }\n\n function onProcessStyle(style, rule, sheet) {\n if (rule.type !== 'style') return style;\n var styleRule = rule;\n var container = styleRule.options.parent;\n var options;\n var replaceRef;\n\n for (var prop in style) {\n var isNested = prop.indexOf('&') !== -1;\n var isNestedConditional = prop[0] === '@';\n if (!isNested && !isNestedConditional) continue;\n options = getOptions(styleRule, container, options);\n\n if (isNested) {\n var selector = replaceParentRefs(prop, styleRule.selector); // Lazily create the ref replacer function just once for\n // all nested rules within the sheet.\n\n if (!replaceRef) replaceRef = getReplaceRef(container, sheet); // Replace all $refs.\n\n selector = selector.replace(refRegExp, replaceRef);\n var name = styleRule.key + \"-\" + prop;\n\n if ('replaceRule' in container) {\n // for backward compatibility\n container.replaceRule(name, style[prop], _extends({}, options, {\n selector: selector\n }));\n } else {\n container.addRule(name, style[prop], _extends({}, options, {\n selector: selector\n }));\n }\n } else if (isNestedConditional) {\n // Place conditional right after the parent rule to ensure right ordering.\n container.addRule(prop, {}, options).addRule(styleRule.key, style[prop], {\n selector: styleRule.selector\n });\n }\n\n delete style[prop];\n }\n\n return style;\n }\n\n return {\n onProcessStyle: onProcessStyle\n };\n}\n\nexport default jssNested;\n","/* eslint-disable no-var, prefer-template */\nvar uppercasePattern = /[A-Z]/g\nvar msPattern = /^ms-/\nvar cache = {}\n\nfunction toHyphenLower(match) {\n return '-' + match.toLowerCase()\n}\n\nfunction hyphenateStyleName(name) {\n if (cache.hasOwnProperty(name)) {\n return cache[name]\n }\n\n var hName = name.replace(uppercasePattern, toHyphenLower)\n return (cache[name] = msPattern.test(hName) ? '-' + hName : hName)\n}\n\nexport default hyphenateStyleName\n","import hyphenate from 'hyphenate-style-name';\n\n/**\n * Convert camel cased property names to dash separated.\n */\n\nfunction convertCase(style) {\n var converted = {};\n\n for (var prop in style) {\n var key = prop.indexOf('--') === 0 ? prop : hyphenate(prop);\n converted[key] = style[prop];\n }\n\n if (style.fallbacks) {\n if (Array.isArray(style.fallbacks)) converted.fallbacks = style.fallbacks.map(convertCase);else converted.fallbacks = convertCase(style.fallbacks);\n }\n\n return converted;\n}\n/**\n * Allow camel cased property names by converting them back to dasherized.\n */\n\n\nfunction camelCase() {\n function onProcessStyle(style) {\n if (Array.isArray(style)) {\n // Handle rules like @font-face, which can have multiple styles in an array\n for (var index = 0; index < style.length; index++) {\n style[index] = convertCase(style[index]);\n }\n\n return style;\n }\n\n return convertCase(style);\n }\n\n function onChangeValue(value, prop, rule) {\n if (prop.indexOf('--') === 0) {\n return value;\n }\n\n var hyphenatedProp = hyphenate(prop); // There was no camel case in place\n\n if (prop === hyphenatedProp) return value;\n rule.prop(hyphenatedProp, value); // Core will ignore that property value we set the proper one above.\n\n return null;\n }\n\n return {\n onProcessStyle: onProcessStyle,\n onChangeValue: onChangeValue\n };\n}\n\nexport default camelCase;\n","import { hasCSSTOMSupport } from 'jss';\n\nvar px = hasCSSTOMSupport && CSS ? CSS.px : 'px';\nvar ms = hasCSSTOMSupport && CSS ? CSS.ms : 'ms';\nvar percent = hasCSSTOMSupport && CSS ? CSS.percent : '%';\n/**\n * Generated jss-plugin-default-unit CSS property units\n */\n\nvar defaultUnits = {\n // Animation properties\n 'animation-delay': ms,\n 'animation-duration': ms,\n // Background properties\n 'background-position': px,\n 'background-position-x': px,\n 'background-position-y': px,\n 'background-size': px,\n // Border Properties\n border: px,\n 'border-bottom': px,\n 'border-bottom-left-radius': px,\n 'border-bottom-right-radius': px,\n 'border-bottom-width': px,\n 'border-left': px,\n 'border-left-width': px,\n 'border-radius': px,\n 'border-right': px,\n 'border-right-width': px,\n 'border-top': px,\n 'border-top-left-radius': px,\n 'border-top-right-radius': px,\n 'border-top-width': px,\n 'border-width': px,\n 'border-block': px,\n 'border-block-end': px,\n 'border-block-end-width': px,\n 'border-block-start': px,\n 'border-block-start-width': px,\n 'border-block-width': px,\n 'border-inline': px,\n 'border-inline-end': px,\n 'border-inline-end-width': px,\n 'border-inline-start': px,\n 'border-inline-start-width': px,\n 'border-inline-width': px,\n 'border-start-start-radius': px,\n 'border-start-end-radius': px,\n 'border-end-start-radius': px,\n 'border-end-end-radius': px,\n // Margin properties\n margin: px,\n 'margin-bottom': px,\n 'margin-left': px,\n 'margin-right': px,\n 'margin-top': px,\n 'margin-block': px,\n 'margin-block-end': px,\n 'margin-block-start': px,\n 'margin-inline': px,\n 'margin-inline-end': px,\n 'margin-inline-start': px,\n // Padding properties\n padding: px,\n 'padding-bottom': px,\n 'padding-left': px,\n 'padding-right': px,\n 'padding-top': px,\n 'padding-block': px,\n 'padding-block-end': px,\n 'padding-block-start': px,\n 'padding-inline': px,\n 'padding-inline-end': px,\n 'padding-inline-start': px,\n // Mask properties\n 'mask-position-x': px,\n 'mask-position-y': px,\n 'mask-size': px,\n // Width and height properties\n height: px,\n width: px,\n 'min-height': px,\n 'max-height': px,\n 'min-width': px,\n 'max-width': px,\n // Position properties\n bottom: px,\n left: px,\n top: px,\n right: px,\n inset: px,\n 'inset-block': px,\n 'inset-block-end': px,\n 'inset-block-start': px,\n 'inset-inline': px,\n 'inset-inline-end': px,\n 'inset-inline-start': px,\n // Shadow properties\n 'box-shadow': px,\n 'text-shadow': px,\n // Column properties\n 'column-gap': px,\n 'column-rule': px,\n 'column-rule-width': px,\n 'column-width': px,\n // Font and text properties\n 'font-size': px,\n 'font-size-delta': px,\n 'letter-spacing': px,\n 'text-decoration-thickness': px,\n 'text-indent': px,\n 'text-stroke': px,\n 'text-stroke-width': px,\n 'word-spacing': px,\n // Motion properties\n motion: px,\n 'motion-offset': px,\n // Outline properties\n outline: px,\n 'outline-offset': px,\n 'outline-width': px,\n // Perspective properties\n perspective: px,\n 'perspective-origin-x': percent,\n 'perspective-origin-y': percent,\n // Transform properties\n 'transform-origin': percent,\n 'transform-origin-x': percent,\n 'transform-origin-y': percent,\n 'transform-origin-z': percent,\n // Transition properties\n 'transition-delay': ms,\n 'transition-duration': ms,\n // Alignment properties\n 'vertical-align': px,\n 'flex-basis': px,\n // Some random properties\n 'shape-margin': px,\n size: px,\n gap: px,\n // Grid properties\n grid: px,\n 'grid-gap': px,\n 'row-gap': px,\n 'grid-row-gap': px,\n 'grid-column-gap': px,\n 'grid-template-rows': px,\n 'grid-template-columns': px,\n 'grid-auto-rows': px,\n 'grid-auto-columns': px,\n // Not existing properties.\n // Used to avoid issues with jss-plugin-expand integration.\n 'box-shadow-x': px,\n 'box-shadow-y': px,\n 'box-shadow-blur': px,\n 'box-shadow-spread': px,\n 'font-line-height': px,\n 'text-shadow-x': px,\n 'text-shadow-y': px,\n 'text-shadow-blur': px\n};\n\n/**\n * Clones the object and adds a camel cased property version.\n */\n\nfunction addCamelCasedVersion(obj) {\n var regExp = /(-[a-z])/g;\n\n var replace = function replace(str) {\n return str[1].toUpperCase();\n };\n\n var newObj = {};\n\n for (var key in obj) {\n newObj[key] = obj[key];\n newObj[key.replace(regExp, replace)] = obj[key];\n }\n\n return newObj;\n}\n\nvar units = addCamelCasedVersion(defaultUnits);\n/**\n * Recursive deep style passing function\n */\n\nfunction iterate(prop, value, options) {\n if (value == null) return value;\n\n if (Array.isArray(value)) {\n for (var i = 0; i < value.length; i++) {\n value[i] = iterate(prop, value[i], options);\n }\n } else if (typeof value === 'object') {\n if (prop === 'fallbacks') {\n for (var innerProp in value) {\n value[innerProp] = iterate(innerProp, value[innerProp], options);\n }\n } else {\n for (var _innerProp in value) {\n value[_innerProp] = iterate(prop + \"-\" + _innerProp, value[_innerProp], options);\n }\n } // eslint-disable-next-line no-restricted-globals\n\n } else if (typeof value === 'number' && isNaN(value) === false) {\n var unit = options[prop] || units[prop]; // Add the unit if available, except for the special case of 0px.\n\n if (unit && !(value === 0 && unit === px)) {\n return typeof unit === 'function' ? unit(value).toString() : \"\" + value + unit;\n }\n\n return value.toString();\n }\n\n return value;\n}\n/**\n * Add unit to numeric values.\n */\n\n\nfunction defaultUnit(options) {\n if (options === void 0) {\n options = {};\n }\n\n var camelCasedOptions = addCamelCasedVersion(options);\n\n function onProcessStyle(style, rule) {\n if (rule.type !== 'style') return style;\n\n for (var prop in style) {\n style[prop] = iterate(prop, style[prop], camelCasedOptions);\n }\n\n return style;\n }\n\n function onChangeValue(value, prop) {\n return iterate(prop, value, camelCasedOptions);\n }\n\n return {\n onProcessStyle: onProcessStyle,\n onChangeValue: onChangeValue\n };\n}\n\nexport default defaultUnit;\n","export default function _arrayLikeToArray(arr, len) {\n if (len == null || len > arr.length) len = arr.length;\n for (var i = 0, arr2 = new Array(len); i < len; i++) arr2[i] = arr[i];\n return arr2;\n}","import arrayWithoutHoles from \"./arrayWithoutHoles.js\";\nimport iterableToArray from \"./iterableToArray.js\";\nimport unsupportedIterableToArray from \"./unsupportedIterableToArray.js\";\nimport nonIterableSpread from \"./nonIterableSpread.js\";\nexport default function _toConsumableArray(arr) {\n return arrayWithoutHoles(arr) || iterableToArray(arr) || unsupportedIterableToArray(arr) || nonIterableSpread();\n}","import arrayLikeToArray from \"./arrayLikeToArray.js\";\nexport default function _arrayWithoutHoles(arr) {\n if (Array.isArray(arr)) return arrayLikeToArray(arr);\n}","export default function _iterableToArray(iter) {\n if (typeof Symbol !== \"undefined\" && iter[Symbol.iterator] != null || iter[\"@@iterator\"] != null) return Array.from(iter);\n}","import arrayLikeToArray from \"./arrayLikeToArray.js\";\nexport default function _unsupportedIterableToArray(o, minLen) {\n if (!o) return;\n if (typeof o === \"string\") return arrayLikeToArray(o, minLen);\n var n = Object.prototype.toString.call(o).slice(8, -1);\n if (n === \"Object\" && o.constructor) n = o.constructor.name;\n if (n === \"Map\" || n === \"Set\") return Array.from(o);\n if (n === \"Arguments\" || /^(?:Ui|I)nt(?:8|16|32)(?:Clamped)?Array$/.test(n)) return arrayLikeToArray(o, minLen);\n}","export default function _nonIterableSpread() {\n throw new TypeError(\"Invalid attempt to spread non-iterable instance.\\nIn order to be iterable, non-array objects must have a [Symbol.iterator]() method.\");\n}","import isInBrowser from 'is-in-browser';\nimport _toConsumableArray from '@babel/runtime/helpers/esm/toConsumableArray';\n\n// Export javascript style and css style vendor prefixes.\nvar js = '';\nvar css = '';\nvar vendor = '';\nvar browser = '';\nvar isTouch = isInBrowser && 'ontouchstart' in document.documentElement; // We should not do anything if required serverside.\n\nif (isInBrowser) {\n // Order matters. We need to check Webkit the last one because\n // other vendors use to add Webkit prefixes to some properties\n var jsCssMap = {\n Moz: '-moz-',\n ms: '-ms-',\n O: '-o-',\n Webkit: '-webkit-'\n };\n\n var _document$createEleme = document.createElement('p'),\n style = _document$createEleme.style;\n\n var testProp = 'Transform';\n\n for (var key in jsCssMap) {\n if (key + testProp in style) {\n js = key;\n css = jsCssMap[key];\n break;\n }\n } // Correctly detect the Edge browser.\n\n\n if (js === 'Webkit' && 'msHyphens' in style) {\n js = 'ms';\n css = jsCssMap.ms;\n browser = 'edge';\n } // Correctly detect the Safari browser.\n\n\n if (js === 'Webkit' && '-apple-trailing-word' in style) {\n vendor = 'apple';\n }\n}\n/**\n * Vendor prefix string for the current browser.\n *\n * @type {{js: String, css: String, vendor: String, browser: String}}\n * @api public\n */\n\n\nvar prefix = {\n js: js,\n css: css,\n vendor: vendor,\n browser: browser,\n isTouch: isTouch\n};\n\n/**\n * Test if a keyframe at-rule should be prefixed or not\n *\n * @param {String} vendor prefix string for the current browser.\n * @return {String}\n * @api public\n */\n\nfunction supportedKeyframes(key) {\n // Keyframes is already prefixed. e.g. key = '@-webkit-keyframes a'\n if (key[1] === '-') return key; // No need to prefix IE/Edge. Older browsers will ignore unsupported rules.\n // https://caniuse.com/#search=keyframes\n\n if (prefix.js === 'ms') return key;\n return \"@\" + prefix.css + \"keyframes\" + key.substr(10);\n}\n\n// https://caniuse.com/#search=appearance\n\nvar appearence = {\n noPrefill: ['appearance'],\n supportedProperty: function supportedProperty(prop) {\n if (prop !== 'appearance') return false;\n if (prefix.js === 'ms') return \"-webkit-\" + prop;\n return prefix.css + prop;\n }\n};\n\n// https://caniuse.com/#search=color-adjust\n\nvar colorAdjust = {\n noPrefill: ['color-adjust'],\n supportedProperty: function supportedProperty(prop) {\n if (prop !== 'color-adjust') return false;\n if (prefix.js === 'Webkit') return prefix.css + \"print-\" + prop;\n return prop;\n }\n};\n\nvar regExp = /[-\\s]+(.)?/g;\n/**\n * Replaces the letter with the capital letter\n *\n * @param {String} match\n * @param {String} c\n * @return {String}\n * @api private\n */\n\nfunction toUpper(match, c) {\n return c ? c.toUpperCase() : '';\n}\n/**\n * Convert dash separated strings to camel-cased.\n *\n * @param {String} str\n * @return {String}\n * @api private\n */\n\n\nfunction camelize(str) {\n return str.replace(regExp, toUpper);\n}\n\n/**\n * Convert dash separated strings to pascal cased.\n *\n * @param {String} str\n * @return {String}\n * @api private\n */\n\nfunction pascalize(str) {\n return camelize(\"-\" + str);\n}\n\n// but we can use a longhand property instead.\n// https://caniuse.com/#search=mask\n\nvar mask = {\n noPrefill: ['mask'],\n supportedProperty: function supportedProperty(prop, style) {\n if (!/^mask/.test(prop)) return false;\n\n if (prefix.js === 'Webkit') {\n var longhand = 'mask-image';\n\n if (camelize(longhand) in style) {\n return prop;\n }\n\n if (prefix.js + pascalize(longhand) in style) {\n return prefix.css + prop;\n }\n }\n\n return prop;\n }\n};\n\n// https://caniuse.com/#search=text-orientation\n\nvar textOrientation = {\n noPrefill: ['text-orientation'],\n supportedProperty: function supportedProperty(prop) {\n if (prop !== 'text-orientation') return false;\n\n if (prefix.vendor === 'apple' && !prefix.isTouch) {\n return prefix.css + prop;\n }\n\n return prop;\n }\n};\n\n// https://caniuse.com/#search=transform\n\nvar transform = {\n noPrefill: ['transform'],\n supportedProperty: function supportedProperty(prop, style, options) {\n if (prop !== 'transform') return false;\n\n if (options.transform) {\n return prop;\n }\n\n return prefix.css + prop;\n }\n};\n\n// https://caniuse.com/#search=transition\n\nvar transition = {\n noPrefill: ['transition'],\n supportedProperty: function supportedProperty(prop, style, options) {\n if (prop !== 'transition') return false;\n\n if (options.transition) {\n return prop;\n }\n\n return prefix.css + prop;\n }\n};\n\n// https://caniuse.com/#search=writing-mode\n\nvar writingMode = {\n noPrefill: ['writing-mode'],\n supportedProperty: function supportedProperty(prop) {\n if (prop !== 'writing-mode') return false;\n\n if (prefix.js === 'Webkit' || prefix.js === 'ms' && prefix.browser !== 'edge') {\n return prefix.css + prop;\n }\n\n return prop;\n }\n};\n\n// https://caniuse.com/#search=user-select\n\nvar userSelect = {\n noPrefill: ['user-select'],\n supportedProperty: function supportedProperty(prop) {\n if (prop !== 'user-select') return false;\n\n if (prefix.js === 'Moz' || prefix.js === 'ms' || prefix.vendor === 'apple') {\n return prefix.css + prop;\n }\n\n return prop;\n }\n};\n\n// https://caniuse.com/#search=multicolumn\n// https://github.com/postcss/autoprefixer/issues/491\n// https://github.com/postcss/autoprefixer/issues/177\n\nvar breakPropsOld = {\n supportedProperty: function supportedProperty(prop, style) {\n if (!/^break-/.test(prop)) return false;\n\n if (prefix.js === 'Webkit') {\n var jsProp = \"WebkitColumn\" + pascalize(prop);\n return jsProp in style ? prefix.css + \"column-\" + prop : false;\n }\n\n if (prefix.js === 'Moz') {\n var _jsProp = \"page\" + pascalize(prop);\n\n return _jsProp in style ? \"page-\" + prop : false;\n }\n\n return false;\n }\n};\n\n// See https://github.com/postcss/autoprefixer/issues/324.\n\nvar inlineLogicalOld = {\n supportedProperty: function supportedProperty(prop, style) {\n if (!/^(border|margin|padding)-inline/.test(prop)) return false;\n if (prefix.js === 'Moz') return prop;\n var newProp = prop.replace('-inline', '');\n return prefix.js + pascalize(newProp) in style ? prefix.css + newProp : false;\n }\n};\n\n// Camelization is required because we can't test using.\n// CSS syntax for e.g. in FF.\n\nvar unprefixed = {\n supportedProperty: function supportedProperty(prop, style) {\n return camelize(prop) in style ? prop : false;\n }\n};\n\nvar prefixed = {\n supportedProperty: function supportedProperty(prop, style) {\n var pascalized = pascalize(prop); // Return custom CSS variable without prefixing.\n\n if (prop[0] === '-') return prop; // Return already prefixed value without prefixing.\n\n if (prop[0] === '-' && prop[1] === '-') return prop;\n if (prefix.js + pascalized in style) return prefix.css + prop; // Try webkit fallback.\n\n if (prefix.js !== 'Webkit' && \"Webkit\" + pascalized in style) return \"-webkit-\" + prop;\n return false;\n }\n};\n\n// https://caniuse.com/#search=scroll-snap\n\nvar scrollSnap = {\n supportedProperty: function supportedProperty(prop) {\n if (prop.substring(0, 11) !== 'scroll-snap') return false;\n\n if (prefix.js === 'ms') {\n return \"\" + prefix.css + prop;\n }\n\n return prop;\n }\n};\n\n// https://caniuse.com/#search=overscroll-behavior\n\nvar overscrollBehavior = {\n supportedProperty: function supportedProperty(prop) {\n if (prop !== 'overscroll-behavior') return false;\n\n if (prefix.js === 'ms') {\n return prefix.css + \"scroll-chaining\";\n }\n\n return prop;\n }\n};\n\nvar propMap = {\n 'flex-grow': 'flex-positive',\n 'flex-shrink': 'flex-negative',\n 'flex-basis': 'flex-preferred-size',\n 'justify-content': 'flex-pack',\n order: 'flex-order',\n 'align-items': 'flex-align',\n 'align-content': 'flex-line-pack' // 'align-self' is handled by 'align-self' plugin.\n\n}; // Support old flex spec from 2012.\n\nvar flex2012 = {\n supportedProperty: function supportedProperty(prop, style) {\n var newProp = propMap[prop];\n if (!newProp) return false;\n return prefix.js + pascalize(newProp) in style ? prefix.css + newProp : false;\n }\n};\n\nvar propMap$1 = {\n flex: 'box-flex',\n 'flex-grow': 'box-flex',\n 'flex-direction': ['box-orient', 'box-direction'],\n order: 'box-ordinal-group',\n 'align-items': 'box-align',\n 'flex-flow': ['box-orient', 'box-direction'],\n 'justify-content': 'box-pack'\n};\nvar propKeys = Object.keys(propMap$1);\n\nvar prefixCss = function prefixCss(p) {\n return prefix.css + p;\n}; // Support old flex spec from 2009.\n\n\nvar flex2009 = {\n supportedProperty: function supportedProperty(prop, style, _ref) {\n var multiple = _ref.multiple;\n\n if (propKeys.indexOf(prop) > -1) {\n var newProp = propMap$1[prop];\n\n if (!Array.isArray(newProp)) {\n return prefix.js + pascalize(newProp) in style ? prefix.css + newProp : false;\n }\n\n if (!multiple) return false;\n\n for (var i = 0; i < newProp.length; i++) {\n if (!(prefix.js + pascalize(newProp[0]) in style)) {\n return false;\n }\n }\n\n return newProp.map(prefixCss);\n }\n\n return false;\n }\n};\n\n// plugins = [\n// ...plugins,\n// breakPropsOld,\n// inlineLogicalOld,\n// unprefixed,\n// prefixed,\n// scrollSnap,\n// flex2012,\n// flex2009\n// ]\n// Plugins without 'noPrefill' value, going last.\n// 'flex-*' plugins should be at the bottom.\n// 'flex2009' going after 'flex2012'.\n// 'prefixed' going after 'unprefixed'\n\nvar plugins = [appearence, colorAdjust, mask, textOrientation, transform, transition, writingMode, userSelect, breakPropsOld, inlineLogicalOld, unprefixed, prefixed, scrollSnap, overscrollBehavior, flex2012, flex2009];\nvar propertyDetectors = plugins.filter(function (p) {\n return p.supportedProperty;\n}).map(function (p) {\n return p.supportedProperty;\n});\nvar noPrefill = plugins.filter(function (p) {\n return p.noPrefill;\n}).reduce(function (a, p) {\n a.push.apply(a, _toConsumableArray(p.noPrefill));\n return a;\n}, []);\n\nvar el;\nvar cache = {};\n\nif (isInBrowser) {\n el = document.createElement('p'); // We test every property on vendor prefix requirement.\n // Once tested, result is cached. It gives us up to 70% perf boost.\n // http://jsperf.com/element-style-object-access-vs-plain-object\n //\n // Prefill cache with known css properties to reduce amount of\n // properties we need to feature test at runtime.\n // http://davidwalsh.name/vendor-prefix\n\n var computed = window.getComputedStyle(document.documentElement, '');\n\n for (var key$1 in computed) {\n // eslint-disable-next-line no-restricted-globals\n if (!isNaN(key$1)) cache[computed[key$1]] = computed[key$1];\n } // Properties that cannot be correctly detected using the\n // cache prefill method.\n\n\n noPrefill.forEach(function (x) {\n return delete cache[x];\n });\n}\n/**\n * Test if a property is supported, returns supported property with vendor\n * prefix if required. Returns `false` if not supported.\n *\n * @param {String} prop dash separated\n * @param {Object} [options]\n * @return {String|Boolean}\n * @api public\n */\n\n\nfunction supportedProperty(prop, options) {\n if (options === void 0) {\n options = {};\n }\n\n // For server-side rendering.\n if (!el) return prop; // Remove cache for benchmark tests or return property from the cache.\n\n if (process.env.NODE_ENV !== 'benchmark' && cache[prop] != null) {\n return cache[prop];\n } // Check if 'transition' or 'transform' natively supported in browser.\n\n\n if (prop === 'transition' || prop === 'transform') {\n options[prop] = prop in el.style;\n } // Find a plugin for current prefix property.\n\n\n for (var i = 0; i < propertyDetectors.length; i++) {\n cache[prop] = propertyDetectors[i](prop, el.style, options); // Break loop, if value found.\n\n if (cache[prop]) break;\n } // Reset styles for current property.\n // Firefox can even throw an error for invalid properties, e.g., \"0\".\n\n\n try {\n el.style[prop] = '';\n } catch (err) {\n return false;\n }\n\n return cache[prop];\n}\n\nvar cache$1 = {};\nvar transitionProperties = {\n transition: 1,\n 'transition-property': 1,\n '-webkit-transition': 1,\n '-webkit-transition-property': 1\n};\nvar transPropsRegExp = /(^\\s*[\\w-]+)|, (\\s*[\\w-]+)(?![^()]*\\))/g;\nvar el$1;\n/**\n * Returns prefixed value transition/transform if needed.\n *\n * @param {String} match\n * @param {String} p1\n * @param {String} p2\n * @return {String}\n * @api private\n */\n\nfunction prefixTransitionCallback(match, p1, p2) {\n if (p1 === 'var') return 'var';\n if (p1 === 'all') return 'all';\n if (p2 === 'all') return ', all';\n var prefixedValue = p1 ? supportedProperty(p1) : \", \" + supportedProperty(p2);\n if (!prefixedValue) return p1 || p2;\n return prefixedValue;\n}\n\nif (isInBrowser) el$1 = document.createElement('p');\n/**\n * Returns prefixed value if needed. Returns `false` if value is not supported.\n *\n * @param {String} property\n * @param {String} value\n * @return {String|Boolean}\n * @api public\n */\n\nfunction supportedValue(property, value) {\n // For server-side rendering.\n var prefixedValue = value;\n if (!el$1 || property === 'content') return value; // It is a string or a number as a string like '1'.\n // We want only prefixable values here.\n // eslint-disable-next-line no-restricted-globals\n\n if (typeof prefixedValue !== 'string' || !isNaN(parseInt(prefixedValue, 10))) {\n return prefixedValue;\n } // Create cache key for current value.\n\n\n var cacheKey = property + prefixedValue; // Remove cache for benchmark tests or return value from cache.\n\n if (process.env.NODE_ENV !== 'benchmark' && cache$1[cacheKey] != null) {\n return cache$1[cacheKey];\n } // IE can even throw an error in some cases, for e.g. style.content = 'bar'.\n\n\n try {\n // Test value as it is.\n el$1.style[property] = prefixedValue;\n } catch (err) {\n // Return false if value not supported.\n cache$1[cacheKey] = false;\n return false;\n } // If 'transition' or 'transition-property' property.\n\n\n if (transitionProperties[property]) {\n prefixedValue = prefixedValue.replace(transPropsRegExp, prefixTransitionCallback);\n } else if (el$1.style[property] === '') {\n // Value with a vendor prefix.\n prefixedValue = prefix.css + prefixedValue; // Hardcode test to convert \"flex\" to \"-ms-flexbox\" for IE10.\n\n if (prefixedValue === '-ms-flex') el$1.style[property] = '-ms-flexbox'; // Test prefixed value.\n\n el$1.style[property] = prefixedValue; // Return false if value not supported.\n\n if (el$1.style[property] === '') {\n cache$1[cacheKey] = false;\n return false;\n }\n } // Reset styles for current property.\n\n\n el$1.style[property] = ''; // Write current value to cache.\n\n cache$1[cacheKey] = prefixedValue;\n return cache$1[cacheKey];\n}\n\nexport { prefix, supportedKeyframes, supportedProperty, supportedValue };\n","import { supportedKeyframes, supportedValue, supportedProperty } from 'css-vendor';\nimport { toCssValue } from 'jss';\n\n/**\n * Add vendor prefix to a property name when needed.\n */\n\nfunction jssVendorPrefixer() {\n function onProcessRule(rule) {\n if (rule.type === 'keyframes') {\n var atRule = rule;\n atRule.at = supportedKeyframes(atRule.at);\n }\n }\n\n function prefixStyle(style) {\n for (var prop in style) {\n var value = style[prop];\n\n if (prop === 'fallbacks' && Array.isArray(value)) {\n style[prop] = value.map(prefixStyle);\n continue;\n }\n\n var changeProp = false;\n var supportedProp = supportedProperty(prop);\n if (supportedProp && supportedProp !== prop) changeProp = true;\n var changeValue = false;\n var supportedValue$1 = supportedValue(supportedProp, toCssValue(value));\n if (supportedValue$1 && supportedValue$1 !== value) changeValue = true;\n\n if (changeProp || changeValue) {\n if (changeProp) delete style[prop];\n style[supportedProp || prop] = supportedValue$1 || value;\n }\n }\n\n return style;\n }\n\n function onProcessStyle(style, rule) {\n if (rule.type !== 'style') return style;\n return prefixStyle(style);\n }\n\n function onChangeValue(value, prop) {\n return supportedValue(prop, toCssValue(value)) || value;\n }\n\n return {\n onProcessRule: onProcessRule,\n onProcessStyle: onProcessStyle,\n onChangeValue: onChangeValue\n };\n}\n\nexport default jssVendorPrefixer;\n","/**\n * Sort props by length.\n */\nfunction jssPropsSort() {\n var sort = function sort(prop0, prop1) {\n if (prop0.length === prop1.length) {\n return prop0 > prop1 ? 1 : -1;\n }\n\n return prop0.length - prop1.length;\n };\n\n return {\n onProcessStyle: function onProcessStyle(style, rule) {\n if (rule.type !== 'style') return style;\n var newStyle = {};\n var props = Object.keys(style).sort(sort);\n\n for (var i = 0; i < props.length; i++) {\n newStyle[props[i]] = style[props[i]];\n }\n\n return newStyle;\n }\n };\n}\n\nexport default jssPropsSort;\n","import functions from 'jss-plugin-rule-value-function';\nimport global from 'jss-plugin-global';\nimport nested from 'jss-plugin-nested';\nimport camelCase from 'jss-plugin-camel-case';\nimport defaultUnit from 'jss-plugin-default-unit';\nimport vendorPrefixer from 'jss-plugin-vendor-prefixer';\nimport propsSort from 'jss-plugin-props-sort'; // Subset of jss-preset-default with only the plugins the Material-UI components are using.\n\nexport default function jssPreset() {\n return {\n plugins: [functions(), global(), nested(), camelCase(), defaultUnit(), // Disable the vendor prefixer server-side, it does nothing.\n // This way, we can get a performance boost.\n // In the documentation, we are using `autoprefixer` to solve this problem.\n typeof window === 'undefined' ? null : vendorPrefixer(), propsSort()]\n };\n}","// Used https://github.com/thinkloop/multi-key-cache as inspiration\nvar multiKeyStore = {\n set: function set(cache, key1, key2, value) {\n var subCache = cache.get(key1);\n\n if (!subCache) {\n subCache = new Map();\n cache.set(key1, subCache);\n }\n\n subCache.set(key2, value);\n },\n get: function get(cache, key1, key2) {\n var subCache = cache.get(key1);\n return subCache ? subCache.get(key2) : undefined;\n },\n delete: function _delete(cache, key1, key2) {\n var subCache = cache.get(key1);\n subCache.delete(key2);\n }\n};\nexport default multiKeyStore;","/* eslint-disable import/prefer-default-export */\n// Global index counter to preserve source order.\n// We create the style sheet during the creation of the component,\n// children are handled after the parents, so the order of style elements would be parent->child.\n// It is a problem though when a parent passes a className\n// which needs to override any child's styles.\n// StyleSheet of the child has a higher specificity, because of the source order.\n// So our solution is to render sheets them in the reverse order child->sheet, so\n// that parent has a higher specificity.\nvar indexCounter = -1e9;\nexport function increment() {\n indexCounter += 1;\n\n if (process.env.NODE_ENV !== 'production') {\n if (indexCounter >= 0) {\n console.warn(['Material-UI: You might have a memory leak.', 'The indexCounter is not supposed to grow that much.'].join('\\n'));\n }\n }\n\n return indexCounter;\n}","// We use the same empty object to ref count the styles that don't need a theme object.\nvar noopTheme = {};\nexport default noopTheme;","import _objectWithoutProperties from \"@babel/runtime/helpers/esm/objectWithoutProperties\";\nimport _extends from \"@babel/runtime/helpers/esm/extends\";\nimport React from 'react';\nimport { getDynamicStyles } from 'jss';\nimport mergeClasses from '../mergeClasses';\nimport multiKeyStore from './multiKeyStore';\nimport useTheme from '../useTheme';\nimport { StylesContext } from '../StylesProvider';\nimport { increment } from './indexCounter';\nimport getStylesCreator from '../getStylesCreator';\nimport noopTheme from '../getStylesCreator/noopTheme';\n\nfunction getClasses(_ref, classes, Component) {\n var state = _ref.state,\n stylesOptions = _ref.stylesOptions;\n\n if (stylesOptions.disableGeneration) {\n return classes || {};\n }\n\n if (!state.cacheClasses) {\n state.cacheClasses = {\n // Cache for the finalized classes value.\n value: null,\n // Cache for the last used classes prop pointer.\n lastProp: null,\n // Cache for the last used rendered classes pointer.\n lastJSS: {}\n };\n } // Tracks if either the rendered classes or classes prop has changed,\n // requiring the generation of a new finalized classes object.\n\n\n var generate = false;\n\n if (state.classes !== state.cacheClasses.lastJSS) {\n state.cacheClasses.lastJSS = state.classes;\n generate = true;\n }\n\n if (classes !== state.cacheClasses.lastProp) {\n state.cacheClasses.lastProp = classes;\n generate = true;\n }\n\n if (generate) {\n state.cacheClasses.value = mergeClasses({\n baseClasses: state.cacheClasses.lastJSS,\n newClasses: classes,\n Component: Component\n });\n }\n\n return state.cacheClasses.value;\n}\n\nfunction attach(_ref2, props) {\n var state = _ref2.state,\n theme = _ref2.theme,\n stylesOptions = _ref2.stylesOptions,\n stylesCreator = _ref2.stylesCreator,\n name = _ref2.name;\n\n if (stylesOptions.disableGeneration) {\n return;\n }\n\n var sheetManager = multiKeyStore.get(stylesOptions.sheetsManager, stylesCreator, theme);\n\n if (!sheetManager) {\n sheetManager = {\n refs: 0,\n staticSheet: null,\n dynamicStyles: null\n };\n multiKeyStore.set(stylesOptions.sheetsManager, stylesCreator, theme, sheetManager);\n }\n\n var options = _extends({}, stylesCreator.options, stylesOptions, {\n theme: theme,\n flip: typeof stylesOptions.flip === 'boolean' ? stylesOptions.flip : theme.direction === 'rtl'\n });\n\n options.generateId = options.serverGenerateClassName || options.generateClassName;\n var sheetsRegistry = stylesOptions.sheetsRegistry;\n\n if (sheetManager.refs === 0) {\n var staticSheet;\n\n if (stylesOptions.sheetsCache) {\n staticSheet = multiKeyStore.get(stylesOptions.sheetsCache, stylesCreator, theme);\n }\n\n var styles = stylesCreator.create(theme, name);\n\n if (!staticSheet) {\n staticSheet = stylesOptions.jss.createStyleSheet(styles, _extends({\n link: false\n }, options));\n staticSheet.attach();\n\n if (stylesOptions.sheetsCache) {\n multiKeyStore.set(stylesOptions.sheetsCache, stylesCreator, theme, staticSheet);\n }\n }\n\n if (sheetsRegistry) {\n sheetsRegistry.add(staticSheet);\n }\n\n sheetManager.staticSheet = staticSheet;\n sheetManager.dynamicStyles = getDynamicStyles(styles);\n }\n\n if (sheetManager.dynamicStyles) {\n var dynamicSheet = stylesOptions.jss.createStyleSheet(sheetManager.dynamicStyles, _extends({\n link: true\n }, options));\n dynamicSheet.update(props);\n dynamicSheet.attach();\n state.dynamicSheet = dynamicSheet;\n state.classes = mergeClasses({\n baseClasses: sheetManager.staticSheet.classes,\n newClasses: dynamicSheet.classes\n });\n\n if (sheetsRegistry) {\n sheetsRegistry.add(dynamicSheet);\n }\n } else {\n state.classes = sheetManager.staticSheet.classes;\n }\n\n sheetManager.refs += 1;\n}\n\nfunction update(_ref3, props) {\n var state = _ref3.state;\n\n if (state.dynamicSheet) {\n state.dynamicSheet.update(props);\n }\n}\n\nfunction detach(_ref4) {\n var state = _ref4.state,\n theme = _ref4.theme,\n stylesOptions = _ref4.stylesOptions,\n stylesCreator = _ref4.stylesCreator;\n\n if (stylesOptions.disableGeneration) {\n return;\n }\n\n var sheetManager = multiKeyStore.get(stylesOptions.sheetsManager, stylesCreator, theme);\n sheetManager.refs -= 1;\n var sheetsRegistry = stylesOptions.sheetsRegistry;\n\n if (sheetManager.refs === 0) {\n multiKeyStore.delete(stylesOptions.sheetsManager, stylesCreator, theme);\n stylesOptions.jss.removeStyleSheet(sheetManager.staticSheet);\n\n if (sheetsRegistry) {\n sheetsRegistry.remove(sheetManager.staticSheet);\n }\n }\n\n if (state.dynamicSheet) {\n stylesOptions.jss.removeStyleSheet(state.dynamicSheet);\n\n if (sheetsRegistry) {\n sheetsRegistry.remove(state.dynamicSheet);\n }\n }\n}\n\nfunction useSynchronousEffect(func, values) {\n var key = React.useRef([]);\n var output; // Store \"generation\" key. Just returns a new object every time\n\n var currentKey = React.useMemo(function () {\n return {};\n }, values); // eslint-disable-line react-hooks/exhaustive-deps\n // \"the first render\", or \"memo dropped the value\"\n\n if (key.current !== currentKey) {\n key.current = currentKey;\n output = func();\n }\n\n React.useEffect(function () {\n return function () {\n if (output) {\n output();\n }\n };\n }, [currentKey] // eslint-disable-line react-hooks/exhaustive-deps\n );\n}\n\nexport default function makeStyles(stylesOrCreator) {\n var options = arguments.length > 1 && arguments[1] !== undefined ? arguments[1] : {};\n\n var name = options.name,\n classNamePrefixOption = options.classNamePrefix,\n Component = options.Component,\n _options$defaultTheme = options.defaultTheme,\n defaultTheme = _options$defaultTheme === void 0 ? noopTheme : _options$defaultTheme,\n stylesOptions2 = _objectWithoutProperties(options, [\"name\", \"classNamePrefix\", \"Component\", \"defaultTheme\"]);\n\n var stylesCreator = getStylesCreator(stylesOrCreator);\n var classNamePrefix = name || classNamePrefixOption || 'makeStyles';\n stylesCreator.options = {\n index: increment(),\n name: name,\n meta: classNamePrefix,\n classNamePrefix: classNamePrefix\n };\n\n var useStyles = function useStyles() {\n var props = arguments.length > 0 && arguments[0] !== undefined ? arguments[0] : {};\n var theme = useTheme() || defaultTheme;\n\n var stylesOptions = _extends({}, React.useContext(StylesContext), stylesOptions2);\n\n var instance = React.useRef();\n var shouldUpdate = React.useRef();\n useSynchronousEffect(function () {\n var current = {\n name: name,\n state: {},\n stylesCreator: stylesCreator,\n stylesOptions: stylesOptions,\n theme: theme\n };\n attach(current, props);\n shouldUpdate.current = false;\n instance.current = current;\n return function () {\n detach(current);\n };\n }, [theme, stylesCreator]);\n React.useEffect(function () {\n if (shouldUpdate.current) {\n update(instance.current, props);\n }\n\n shouldUpdate.current = true;\n });\n var classes = getClasses(instance.current, props.classes, Component);\n\n if (process.env.NODE_ENV !== 'production') {\n // eslint-disable-next-line react-hooks/rules-of-hooks\n React.useDebugValue(classes);\n }\n\n return classes;\n };\n\n return useStyles;\n}","import _extends from \"@babel/runtime/helpers/esm/extends\";\nimport _typeof from \"@babel/runtime/helpers/esm/typeof\";\nimport { deepmerge } from '@material-ui/utils';\nimport noopTheme from './noopTheme';\nexport default function getStylesCreator(stylesOrCreator) {\n var themingEnabled = typeof stylesOrCreator === 'function';\n\n if (process.env.NODE_ENV !== 'production') {\n if (_typeof(stylesOrCreator) !== 'object' && !themingEnabled) {\n console.error(['Material-UI: The `styles` argument provided is invalid.', 'You need to provide a function generating the styles or a styles object.'].join('\\n'));\n }\n }\n\n return {\n create: function create(theme, name) {\n var styles;\n\n try {\n styles = themingEnabled ? stylesOrCreator(theme) : stylesOrCreator;\n } catch (err) {\n if (process.env.NODE_ENV !== 'production') {\n if (themingEnabled === true && theme === noopTheme) {\n // TODO: prepend error message/name instead\n console.error(['Material-UI: The `styles` argument provided is invalid.', 'You are providing a function without a theme in the context.', 'One of the parent elements needs to use a ThemeProvider.'].join('\\n'));\n }\n }\n\n throw err;\n }\n\n if (!name || !theme.overrides || !theme.overrides[name]) {\n return styles;\n }\n\n var overrides = theme.overrides[name];\n\n var stylesWithOverrides = _extends({}, styles);\n\n Object.keys(overrides).forEach(function (key) {\n if (process.env.NODE_ENV !== 'production') {\n if (!stylesWithOverrides[key]) {\n console.warn(['Material-UI: You are trying to override a style that does not exist.', \"Fix the `\".concat(key, \"` key of `theme.overrides.\").concat(name, \"`.\")].join('\\n'));\n }\n }\n\n stylesWithOverrides[key] = deepmerge(stylesWithOverrides[key], overrides[key]);\n });\n return stylesWithOverrides;\n },\n options: {}\n };\n}","import _extends from \"@babel/runtime/helpers/esm/extends\";\nimport { getDisplayName } from '@material-ui/utils';\nexport default function mergeClasses() {\n var options = arguments.length > 0 && arguments[0] !== undefined ? arguments[0] : {};\n var baseClasses = options.baseClasses,\n newClasses = options.newClasses,\n Component = options.Component;\n\n if (!newClasses) {\n return baseClasses;\n }\n\n var nextClasses = _extends({}, baseClasses);\n\n if (process.env.NODE_ENV !== 'production') {\n if (typeof newClasses === 'string') {\n console.error([\"Material-UI: The value `\".concat(newClasses, \"` \") + \"provided to the classes prop of \".concat(getDisplayName(Component), \" is incorrect.\"), 'You might want to use the className prop instead.'].join('\\n'));\n return baseClasses;\n }\n }\n\n Object.keys(newClasses).forEach(function (key) {\n if (process.env.NODE_ENV !== 'production') {\n if (!baseClasses[key] && newClasses[key]) {\n console.error([\"Material-UI: The key `\".concat(key, \"` \") + \"provided to the classes prop is not implemented in \".concat(getDisplayName(Component), \".\"), \"You can only override one of the following: \".concat(Object.keys(baseClasses).join(','), \".\")].join('\\n'));\n }\n\n if (newClasses[key] && typeof newClasses[key] !== 'string') {\n console.error([\"Material-UI: The key `\".concat(key, \"` \") + \"provided to the classes prop is not valid for \".concat(getDisplayName(Component), \".\"), \"You need to provide a non empty string instead of: \".concat(newClasses[key], \".\")].join('\\n'));\n }\n }\n\n if (newClasses[key]) {\n nextClasses[key] = \"\".concat(baseClasses[key], \" \").concat(newClasses[key]);\n }\n });\n return nextClasses;\n}","import React from 'react';\nvar ThemeContext = React.createContext(null);\n\nif (process.env.NODE_ENV !== 'production') {\n ThemeContext.displayName = 'ThemeContext';\n}\n\nexport default ThemeContext;","import React from 'react';\nimport ThemeContext from './ThemeContext';\nexport default function useTheme() {\n var theme = React.useContext(ThemeContext);\n\n if (process.env.NODE_ENV !== 'production') {\n // eslint-disable-next-line react-hooks/rules-of-hooks\n React.useDebugValue(theme);\n }\n\n return theme;\n}","import _toConsumableArray from \"@babel/runtime/helpers/esm/toConsumableArray\";\nimport _extends from \"@babel/runtime/helpers/esm/extends\";\nimport _typeof from \"@babel/runtime/helpers/esm/typeof\";\nimport PropTypes from 'prop-types';\nimport merge from './merge'; // The breakpoint **start** at this value.\n// For instance with the first breakpoint xs: [xs, sm[.\n\nvar values = {\n xs: 0,\n sm: 600,\n md: 960,\n lg: 1280,\n xl: 1920\n};\nvar defaultBreakpoints = {\n // Sorted ASC by size. That's important.\n // It can't be configured as it's used statically for propTypes.\n keys: ['xs', 'sm', 'md', 'lg', 'xl'],\n up: function up(key) {\n return \"@media (min-width:\".concat(values[key], \"px)\");\n }\n};\nexport function handleBreakpoints(props, propValue, styleFromPropValue) {\n if (process.env.NODE_ENV !== 'production') {\n if (!props.theme) {\n console.error('Material-UI: You are calling a style function without a theme value.');\n }\n }\n\n if (Array.isArray(propValue)) {\n var themeBreakpoints = props.theme.breakpoints || defaultBreakpoints;\n return propValue.reduce(function (acc, item, index) {\n acc[themeBreakpoints.up(themeBreakpoints.keys[index])] = styleFromPropValue(propValue[index]);\n return acc;\n }, {});\n }\n\n if (_typeof(propValue) === 'object') {\n var _themeBreakpoints = props.theme.breakpoints || defaultBreakpoints;\n\n return Object.keys(propValue).reduce(function (acc, breakpoint) {\n acc[_themeBreakpoints.up(breakpoint)] = styleFromPropValue(propValue[breakpoint]);\n return acc;\n }, {});\n }\n\n var output = styleFromPropValue(propValue);\n return output;\n}\n\nfunction breakpoints(styleFunction) {\n var newStyleFunction = function newStyleFunction(props) {\n var base = styleFunction(props);\n var themeBreakpoints = props.theme.breakpoints || defaultBreakpoints;\n var extended = themeBreakpoints.keys.reduce(function (acc, key) {\n if (props[key]) {\n acc = acc || {};\n acc[themeBreakpoints.up(key)] = styleFunction(_extends({\n theme: props.theme\n }, props[key]));\n }\n\n return acc;\n }, null);\n return merge(base, extended);\n };\n\n newStyleFunction.propTypes = process.env.NODE_ENV !== 'production' ? _extends({}, styleFunction.propTypes, {\n xs: PropTypes.object,\n sm: PropTypes.object,\n md: PropTypes.object,\n lg: PropTypes.object,\n xl: PropTypes.object\n }) : {};\n newStyleFunction.filterProps = ['xs', 'sm', 'md', 'lg', 'xl'].concat(_toConsumableArray(styleFunction.filterProps));\n return newStyleFunction;\n}\n\nexport default breakpoints;","import { deepmerge } from '@material-ui/utils';\n\nfunction merge(acc, item) {\n if (!item) {\n return acc;\n }\n\n return deepmerge(acc, item, {\n clone: false // No need to clone deep, it's way faster.\n\n });\n}\n\nexport default merge;","import arrayWithHoles from \"./arrayWithHoles.js\";\nimport iterableToArrayLimit from \"./iterableToArrayLimit.js\";\nimport unsupportedIterableToArray from \"./unsupportedIterableToArray.js\";\nimport nonIterableRest from \"./nonIterableRest.js\";\nexport default function _slicedToArray(arr, i) {\n return arrayWithHoles(arr) || iterableToArrayLimit(arr, i) || unsupportedIterableToArray(arr, i) || nonIterableRest();\n}","export default function _arrayWithHoles(arr) {\n if (Array.isArray(arr)) return arr;\n}","export default function _iterableToArrayLimit(r, l) {\n var t = null == r ? null : \"undefined\" != typeof Symbol && r[Symbol.iterator] || r[\"@@iterator\"];\n if (null != t) {\n var e,\n n,\n i,\n u,\n a = [],\n f = !0,\n o = !1;\n try {\n if (i = (t = t.call(r)).next, 0 === l) {\n if (Object(t) !== t) return;\n f = !1;\n } else for (; !(f = (e = i.call(t)).done) && (a.push(e.value), a.length !== l); f = !0);\n } catch (r) {\n o = !0, n = r;\n } finally {\n try {\n if (!f && null != t[\"return\"] && (u = t[\"return\"](), Object(u) !== u)) return;\n } finally {\n if (o) throw n;\n }\n }\n return a;\n }\n}","export default function _nonIterableRest() {\n throw new TypeError(\"Invalid attempt to destructure non-iterable instance.\\nIn order to be iterable, non-array objects must have a [Symbol.iterator]() method.\");\n}","import _slicedToArray from \"@babel/runtime/helpers/esm/slicedToArray\";\nimport responsivePropType from './responsivePropType';\nimport { handleBreakpoints } from './breakpoints';\nimport merge from './merge';\nimport memoize from './memoize';\nvar properties = {\n m: 'margin',\n p: 'padding'\n};\nvar directions = {\n t: 'Top',\n r: 'Right',\n b: 'Bottom',\n l: 'Left',\n x: ['Left', 'Right'],\n y: ['Top', 'Bottom']\n};\nvar aliases = {\n marginX: 'mx',\n marginY: 'my',\n paddingX: 'px',\n paddingY: 'py'\n}; // memoize() impact:\n// From 300,000 ops/sec\n// To 350,000 ops/sec\n\nvar getCssProperties = memoize(function (prop) {\n // It's not a shorthand notation.\n if (prop.length > 2) {\n if (aliases[prop]) {\n prop = aliases[prop];\n } else {\n return [prop];\n }\n }\n\n var _prop$split = prop.split(''),\n _prop$split2 = _slicedToArray(_prop$split, 2),\n a = _prop$split2[0],\n b = _prop$split2[1];\n\n var property = properties[a];\n var direction = directions[b] || '';\n return Array.isArray(direction) ? direction.map(function (dir) {\n return property + dir;\n }) : [property + direction];\n});\nvar spacingKeys = ['m', 'mt', 'mr', 'mb', 'ml', 'mx', 'my', 'p', 'pt', 'pr', 'pb', 'pl', 'px', 'py', 'margin', 'marginTop', 'marginRight', 'marginBottom', 'marginLeft', 'marginX', 'marginY', 'padding', 'paddingTop', 'paddingRight', 'paddingBottom', 'paddingLeft', 'paddingX', 'paddingY'];\nexport function createUnarySpacing(theme) {\n var themeSpacing = theme.spacing || 8;\n\n if (typeof themeSpacing === 'number') {\n return function (abs) {\n if (process.env.NODE_ENV !== 'production') {\n if (typeof abs !== 'number') {\n console.error(\"Material-UI: Expected spacing argument to be a number, got \".concat(abs, \".\"));\n }\n }\n\n return themeSpacing * abs;\n };\n }\n\n if (Array.isArray(themeSpacing)) {\n return function (abs) {\n if (process.env.NODE_ENV !== 'production') {\n if (abs > themeSpacing.length - 1) {\n console.error([\"Material-UI: The value provided (\".concat(abs, \") overflows.\"), \"The supported values are: \".concat(JSON.stringify(themeSpacing), \".\"), \"\".concat(abs, \" > \").concat(themeSpacing.length - 1, \", you need to add the missing values.\")].join('\\n'));\n }\n }\n\n return themeSpacing[abs];\n };\n }\n\n if (typeof themeSpacing === 'function') {\n return themeSpacing;\n }\n\n if (process.env.NODE_ENV !== 'production') {\n console.error([\"Material-UI: The `theme.spacing` value (\".concat(themeSpacing, \") is invalid.\"), 'It should be a number, an array or a function.'].join('\\n'));\n }\n\n return function () {\n return undefined;\n };\n}\n\nfunction getValue(transformer, propValue) {\n if (typeof propValue === 'string' || propValue == null) {\n return propValue;\n }\n\n var abs = Math.abs(propValue);\n var transformed = transformer(abs);\n\n if (propValue >= 0) {\n return transformed;\n }\n\n if (typeof transformed === 'number') {\n return -transformed;\n }\n\n return \"-\".concat(transformed);\n}\n\nfunction getStyleFromPropValue(cssProperties, transformer) {\n return function (propValue) {\n return cssProperties.reduce(function (acc, cssProperty) {\n acc[cssProperty] = getValue(transformer, propValue);\n return acc;\n }, {});\n };\n}\n\nfunction spacing(props) {\n var theme = props.theme;\n var transformer = createUnarySpacing(theme);\n return Object.keys(props).map(function (prop) {\n // Using a hash computation over an array iteration could be faster, but with only 28 items,\n // it's doesn't worth the bundle size.\n if (spacingKeys.indexOf(prop) === -1) {\n return null;\n }\n\n var cssProperties = getCssProperties(prop);\n var styleFromPropValue = getStyleFromPropValue(cssProperties, transformer);\n var propValue = props[prop];\n return handleBreakpoints(props, propValue, styleFromPropValue);\n }).reduce(merge, {});\n}\n\nspacing.propTypes = process.env.NODE_ENV !== 'production' ? spacingKeys.reduce(function (obj, key) {\n obj[key] = responsivePropType;\n return obj;\n}, {}) : {};\nspacing.filterProps = spacingKeys;\nexport default spacing;","export default function memoize(fn) {\n var cache = {};\n return function (arg) {\n if (cache[arg] === undefined) {\n cache[arg] = fn(arg);\n }\n\n return cache[arg];\n };\n}","export default function _extends() {\n _extends = Object.assign ? Object.assign.bind() : function (target) {\n for (var i = 1; i < arguments.length; i++) {\n var source = arguments[i];\n for (var key in source) {\n if (Object.prototype.hasOwnProperty.call(source, key)) {\n target[key] = source[key];\n }\n }\n }\n return target;\n };\n return _extends.apply(this, arguments);\n}","export default function _typeof(o) {\n \"@babel/helpers - typeof\";\n\n return _typeof = \"function\" == typeof Symbol && \"symbol\" == typeof Symbol.iterator ? function (o) {\n return typeof o;\n } : function (o) {\n return o && \"function\" == typeof Symbol && o.constructor === Symbol && o !== Symbol.prototype ? \"symbol\" : typeof o;\n }, _typeof(o);\n}","import _extends from \"@babel/runtime/helpers/esm/extends\";\nimport _typeof from \"@babel/runtime/helpers/esm/typeof\";\nexport function isPlainObject(item) {\n return item && _typeof(item) === 'object' && item.constructor === Object;\n}\nexport default function deepmerge(target, source) {\n var options = arguments.length > 2 && arguments[2] !== undefined ? arguments[2] : {\n clone: true\n };\n var output = options.clone ? _extends({}, target) : target;\n\n if (isPlainObject(target) && isPlainObject(source)) {\n Object.keys(source).forEach(function (key) {\n // Avoid prototype pollution\n if (key === '__proto__') {\n return;\n }\n\n if (isPlainObject(source[key]) && key in target) {\n output[key] = deepmerge(target[key], source[key], options);\n } else {\n output[key] = source[key];\n }\n });\n }\n\n return output;\n}","/**\n * WARNING: Don't import this directly.\n * Use `MuiError` from `@material-ui/utils/macros/MuiError.macro` instead.\n * @param {number} code\n */\nexport default function formatMuiErrorMessage(code) {\n // Apply babel-plugin-transform-template-literals in loose mode\n // loose mode is safe iff we're concatenating primitives\n // see https://babeljs.io/docs/en/babel-plugin-transform-template-literals#loose\n\n /* eslint-disable prefer-template */\n var url = 'https://mui.com/production-error/?code=' + code;\n\n for (var i = 1; i < arguments.length; i += 1) {\n // rest params over-transpile for this case\n // eslint-disable-next-line prefer-rest-params\n url += '&args[]=' + encodeURIComponent(arguments[i]);\n }\n\n return 'Minified Material-UI error #' + code + '; visit ' + url + ' for the full message.';\n /* eslint-enable prefer-template */\n}","import { useState } from 'react';\n/**\n * A convenience hook around `useState` designed to be paired with\n * the component [callback ref](https://reactjs.org/docs/refs-and-the-dom.html#callback-refs) api.\n * Callback refs are useful over `useRef()` when you need to respond to the ref being set\n * instead of lazily accessing it in an effect.\n *\n * ```ts\n * const [element, attachRef] = useCallbackRef()\n *\n * useEffect(() => {\n * if (!element) return\n *\n * const calendar = new FullCalendar.Calendar(element)\n *\n * return () => {\n * calendar.destroy()\n * }\n * }, [element])\n *\n * return
\n * ```\n *\n * @category refs\n */\n\nexport default function useCallbackRef() {\n return useState(null);\n}","import { useEffect, useRef } from 'react';\n/**\n * Creates a `Ref` whose value is updated in an effect, ensuring the most recent\n * value is the one rendered with. Generally only required for Concurrent mode usage\n * where previous work in `render()` may be discarded befor being used.\n *\n * This is safe to access in an event handler.\n *\n * @param value The `Ref` value\n */\n\nfunction useCommittedRef(value) {\n var ref = useRef(value);\n useEffect(function () {\n ref.current = value;\n }, [value]);\n return ref;\n}\n\nexport default useCommittedRef;","import { useCallback } from 'react';\nimport useCommittedRef from './useCommittedRef';\nexport default function useEventCallback(fn) {\n var ref = useCommittedRef(fn);\n return useCallback(function () {\n return ref.current && ref.current.apply(ref, arguments);\n }, [ref]);\n}","import { useReducer } from 'react';\n/**\n * Returns a function that triggers a component update. the hook equivalent to\n * `this.forceUpdate()` in a class component. In most cases using a state value directly\n * is preferable but may be required in some advanced usages of refs for interop or\n * when direct DOM manipulation is required.\n *\n * ```ts\n * const forceUpdate = useForceUpdate();\n *\n * const updateOnClick = useCallback(() => {\n * forceUpdate()\n * }, [forceUpdate])\n *\n * return Hi there \n * ```\n */\n\nexport default function useForceUpdate() {\n // The toggling state value is designed to defeat React optimizations for skipping\n // updates when they are stricting equal to the last state value\n var _useReducer = useReducer(function (state) {\n return !state;\n }, false),\n dispatch = _useReducer[1];\n\n return dispatch;\n}","import { useMemo } from 'react';\n\nvar toFnRef = function toFnRef(ref) {\n return !ref || typeof ref === 'function' ? ref : function (value) {\n ref.current = value;\n };\n};\n\nexport function mergeRefs(refA, refB) {\n var a = toFnRef(refA);\n var b = toFnRef(refB);\n return function (value) {\n if (a) a(value);\n if (b) b(value);\n };\n}\n/**\n * Create and returns a single callback ref composed from two other Refs.\n *\n * ```tsx\n * const Button = React.forwardRef((props, ref) => {\n * const [element, attachRef] = useCallbackRef();\n * const mergedRef = useMergedRefs(ref, attachRef);\n *\n * return \n * })\n * ```\n *\n * @param refA A Callback or mutable Ref\n * @param refB A Callback or mutable Ref\n * @category refs\n */\n\nfunction useMergedRefs(refA, refB) {\n return useMemo(function () {\n return mergeRefs(refA, refB);\n }, [refA, refB]);\n}\n\nexport default useMergedRefs;","import { useRef, useEffect } from 'react';\n/**\n * Track whether a component is current mounted. Generally less preferable than\n * properlly canceling effects so they don't run after a component is unmounted,\n * but helpful in cases where that isn't feasible, such as a `Promise` resolution.\n *\n * @returns a function that returns the current isMounted state of the component\n *\n * ```ts\n * const [data, setData] = useState(null)\n * const isMounted = useMounted()\n *\n * useEffect(() => {\n * fetchdata().then((newData) => {\n * if (isMounted()) {\n * setData(newData);\n * }\n * })\n * })\n * ```\n */\n\nexport default function useMounted() {\n var mounted = useRef(true);\n var isMounted = useRef(function () {\n return mounted.current;\n });\n useEffect(function () {\n return function () {\n mounted.current = false;\n };\n }, []);\n return isMounted.current;\n}","import { useEffect, useRef } from 'react';\n/**\n * Store the last of some value. Tracked via a `Ref` only updating it\n * after the component renders.\n *\n * Helpful if you need to compare a prop value to it's previous value during render.\n *\n * ```ts\n * function Component(props) {\n * const lastProps = usePrevious(props)\n *\n * if (lastProps.foo !== props.foo)\n * resetValueFromProps(props.foo)\n * }\n * ```\n *\n * @param value the value to track\n */\n\nexport default function usePrevious(value) {\n var ref = useRef(null);\n useEffect(function () {\n ref.current = value;\n });\n return ref.current;\n}","import useUpdatedRef from './useUpdatedRef';\nimport { useEffect } from 'react';\n/**\n * Attach a callback that fires when a component unmounts\n *\n * @param fn Handler to run when the component unmounts\n * @category effects\n */\n\nexport default function useWillUnmount(fn) {\n var onUnmount = useUpdatedRef(fn);\n useEffect(function () {\n return function () {\n return onUnmount.current();\n };\n }, []);\n}","import { useRef } from 'react';\n/**\n * Returns a ref that is immediately updated with the new value\n *\n * @param value The Ref value\n * @category refs\n */\n\nexport default function useUpdatedRef(value) {\n var valueRef = useRef(value);\n valueRef.current = value;\n return valueRef;\n}","(function (global, factory) {\n\ttypeof exports === 'object' && typeof module !== 'undefined' ? factory(exports, require('react'), require('manifesto.js'), require('mime-db'), require('sanitize-html'), require('react-error-boundary'), require('video.js'), require('react-dom'), require('mammoth')) :\n\ttypeof define === 'function' && define.amd ? define(['exports', 'react', 'manifesto.js', 'mime-db', 'sanitize-html', 'react-error-boundary', 'video.js', 'react-dom', 'mammoth'], factory) :\n\t(global = typeof globalThis !== 'undefined' ? globalThis : global || self, factory(global.nulibAdminUIComponents = {}, global.React, global.manifesto, global.mimeDb, global.sanitizeHtml, global.reactErrorBoundary, global.videojs, global.ReactDOM, global.mammoth));\n})(this, (function (exports, React, manifesto_js, mimeDb, sanitizeHtml, reactErrorBoundary, videojs, ReactDOM, mammoth) { 'use strict';\n\n\tfunction _interopDefaultLegacy (e) { return e && typeof e === 'object' && 'default' in e ? e : { 'default': e }; }\n\n\tvar React__default = /*#__PURE__*/_interopDefaultLegacy(React);\n\tvar mimeDb__default = /*#__PURE__*/_interopDefaultLegacy(mimeDb);\n\tvar sanitizeHtml__default = /*#__PURE__*/_interopDefaultLegacy(sanitizeHtml);\n\tvar videojs__default = /*#__PURE__*/_interopDefaultLegacy(videojs);\n\tvar ReactDOM__default = /*#__PURE__*/_interopDefaultLegacy(ReactDOM);\n\tvar mammoth__default = /*#__PURE__*/_interopDefaultLegacy(mammoth);\n\n\tvar commonjsGlobal = typeof globalThis !== 'undefined' ? globalThis : typeof window !== 'undefined' ? window : typeof global !== 'undefined' ? global : typeof self !== 'undefined' ? self : {};\n\n\tfunction getDefaultExportFromCjs (x) {\n\t\treturn x && x.__esModule && Object.prototype.hasOwnProperty.call(x, 'default') ? x['default'] : x;\n\t}\n\n\tfunction createCommonjsModule(fn, basedir, module) {\n\t\treturn module = {\n\t\t\tpath: basedir,\n\t\t\texports: {},\n\t\t\trequire: function (path, base) {\n\t\t\t\treturn commonjsRequire(path, (base === undefined || base === null) ? module.path : base);\n\t\t\t}\n\t\t}, fn(module, module.exports), module.exports;\n\t}\n\n\tfunction commonjsRequire () {\n\t\tthrow new Error('Dynamic requires are not currently supported by @rollup/plugin-commonjs');\n\t}\n\n\tvar arrayWithHoles = createCommonjsModule(function (module) {\n\tfunction _arrayWithHoles(arr) {\n\t if (Array.isArray(arr)) return arr;\n\t}\n\tmodule.exports = _arrayWithHoles, module.exports.__esModule = true, module.exports[\"default\"] = module.exports;\n\t});\n\n\tvar iterableToArrayLimit = createCommonjsModule(function (module) {\n\tfunction _iterableToArrayLimit(arr, i) {\n\t var _i = null == arr ? null : \"undefined\" != typeof Symbol && arr[Symbol.iterator] || arr[\"@@iterator\"];\n\t if (null != _i) {\n\t var _s,\n\t _e,\n\t _x,\n\t _r,\n\t _arr = [],\n\t _n = !0,\n\t _d = !1;\n\t try {\n\t if (_x = (_i = _i.call(arr)).next, 0 === i) {\n\t if (Object(_i) !== _i) return;\n\t _n = !1;\n\t } else for (; !(_n = (_s = _x.call(_i)).done) && (_arr.push(_s.value), _arr.length !== i); _n = !0);\n\t } catch (err) {\n\t _d = !0, _e = err;\n\t } finally {\n\t try {\n\t if (!_n && null != _i[\"return\"] && (_r = _i[\"return\"](), Object(_r) !== _r)) return;\n\t } finally {\n\t if (_d) throw _e;\n\t }\n\t }\n\t return _arr;\n\t }\n\t}\n\tmodule.exports = _iterableToArrayLimit, module.exports.__esModule = true, module.exports[\"default\"] = module.exports;\n\t});\n\n\tvar arrayLikeToArray = createCommonjsModule(function (module) {\n\tfunction _arrayLikeToArray(arr, len) {\n\t if (len == null || len > arr.length) len = arr.length;\n\t for (var i = 0, arr2 = new Array(len); i < len; i++) arr2[i] = arr[i];\n\t return arr2;\n\t}\n\tmodule.exports = _arrayLikeToArray, module.exports.__esModule = true, module.exports[\"default\"] = module.exports;\n\t});\n\n\tvar unsupportedIterableToArray = createCommonjsModule(function (module) {\n\tfunction _unsupportedIterableToArray(o, minLen) {\n\t if (!o) return;\n\t if (typeof o === \"string\") return arrayLikeToArray(o, minLen);\n\t var n = Object.prototype.toString.call(o).slice(8, -1);\n\t if (n === \"Object\" && o.constructor) n = o.constructor.name;\n\t if (n === \"Map\" || n === \"Set\") return Array.from(o);\n\t if (n === \"Arguments\" || /^(?:Ui|I)nt(?:8|16|32)(?:Clamped)?Array$/.test(n)) return arrayLikeToArray(o, minLen);\n\t}\n\tmodule.exports = _unsupportedIterableToArray, module.exports.__esModule = true, module.exports[\"default\"] = module.exports;\n\t});\n\n\tvar nonIterableRest = createCommonjsModule(function (module) {\n\tfunction _nonIterableRest() {\n\t throw new TypeError(\"Invalid attempt to destructure non-iterable instance.\\nIn order to be iterable, non-array objects must have a [Symbol.iterator]() method.\");\n\t}\n\tmodule.exports = _nonIterableRest, module.exports.__esModule = true, module.exports[\"default\"] = module.exports;\n\t});\n\n\tvar slicedToArray = createCommonjsModule(function (module) {\n\tfunction _slicedToArray(arr, i) {\n\t return arrayWithHoles(arr) || iterableToArrayLimit(arr, i) || unsupportedIterableToArray(arr, i) || nonIterableRest();\n\t}\n\tmodule.exports = _slicedToArray, module.exports.__esModule = true, module.exports[\"default\"] = module.exports;\n\t});\n\n\tvar _slicedToArray = /*@__PURE__*/getDefaultExportFromCjs(slicedToArray);\n\n\tvar _typeof_1 = createCommonjsModule(function (module) {\n\tfunction _typeof(obj) {\n\t \"@babel/helpers - typeof\";\n\n\t return (module.exports = _typeof = \"function\" == typeof Symbol && \"symbol\" == typeof Symbol.iterator ? function (obj) {\n\t return typeof obj;\n\t } : function (obj) {\n\t return obj && \"function\" == typeof Symbol && obj.constructor === Symbol && obj !== Symbol.prototype ? \"symbol\" : typeof obj;\n\t }, module.exports.__esModule = true, module.exports[\"default\"] = module.exports), _typeof(obj);\n\t}\n\tmodule.exports = _typeof, module.exports.__esModule = true, module.exports[\"default\"] = module.exports;\n\t});\n\n\tvar _typeof = /*@__PURE__*/getDefaultExportFromCjs(_typeof_1);\n\n\tvar toPrimitive = createCommonjsModule(function (module) {\n\tvar _typeof = _typeof_1[\"default\"];\n\tfunction _toPrimitive(input, hint) {\n\t if (_typeof(input) !== \"object\" || input === null) return input;\n\t var prim = input[Symbol.toPrimitive];\n\t if (prim !== undefined) {\n\t var res = prim.call(input, hint || \"default\");\n\t if (_typeof(res) !== \"object\") return res;\n\t throw new TypeError(\"@@toPrimitive must return a primitive value.\");\n\t }\n\t return (hint === \"string\" ? String : Number)(input);\n\t}\n\tmodule.exports = _toPrimitive, module.exports.__esModule = true, module.exports[\"default\"] = module.exports;\n\t});\n\n\tvar toPropertyKey = createCommonjsModule(function (module) {\n\tvar _typeof = _typeof_1[\"default\"];\n\n\tfunction _toPropertyKey(arg) {\n\t var key = toPrimitive(arg, \"string\");\n\t return _typeof(key) === \"symbol\" ? key : String(key);\n\t}\n\tmodule.exports = _toPropertyKey, module.exports.__esModule = true, module.exports[\"default\"] = module.exports;\n\t});\n\n\tvar defineProperty = createCommonjsModule(function (module) {\n\tfunction _defineProperty(obj, key, value) {\n\t key = toPropertyKey(key);\n\t if (key in obj) {\n\t Object.defineProperty(obj, key, {\n\t value: value,\n\t enumerable: true,\n\t configurable: true,\n\t writable: true\n\t });\n\t } else {\n\t obj[key] = value;\n\t }\n\t return obj;\n\t}\n\tmodule.exports = _defineProperty, module.exports.__esModule = true, module.exports[\"default\"] = module.exports;\n\t});\n\n\tvar _defineProperty = /*@__PURE__*/getDefaultExportFromCjs(defineProperty);\n\n\tfunction ownKeys$5(object, enumerableOnly) { var keys = Object.keys(object); if (Object.getOwnPropertySymbols) { var symbols = Object.getOwnPropertySymbols(object); enumerableOnly && (symbols = symbols.filter(function (sym) { return Object.getOwnPropertyDescriptor(object, sym).enumerable; })), keys.push.apply(keys, symbols); } return keys; }\n\tfunction _objectSpread$5(target) { for (var i = 1; i < arguments.length; i++) { var source = null != arguments[i] ? arguments[i] : {}; i % 2 ? ownKeys$5(Object(source), !0).forEach(function (key) { _defineProperty(target, key, source[key]); }) : Object.getOwnPropertyDescriptors ? Object.defineProperties(target, Object.getOwnPropertyDescriptors(source)) : ownKeys$5(Object(source)).forEach(function (key) { Object.defineProperty(target, key, Object.getOwnPropertyDescriptor(source, key)); }); } return target; }\n\tvar ManifestStateContext = /*#__PURE__*/React__default[\"default\"].createContext();\n\tvar ManifestDispatchContext = /*#__PURE__*/React__default[\"default\"].createContext();\n\n\t/**\n\t * Definition of all state variables in this Context\n\t */\n\tvar defaultState$1 = {\n\t manifest: null,\n\t canvasIndex: 0,\n\t // index for active canvas\n\t currentNavItem: null,\n\t canvasDuration: 0,\n\t canvasIsEmpty: false,\n\t targets: [],\n\t hasMultiItems: false,\n\t // multiple resources in a single canvas\n\t srcIndex: 0,\n\t // index for multiple resources in a single canvas\n\t startTime: 0,\n\t autoAdvance: false,\n\t playlist: {\n\t markers: [],\n\t // [{ canvasIndex: Number, canvasMarkers: Array, error: String }]\n\t isEditing: false,\n\t isPlaylist: false,\n\t hasAnnotationService: false,\n\t annotationServiceId: ''\n\t },\n\t structures: [],\n\t canvasSegments: [],\n\t hasStructure: false // current Canvas has structure timespans\n\t};\n\n\tfunction manifestReducer() {\n\t var state = arguments.length > 0 && arguments[0] !== undefined ? arguments[0] : defaultState$1;\n\t var action = arguments.length > 1 ? arguments[1] : undefined;\n\t switch (action.type) {\n\t case 'updateManifest':\n\t {\n\t return _objectSpread$5(_objectSpread$5({}, state), {}, {\n\t manifest: _objectSpread$5({}, action.manifest)\n\t });\n\t }\n\t case 'switchCanvas':\n\t {\n\t // Update hasStructure flag when canvas changes\n\t var canvasStructures = state.canvasSegments.length > 0 ? state.canvasSegments.filter(function (c) {\n\t return c.canvasIndex == action.canvasIndex + 1 && !c.isCanvas;\n\t }) : false;\n\t return _objectSpread$5(_objectSpread$5({}, state), {}, {\n\t canvasIndex: action.canvasIndex,\n\t hasStructure: canvasStructures.length > 0\n\t });\n\t }\n\t case 'switchItem':\n\t {\n\t return _objectSpread$5(_objectSpread$5({}, state), {}, {\n\t currentNavItem: action.item\n\t });\n\t }\n\t case 'canvasDuration':\n\t {\n\t return _objectSpread$5(_objectSpread$5({}, state), {}, {\n\t canvasDuration: action.canvasDuration\n\t });\n\t }\n\t case 'canvasTargets':\n\t {\n\t return _objectSpread$5(_objectSpread$5({}, state), {}, {\n\t targets: action.canvasTargets\n\t });\n\t }\n\t case 'hasMultipleItems':\n\t {\n\t return _objectSpread$5(_objectSpread$5({}, state), {}, {\n\t hasMultiItems: action.isMultiSource\n\t });\n\t }\n\t case 'setSrcIndex':\n\t {\n\t return _objectSpread$5(_objectSpread$5({}, state), {}, {\n\t srcIndex: action.srcIndex\n\t });\n\t }\n\t case 'setItemStartTime':\n\t {\n\t return _objectSpread$5(_objectSpread$5({}, state), {}, {\n\t startTime: action.startTime\n\t });\n\t }\n\t case 'setAutoAdvance':\n\t {\n\t return _objectSpread$5(_objectSpread$5({}, state), {}, {\n\t autoAdvance: action.autoAdvance\n\t });\n\t }\n\t case 'setPlaylistMarkers':\n\t {\n\t // Set a new set of markers for the canvases in the Manifest\n\t if (action.markers) {\n\t return _objectSpread$5(_objectSpread$5({}, state), {}, {\n\t playlist: _objectSpread$5(_objectSpread$5({}, state.playlist), {}, {\n\t markers: action.markers\n\t })\n\t });\n\t }\n\t // Update the existing markers for the current canvas on CRUD ops\n\t if (action.updatedMarkers) {\n\t return _objectSpread$5(_objectSpread$5({}, state), {}, {\n\t playlist: _objectSpread$5(_objectSpread$5({}, state.playlist), {}, {\n\t markers: state.playlist.markers.map(function (m) {\n\t if (m.canvasIndex === state.canvasIndex) {\n\t m.canvasMarkers = action.updatedMarkers;\n\t }\n\t return m;\n\t })\n\t })\n\t });\n\t }\n\t }\n\t case 'setIsEditing':\n\t {\n\t return _objectSpread$5(_objectSpread$5({}, state), {}, {\n\t playlist: _objectSpread$5(_objectSpread$5({}, state.playlist), {}, {\n\t isEditing: action.isEditing\n\t })\n\t });\n\t }\n\t case 'setIsPlaylist':\n\t {\n\t return _objectSpread$5(_objectSpread$5({}, state), {}, {\n\t playlist: _objectSpread$5(_objectSpread$5({}, state.playlist), {}, {\n\t isPlaylist: action.isPlaylist\n\t })\n\t });\n\t }\n\t case 'setCanvasIsEmpty':\n\t {\n\t return _objectSpread$5(_objectSpread$5({}, state), {}, {\n\t canvasIsEmpty: action.isEmpty\n\t });\n\t }\n\t case 'setAnnotationService':\n\t {\n\t return _objectSpread$5(_objectSpread$5({}, state), {}, {\n\t playlist: _objectSpread$5(_objectSpread$5({}, state.playlist), {}, {\n\t annotationServiceId: action.annotationService,\n\t hasAnnotationService: action.annotationService ? true : false\n\t })\n\t });\n\t }\n\t case 'setStructures':\n\t {\n\t return _objectSpread$5(_objectSpread$5({}, state), {}, {\n\t structures: action.structures\n\t });\n\t }\n\t case 'setCanvasSegments':\n\t {\n\t // Update hasStructure flag when canvasSegments are calculated\n\t var _canvasStructures = action.timespans.filter(function (c) {\n\t return c.canvasIndex == state.canvasIndex + 1 && !c.isCanvas;\n\t });\n\t return _objectSpread$5(_objectSpread$5({}, state), {}, {\n\t canvasSegments: action.timespans,\n\t hasStructure: _canvasStructures.length > 0\n\t });\n\t }\n\t default:\n\t {\n\t throw new Error(\"Unhandled action type: \".concat(action.type));\n\t }\n\t }\n\t}\n\tfunction ManifestProvider(_ref) {\n\t var _ref$initialState = _ref.initialState,\n\t initialState = _ref$initialState === void 0 ? defaultState$1 : _ref$initialState,\n\t children = _ref.children;\n\t var _React$useReducer = React__default[\"default\"].useReducer(manifestReducer, initialState),\n\t _React$useReducer2 = _slicedToArray(_React$useReducer, 2),\n\t state = _React$useReducer2[0],\n\t dispatch = _React$useReducer2[1];\n\t return /*#__PURE__*/React__default[\"default\"].createElement(ManifestStateContext.Provider, {\n\t value: state\n\t }, /*#__PURE__*/React__default[\"default\"].createElement(ManifestDispatchContext.Provider, {\n\t value: dispatch\n\t }, children));\n\t}\n\tfunction useManifestState() {\n\t var context = React__default[\"default\"].useContext(ManifestStateContext);\n\t if (context === undefined) {\n\t throw new Error('useManifestState must be used within a ManifestProvider');\n\t }\n\t return context;\n\t}\n\tfunction useManifestDispatch() {\n\t var context = React__default[\"default\"].useContext(ManifestDispatchContext);\n\t if (context === undefined) {\n\t throw new Error('useManifestDispatch must be used within a ManifestProvider');\n\t }\n\t return context;\n\t}\n\n\tfunction ownKeys$4(object, enumerableOnly) { var keys = Object.keys(object); if (Object.getOwnPropertySymbols) { var symbols = Object.getOwnPropertySymbols(object); enumerableOnly && (symbols = symbols.filter(function (sym) { return Object.getOwnPropertyDescriptor(object, sym).enumerable; })), keys.push.apply(keys, symbols); } return keys; }\n\tfunction _objectSpread$4(target) { for (var i = 1; i < arguments.length; i++) { var source = null != arguments[i] ? arguments[i] : {}; i % 2 ? ownKeys$4(Object(source), !0).forEach(function (key) { _defineProperty(target, key, source[key]); }) : Object.getOwnPropertyDescriptors ? Object.defineProperties(target, Object.getOwnPropertyDescriptors(source)) : ownKeys$4(Object(source)).forEach(function (key) { Object.defineProperty(target, key, Object.getOwnPropertyDescriptor(source, key)); }); } return target; }\n\tvar PlayerStateContext = /*#__PURE__*/React__default[\"default\"].createContext();\n\tvar PlayerDispatchContext = /*#__PURE__*/React__default[\"default\"].createContext();\n\n\t/**\n\t * Definition of all state variables in this Context\n\t */\n\tvar defaultState = {\n\t player: null,\n\t clickedUrl: '',\n\t isClicked: false,\n\t isPlaying: false,\n\t startTime: null,\n\t endTime: null,\n\t isEnded: false,\n\t currentTime: null,\n\t playerRange: {\n\t start: null,\n\t end: null\n\t },\n\t playerFocusElement: ''\n\t};\n\tfunction PlayerReducer() {\n\t var state = arguments.length > 0 && arguments[0] !== undefined ? arguments[0] : defaultState;\n\t var action = arguments.length > 1 ? arguments[1] : undefined;\n\t switch (action.type) {\n\t case 'updatePlayer':\n\t {\n\t return _objectSpread$4(_objectSpread$4({}, state), {}, {\n\t player: action.player\n\t });\n\t }\n\t case 'navClick':\n\t {\n\t return _objectSpread$4(_objectSpread$4({}, state), {}, {\n\t clickedUrl: action.clickedUrl,\n\t isClicked: true\n\t });\n\t }\n\t case 'resetClick':\n\t {\n\t return _objectSpread$4(_objectSpread$4({}, state), {}, {\n\t isClicked: false\n\t });\n\t }\n\t case 'setTimeFragment':\n\t {\n\t return _objectSpread$4(_objectSpread$4({}, state), {}, {\n\t startTime: action.startTime,\n\t endTime: action.endTime\n\t });\n\t }\n\t case 'setPlayingStatus':\n\t {\n\t return _objectSpread$4(_objectSpread$4({}, state), {}, {\n\t isPlaying: action.isPlaying\n\t });\n\t }\n\t case 'setCaptionStatus':\n\t {\n\t return _objectSpread$4(_objectSpread$4({}, state), {}, {\n\t captionOn: action.captionOn\n\t });\n\t }\n\t case 'setIsEnded':\n\t {\n\t return _objectSpread$4(_objectSpread$4({}, state), {}, {\n\t isEnded: action.isEnded\n\t });\n\t }\n\t case 'setCurrentTime':\n\t {\n\t return _objectSpread$4(_objectSpread$4({}, state), {}, {\n\t currentTime: action.currentTime\n\t });\n\t }\n\t case 'setPlayerRange':\n\t {\n\t return _objectSpread$4(_objectSpread$4({}, state), {}, {\n\t playerRange: _objectSpread$4(_objectSpread$4({}, state.playerRange), {}, {\n\t start: action.start,\n\t end: action.end\n\t })\n\t });\n\t }\n\t case 'setPlayerFocusElement':\n\t {\n\t return _objectSpread$4(_objectSpread$4({}, state), {}, {\n\t playerFocusElement: action.element ? action.element : ''\n\t });\n\t }\n\t default:\n\t {\n\t throw new Error(\"Unhandled action type: \".concat(action.type));\n\t }\n\t }\n\t}\n\tfunction PlayerProvider(_ref) {\n\t var _ref$initialState = _ref.initialState,\n\t initialState = _ref$initialState === void 0 ? defaultState : _ref$initialState,\n\t children = _ref.children;\n\t var _React$useReducer = React__default[\"default\"].useReducer(PlayerReducer, initialState),\n\t _React$useReducer2 = _slicedToArray(_React$useReducer, 2),\n\t state = _React$useReducer2[0],\n\t dispatch = _React$useReducer2[1];\n\t return /*#__PURE__*/React__default[\"default\"].createElement(PlayerStateContext.Provider, {\n\t value: state\n\t }, /*#__PURE__*/React__default[\"default\"].createElement(PlayerDispatchContext.Provider, {\n\t value: dispatch\n\t }, children));\n\t}\n\tfunction usePlayerState() {\n\t var context = React__default[\"default\"].useContext(PlayerStateContext);\n\t if (context === undefined) {\n\t throw new Error(\"usePlayerState must be used within the PlayerProvider\");\n\t }\n\t return context;\n\t}\n\tfunction usePlayerDispatch() {\n\t var context = React__default[\"default\"].useContext(PlayerDispatchContext);\n\t if (context === undefined) {\n\t throw new Error(\"usePlayerDispatch must be used within the PlayerProvider\");\n\t }\n\t return context;\n\t}\n\n\t/**\n\t * Copyright (c) 2013-present, Facebook, Inc.\n\t *\n\t * This source code is licensed under the MIT license found in the\n\t * LICENSE file in the root directory of this source tree.\n\t */\n\n\tvar ReactPropTypesSecret$1 = 'SECRET_DO_NOT_PASS_THIS_OR_YOU_WILL_BE_FIRED';\n\n\tvar ReactPropTypesSecret_1 = ReactPropTypesSecret$1;\n\n\tvar ReactPropTypesSecret = ReactPropTypesSecret_1;\n\n\tfunction emptyFunction() {}\n\tfunction emptyFunctionWithReset() {}\n\temptyFunctionWithReset.resetWarningCache = emptyFunction;\n\n\tvar factoryWithThrowingShims = function() {\n\t function shim(props, propName, componentName, location, propFullName, secret) {\n\t if (secret === ReactPropTypesSecret) {\n\t // It is still safe when called from React.\n\t return;\n\t }\n\t var err = new Error(\n\t 'Calling PropTypes validators directly is not supported by the `prop-types` package. ' +\n\t 'Use PropTypes.checkPropTypes() to call them. ' +\n\t 'Read more at http://fb.me/use-check-prop-types'\n\t );\n\t err.name = 'Invariant Violation';\n\t throw err;\n\t } shim.isRequired = shim;\n\t function getShim() {\n\t return shim;\n\t } // Important!\n\t // Keep this list in sync with production version in `./factoryWithTypeCheckers.js`.\n\t var ReactPropTypes = {\n\t array: shim,\n\t bigint: shim,\n\t bool: shim,\n\t func: shim,\n\t number: shim,\n\t object: shim,\n\t string: shim,\n\t symbol: shim,\n\n\t any: shim,\n\t arrayOf: getShim,\n\t element: shim,\n\t elementType: shim,\n\t instanceOf: getShim,\n\t node: shim,\n\t objectOf: getShim,\n\t oneOf: getShim,\n\t oneOfType: getShim,\n\t shape: getShim,\n\t exact: getShim,\n\n\t checkPropTypes: emptyFunctionWithReset,\n\t resetWarningCache: emptyFunction\n\t };\n\n\t ReactPropTypes.PropTypes = ReactPropTypes;\n\n\t return ReactPropTypes;\n\t};\n\n\tvar require$$0 = factoryWithThrowingShims;\n\n\tvar propTypes = createCommonjsModule(function (module) {\n\t/**\n\t * Copyright (c) 2013-present, Facebook, Inc.\n\t *\n\t * This source code is licensed under the MIT license found in the\n\t * LICENSE file in the root directory of this source tree.\n\t */\n\n\t{\n\t // By explicitly using `prop-types` you are opting into new production behavior.\n\t // http://fb.me/prop-types-in-prod\n\t module.exports = require$$0();\n\t}\n\t});\n\n\tvar PropTypes = propTypes;\n\n\tvar S_ANNOTATION_TYPE = {\n\t transcript: 1,\n\t caption: 2,\n\t both: 3\n\t};\n\tvar DEFAULT_ERROR_MESSAGE = \"Error encountered. Please check your Manifest.\";\n\tvar GENERIC_ERROR_MESSAGE = DEFAULT_ERROR_MESSAGE;\n\n\t// Timer for displaying placeholderCanvas text when a Canvas is empty\n\tvar DEFAULT_TIMEOUT = 10000;\n\tvar CANVAS_MESSAGE_TIMEOUT = DEFAULT_TIMEOUT;\n\n\t/**\n\t * Sets the timer for displaying the placeholderCanvas text in the player\n\t * for an empty Canvas. This value defaults to 3 seconds, if the `duration`\n\t * property of the placeholderCanvas is undefined\n\t * @param {Number} timeout duration of the placeholderCanvas if given\n\t */\n\tfunction setCanvasMessageTimeout(timeout) {\n\t CANVAS_MESSAGE_TIMEOUT = timeout || DEFAULT_TIMEOUT;\n\t}\n\n\t/**\n\t * Sets the generic error message in the ErrorBoundary when the\n\t * components fail with critical error. This defaults to the given\n\t * vaule when a custom message is not specified in the `customErrorMessage`\n\t * prop of the IIIFPlayer component\n\t * @param {String} message custom error message from props\n\t */\n\tfunction setAppErrorMessage(message) {\n\t GENERIC_ERROR_MESSAGE = message || DEFAULT_ERROR_MESSAGE;\n\t}\n\tfunction parseSequences(manifest) {\n\t var sequences = manifesto_js.parseManifest(manifest).getSequences();\n\t if (sequences != undefined && sequences[0] != undefined) {\n\t return sequences;\n\t } else {\n\t throw new Error(GENERIC_ERROR_MESSAGE);\n\t }\n\t}\n\n\t/**\n\t * Convert the time in seconds to hh:mm:ss.ms format.\n\t * Ex: timeToHHmmss(2.836, showHrs=true, showMs=true) => 00:00:02.836\n\t * timeToHHmmss(362.836, showHrs=true, showMs=true) => 01:00:02.836\n\t * timeToHHmmss(362.836, showHrs=true) => 01:00:02\n\t * @param {Number} secTime time in seconds\n\t * @param {Boolean} showHrs to/not to display hours\n\t * @param {Boolean} showMs to/not to display .ms\n\t * @returns {String} time as a string\n\t */\n\tfunction timeToHHmmss(secTime) {\n\t var showHrs = arguments.length > 1 && arguments[1] !== undefined ? arguments[1] : false;\n\t var showMs = arguments.length > 2 && arguments[2] !== undefined ? arguments[2] : false;\n\t if (isNaN(secTime)) {\n\t return '';\n\t }\n\t var hours = Math.floor(secTime / 3600);\n\t var minutes = Math.floor(secTime % 3600 / 60);\n\t var seconds = secTime - minutes * 60 - hours * 3600;\n\t var timeStr = '';\n\t var hourStr = hours < 10 ? \"0\".concat(hours) : \"\".concat(hours);\n\t timeStr = showHrs || hours > 0 ? timeStr + \"\".concat(hourStr, \":\") : timeStr;\n\t var minStr = minutes < 10 ? \"0\".concat(minutes) : \"\".concat(minutes);\n\t timeStr = timeStr + \"\".concat(minStr, \":\");\n\t var secStr = showMs ? seconds.toFixed(3) : parseInt(seconds);\n\t secStr = seconds < 10 ? \"0\".concat(secStr) : \"\".concat(secStr);\n\t timeStr = timeStr + \"\".concat(secStr);\n\t return timeStr;\n\t}\n\n\t/**\n\t * Convert time from hh:mm:ss.ms/mm:ss.ms string format to int\n\t * @param {String} time convert time from string to int\n\t */\n\tfunction timeToS(time) {\n\t var _time$split$reverse = time.split(':').reverse(),\n\t _time$split$reverse2 = _slicedToArray(_time$split$reverse, 3),\n\t seconds = _time$split$reverse2[0],\n\t minutes = _time$split$reverse2[1],\n\t hours = _time$split$reverse2[2];\n\t var hoursInS = hours != undefined ? parseInt(hours) * 3600 : 0;\n\t var minutesInS = minutes != undefined ? parseInt(minutes) * 60 : 0;\n\t // Replace decimal separator if it is a comma\n\t var secondsNum = seconds === '' ? 0.0 : parseFloat(seconds.replace(',', '.'));\n\t var timeSeconds = hoursInS + minutesInS + secondsNum;\n\t return timeSeconds;\n\t}\n\tfunction handleFetchErrors(response) {\n\t if (!response.ok) {\n\t throw new Error(GENERIC_ERROR_MESSAGE);\n\t }\n\t return response;\n\t}\n\n\t/**\n\t * Identify a segment is within the given playable range. \n\t * If BOTH start and end times of the segment is outside of the given range => false\n\t * @param {Object} segmentRange JSON with start, end times of segment\n\t * @param {Object} range JSON with end time of media/media-fragment in player\n\t * @returns \n\t */\n\tfunction checkSrcRange(segmentRange, range) {\n\t if (segmentRange === undefined) {\n\t return false;\n\t } else if (range === undefined) {\n\t return true;\n\t } else if (segmentRange.start > range.end && segmentRange.end > range.end) {\n\t return false;\n\t } else {\n\t return true;\n\t }\n\t}\n\n\t/**\n\t * Get the target range when multiple items are rendered from a\n\t * single canvas.\n\t * @param {Array} targets set of ranges painted on the canvas as items\n\t * @param {Object} timeFragment current time fragment displayed in player\n\t * @param {Number} duration duration of the current item\n\t * @returns {Object}\n\t */\n\tfunction getCanvasTarget(targets, timeFragment, duration) {\n\t var srcIndex, fragmentStart;\n\t targets.map(function (t, i) {\n\t // Get the previous item endtime for multi-item canvases\n\t var previousEnd = i > 0 ? targets[i].altStart : 0;\n\t // Fill in missing end time\n\t if (isNaN(end)) end = duration;\n\t var start = t.start,\n\t end = t.end;\n\t // Adjust times for multi-item canvases\n\t var startTime = previousEnd + start;\n\t var endTime = previousEnd + end;\n\t if (timeFragment.start >= startTime && timeFragment.start < endTime) {\n\t srcIndex = i;\n\t // Adjust time fragment start time for multi-item canvases\n\t fragmentStart = timeFragment.start - previousEnd;\n\t }\n\t });\n\t return {\n\t srcIndex: srcIndex,\n\t fragmentStart: fragmentStart\n\t };\n\t}\n\n\t/**\n\t * Facilitate file download\n\t * @param {String} fileUrl url of file\n\t * @param {String} fileName name of the file to download\n\t * @param {String} fileExt file extension\n\t * @param {Boolean} machineGenerated flag to indicate file is machine generated/not\n\t */\n\tfunction fileDownload(fileUrl, fileName) {\n\t var fileExt = arguments.length > 2 && arguments[2] !== undefined ? arguments[2] : '';\n\t var machineGenerated = arguments.length > 3 && arguments[3] !== undefined ? arguments[3] : false;\n\t // Check input filename for extension\n\t var extension = fileExt === '' ? fileName.split('.').reverse()[0] : fileExt;\n\n\t // If no extension present in fileName, check for the extension in the fileUrl\n\t if (extension.length > 4 || extension.length < 3 || extension === fileName) {\n\t extension = fileUrl.split('.').reverse()[0];\n\t }\n\n\t // Final validation that extension is in the right form\n\t // We assume that file extension will be 3 or 4 characters long. Extensions are\n\t // allowed to be longer or shorter but the most common ones we would expect to\n\t // encounter should be within these limits.\n\t var fileExtension = extension.length > 4 || extension.length < 3 ? '' : extension;\n\n\t // Remove file extension from filename if it contains it\n\t var fileNameNoExt = fileName.endsWith(fileExtension) ? fileName.split(\".\".concat(fileExtension))[0] : fileName;\n\t if (machineGenerated) {\n\t // Add \"machine-generated\" to filename of the file getting downloaded\n\t fileNameNoExt = \"\".concat(fileNameNoExt, \" (machine generated)\");\n\t }\n\n\t // Rely on browser to generate proper file extension in cases where\n\t // extension is undetermined.\n\t var downloadName = fileExtension != '' ? \"\".concat(fileNameNoExt, \".\").concat(fileExtension) : fileNameNoExt;\n\n\t // Handle download based on the URL format\n\t // TODO:: research for a better way to handle this\n\t if (fileUrl.endsWith('transcripts') || fileUrl.endsWith('captions')) {\n\t // For URLs of format: http://.../.\n\t fetch(fileUrl).then(function (response) {\n\t response.blob().then(function (blob) {\n\t var url = window.URL.createObjectURL(blob);\n\t var a = document.createElement('a');\n\t a.href = url;\n\t a.download = \"\".concat(downloadName);\n\t a.click();\n\t });\n\t })[\"catch\"](function (error) {\n\t console.log(error);\n\t });\n\t } else {\n\t // For URLs of format: http://.../\n\t var link = document.createElement('a');\n\t link.setAttribute('href', fileUrl);\n\t link.setAttribute('download', \"\".concat(downloadName));\n\t link.style.display = 'none';\n\t document.body.appendChild(link);\n\t link.click();\n\t document.body.removeChild(link);\n\t }\n\t}\n\n\t/**\n\t * Takes a uri with a media fragment that looks like #=120,134 and returns an object\n\t * with start/end in seconds and the duration in milliseconds\n\t * @param {string} uri - Uri value\n\t * @param {number} duration - duration of the current canvas\n\t * @return {Object} - Representing the media fragment ie. { start: 3287.0, end: 3590.0 }, or undefined\n\t */\n\tfunction getMediaFragment(uri, duration) {\n\t if (uri !== undefined) {\n\t var fragment = uri.split('#t=')[1];\n\t if (fragment !== undefined) {\n\t var splitFragment = fragment.split(',');\n\t if (splitFragment[1] == undefined) {\n\t splitFragment[1] = duration;\n\t }\n\t return {\n\t start: Number(splitFragment[0]),\n\t end: Number(splitFragment[1])\n\t };\n\t } else {\n\t return undefined;\n\t }\n\t } else {\n\t return undefined;\n\t }\n\t}\n\n\t/**\n\t * Parse json objects in the manifest into Annotations\n\t * @param {Array} annotations array of json objects from manifest\n\t * @param {String} motivation of the resources need to be parsed\n\t * @returns {Array} Array of Annotations\n\t */\n\tfunction parseAnnotations(annotations, motivation) {\n\t var content = [];\n\t if (!annotations) return content;\n\t // should be contained in an AnnotationPage\n\t var annotationPage = null;\n\t if (annotations.length) {\n\t annotationPage = new manifesto_js.AnnotationPage(annotations[0], {});\n\t }\n\t if (!annotationPage) {\n\t return content;\n\t }\n\t var items = annotationPage.getItems();\n\t if (items === undefined) return content;\n\t for (var i = 0; i < items.length; i++) {\n\t var a = items[i];\n\t var annotation = new manifesto_js.Annotation(a, {});\n\t var annoMotivation = annotation.getMotivation();\n\t if (annoMotivation == motivation) {\n\t content.push(annotation);\n\t }\n\t }\n\t return content;\n\t}\n\n\t/**\n\t * Extract list of Annotations from `annotations`/`items`\n\t * under the canvas with the given motivation\n\t * @param {Object} obj\n\t * @param {Object} obj.manifest IIIF manifest\n\t * @param {Number} obj.canvasIndex curent canvas's index\n\t * @param {String} obj.key property key to pick\n\t * @param {String} obj.motivation\n\t * @returns {Array} array of AnnotationPage\n\t */\n\tfunction getAnnotations(_ref) {\n\t var manifest = _ref.manifest,\n\t canvasIndex = _ref.canvasIndex,\n\t key = _ref.key,\n\t motivation = _ref.motivation;\n\t var annotations = [];\n\t // When annotations are at canvas level\n\t try {\n\t var annotationPage = parseSequences(manifest)[0].getCanvases()[canvasIndex];\n\t if (annotationPage) {\n\t annotations = parseAnnotations(annotationPage.__jsonld[key], motivation);\n\t }\n\t return annotations;\n\t } catch (error) {\n\t throw error;\n\t }\n\t}\n\n\t/**\n\t * Parse a list of annotations or a single annotation to extract details of a\n\t * given a Canvas. Assumes the annotation type as either painting or supplementing\n\t * @param {Array} annotations list of painting/supplementing annotations to be parsed\n\t * @param {Number} duration duration of the current canvas\n\t * @param {String} motivation motivation type\n\t * @returns {Object} containing source, canvas targets\n\t */\n\tfunction getResourceItems(annotations, duration, motivation) {\n\t var _annotations$0$getBod;\n\t var resources = [],\n\t canvasTargets = [],\n\t isMultiSource = false;\n\t if (!annotations || annotations.length === 0) {\n\t return {\n\t error: 'No resources found in Manifest',\n\t canvasTargets: canvasTargets,\n\t resources: resources,\n\t isMultiSource: isMultiSource\n\t };\n\t }\n\t // Multiple resource files on a single canvas\n\t else if (annotations.length > 1) {\n\t isMultiSource = true;\n\t annotations.map(function (a, index) {\n\t var source = getResourceInfo(a.getBody()[0], motivation);\n\t if (motivation === 'painting') {\n\t var target = parseCanvasTarget(a, duration, index);\n\t canvasTargets.push(target);\n\t }\n\t /**\n\t * TODO::\n\t * Is this pattern safe if only one of `source.length` or `track.length` is > 0?\n\t * For example, if `source.length` > 0 is true and `track.length` > 0 is false,\n\t * then sources and tracks would end up with different numbers of entries.\n\t * Is that okay or would that mess things up?\n\t * Maybe this is an impossible edge case that doesn't need to be worried about?\n\t */\n\t source.length > 0 && source[0].src && resources.push(source[0]);\n\t });\n\t }\n\t // Multiple Choices avalibale\n\t else if (((_annotations$0$getBod = annotations[0].getBody()) === null || _annotations$0$getBod === void 0 ? void 0 : _annotations$0$getBod.length) > 0) {\n\t var annoQuals = annotations[0].getBody();\n\t annoQuals.map(function (a) {\n\t var source = getResourceInfo(a, motivation);\n\t // Check if the parsed sources has a resource URL\n\t source.length > 0 && source[0].src && resources.push(source[0]);\n\t });\n\t }\n\t // No resources\n\t else {\n\t return {\n\t resources: resources,\n\t error: 'No resources found'\n\t };\n\t }\n\t return {\n\t canvasTargets: canvasTargets,\n\t isMultiSource: isMultiSource,\n\t resources: resources\n\t };\n\t}\n\tfunction parseCanvasTarget(annotation, duration, i) {\n\t var target = getMediaFragment(annotation.getTarget(), duration);\n\t if (target != undefined || !target) {\n\t target.id = annotation.id;\n\t if (isNaN(target.end)) target.end = duration;\n\t target.end = Number((target.end - target.start).toFixed(2));\n\t target.duration = target.end;\n\t // Start time for continuous playback\n\t target.altStart = target.start;\n\t target.start = 0;\n\t target.sIndex = i;\n\t return target;\n\t }\n\t}\n\n\t/**\n\t * Parse source and track information related to media\n\t * resources in a Canvas\n\t * @param {Object} item AnnotationBody object from Canvas\n\t * @param {String} motivation\n\t * @returns parsed source and track information\n\t */\n\tfunction getResourceInfo(item, motivation) {\n\t var source = [];\n\t var aType = S_ANNOTATION_TYPE.both;\n\t var label = undefined;\n\t if (item.getLabel().length === 1) {\n\t label = item.getLabel().getValue();\n\t } else if (item.getLabel().length > 1) {\n\t // If there are multiple labels, assume the first one\n\t // is the one intended for default display\n\t label = getLabelValue(item.getLabel()[0]._value);\n\t }\n\t if (motivation === 'supplementing') {\n\t aType = identifySupplementingAnnotation(item.id);\n\t }\n\t if (aType != S_ANNOTATION_TYPE.transcript) {\n\t var s = {\n\t src: item.id,\n\t key: item.id,\n\t type: item.getProperty('format'),\n\t kind: item.getProperty('type'),\n\t label: label || 'auto',\n\t value: item.getProperty('value') ? item.getProperty('value') : ''\n\t };\n\t if (motivation === 'supplementing') {\n\t // Set language for captions/subtitles\n\t s.srclang = item.getProperty('language') || 'eng';\n\t // Specify kind to subtitles for VTT annotations. Without this VideoJS\n\t // resolves the kind to metadata for subtitles file, resulting in empty\n\t // subtitles lists in iOS devices' native palyers\n\t s.kind = item.getProperty('format').toLowerCase().includes('text/vtt') ? 'subtitles' : 'metadata';\n\t }\n\t source.push(s);\n\t }\n\t return source;\n\t}\n\n\t/**\n\t * Identify a string contains \"machine-generated\" text in different\n\t * variations using a regular expression\n\t * @param {String} label\n\t * @returns {Object} with the keys indicating label contains\n\t * \"machine-generated\" text and label with \"machine-generated\"\n\t * text removed\n\t * { isMachineGen, labelText }\n\t */\n\tfunction identifyMachineGen(label) {\n\t var regex = /(\\(machine(\\s|\\-)generated\\))/gi;\n\t var isMachineGen = regex.test(label);\n\t var labelStripped = label.replace(regex, '').trim();\n\t return {\n\t isMachineGen: isMachineGen,\n\t labelText: labelStripped\n\t };\n\t}\n\n\t/**\n\t * Resolve captions and transcripts in supplementing annotations.\n\t * This is specific for Avalon's usecase, where Avalon generates\n\t * adds 'transcripts' and 'captions' to the URI to distinguish them.\n\t * In other cases supplementing annotations are displayed as both\n\t * captions and transcripts in Ramp.\n\t * @param {String} uri id from supplementing annotation\n\t * @returns\n\t */\n\tfunction identifySupplementingAnnotation(uri) {\n\t var identifier = uri.split('/').reverse()[0];\n\t if (identifier === 'transcripts') {\n\t return S_ANNOTATION_TYPE.transcript;\n\t } else if (identifier === 'captions') {\n\t return S_ANNOTATION_TYPE.caption;\n\t } else {\n\t return S_ANNOTATION_TYPE.both;\n\t }\n\t}\n\n\t/**\n\t * Parse the label value from a manifest item\n\t * See https://iiif.io/api/presentation/3.0/#label\n\t * @param {Object} label\n\t */\n\tfunction getLabelValue(label) {\n\t var decodeHTML = function decodeHTML(labelText) {\n\t return labelText.replace(/&/g, '&').replace(/</g, '<').replace(/>/g, '>').replace(/"/g, '\"').replace(/'/g, \"'\");\n\t };\n\t if (label && _typeof(label) === 'object') {\n\t var labelKeys = Object.keys(label);\n\t if (labelKeys && labelKeys.length > 0) {\n\t // Get the first key's first value\n\t var firstKey = labelKeys[0];\n\t return label[firstKey].length > 0 ? decodeHTML(label[firstKey][0]) : '';\n\t }\n\t } else if (typeof label === 'string') {\n\t return decodeHTML(label);\n\t }\n\t return 'Label could not be parsed';\n\t}\n\n\t/**\n\t * Validate time input from user against the hh:mm:ss.ms format\n\t * @param {String} time user input time string\n\t * @returns {Boolean}\n\t */\n\tfunction validateTimeInput(time) {\n\t var timeRegex = /^(([0-1][0-9])|([2][0-3])):([0-5][0-9])(:[0-5][0-9](?:[.]\\d{1,3})?)?$/;\n\t var isValid = timeRegex.test(time);\n\t return isValid;\n\t}\n\n\t/**\n\t * Scroll an active element into the view within its parent element\n\t * @param {Object} currentItem React ref to the active element\n\t * @param {Object} containerRef React ref to the parent container\n\t */\n\tfunction autoScroll(currentItem, containerRef) {\n\t // Get the difference of distances between the outer border of the active\n\t // element and its container(parent) element to the top padding edge of\n\t // their offsetParent element(body)\n\t var scrollHeight = currentItem.offsetTop - containerRef.current.offsetTop;\n\t // Height of the content in view within the parent container\n\t var inViewHeight = containerRef.current.clientHeight - currentItem.clientHeight;\n\t // Scroll the current active item into the view within its container\n\t containerRef.current.scrollTop = scrollHeight > inViewHeight ? scrollHeight - containerRef.current.clientHeight / 2 : 0;\n\t}\n\n\t/**\n\t * Bind default hotkeys for VideoJS player\n\t * @param {Object} event keydown event\n\t * @param {String} id player instance ID in VideoJS\n\t * @returns \n\t */\n\tfunction playerHotKeys(event, player) {\n\t var playerInst = player === null || player === void 0 ? void 0 : player.player();\n\t var inputs = ['input', 'textarea'];\n\t var activeElement = document.activeElement;\n\t // Check if the active element is within the player\n\t var focusedWithinPlayer = activeElement.className.includes('vjs') || activeElement.className.includes('videojs');\n\t var pressedKey = event.which;\n\t /*\n\t Trigger player hotkeys when focus is not on an input, textarea.\n\t OR on a navigation tab with the key pressed is one of left/right arrow keys.\n\t This specific combination of keys with a focused navigation tab is avoided to allow\n\t keyboard navigation between tabbed UI components, instead of triggering player hotkeys.\n\t */\n\t if (activeElement && (inputs.indexOf(activeElement.tagName.toLowerCase()) !== -1 || activeElement.role === \"tab\" && (pressedKey === 37 || pressedKey === 39)) && !focusedWithinPlayer) {\n\t return;\n\t } else if (playerInst === null || playerInst === undefined) {\n\t return;\n\t } else {\n\t // event.which key code values found at: https://css-tricks.com/snippets/javascript/javascript-keycodes/\n\t switch (pressedKey) {\n\t // Space and k toggle play/pause\n\t case 32:\n\t case 75:\n\t // Prevent default browser actions so that page does not react when hotkeys are used.\n\t // e.g. pressing space will pause/play without scrolling the page down.\n\t event.preventDefault();\n\t if (playerInst.paused()) {\n\t playerInst.play();\n\t } else {\n\t playerInst.pause();\n\t }\n\t break;\n\t // f toggles fullscreen\n\t case 70:\n\t event.preventDefault();\n\t // Fullscreen should only be available for videos\n\t if (!playerInst.isAudio()) {\n\t if (!playerInst.isFullscreen()) {\n\t playerInst.requestFullscreen();\n\t } else {\n\t playerInst.exitFullscreen();\n\t }\n\t }\n\t break;\n\t // Adapted from https://github.com/videojs/video.js/blob/bad086dad68d3ff16dbe12e434c15e1ee7ac2875/src/js/control-bar/mute-toggle.js#L56\n\t // m toggles mute\n\t case 77:\n\t event.preventDefault();\n\t var vol = playerInst.volume();\n\t var lastVolume = playerInst.lastVolume_();\n\t if (vol === 0) {\n\t var volumeToSet = lastVolume < 0.1 ? 0.1 : lastVolume;\n\t playerInst.volume(volumeToSet);\n\t playerInst.muted(false);\n\t } else {\n\t playerInst.muted(playerInst.muted() ? false : true);\n\t }\n\t break;\n\t // Left arrow seeks 5 seconds back\n\t case 37:\n\t event.preventDefault();\n\t playerInst.currentTime(playerInst.currentTime() - 5);\n\t break;\n\t // Right arrow seeks 5 seconds ahead\n\t case 39:\n\t event.preventDefault();\n\t playerInst.currentTime(playerInst.currentTime() + 5);\n\t break;\n\t // Up arrow raises volume by 0.1\n\t case 38:\n\t event.preventDefault();\n\t if (playerInst.muted()) {\n\t playerInst.muted(false);\n\t }\n\t playerInst.volume(playerInst.volume() + 0.1);\n\t break;\n\t // Down arrow lowers volume by 0.1\n\t case 40:\n\t event.preventDefault();\n\t playerInst.volume(playerInst.volume() - 0.1);\n\t break;\n\t default:\n\t return;\n\t }\n\t /*\n\t This function gets invoked by 2 different 'keydown' event listeners;\n\t Document's 'keydown' event listener => when player is out of focus on \n\t first load and when user is interacting with other elements on the page\n\t Video.js' native controls' 'keydown' event listeners => when a native player control is in focus\n\t when using the pointer\n\t Therefore, once a 'keydown' event is passed throught this function to invoke a hotkey function, \n\t event propogation needs to be stopped. Otherwise the hotkeys functionality gets called twice,\n\t undoing the action performed in the initial call.\n\t */\n\t event.stopPropagation();\n\t }\n\t}\n\n\tfunction _createForOfIteratorHelper$4(o, allowArrayLike) { var it = typeof Symbol !== \"undefined\" && o[Symbol.iterator] || o[\"@@iterator\"]; if (!it) { if (Array.isArray(o) || (it = _unsupportedIterableToArray$4(o)) || allowArrayLike && o && typeof o.length === \"number\") { if (it) o = it; var i = 0; var F = function F() {}; return { s: F, n: function n() { if (i >= o.length) return { done: true }; return { done: false, value: o[i++] }; }, e: function e(_e) { throw _e; }, f: F }; } throw new TypeError(\"Invalid attempt to iterate non-iterable instance.\\nIn order to be iterable, non-array objects must have a [Symbol.iterator]() method.\"); } var normalCompletion = true, didErr = false, err; return { s: function s() { it = it.call(o); }, n: function n() { var step = it.next(); normalCompletion = step.done; return step; }, e: function e(_e2) { didErr = true; err = _e2; }, f: function f() { try { if (!normalCompletion && it[\"return\"] != null) it[\"return\"](); } finally { if (didErr) throw err; } } }; }\n\tfunction _unsupportedIterableToArray$4(o, minLen) { if (!o) return; if (typeof o === \"string\") return _arrayLikeToArray$4(o, minLen); var n = Object.prototype.toString.call(o).slice(8, -1); if (n === \"Object\" && o.constructor) n = o.constructor.name; if (n === \"Map\" || n === \"Set\") return Array.from(o); if (n === \"Arguments\" || /^(?:Ui|I)nt(?:8|16|32)(?:Clamped)?Array$/.test(n)) return _arrayLikeToArray$4(o, minLen); }\n\tfunction _arrayLikeToArray$4(arr, len) { if (len == null || len > arr.length) len = arr.length; for (var i = 0, arr2 = new Array(len); i < len; i++) arr2[i] = arr[i]; return arr2; }\n\tfunction ownKeys$3(object, enumerableOnly) { var keys = Object.keys(object); if (Object.getOwnPropertySymbols) { var symbols = Object.getOwnPropertySymbols(object); enumerableOnly && (symbols = symbols.filter(function (sym) { return Object.getOwnPropertyDescriptor(object, sym).enumerable; })), keys.push.apply(keys, symbols); } return keys; }\n\tfunction _objectSpread$3(target) { for (var i = 1; i < arguments.length; i++) { var source = null != arguments[i] ? arguments[i] : {}; i % 2 ? ownKeys$3(Object(source), !0).forEach(function (key) { _defineProperty(target, key, source[key]); }) : Object.getOwnPropertyDescriptors ? Object.defineProperties(target, Object.getOwnPropertyDescriptors(source)) : ownKeys$3(Object(source)).forEach(function (key) { Object.defineProperty(target, key, Object.getOwnPropertyDescriptor(source, key)); }); } return target; }\n\n\t// HTML tags and attributes allowed in IIIF\n\tvar HTML_SANITIZE_CONFIG = {\n\t allowedTags: ['a', 'b', 'br', 'i', 'img', 'p', 'small', 'span', 'sub', 'sup'],\n\t allowedAttributes: {\n\t 'a': ['href'],\n\t 'img': ['src', 'alt']\n\t },\n\t allowedSchemesByTag: {\n\t 'a': ['http', 'https', 'mailto']\n\t }\n\t};\n\n\t/**\n\t * Get all the canvases in manifest\n\t * @function IIIFParser#canvasesInManifest\n\t * @return {Array} array of canvas IDs in manifest\n\t **/\n\tfunction canvasesInManifest(manifest) {\n\t var canvasesInfo = [];\n\t try {\n\t var canvases = parseSequences(manifest)[0].getCanvases();\n\t if (canvases === undefined) {\n\t console.error('iiif-parser -> canvasesInManifest() -> no canvases were found in Manifest');\n\t throw new Error(GENERIC_ERROR_MESSAGE);\n\t } else {\n\t canvases.map(function (canvas) {\n\t var summary = undefined;\n\t var summaryProperty = canvas.getProperty('summary');\n\t if (summaryProperty) {\n\t summary = manifesto_js.PropertyValue.parse(summaryProperty).getValue();\n\t }\n\t var homepage = undefined;\n\t var homepageProperty = canvas.getProperty('homepage');\n\t if (homepageProperty && (homepageProperty === null || homepageProperty === void 0 ? void 0 : homepageProperty.length) > 0) {\n\t homepage = homepageProperty[0].id;\n\t }\n\t try {\n\t var sources = canvas.getContent()[0].getBody().map(function (source) {\n\t return source.id;\n\t });\n\t var canvasDuration = Number(canvas.getDuration());\n\t var timeFragment;\n\t if ((sources === null || sources === void 0 ? void 0 : sources.length) > 0) {\n\t timeFragment = getMediaFragment(sources[0], canvasDuration);\n\t }\n\t canvasesInfo.push({\n\t canvasId: canvas.id,\n\t range: timeFragment === undefined ? {\n\t start: 0,\n\t end: canvasDuration\n\t } : timeFragment,\n\t isEmpty: sources.length === 0 ? true : false,\n\t summary: summary,\n\t homepage: homepage || ''\n\t });\n\t } catch (error) {\n\t canvasesInfo.push({\n\t canvasId: canvas.id,\n\t range: undefined,\n\t // set range to undefined, use this check to set duration in UI\n\t isEmpty: true,\n\t summary: summary,\n\t homepage: homepage || ''\n\t });\n\t }\n\t });\n\t return canvasesInfo;\n\t }\n\t } catch (error) {\n\t throw error;\n\t }\n\t}\n\n\t/**\n\t * Get isMultiCanvas and last canvas index information from the\n\t * given Manifest\n\t * @param {Object} manifest\n\t * @returns {Object} { isMultiCanvas: Boolean, lastIndex: Number }\n\t */\n\tfunction manifestCanvasesInfo(manifest) {\n\t try {\n\t var sequences = parseSequences(manifest);\n\t var isMultiCanvas = false;\n\t var lastPageIndex = 0;\n\t if (sequences.length > 0) {\n\t isMultiCanvas = sequences[0].isMultiCanvas();\n\t lastPageIndex = sequences[0].getLastPageIndex();\n\t }\n\t return {\n\t isMultiCanvas: isMultiCanvas,\n\t lastIndex: lastPageIndex > -1 ? lastPageIndex : 0\n\t };\n\t } catch (error) {\n\t throw error;\n\t }\n\t}\n\n\t/**\n\t * Get canvas index by using the canvas id\n\t * @param {Object} manifest\n\t * @param {String} canvasId\n\t * @returns {Number} canvasindex\n\t */\n\tfunction getCanvasIndex(manifest, canvasId) {\n\t try {\n\t var sequences = parseSequences(manifest);\n\t var canvasindex = sequences[0].getCanvasIndexById(canvasId);\n\t if (canvasindex || canvasindex === 0) {\n\t return canvasindex;\n\t } else {\n\t console.log('Canvas not found in Manifest, ', canvasId);\n\t return 0;\n\t }\n\t } catch (error) {\n\t throw error;\n\t }\n\t}\n\n\t/**\n\t * Get sources and media type for a given canvas\n\t * If there are no items, an error is returned (user facing error)\n\t * @param {Object} obj\n\t * @param {Object} obj.manifest IIIF Manifest\n\t * @param {Number} obj.canvasIndex Index of the current canvas in manifest\n\t * @param {Number} obj.srcIndex Index of the resource in active canvas\n\t * @returns {Object} { soures, tracks, targets, isMultiSource, error, canvas, mediaType }\n\t */\n\tfunction getMediaInfo(_ref) {\n\t var manifest = _ref.manifest,\n\t canvasIndex = _ref.canvasIndex,\n\t _ref$srcIndex = _ref.srcIndex,\n\t srcIndex = _ref$srcIndex === void 0 ? 0 : _ref$srcIndex;\n\t var canvas = [];\n\t var sources,\n\t tracks = [];\n\n\t // return empty object when canvasIndex is undefined\n\t if (canvasIndex === undefined || canvasIndex < 0) {\n\t return {\n\t error: 'Error fetching content'\n\t };\n\t }\n\n\t // Get the canvas with the given canvasIndex\n\t try {\n\t canvas = parseSequences(manifest)[0].getCanvasByIndex(canvasIndex);\n\t if (canvas === undefined) {\n\t console.error('iiif-parser -> getMediaInfo() -> canvas undefined -> ', canvasIndex);\n\t throw new Error(GENERIC_ERROR_MESSAGE);\n\t }\n\t var duration = Number(canvas.getDuration());\n\n\t // Read painting resources from annotations\n\t var _readAnnotations = readAnnotations({\n\t manifest: manifest,\n\t canvasIndex: canvasIndex,\n\t key: 'items',\n\t motivation: 'painting',\n\t duration: duration\n\t }),\n\t resources = _readAnnotations.resources,\n\t canvasTargets = _readAnnotations.canvasTargets,\n\t isMultiSource = _readAnnotations.isMultiSource,\n\t error = _readAnnotations.error;\n\t // Set default src to auto\n\t sources = setDefaultSrc(resources, isMultiSource, srcIndex);\n\n\t // Read supplementing resources fom annotations\n\t var supplementingRes = readAnnotations({\n\t manifest: manifest,\n\t canvasIndex: canvasIndex,\n\t key: 'annotations',\n\t motivation: 'supplementing',\n\t duration: duration\n\t });\n\t tracks = supplementingRes ? supplementingRes.resources : [];\n\t var mediaInfo = {\n\t sources: sources,\n\t tracks: tracks,\n\t canvasTargets: canvasTargets,\n\t isMultiSource: isMultiSource,\n\t error: error,\n\t canvas: {\n\t duration: duration,\n\t height: canvas.getHeight(),\n\t width: canvas.getWidth()\n\t }\n\t };\n\t if (mediaInfo.error) {\n\t return _objectSpread$3({}, mediaInfo);\n\t } else {\n\t // Get media type\n\t var allTypes = mediaInfo.sources.map(function (q) {\n\t return q.kind;\n\t });\n\t var mediaType = setMediaType(allTypes);\n\t return _objectSpread$3(_objectSpread$3({}, mediaInfo), {}, {\n\t error: null,\n\t mediaType: mediaType\n\t });\n\t }\n\t } catch (error) {\n\t throw error;\n\t }\n\t}\n\tfunction readAnnotations(_ref2) {\n\t var manifest = _ref2.manifest,\n\t canvasIndex = _ref2.canvasIndex,\n\t key = _ref2.key,\n\t motivation = _ref2.motivation,\n\t duration = _ref2.duration;\n\t var annotations = getAnnotations({\n\t manifest: manifest,\n\t canvasIndex: canvasIndex,\n\t key: key,\n\t motivation: motivation\n\t });\n\t return getResourceItems(annotations, duration, motivation);\n\t}\n\n\t/**\n\t * Mark the default src file when multiple src files are present\n\t * @param {Array} sources source file information in canvas\n\t * @returns source file information with one marked as default\n\t */\n\tfunction setDefaultSrc(sources, isMultiSource, srcIndex) {\n\t var isSelected = false;\n\t if (sources.length === 0) {\n\t return [];\n\t }\n\t // Mark source with quality label 'auto' as selected source\n\t if (!isMultiSource) {\n\t var _iterator = _createForOfIteratorHelper$4(sources),\n\t _step;\n\t try {\n\t for (_iterator.s(); !(_step = _iterator.n()).done;) {\n\t var s = _step.value;\n\t if (s.label == 'auto' && !isSelected) {\n\t isSelected = true;\n\t s.selected = true;\n\t }\n\t }\n\t // Mark first source as selected when 'auto' quality is not present\n\t } catch (err) {\n\t _iterator.e(err);\n\t } finally {\n\t _iterator.f();\n\t }\n\t if (!isSelected) {\n\t sources[0].selected = true;\n\t }\n\t } else {\n\t sources[srcIndex].selected = true;\n\t }\n\t return sources;\n\t}\n\tfunction setMediaType(types) {\n\t var uniqueTypes = types.filter(function (t, index) {\n\t return types.indexOf(t) === index;\n\t });\n\t // Default type if there are different types\n\t var mediaType = uniqueTypes.length === 1 ? uniqueTypes[0].toLowerCase() : 'video';\n\t return mediaType;\n\t}\n\n\t/**\n\t * Get the canvas ID from the URI of the clicked structure item\n\t * @param {String} uri URI of the item clicked in structure\n\t */\n\tfunction getCanvasId(uri) {\n\t if (uri !== undefined) {\n\t return uri.split('#t=')[0];\n\t }\n\t}\n\n\t/**\n\t * Get placeholderCanvas value for images and text messages\n\t * @param {Object} manifest\n\t * @param {Number} canvasIndex\n\t * @param {Boolean} isPoster\n\t */\n\tfunction getPlaceholderCanvas(manifest, canvasIndex) {\n\t var isPoster = arguments.length > 2 && arguments[2] !== undefined ? arguments[2] : false;\n\t var placeholder;\n\t try {\n\t var canvases = parseSequences(manifest);\n\t if ((canvases === null || canvases === void 0 ? void 0 : canvases.length) > 0) {\n\t var canvas = canvases[0].getCanvasByIndex(canvasIndex);\n\t var placeholderCanvas = canvas.__jsonld['placeholderCanvas'];\n\t if (placeholderCanvas) {\n\t var annotations = placeholderCanvas['items'];\n\t var items = parseAnnotations(annotations, 'painting');\n\t if (items.length > 0) {\n\t var item = items[0].getBody()[0];\n\t if (isPoster) {\n\t placeholder = item.getType() == 'image' ? item.id : null;\n\t } else {\n\t placeholder = item.getLabel().getValue() ? getLabelValue(item.getLabel().getValue()) : 'This item cannot be played.';\n\t setCanvasMessageTimeout(placeholderCanvas['duration']);\n\t }\n\t return placeholder;\n\t }\n\t } else if (!isPoster) {\n\t console.error('iiif-parser -> getPlaceholderCanvas() -> placeholderCanvas property not defined');\n\t return 'This item cannot be played.';\n\t } else {\n\t return null;\n\t }\n\t }\n\t } catch (error) {\n\t throw error;\n\t }\n\t}\n\n\t/**\n\t * Parse 'start' property in manifest if it is given, or use\n\t * startCanvasId and startCanvasTime props in IIIFPlayer component\n\t * to set the starting Canvas and time in Ramp on initialization\n\t * In the spec there are 2 ways to specify 'start' property:\n\t * https://iiif.io/api/presentation/3.0/#start\n\t * Cookbook recipe for reference: https://iiif.io/api/cookbook/recipe/0015-start/\n\t * @param {Object} manifest\n\t * @param {String} startCanvasId from IIIFPlayer props\n\t * @param {Number} startCanvasTime from IIIFPlayer props\n\t * @returns {Object}\n\t */\n\tfunction getCustomStart(manifest, startCanvasId, startCanvasTime) {\n\t var manifestStartProp = manifesto_js.parseManifest(manifest).getProperty('start');\n\t var startProp = {};\n\t var currentCanvasIndex = 0;\n\t // When none of the variable are set, return default values all set to zero\n\t if (!manifestStartProp && startCanvasId === undefined && startCanvasTime === undefined) {\n\t return {\n\t type: 'C',\n\t canvas: currentCanvasIndex,\n\t time: 0\n\t };\n\t } else if (startCanvasId != undefined || startCanvasTime != undefined) {\n\t // Read user specified props from IIIFPlayer component\n\t startProp = {\n\t id: startCanvasId,\n\t selector: {\n\t type: 'PointSelector',\n\t t: startCanvasTime === undefined ? 0 : startCanvasTime\n\t },\n\t type: startCanvasTime === undefined ? 'Canvas' : 'SpecificResource'\n\t };\n\t // Set source property in the object for SpecificResource type\n\t if (startCanvasTime != undefined) startProp.source = startCanvasId;\n\t } else if (manifestStartProp) {\n\t // Read 'start' property in Manifest when it exitsts\n\t startProp = manifesto_js.parseManifest(manifest).getProperty('start');\n\t }\n\t var canvases = canvasesInManifest(manifest);\n\t // Map given information in start property or user props to\n\t // Canvas information in the given Manifest\n\t var getCanvasInfo = function getCanvasInfo(canvasId, time) {\n\t var startTime = time;\n\t var currentIndex;\n\t if (canvases != undefined && (canvases === null || canvases === void 0 ? void 0 : canvases.length) > 0) {\n\t if (canvasId === undefined) {\n\t currentIndex = 0;\n\t } else {\n\t currentIndex = canvases.findIndex(function (c) {\n\t return c.canvasId === canvasId;\n\t });\n\t }\n\t if (currentIndex === undefined || currentIndex < 0) {\n\t console.error('iiif-parser -> getCustomStart() -> given canvas ID was not in Manifest, ', startCanvasId);\n\t return {\n\t currentIndex: 0,\n\t startTime: 0\n\t };\n\t } else {\n\t var currentCanvas = canvases[currentIndex];\n\t if (currentCanvas.range != undefined) {\n\t var _currentCanvas$range = currentCanvas.range,\n\t start = _currentCanvas$range.start,\n\t end = _currentCanvas$range.end;\n\t if (!(time >= start && time <= end)) {\n\t console.error('iiif-parser -> getCustomStart() -> given canvas start time is not within Canvas duration, ', startCanvasTime);\n\t startTime = 0;\n\t }\n\t }\n\t return {\n\t currentIndex: currentIndex,\n\t startTime: startTime\n\t };\n\t }\n\t } else {\n\t console.error('iiif-parser -> getCustomStart() -> no Canvases in given Manifest');\n\t return {\n\t currentIndex: 0,\n\t startTime: 0\n\t };\n\t }\n\t };\n\t if (startProp != undefined) {\n\t switch (startProp.type) {\n\t case 'Canvas':\n\t var canvasInfo = getCanvasInfo(startProp.id, 0);\n\t return {\n\t type: 'C',\n\t canvas: canvasInfo.currentIndex,\n\t time: canvasInfo.startTime\n\t };\n\t case 'SpecificResource':\n\t var customStart = startProp.selector.t;\n\t canvasInfo = getCanvasInfo(startProp.source, customStart);\n\t return {\n\t type: 'SR',\n\t canvas: canvasInfo.currentIndex,\n\t time: canvasInfo.startTime\n\t };\n\t }\n\t }\n\t}\n\tfunction buildFileInfo(format, labelInput, id) {\n\t var mime = mimeDb__default[\"default\"][format];\n\t var extension = mime ? mime.extensions[0] : format;\n\t var label = '';\n\t var filename = '';\n\t if (Object.keys(labelInput).length > 1) {\n\t label = labelInput[Object.keys(labelInput)[0]][0];\n\t filename = labelInput['none'][0];\n\t } else {\n\t label = getLabelValue(labelInput);\n\t filename = label;\n\t }\n\t var isMachineGen = label.includes('(machine generated)');\n\t var file = {\n\t id: id,\n\t label: \"\".concat(label, \" (.\").concat(extension, \")\"),\n\t filename: filename,\n\t fileExt: extension,\n\t isMachineGen: isMachineGen\n\t };\n\t return file;\n\t}\n\n\t/**\n\t * Retrieve the list of alternative representation files in manifest or canvas\n\t * level to make available to download\n\t * @param {Object} manifest\n\t * @returns {Object} List of files under `rendering` property in manifest and canvases\n\t */\n\tfunction getRenderingFiles(manifest) {\n\t try {\n\t var manifestFiles = [];\n\t var canvasFiles = [];\n\t var manifestParsed = manifesto_js.parseManifest(manifest);\n\t var manifestRendering = manifestParsed.getRenderings();\n\t var canvases = parseSequences(manifest)[0].getCanvases();\n\t if (manifestRendering != undefined && manifestRendering != null) {\n\t manifestRendering.map(function (r) {\n\t var file = buildFileInfo(r.getFormat(), r.getProperty('label'), r.id);\n\t manifestFiles.push(file);\n\t });\n\t }\n\t if (canvases != undefined && canvases != null) {\n\t canvases.map(function (canvas, index) {\n\t var canvasRendering = canvas.__jsonld.rendering;\n\t var files = [];\n\t if (canvasRendering) {\n\t canvasRendering.map(function (r) {\n\t var file = buildFileInfo(r.format, r.label, r.id);\n\t files.push(file);\n\t });\n\t }\n\t // Use label of canvas or fallback to canvas id\n\t var canvasLabel = canvas.getLabel().getValue() || \"Section \" + (index + 1);\n\t canvasFiles.push({\n\t label: getLabelValue(canvasLabel),\n\t files: files\n\t });\n\t });\n\t }\n\t return {\n\t manifest: manifestFiles,\n\t canvas: canvasFiles\n\t };\n\t } catch (error) {\n\t throw error;\n\t }\n\t}\n\tfunction getSupplementingAnnotations(manifest) {\n\t var canvasFiles = [];\n\t try {\n\t var canvases = parseSequences(manifest)[0].getCanvases();\n\t if (canvases != undefined && canvases != null) {\n\t canvases.map(function (canvas, index) {\n\t var files = [];\n\t var annotationJSON = canvas.__jsonld[\"annotations\"];\n\t var annotations = [];\n\t if (annotationJSON !== null && annotationJSON !== void 0 && annotationJSON.length) {\n\t var annotationPage = annotationJSON[0];\n\t if (annotationPage && annotationPage.items != undefined) {\n\t annotations = annotationPage.items.filter(function (annotation) {\n\t return annotation.motivation == \"supplementing\" && annotation.body.id;\n\t });\n\t }\n\t }\n\t annotations.map(function (anno) {\n\t var r = anno.body;\n\t var file = buildFileInfo(r.format, r.label, r.id);\n\t files.push(file);\n\t });\n\n\t // Use label of canvas or fallback to canvas id\n\t var canvasLabel = canvas.getLabel().getValue() || \"Section \" + (index + 1);\n\t canvasFiles.push({\n\t label: getLabelValue(canvasLabel),\n\t files: files\n\t });\n\t });\n\t }\n\t return canvasFiles;\n\t } catch (error) {\n\t throw error;\n\t }\n\t}\n\n\t/**\n\t * @param {Object} manifest\n\t * @param {Boolean} readCanvasMetadata read metadata from Canvas level\n\t * @return {Array} list of key value pairs for each metadata item in the manifest\n\t */\n\tfunction getMetadata(manifest, readCanvasMetadata) {\n\t try {\n\t var canvasMetadata = [];\n\t var allMetadata = {\n\t canvasMetadata: canvasMetadata,\n\t manifestMetadata: []\n\t };\n\t var manifestMetadata = manifesto_js.parseManifest(manifest).getMetadata();\n\t if (readCanvasMetadata) {\n\t var canvases = parseSequences(manifest)[0].getCanvases();\n\t for (var i in canvases) {\n\t var canvasindex = parseInt(i);\n\t canvasMetadata.push({\n\t canvasindex: canvasindex,\n\t metadata: parseMetadata(canvases[canvasindex].getMetadata(), 'Canvas')\n\t });\n\t }\n\t ;\n\t allMetadata.canvasMetadata = canvasMetadata;\n\t }\n\t allMetadata.manifestMetadata = parseMetadata(manifestMetadata, 'Manifest');\n\t return allMetadata;\n\t } catch (e) {\n\t console.error('iiif-parser -> getMetadata() -> cannot parse manifest, ', e);\n\t throw new Error(GENERIC_ERROR_MESSAGE);\n\t }\n\t}\n\n\t/**\n\t * Parse metadata in the Manifest/Canvas into an array of key value pairs\n\t * @param {Array} metadata list of metadata in Manifest\n\t * @param {String} resourceType resource type which the metadata belongs to\n\t * @returns {Array} an array with key value pairs for the metadata \n\t */\n\tfunction parseMetadata(metadata, resourceType) {\n\t var parsedMetadata = [];\n\t if ((metadata === null || metadata === void 0 ? void 0 : metadata.length) > 0) {\n\t metadata.map(function (md) {\n\t var _md$getValue;\n\t // get value and replace /n characters with to display new lines in UI\n\t var value = (_md$getValue = md.getValue()) === null || _md$getValue === void 0 ? void 0 : _md$getValue.replace(/\\n/g, \" \");\n\t var sanitizedValue = sanitizeHtml__default[\"default\"](value, _objectSpread$3({}, HTML_SANITIZE_CONFIG));\n\t parsedMetadata.push({\n\t label: md.getLabel(),\n\t value: sanitizedValue\n\t });\n\t });\n\t return parsedMetadata;\n\t } else {\n\t console.log('iiif-parser -> parseMetadata() -> no metadata in ', resourceType);\n\t return parsedMetadata;\n\t }\n\t}\n\n\t/**\n\t * Parse manifest to see if auto-advance behavior present at manifest level\n\t * @param {Object} manifest\n\t * @return {Boolean}\n\t */\n\tfunction parseAutoAdvance(manifest) {\n\t var _parseManifest$getPro;\n\t var autoAdvanceBehavior = (_parseManifest$getPro = manifesto_js.parseManifest(manifest).getProperty(\"behavior\")) === null || _parseManifest$getPro === void 0 ? void 0 : _parseManifest$getPro.includes(\"auto-advance\");\n\t return autoAdvanceBehavior === undefined ? false : autoAdvanceBehavior;\n\t}\n\n\t/**\n\t * Parse 'structures' into an array of nested JSON objects with\n\t * required information for structured navigation UI rendering\n\t * @param {Object} manifest\n\t * @returns {Object}\n\t * obj.structures: a nested json object structure derived from\n\t * 'structures' property in the given Manifest\n\t * obj.timespans: timespan items linking to Canvas\n\t */\n\tfunction getStructureRanges(manifest) {\n\t var canvasesInfo = canvasesInManifest(manifest);\n\t var timespans = [];\n\t // Initialize the subIndex for tracking indices for timespans in structure\n\t var subIndex = 0;\n\t var parseItem = function parseItem(range, rootNode, cIndex) {\n\t var _range$getRanges;\n\t var label = getLabelValue(range.getLabel().getValue());\n\t var canvases = range.getCanvasIds();\n\t var duration = 0;\n\t var canvasDuration = 0;\n\t var rangeDuration = range.getDuration();\n\t if (rangeDuration != undefined) {\n\t var start = rangeDuration.start,\n\t end = rangeDuration.end;\n\t duration = end - start;\n\t }\n\t var isCanvas = rootNode == range.parentRange;\n\t var isClickable = false;\n\t var isEmpty = false;\n\t var summary = undefined;\n\t var homepage = undefined;\n\t if (canvases.length > 0 && (canvasesInfo === null || canvasesInfo === void 0 ? void 0 : canvasesInfo.length) > 0) {\n\t var canvasInfo = canvasesInfo.filter(function (c) {\n\t return c.canvasId === getCanvasId(canvases[0]);\n\t })[0];\n\t isEmpty = canvasInfo.isEmpty;\n\t summary = canvasInfo.summary;\n\t homepage = canvasInfo.homepage;\n\t // Mark all timespans as clickable, and provide desired behavior in ListItem component\n\t isClickable = true;\n\t if (canvasInfo.range != undefined) {\n\t var _canvasInfo$range = canvasInfo.range,\n\t _start = _canvasInfo$range.start,\n\t _end = _canvasInfo$range.end;\n\t canvasDuration = _end - _start;\n\t if (isCanvas) {\n\t duration = _end - _start;\n\t }\n\t }\n\t }\n\t var item = {\n\t label: label,\n\t summary: summary,\n\t isTitle: canvases.length === 0 ? true : false,\n\t rangeId: range.id,\n\t id: canvases.length > 0 ? isCanvas ? \"\".concat(canvases[0].split(',')[0], \",\") : canvases[0] : undefined,\n\t isEmpty: isEmpty,\n\t isCanvas: isCanvas,\n\t itemIndex: isCanvas ? cIndex : undefined,\n\t canvasIndex: cIndex,\n\t items: ((_range$getRanges = range.getRanges()) === null || _range$getRanges === void 0 ? void 0 : _range$getRanges.length) > 0 ? range.getRanges().map(function (r) {\n\t return parseItem(r, rootNode, cIndex);\n\t }) : [],\n\t duration: timeToHHmmss(duration),\n\t isClickable: isClickable,\n\t homepage: homepage,\n\t canvasDuration: canvasDuration\n\t };\n\t if (canvases.length > 0) {\n\t // Increment the index for each timespan\n\t subIndex++;\n\t if (!isCanvas) {\n\t item.itemIndex = subIndex;\n\t }\n\t timespans.push(item);\n\t }\n\t return item;\n\t };\n\t var allRanges = manifesto_js.parseManifest(manifest).getAllRanges();\n\t if ((allRanges === null || allRanges === void 0 ? void 0 : allRanges.length) === 0) {\n\t return {\n\t structures: [],\n\t timespans: []\n\t };\n\t } else {\n\t var rootNode = allRanges[0];\n\t var structures = [];\n\t var canvasRanges = rootNode.getRanges();\n\t if ((canvasRanges === null || canvasRanges === void 0 ? void 0 : canvasRanges.length) > 0) {\n\t canvasRanges.map(function (range, index) {\n\t var behavior = range.getBehavior();\n\t if (behavior != 'no-nav') {\n\t // Reset the index for timespans in structure for each Canvas\n\t subIndex = 0;\n\t structures.push(parseItem(range, rootNode, index + 1));\n\t }\n\t });\n\t }\n\t return {\n\t structures: structures,\n\t timespans: timespans\n\t };\n\t }\n\t}\n\n\tfunction getAnnotationService(manifest) {\n\t var service = manifesto_js.parseManifest(manifest).getService();\n\t if (service && service.getProperty('type') === 'AnnotationService0') {\n\t return service.id;\n\t } else {\n\t return null;\n\t }\n\t}\n\n\t/**\n\t * Parses the manifest to identify whether it is a playlist manifest\n\t * or not\n\t * @param {Object} manifest\n\t * @returns {Boolean}\n\t */\n\tfunction getIsPlaylist(manifest) {\n\t try {\n\t var manifestTitle = manifest.label;\n\t var isPlaylist = getLabelValue(manifestTitle).includes('[Playlist]');\n\t return isPlaylist;\n\t } catch (err) {\n\t console.error('Cannot parse manfiest, ', err);\n\t return false;\n\t }\n\t}\n\n\t/**\n\t * Parse `highlighting` annotations with TextualBody type as markers\n\t * for all the Canvases in the given Manifest\n\t * @param {Object} manifest\n\t * @returns {Array} JSON object array with markers information for each\n\t * Canvas in the given Manifest.\n\t * [{ canvasIndex: Number,\n\t * canvasMarkers: [{\n\t * id: String,\n\t * time: Number,\n\t * timeStr: String,\n\t * canvasId: String,\n\t * value: String\n\t * }]\n\t * }]\n\t *\n\t */\n\tfunction parsePlaylistAnnotations(manifest) {\n\t try {\n\t var canvases = parseSequences(manifest)[0].getCanvases();\n\t var allMarkers = [];\n\t if (canvases) {\n\t canvases.map(function (canvas, index) {\n\t var annotations = parseAnnotations(canvas.__jsonld['annotations'], 'highlighting');\n\t if (!annotations || annotations.length === 0) {\n\t allMarkers.push({\n\t canvasMarkers: [],\n\t canvasIndex: index\n\t });\n\t } else if (annotations.length > 0) {\n\t var canvasMarkers = [];\n\t annotations.map(function (a) {\n\t var marker = parseMarkerAnnotation(a);\n\t if (marker) {\n\t canvasMarkers.push(marker);\n\t }\n\t });\n\t allMarkers.push({\n\t canvasMarkers: canvasMarkers,\n\t canvasIndex: index\n\t });\n\t }\n\t });\n\t }\n\t return allMarkers;\n\t } catch (error) {\n\t throw error;\n\t }\n\t}\n\n\t/**\n\t * Parse a manifesto.js Annotation object for a marker annotation into\n\t * a JSON object with information required to display the annotation in\n\t * the UI\n\t * @param {Object} a manifesto.js Annotation object\n\t * @returns {Object} a json object for a marker\n\t * { id: String, time: Number, timeStr: String, canvasId: String, value: String}\n\t */\n\tfunction parseMarkerAnnotation(a) {\n\t if (!a) {\n\t return null;\n\t }\n\t var _a$getTarget$split = a.getTarget().split('#t='),\n\t _a$getTarget$split2 = _slicedToArray(_a$getTarget$split, 2),\n\t canvasId = _a$getTarget$split2[0],\n\t time = _a$getTarget$split2[1];\n\t var markerBody = a.getBody();\n\t if ((markerBody === null || markerBody === void 0 ? void 0 : markerBody.length) > 0 && markerBody[0].getProperty('type') === 'TextualBody') {\n\t var marker = {\n\t id: a.id,\n\t time: parseFloat(time),\n\t timeStr: timeToHHmmss(parseFloat(time), true, true),\n\t canvasId: canvasId,\n\t value: markerBody[0].getProperty('value') ? markerBody[0].getProperty('value') : ''\n\t };\n\t return marker;\n\t } else {\n\t return null;\n\t }\n\t}\n\n\t/**\n\t * Wrapper for manifesto.js Annotation constructor\n\t * @param {Object} annotationInfo JSON object with annotation information\n\t * @returns {Annotation}\n\t */\n\tfunction createNewAnnotation(annotationInfo) {\n\t var annotation = new manifesto_js.Annotation(annotationInfo);\n\t return annotation;\n\t}\n\n\tfunction IIIFPlayerWrapper(_ref) {\n\t var manifestUrl = _ref.manifestUrl,\n\t customErrorMessage = _ref.customErrorMessage,\n\t startCanvasId = _ref.startCanvasId,\n\t startCanvasTime = _ref.startCanvasTime,\n\t children = _ref.children,\n\t manifestValue = _ref.manifest;\n\t var _React$useState = React__default[\"default\"].useState(manifestValue),\n\t _React$useState2 = _slicedToArray(_React$useState, 2),\n\t manifest = _React$useState2[0],\n\t setManifest = _React$useState2[1];\n\t var manifestDispatch = useManifestDispatch();\n\t var playerDispatch = usePlayerDispatch();\n\t var _useErrorBoundary = reactErrorBoundary.useErrorBoundary(),\n\t showBoundary = _useErrorBoundary.showBoundary;\n\t React__default[\"default\"].useEffect(function () {\n\t setAppErrorMessage(customErrorMessage);\n\t if (manifest) {\n\t manifestDispatch({\n\t manifest: manifest,\n\t type: 'updateManifest'\n\t });\n\t } else {\n\t var requestOptions = {\n\t // NOTE: try thin in Avalon\n\t //credentials: 'include',\n\t // headers: { 'Avalon-Api-Key': '' },\n\t };\n\t fetch(manifestUrl, requestOptions).then(function (result) {\n\t if (result.status != 200 && result.status != 201) {\n\t throw new Error('Failed to fetch Manifest. Please check again.');\n\t } else {\n\t return result.json();\n\t }\n\t }).then(function (data) {\n\t setManifest(data);\n\t manifestDispatch({\n\t manifest: data,\n\t type: 'updateManifest'\n\t });\n\t })[\"catch\"](function (error) {\n\t console.log('Error fetching manifest, ', error);\n\t showBoundary(error);\n\t });\n\t }\n\t }, []);\n\t React__default[\"default\"].useEffect(function () {\n\t if (manifest) {\n\t manifestDispatch({\n\t autoAdvance: parseAutoAdvance(manifest),\n\t type: \"setAutoAdvance\"\n\t });\n\t var isPlaylist = getIsPlaylist(manifest);\n\t manifestDispatch({\n\t isPlaylist: isPlaylist,\n\t type: 'setIsPlaylist'\n\t });\n\t var annotationService = getAnnotationService(manifest);\n\t manifestDispatch({\n\t annotationService: annotationService,\n\t type: 'setAnnotationService'\n\t });\n\t var customStart = getCustomStart(manifest, startCanvasId, startCanvasTime);\n\t if (customStart.type == 'SR') {\n\t playerDispatch({\n\t currentTime: customStart.time,\n\t type: 'setCurrentTime'\n\t });\n\t }\n\t manifestDispatch({\n\t canvasIndex: customStart.canvas,\n\t type: 'switchCanvas'\n\t });\n\t }\n\t }, [manifest]);\n\t if (!manifest) {\n\t return /*#__PURE__*/React__default[\"default\"].createElement(\"p\", null, \"...Loading\");\n\t } else {\n\t return /*#__PURE__*/React__default[\"default\"].createElement(React__default[\"default\"].Fragment, null, children);\n\t }\n\t}\n\tIIIFPlayerWrapper.propTypes = {\n\t manifest: PropTypes.object,\n\t customErrorMessage: PropTypes.string,\n\t manifestUrl: PropTypes.string,\n\t startCanvasId: PropTypes.string,\n\t startCanvasTime: PropTypes.number,\n\t children: PropTypes.node\n\t};\n\n\tfunction Fallback(_ref) {\n\t var error = _ref.error,\n\t resetErrorBoundary = _ref.resetErrorBoundary;\n\t return /*#__PURE__*/React__default[\"default\"].createElement(\"div\", {\n\t role: \"alert\",\n\t className: \"ramp--error-message__alert\"\n\t }, /*#__PURE__*/React__default[\"default\"].createElement(\"span\", {\n\t className: \"ramp--error-message__message\",\n\t dangerouslySetInnerHTML: {\n\t __html: error.message\n\t }\n\t }), /*#__PURE__*/React__default[\"default\"].createElement(\"button\", {\n\t className: \"ramp--error-message__reset-button\",\n\t onClick: resetErrorBoundary\n\t }, \"Try again\"));\n\t}\n\tvar ErrorMessage = function ErrorMessage(_ref2) {\n\t _ref2.message;\n\t var children = _ref2.children;\n\t return /*#__PURE__*/React__default[\"default\"].createElement(reactErrorBoundary.ErrorBoundary, {\n\t FallbackComponent: Fallback,\n\t onReset: function onReset(details) {\n\t // Reset the state of your app so the error doesn't happen again\n\t }\n\t }, children);\n\t};\n\tErrorMessage.propTypes = {\n\t message: PropTypes.string,\n\t children: PropTypes.object\n\t};\n\n\tfunction IIIFPlayer(_ref) {\n\t var manifestUrl = _ref.manifestUrl,\n\t manifest = _ref.manifest,\n\t customErrorMessage = _ref.customErrorMessage,\n\t startCanvasId = _ref.startCanvasId,\n\t startCanvasTime = _ref.startCanvasTime,\n\t children = _ref.children;\n\t if (!manifestUrl && !manifest) return /*#__PURE__*/React__default[\"default\"].createElement(\"p\", null, \"Please provide a valid manifest.\");\n\t return /*#__PURE__*/React__default[\"default\"].createElement(ManifestProvider, null, /*#__PURE__*/React__default[\"default\"].createElement(PlayerProvider, null, /*#__PURE__*/React__default[\"default\"].createElement(ErrorMessage, null, /*#__PURE__*/React__default[\"default\"].createElement(IIIFPlayerWrapper, {\n\t manifestUrl: manifestUrl,\n\t manifest: manifest,\n\t customErrorMessage: customErrorMessage,\n\t startCanvasId: startCanvasId,\n\t startCanvasTime: startCanvasTime\n\t }, children))));\n\t}\n\tIIIFPlayer.propTypes = {\n\t /** A valid IIIF manifest uri */\n\t manifestUrl: PropTypes.string,\n\t manifest: PropTypes.object,\n\t customErrorMessage: PropTypes.string,\n\t startCanvasId: PropTypes.string,\n\t startCanvasTime: PropTypes.number\n\t};\n\tIIIFPlayer.defaultProps = {};\n\n\tvar _extends_1 = createCommonjsModule(function (module) {\n\tfunction _extends() {\n\t module.exports = _extends = Object.assign ? Object.assign.bind() : function (target) {\n\t for (var i = 1; i < arguments.length; i++) {\n\t var source = arguments[i];\n\t for (var key in source) {\n\t if (Object.prototype.hasOwnProperty.call(source, key)) {\n\t target[key] = source[key];\n\t }\n\t }\n\t }\n\t return target;\n\t }, module.exports.__esModule = true, module.exports[\"default\"] = module.exports;\n\t return _extends.apply(this, arguments);\n\t}\n\tmodule.exports = _extends, module.exports.__esModule = true, module.exports[\"default\"] = module.exports;\n\t});\n\n\tvar _extends = /*@__PURE__*/getDefaultExportFromCjs(_extends_1);\n\n\tvar asyncToGenerator = createCommonjsModule(function (module) {\n\tfunction asyncGeneratorStep(gen, resolve, reject, _next, _throw, key, arg) {\n\t try {\n\t var info = gen[key](arg);\n\t var value = info.value;\n\t } catch (error) {\n\t reject(error);\n\t return;\n\t }\n\t if (info.done) {\n\t resolve(value);\n\t } else {\n\t Promise.resolve(value).then(_next, _throw);\n\t }\n\t}\n\tfunction _asyncToGenerator(fn) {\n\t return function () {\n\t var self = this,\n\t args = arguments;\n\t return new Promise(function (resolve, reject) {\n\t var gen = fn.apply(self, args);\n\t function _next(value) {\n\t asyncGeneratorStep(gen, resolve, reject, _next, _throw, \"next\", value);\n\t }\n\t function _throw(err) {\n\t asyncGeneratorStep(gen, resolve, reject, _next, _throw, \"throw\", err);\n\t }\n\t _next(undefined);\n\t });\n\t };\n\t}\n\tmodule.exports = _asyncToGenerator, module.exports.__esModule = true, module.exports[\"default\"] = module.exports;\n\t});\n\n\tvar _asyncToGenerator = /*@__PURE__*/getDefaultExportFromCjs(asyncToGenerator);\n\n\tvar objectWithoutPropertiesLoose = createCommonjsModule(function (module) {\n\tfunction _objectWithoutPropertiesLoose(source, excluded) {\n\t if (source == null) return {};\n\t var target = {};\n\t var sourceKeys = Object.keys(source);\n\t var key, i;\n\t for (i = 0; i < sourceKeys.length; i++) {\n\t key = sourceKeys[i];\n\t if (excluded.indexOf(key) >= 0) continue;\n\t target[key] = source[key];\n\t }\n\t return target;\n\t}\n\tmodule.exports = _objectWithoutPropertiesLoose, module.exports.__esModule = true, module.exports[\"default\"] = module.exports;\n\t});\n\n\tvar objectWithoutProperties = createCommonjsModule(function (module) {\n\tfunction _objectWithoutProperties(source, excluded) {\n\t if (source == null) return {};\n\t var target = objectWithoutPropertiesLoose(source, excluded);\n\t var key, i;\n\t if (Object.getOwnPropertySymbols) {\n\t var sourceSymbolKeys = Object.getOwnPropertySymbols(source);\n\t for (i = 0; i < sourceSymbolKeys.length; i++) {\n\t key = sourceSymbolKeys[i];\n\t if (excluded.indexOf(key) >= 0) continue;\n\t if (!Object.prototype.propertyIsEnumerable.call(source, key)) continue;\n\t target[key] = source[key];\n\t }\n\t }\n\t return target;\n\t}\n\tmodule.exports = _objectWithoutProperties, module.exports.__esModule = true, module.exports[\"default\"] = module.exports;\n\t});\n\n\tvar _objectWithoutProperties = /*@__PURE__*/getDefaultExportFromCjs(objectWithoutProperties);\n\n\tvar regeneratorRuntime$1 = createCommonjsModule(function (module) {\n\tvar _typeof = _typeof_1[\"default\"];\n\tfunction _regeneratorRuntime() {\n\t module.exports = _regeneratorRuntime = function _regeneratorRuntime() {\n\t return exports;\n\t }, module.exports.__esModule = true, module.exports[\"default\"] = module.exports;\n\t var exports = {},\n\t Op = Object.prototype,\n\t hasOwn = Op.hasOwnProperty,\n\t defineProperty = Object.defineProperty || function (obj, key, desc) {\n\t obj[key] = desc.value;\n\t },\n\t $Symbol = \"function\" == typeof Symbol ? Symbol : {},\n\t iteratorSymbol = $Symbol.iterator || \"@@iterator\",\n\t asyncIteratorSymbol = $Symbol.asyncIterator || \"@@asyncIterator\",\n\t toStringTagSymbol = $Symbol.toStringTag || \"@@toStringTag\";\n\t function define(obj, key, value) {\n\t return Object.defineProperty(obj, key, {\n\t value: value,\n\t enumerable: !0,\n\t configurable: !0,\n\t writable: !0\n\t }), obj[key];\n\t }\n\t try {\n\t define({}, \"\");\n\t } catch (err) {\n\t define = function define(obj, key, value) {\n\t return obj[key] = value;\n\t };\n\t }\n\t function wrap(innerFn, outerFn, self, tryLocsList) {\n\t var protoGenerator = outerFn && outerFn.prototype instanceof Generator ? outerFn : Generator,\n\t generator = Object.create(protoGenerator.prototype),\n\t context = new Context(tryLocsList || []);\n\t return defineProperty(generator, \"_invoke\", {\n\t value: makeInvokeMethod(innerFn, self, context)\n\t }), generator;\n\t }\n\t function tryCatch(fn, obj, arg) {\n\t try {\n\t return {\n\t type: \"normal\",\n\t arg: fn.call(obj, arg)\n\t };\n\t } catch (err) {\n\t return {\n\t type: \"throw\",\n\t arg: err\n\t };\n\t }\n\t }\n\t exports.wrap = wrap;\n\t var ContinueSentinel = {};\n\t function Generator() {}\n\t function GeneratorFunction() {}\n\t function GeneratorFunctionPrototype() {}\n\t var IteratorPrototype = {};\n\t define(IteratorPrototype, iteratorSymbol, function () {\n\t return this;\n\t });\n\t var getProto = Object.getPrototypeOf,\n\t NativeIteratorPrototype = getProto && getProto(getProto(values([])));\n\t NativeIteratorPrototype && NativeIteratorPrototype !== Op && hasOwn.call(NativeIteratorPrototype, iteratorSymbol) && (IteratorPrototype = NativeIteratorPrototype);\n\t var Gp = GeneratorFunctionPrototype.prototype = Generator.prototype = Object.create(IteratorPrototype);\n\t function defineIteratorMethods(prototype) {\n\t [\"next\", \"throw\", \"return\"].forEach(function (method) {\n\t define(prototype, method, function (arg) {\n\t return this._invoke(method, arg);\n\t });\n\t });\n\t }\n\t function AsyncIterator(generator, PromiseImpl) {\n\t function invoke(method, arg, resolve, reject) {\n\t var record = tryCatch(generator[method], generator, arg);\n\t if (\"throw\" !== record.type) {\n\t var result = record.arg,\n\t value = result.value;\n\t return value && \"object\" == _typeof(value) && hasOwn.call(value, \"__await\") ? PromiseImpl.resolve(value.__await).then(function (value) {\n\t invoke(\"next\", value, resolve, reject);\n\t }, function (err) {\n\t invoke(\"throw\", err, resolve, reject);\n\t }) : PromiseImpl.resolve(value).then(function (unwrapped) {\n\t result.value = unwrapped, resolve(result);\n\t }, function (error) {\n\t return invoke(\"throw\", error, resolve, reject);\n\t });\n\t }\n\t reject(record.arg);\n\t }\n\t var previousPromise;\n\t defineProperty(this, \"_invoke\", {\n\t value: function value(method, arg) {\n\t function callInvokeWithMethodAndArg() {\n\t return new PromiseImpl(function (resolve, reject) {\n\t invoke(method, arg, resolve, reject);\n\t });\n\t }\n\t return previousPromise = previousPromise ? previousPromise.then(callInvokeWithMethodAndArg, callInvokeWithMethodAndArg) : callInvokeWithMethodAndArg();\n\t }\n\t });\n\t }\n\t function makeInvokeMethod(innerFn, self, context) {\n\t var state = \"suspendedStart\";\n\t return function (method, arg) {\n\t if (\"executing\" === state) throw new Error(\"Generator is already running\");\n\t if (\"completed\" === state) {\n\t if (\"throw\" === method) throw arg;\n\t return doneResult();\n\t }\n\t for (context.method = method, context.arg = arg;;) {\n\t var delegate = context.delegate;\n\t if (delegate) {\n\t var delegateResult = maybeInvokeDelegate(delegate, context);\n\t if (delegateResult) {\n\t if (delegateResult === ContinueSentinel) continue;\n\t return delegateResult;\n\t }\n\t }\n\t if (\"next\" === context.method) context.sent = context._sent = context.arg;else if (\"throw\" === context.method) {\n\t if (\"suspendedStart\" === state) throw state = \"completed\", context.arg;\n\t context.dispatchException(context.arg);\n\t } else \"return\" === context.method && context.abrupt(\"return\", context.arg);\n\t state = \"executing\";\n\t var record = tryCatch(innerFn, self, context);\n\t if (\"normal\" === record.type) {\n\t if (state = context.done ? \"completed\" : \"suspendedYield\", record.arg === ContinueSentinel) continue;\n\t return {\n\t value: record.arg,\n\t done: context.done\n\t };\n\t }\n\t \"throw\" === record.type && (state = \"completed\", context.method = \"throw\", context.arg = record.arg);\n\t }\n\t };\n\t }\n\t function maybeInvokeDelegate(delegate, context) {\n\t var methodName = context.method,\n\t method = delegate.iterator[methodName];\n\t if (undefined === method) return context.delegate = null, \"throw\" === methodName && delegate.iterator[\"return\"] && (context.method = \"return\", context.arg = undefined, maybeInvokeDelegate(delegate, context), \"throw\" === context.method) || \"return\" !== methodName && (context.method = \"throw\", context.arg = new TypeError(\"The iterator does not provide a '\" + methodName + \"' method\")), ContinueSentinel;\n\t var record = tryCatch(method, delegate.iterator, context.arg);\n\t if (\"throw\" === record.type) return context.method = \"throw\", context.arg = record.arg, context.delegate = null, ContinueSentinel;\n\t var info = record.arg;\n\t return info ? info.done ? (context[delegate.resultName] = info.value, context.next = delegate.nextLoc, \"return\" !== context.method && (context.method = \"next\", context.arg = undefined), context.delegate = null, ContinueSentinel) : info : (context.method = \"throw\", context.arg = new TypeError(\"iterator result is not an object\"), context.delegate = null, ContinueSentinel);\n\t }\n\t function pushTryEntry(locs) {\n\t var entry = {\n\t tryLoc: locs[0]\n\t };\n\t 1 in locs && (entry.catchLoc = locs[1]), 2 in locs && (entry.finallyLoc = locs[2], entry.afterLoc = locs[3]), this.tryEntries.push(entry);\n\t }\n\t function resetTryEntry(entry) {\n\t var record = entry.completion || {};\n\t record.type = \"normal\", delete record.arg, entry.completion = record;\n\t }\n\t function Context(tryLocsList) {\n\t this.tryEntries = [{\n\t tryLoc: \"root\"\n\t }], tryLocsList.forEach(pushTryEntry, this), this.reset(!0);\n\t }\n\t function values(iterable) {\n\t if (iterable) {\n\t var iteratorMethod = iterable[iteratorSymbol];\n\t if (iteratorMethod) return iteratorMethod.call(iterable);\n\t if (\"function\" == typeof iterable.next) return iterable;\n\t if (!isNaN(iterable.length)) {\n\t var i = -1,\n\t next = function next() {\n\t for (; ++i < iterable.length;) if (hasOwn.call(iterable, i)) return next.value = iterable[i], next.done = !1, next;\n\t return next.value = undefined, next.done = !0, next;\n\t };\n\t return next.next = next;\n\t }\n\t }\n\t return {\n\t next: doneResult\n\t };\n\t }\n\t function doneResult() {\n\t return {\n\t value: undefined,\n\t done: !0\n\t };\n\t }\n\t return GeneratorFunction.prototype = GeneratorFunctionPrototype, defineProperty(Gp, \"constructor\", {\n\t value: GeneratorFunctionPrototype,\n\t configurable: !0\n\t }), defineProperty(GeneratorFunctionPrototype, \"constructor\", {\n\t value: GeneratorFunction,\n\t configurable: !0\n\t }), GeneratorFunction.displayName = define(GeneratorFunctionPrototype, toStringTagSymbol, \"GeneratorFunction\"), exports.isGeneratorFunction = function (genFun) {\n\t var ctor = \"function\" == typeof genFun && genFun.constructor;\n\t return !!ctor && (ctor === GeneratorFunction || \"GeneratorFunction\" === (ctor.displayName || ctor.name));\n\t }, exports.mark = function (genFun) {\n\t return Object.setPrototypeOf ? Object.setPrototypeOf(genFun, GeneratorFunctionPrototype) : (genFun.__proto__ = GeneratorFunctionPrototype, define(genFun, toStringTagSymbol, \"GeneratorFunction\")), genFun.prototype = Object.create(Gp), genFun;\n\t }, exports.awrap = function (arg) {\n\t return {\n\t __await: arg\n\t };\n\t }, defineIteratorMethods(AsyncIterator.prototype), define(AsyncIterator.prototype, asyncIteratorSymbol, function () {\n\t return this;\n\t }), exports.AsyncIterator = AsyncIterator, exports.async = function (innerFn, outerFn, self, tryLocsList, PromiseImpl) {\n\t void 0 === PromiseImpl && (PromiseImpl = Promise);\n\t var iter = new AsyncIterator(wrap(innerFn, outerFn, self, tryLocsList), PromiseImpl);\n\t return exports.isGeneratorFunction(outerFn) ? iter : iter.next().then(function (result) {\n\t return result.done ? result.value : iter.next();\n\t });\n\t }, defineIteratorMethods(Gp), define(Gp, toStringTagSymbol, \"Generator\"), define(Gp, iteratorSymbol, function () {\n\t return this;\n\t }), define(Gp, \"toString\", function () {\n\t return \"[object Generator]\";\n\t }), exports.keys = function (val) {\n\t var object = Object(val),\n\t keys = [];\n\t for (var key in object) keys.push(key);\n\t return keys.reverse(), function next() {\n\t for (; keys.length;) {\n\t var key = keys.pop();\n\t if (key in object) return next.value = key, next.done = !1, next;\n\t }\n\t return next.done = !0, next;\n\t };\n\t }, exports.values = values, Context.prototype = {\n\t constructor: Context,\n\t reset: function reset(skipTempReset) {\n\t if (this.prev = 0, this.next = 0, this.sent = this._sent = undefined, this.done = !1, this.delegate = null, this.method = \"next\", this.arg = undefined, this.tryEntries.forEach(resetTryEntry), !skipTempReset) for (var name in this) \"t\" === name.charAt(0) && hasOwn.call(this, name) && !isNaN(+name.slice(1)) && (this[name] = undefined);\n\t },\n\t stop: function stop() {\n\t this.done = !0;\n\t var rootRecord = this.tryEntries[0].completion;\n\t if (\"throw\" === rootRecord.type) throw rootRecord.arg;\n\t return this.rval;\n\t },\n\t dispatchException: function dispatchException(exception) {\n\t if (this.done) throw exception;\n\t var context = this;\n\t function handle(loc, caught) {\n\t return record.type = \"throw\", record.arg = exception, context.next = loc, caught && (context.method = \"next\", context.arg = undefined), !!caught;\n\t }\n\t for (var i = this.tryEntries.length - 1; i >= 0; --i) {\n\t var entry = this.tryEntries[i],\n\t record = entry.completion;\n\t if (\"root\" === entry.tryLoc) return handle(\"end\");\n\t if (entry.tryLoc <= this.prev) {\n\t var hasCatch = hasOwn.call(entry, \"catchLoc\"),\n\t hasFinally = hasOwn.call(entry, \"finallyLoc\");\n\t if (hasCatch && hasFinally) {\n\t if (this.prev < entry.catchLoc) return handle(entry.catchLoc, !0);\n\t if (this.prev < entry.finallyLoc) return handle(entry.finallyLoc);\n\t } else if (hasCatch) {\n\t if (this.prev < entry.catchLoc) return handle(entry.catchLoc, !0);\n\t } else {\n\t if (!hasFinally) throw new Error(\"try statement without catch or finally\");\n\t if (this.prev < entry.finallyLoc) return handle(entry.finallyLoc);\n\t }\n\t }\n\t }\n\t },\n\t abrupt: function abrupt(type, arg) {\n\t for (var i = this.tryEntries.length - 1; i >= 0; --i) {\n\t var entry = this.tryEntries[i];\n\t if (entry.tryLoc <= this.prev && hasOwn.call(entry, \"finallyLoc\") && this.prev < entry.finallyLoc) {\n\t var finallyEntry = entry;\n\t break;\n\t }\n\t }\n\t finallyEntry && (\"break\" === type || \"continue\" === type) && finallyEntry.tryLoc <= arg && arg <= finallyEntry.finallyLoc && (finallyEntry = null);\n\t var record = finallyEntry ? finallyEntry.completion : {};\n\t return record.type = type, record.arg = arg, finallyEntry ? (this.method = \"next\", this.next = finallyEntry.finallyLoc, ContinueSentinel) : this.complete(record);\n\t },\n\t complete: function complete(record, afterLoc) {\n\t if (\"throw\" === record.type) throw record.arg;\n\t return \"break\" === record.type || \"continue\" === record.type ? this.next = record.arg : \"return\" === record.type ? (this.rval = this.arg = record.arg, this.method = \"return\", this.next = \"end\") : \"normal\" === record.type && afterLoc && (this.next = afterLoc), ContinueSentinel;\n\t },\n\t finish: function finish(finallyLoc) {\n\t for (var i = this.tryEntries.length - 1; i >= 0; --i) {\n\t var entry = this.tryEntries[i];\n\t if (entry.finallyLoc === finallyLoc) return this.complete(entry.completion, entry.afterLoc), resetTryEntry(entry), ContinueSentinel;\n\t }\n\t },\n\t \"catch\": function _catch(tryLoc) {\n\t for (var i = this.tryEntries.length - 1; i >= 0; --i) {\n\t var entry = this.tryEntries[i];\n\t if (entry.tryLoc === tryLoc) {\n\t var record = entry.completion;\n\t if (\"throw\" === record.type) {\n\t var thrown = record.arg;\n\t resetTryEntry(entry);\n\t }\n\t return thrown;\n\t }\n\t }\n\t throw new Error(\"illegal catch attempt\");\n\t },\n\t delegateYield: function delegateYield(iterable, resultName, nextLoc) {\n\t return this.delegate = {\n\t iterator: values(iterable),\n\t resultName: resultName,\n\t nextLoc: nextLoc\n\t }, \"next\" === this.method && (this.arg = undefined), ContinueSentinel;\n\t }\n\t }, exports;\n\t}\n\tmodule.exports = _regeneratorRuntime, module.exports.__esModule = true, module.exports[\"default\"] = module.exports;\n\t});\n\n\t// TODO(Babel 8): Remove this file.\n\n\tvar runtime = regeneratorRuntime$1();\n\tvar regenerator = runtime;\n\n\t// Copied from https://github.com/facebook/regenerator/blob/main/packages/runtime/runtime.js#L736=\n\ttry {\n\t regeneratorRuntime = runtime;\n\t} catch (accidentalStrictMode) {\n\t if (typeof globalThis === \"object\") {\n\t globalThis.regeneratorRuntime = runtime;\n\t } else {\n\t Function(\"r\", \"regeneratorRuntime = r\")(runtime);\n\t }\n\t}\n\n\tcreateCommonjsModule(function (module, exports) {\n\t(function (global, factory) {\n\t {\n\t factory(videojs__default[\"default\"]);\n\t }\n\t})(commonjsGlobal, function (_video) {\n\n\t var _video2 = _interopRequireDefault(_video);\n\n\t function _interopRequireDefault(obj) {\n\t return obj && obj.__esModule ? obj : {\n\t default: obj\n\t };\n\t }\n\n\t var _typeof = typeof Symbol === \"function\" && typeof Symbol.iterator === \"symbol\" ? function (obj) {\n\t return typeof obj;\n\t } : function (obj) {\n\t return obj && typeof Symbol === \"function\" && obj.constructor === Symbol && obj !== Symbol.prototype ? \"symbol\" : typeof obj;\n\t };\n\n\t // default setting\n\t var defaultSetting = {\n\t markerStyle: {\n\t 'width': '7px',\n\t 'border-radius': '30%',\n\t 'background-color': 'red'\n\t },\n\t markerTip: {\n\t display: true,\n\t text: function text(marker) {\n\t return \"Break: \" + marker.text;\n\t },\n\t time: function time(marker) {\n\t return marker.time;\n\t }\n\t },\n\t breakOverlay: {\n\t display: false,\n\t displayTime: 3,\n\t text: function text(marker) {\n\t return \"Break overlay: \" + marker.overlayText;\n\t },\n\t style: {\n\t 'width': '100%',\n\t 'height': '20%',\n\t 'background-color': 'rgba(0,0,0,0.7)',\n\t 'color': 'white',\n\t 'font-size': '17px'\n\t }\n\t },\n\t onMarkerClick: function onMarkerClick(marker) {},\n\t onMarkerReached: function onMarkerReached(marker, index) {},\n\t markers: []\n\t };\n\n\t // create a non-colliding random number\n\t function generateUUID() {\n\t var d = new Date().getTime();\n\t var uuid = 'xxxxxxxx-xxxx-4xxx-yxxx-xxxxxxxxxxxx'.replace(/[xy]/g, function (c) {\n\t var r = (d + Math.random() * 16) % 16 | 0;\n\t d = Math.floor(d / 16);\n\t return (c == 'x' ? r : r & 0x3 | 0x8).toString(16);\n\t });\n\t return uuid;\n\t }\n\t /**\n\t * Returns the size of an element and its position\n\t * a default Object with 0 on each of its properties\n\t * its return in case there's an error\n\t * @param {Element} element el to get the size and position\n\t * @return {DOMRect|Object} size and position of an element\n\t */\n\t function getElementBounding(element) {\n\t var elementBounding;\n\t var defaultBoundingRect = {\n\t top: 0,\n\t bottom: 0,\n\t left: 0,\n\t width: 0,\n\t height: 0,\n\t right: 0\n\t };\n\n\t try {\n\t elementBounding = element.getBoundingClientRect();\n\t } catch (e) {\n\t elementBounding = defaultBoundingRect;\n\t }\n\n\t return elementBounding;\n\t }\n\n\t var NULL_INDEX = -1;\n\n\t function registerVideoJsMarkersPlugin(options) {\n\t // copied from video.js/src/js/utils/merge-options.js since\n\t // videojs 4 doens't support it by defualt.\n\t if (!_video2.default.mergeOptions) {\n\t var isPlain = function isPlain(value) {\n\t return !!value && (typeof value === 'undefined' ? 'undefined' : _typeof(value)) === 'object' && toString.call(value) === '[object Object]' && value.constructor === Object;\n\t };\n\n\t var mergeOptions = function mergeOptions(source1, source2) {\n\n\t var result = {};\n\t var sources = [source1, source2];\n\t sources.forEach(function (source) {\n\t if (!source) {\n\t return;\n\t }\n\t Object.keys(source).forEach(function (key) {\n\t var value = source[key];\n\t if (!isPlain(value)) {\n\t result[key] = value;\n\t return;\n\t }\n\t if (!isPlain(result[key])) {\n\t result[key] = {};\n\t }\n\t result[key] = mergeOptions(result[key], value);\n\t });\n\t });\n\t return result;\n\t };\n\n\t _video2.default.mergeOptions = mergeOptions;\n\t }\n\n\t if (!_video2.default.dom.createEl) {\n\t _video2.default.dom.createEl = function (tagName, props, attrs) {\n\t var el = _video2.default.Player.prototype.dom.createEl(tagName, props);\n\t if (!!attrs) {\n\t Object.keys(attrs).forEach(function (key) {\n\t el.setAttribute(key, attrs[key]);\n\t });\n\t }\n\t return el;\n\t };\n\t }\n\n\t /**\n\t * register the markers plugin (dependent on jquery)\n\t */\n\t var setting = _video2.default.mergeOptions(defaultSetting, options),\n\t markersMap = {},\n\t markersList = [],\n\t // list of markers sorted by time\n\t currentMarkerIndex = NULL_INDEX,\n\t player = this,\n\t markerTip = null,\n\t breakOverlay = null,\n\t overlayIndex = NULL_INDEX;\n\n\t function sortMarkersList() {\n\t // sort the list by time in asc order\n\t markersList.sort(function (a, b) {\n\t return setting.markerTip.time(a) - setting.markerTip.time(b);\n\t });\n\t }\n\n\t function addMarkers(newMarkers) {\n\t newMarkers.forEach(function (marker) {\n\t marker.key = generateUUID();\n\n\t player.el().querySelector('.vjs-progress-holder').appendChild(createMarkerDiv(marker));\n\n\t // store marker in an internal hash map\n\t markersMap[marker.key] = marker;\n\t markersList.push(marker);\n\t });\n\n\t sortMarkersList();\n\t }\n\n\t function getPosition(marker) {\n\t return setting.markerTip.time(marker) / player.duration() * 100;\n\t }\n\n\t function setMarkderDivStyle(marker, markerDiv) {\n\t markerDiv.className = 'vjs-marker ' + (marker.class || \"\");\n\n\t Object.keys(setting.markerStyle).forEach(function (key) {\n\t markerDiv.style[key] = setting.markerStyle[key];\n\t });\n\n\t // hide out-of-bound markers\n\t var ratio = marker.time / player.duration();\n\t if (ratio < 0 || ratio > 1) {\n\t markerDiv.style.display = 'none';\n\t }\n\n\t // set position\n\t markerDiv.style.left = getPosition(marker) + '%';\n\t if (marker.duration) {\n\t markerDiv.style.width = marker.duration / player.duration() * 100 + '%';\n\t markerDiv.style.marginLeft = '0px';\n\t } else {\n\t var markerDivBounding = getElementBounding(markerDiv);\n\t markerDiv.style.marginLeft = markerDivBounding.width / 2 + 'px';\n\t }\n\t }\n\n\t function createMarkerDiv(marker) {\n\n\t var markerDiv = _video2.default.dom.createEl('div', {}, {\n\t 'data-marker-key': marker.key,\n\t 'data-marker-time': setting.markerTip.time(marker)\n\t });\n\n\t setMarkderDivStyle(marker, markerDiv);\n\n\t // bind click event to seek to marker time\n\t markerDiv.addEventListener('click', function (e) {\n\t var preventDefault = false;\n\t if (typeof setting.onMarkerClick === \"function\") {\n\t // if return false, prevent default behavior\n\t preventDefault = setting.onMarkerClick(marker) === false;\n\t }\n\n\t if (!preventDefault) {\n\t var key = this.getAttribute('data-marker-key');\n\t player.currentTime(setting.markerTip.time(markersMap[key]));\n\t }\n\t });\n\n\t if (setting.markerTip.display) {\n\t registerMarkerTipHandler(markerDiv);\n\t }\n\n\t return markerDiv;\n\t }\n\n\t function updateMarkers(force) {\n\t // update UI for markers whose time changed\n\t markersList.forEach(function (marker) {\n\t var markerDiv = player.el().querySelector(\".vjs-marker[data-marker-key='\" + marker.key + \"']\");\n\t var markerTime = setting.markerTip.time(marker);\n\n\t if (force || markerDiv.getAttribute('data-marker-time') !== markerTime) {\n\t setMarkderDivStyle(marker, markerDiv);\n\t markerDiv.setAttribute('data-marker-time', markerTime);\n\t }\n\t });\n\t sortMarkersList();\n\t }\n\n\t function removeMarkers(indexArray) {\n\t // reset overlay\n\t if (!!breakOverlay) {\n\t overlayIndex = NULL_INDEX;\n\t breakOverlay.style.visibility = \"hidden\";\n\t }\n\t currentMarkerIndex = NULL_INDEX;\n\n\t var deleteIndexList = [];\n\t indexArray.forEach(function (index) {\n\t var marker = markersList[index];\n\t if (marker) {\n\t // delete from memory\n\t delete markersMap[marker.key];\n\t deleteIndexList.push(index);\n\n\t // delete from dom\n\t var el = player.el().querySelector(\".vjs-marker[data-marker-key='\" + marker.key + \"']\");\n\t el && el.parentNode.removeChild(el);\n\t }\n\t });\n\n\t // clean up markers array\n\t deleteIndexList.reverse();\n\t deleteIndexList.forEach(function (deleteIndex) {\n\t markersList.splice(deleteIndex, 1);\n\t });\n\n\t // sort again\n\t sortMarkersList();\n\t }\n\n\t // attach hover event handler\n\t function registerMarkerTipHandler(markerDiv) {\n\t markerDiv.addEventListener('mouseover', function () {\n\t var marker = markersMap[markerDiv.getAttribute('data-marker-key')];\n\t if (!!markerTip) {\n\t if (setting.markerTip.html) {\n\t markerTip.querySelector('.vjs-tip-inner').innerHTML = setting.markerTip.html(marker);\n\t } else {\n\t markerTip.querySelector('.vjs-tip-inner').innerText = setting.markerTip.text(marker);\n\t }\n\t // margin-left needs to minus the padding length to align correctly with the marker\n\t markerTip.style.left = getPosition(marker) + '%';\n\t var markerTipBounding = getElementBounding(markerTip);\n\t var markerDivBounding = getElementBounding(markerDiv);\n\t markerTip.style.marginLeft = -parseFloat(markerTipBounding.width / 2) + parseFloat(markerDivBounding.width / 4) + 'px';\n\t markerTip.style.visibility = 'visible';\n\t }\n\t });\n\n\t markerDiv.addEventListener('mouseout', function () {\n\t if (!!markerTip) {\n\t markerTip.style.visibility = \"hidden\";\n\t }\n\t });\n\t }\n\n\t function initializeMarkerTip() {\n\t markerTip = _video2.default.dom.createEl('div', {\n\t className: 'vjs-tip',\n\t innerHTML: \"
\"\n\t });\n\t player.el().querySelector('.vjs-progress-holder').appendChild(markerTip);\n\t }\n\n\t // show or hide break overlays\n\t function updateBreakOverlay() {\n\t if (!setting.breakOverlay.display || currentMarkerIndex < 0) {\n\t return;\n\t }\n\n\t var currentTime = player.currentTime();\n\t var marker = markersList[currentMarkerIndex];\n\t var markerTime = setting.markerTip.time(marker);\n\n\t if (currentTime >= markerTime && currentTime <= markerTime + setting.breakOverlay.displayTime) {\n\t if (overlayIndex !== currentMarkerIndex) {\n\t overlayIndex = currentMarkerIndex;\n\t if (breakOverlay) {\n\t breakOverlay.querySelector('.vjs-break-overlay-text').innerHTML = setting.breakOverlay.text(marker);\n\t }\n\t }\n\n\t if (breakOverlay) {\n\t breakOverlay.style.visibility = \"visible\";\n\t }\n\t } else {\n\t overlayIndex = NULL_INDEX;\n\t if (breakOverlay) {\n\t breakOverlay.style.visibility = \"hidden\";\n\t }\n\t }\n\t }\n\n\t // problem when the next marker is within the overlay display time from the previous marker\n\t function initializeOverlay() {\n\t breakOverlay = _video2.default.dom.createEl('div', {\n\t className: 'vjs-break-overlay',\n\t innerHTML: \"
\"\n\t });\n\t Object.keys(setting.breakOverlay.style).forEach(function (key) {\n\t if (breakOverlay) {\n\t breakOverlay.style[key] = setting.breakOverlay.style[key];\n\t }\n\t });\n\t player.el().appendChild(breakOverlay);\n\t overlayIndex = NULL_INDEX;\n\t }\n\n\t function onTimeUpdate() {\n\t onUpdateMarker();\n\t updateBreakOverlay();\n\t options.onTimeUpdateAfterMarkerUpdate && options.onTimeUpdateAfterMarkerUpdate();\n\t }\n\n\t function onUpdateMarker() {\n\t /*\n\t check marker reached in between markers\n\t the logic here is that it triggers a new marker reached event only if the player\n\t enters a new marker range (e.g. from marker 1 to marker 2). Thus, if player is on marker 1 and user clicked on marker 1 again, no new reached event is triggered)\n\t */\n\t if (!markersList.length) {\n\t return;\n\t }\n\n\t var getNextMarkerTime = function getNextMarkerTime(index) {\n\t if (index < markersList.length - 1) {\n\t return setting.markerTip.time(markersList[index + 1]);\n\t }\n\t // next marker time of last marker would be end of video time\n\t return player.duration();\n\t };\n\t var currentTime = player.currentTime();\n\t var newMarkerIndex = NULL_INDEX;\n\n\t if (currentMarkerIndex !== NULL_INDEX) {\n\t // check if staying at same marker\n\t var nextMarkerTime = getNextMarkerTime(currentMarkerIndex);\n\t if (currentTime >= setting.markerTip.time(markersList[currentMarkerIndex]) && currentTime < nextMarkerTime) {\n\t return;\n\t }\n\n\t // check for ending (at the end current time equals player duration)\n\t if (currentMarkerIndex === markersList.length - 1 && currentTime === player.duration()) {\n\t return;\n\t }\n\t }\n\n\t // check first marker, no marker is selected\n\t if (currentTime < setting.markerTip.time(markersList[0])) {\n\t newMarkerIndex = NULL_INDEX;\n\t } else {\n\t // look for new index\n\t for (var i = 0; i < markersList.length; i++) {\n\t nextMarkerTime = getNextMarkerTime(i);\n\t if (currentTime >= setting.markerTip.time(markersList[i]) && currentTime < nextMarkerTime) {\n\t newMarkerIndex = i;\n\t break;\n\t }\n\t }\n\t }\n\n\t // set new marker index\n\t if (newMarkerIndex !== currentMarkerIndex) {\n\t // trigger event if index is not null\n\t if (newMarkerIndex !== NULL_INDEX && options.onMarkerReached) {\n\t options.onMarkerReached(markersList[newMarkerIndex], newMarkerIndex);\n\t }\n\t currentMarkerIndex = newMarkerIndex;\n\t }\n\t }\n\n\t // setup the whole thing\n\t function initialize() {\n\t if (setting.markerTip.display) {\n\t initializeMarkerTip();\n\t }\n\n\t // remove existing markers if already initialized\n\t player.markers.removeAll();\n\t addMarkers(setting.markers);\n\n\t if (setting.breakOverlay.display) {\n\t initializeOverlay();\n\t }\n\t onTimeUpdate();\n\t player.on(\"timeupdate\", onTimeUpdate);\n\t player.off(\"loadedmetadata\");\n\t }\n\n\t // setup the plugin after we loaded video's meta data\n\t player.on(\"loadedmetadata\", function () {\n\t initialize();\n\t });\n\n\t // exposed plugin API\n\t player.markers = {\n\t getMarkers: function getMarkers() {\n\t return markersList;\n\t },\n\t next: function next() {\n\t // go to the next marker from current timestamp\n\t var currentTime = player.currentTime();\n\t for (var i = 0; i < markersList.length; i++) {\n\t var markerTime = setting.markerTip.time(markersList[i]);\n\t if (markerTime > currentTime) {\n\t player.currentTime(markerTime);\n\t break;\n\t }\n\t }\n\t },\n\t prev: function prev() {\n\t // go to previous marker\n\t var currentTime = player.currentTime();\n\t for (var i = markersList.length - 1; i >= 0; i--) {\n\t var markerTime = setting.markerTip.time(markersList[i]);\n\t // add a threshold\n\t if (markerTime + 0.5 < currentTime) {\n\t player.currentTime(markerTime);\n\t return;\n\t }\n\t }\n\t },\n\t add: function add(newMarkers) {\n\t // add new markers given an array of index\n\t addMarkers(newMarkers);\n\t },\n\t remove: function remove(indexArray) {\n\t // remove markers given an array of index\n\t removeMarkers(indexArray);\n\t },\n\t removeAll: function removeAll() {\n\t var indexArray = [];\n\t for (var i = 0; i < markersList.length; i++) {\n\t indexArray.push(i);\n\t }\n\t removeMarkers(indexArray);\n\t },\n\t // force - force all markers to be updated, regardless of if they have changed or not.\n\t updateTime: function updateTime(force) {\n\t // notify the plugin to update the UI for changes in marker times\n\t updateMarkers(force);\n\t },\n\t reset: function reset(newMarkers) {\n\t // remove all the existing markers and add new ones\n\t player.markers.removeAll();\n\t addMarkers(newMarkers);\n\t },\n\t destroy: function destroy() {\n\t // unregister the plugins and clean up even handlers\n\t player.markers.removeAll();\n\t breakOverlay && breakOverlay.remove();\n\t markerTip && markerTip.remove();\n\t player.off(\"timeupdate\", updateBreakOverlay);\n\t delete player.markers;\n\t }\n\t };\n\t }\n\n\t _video2.default.registerPlugin('markers', registerVideoJsMarkersPlugin);\n\t});\n\n\t});\n\n\t/** Copied from: https://github.com/videojs/video.js/blob/main/src/js/utils/browser.js */\n\n\t/**\n\t * Whether or not this device is an iPod.\n\t *\n\t * @static\n\t * @type {Boolean}\n\t */\n\tvar IS_IPOD = false;\n\n\t/**\n\t * Whether or not this is an Android device.\n\t *\n\t * @static\n\t * @type {Boolean}\n\t */\n\tvar IS_ANDROID = false;\n\n\t/**\n\t * Whether or not this is Microsoft Edge.\n\t *\n\t * @static\n\t * @type {Boolean}\n\t */\n\tvar IS_EDGE = false;\n\n\t/**\n\t * Whether or not this is any Chromium Browser\n\t *\n\t * @static\n\t * @type {Boolean}\n\t */\n\tvar IS_CHROMIUM = false;\n\n\t/**\n\t * Whether or not this is any Chromium browser that is not Edge.\n\t *\n\t * This will also be `true` for Chrome on iOS, which will have different support\n\t * as it is actually Safari under the hood.\n\t *\n\t * Deprecated, as the behaviour to not match Edge was to prevent Legacy Edge's UA matching.\n\t * IS_CHROMIUM should be used instead.\n\t * \"Chromium but not Edge\" could be explicitly tested with IS_CHROMIUM && !IS_EDGE\n\t *\n\t * @static\n\t * @deprecated\n\t * @type {Boolean}\n\t */\n\tvar IS_CHROME = false;\n\n\t/**\n\t * Whether or not this is desktop Safari.\n\t *\n\t * @static\n\t * @type {Boolean}\n\t */\n\tvar IS_SAFARI = false;\n\n\t/**\n\t * Whether or not this device is an iPad.\n\t *\n\t * @static\n\t * @type {Boolean}\n\t */\n\tvar IS_IPAD = false;\n\n\t/**\n\t * Whether or not this is a mobile device.\n\t *\n\t * @static\n\t * @type {Boolean}\n\t */\n\tvar IS_MOBILE = false;\n\n\t/**\n\t * Whether or not this is a touch only device.\n\t * \n\t * @static\n\t * @type {Boolean}\n\t */\n\tvar IS_TOUCH_ONLY = false;\n\n\t/**\n\t * Whether or not this device is an iPhone.\n\t *\n\t * @static\n\t * @type {Boolean}\n\t */\n\t// The Facebook app's UIWebView identifies as both an iPhone and iPad, so\n\t// to identify iPhones, we need to exclude iPads.\n\t// http://artsy.github.io/blog/2012/10/18/the-perils-of-ios-user-agent-sniffing/\n\tvar IS_IPHONE = false;\n\n\t/**\n\t * Whether or not this is an iOS device.\n\t *\n\t * @static\n\t * @const\n\t * @type {Boolean}\n\t */\n\tvar IS_IOS = false;\n\n\t/**\n\t * Whether or not this is a Tizen device.\n\t *\n\t * @static\n\t * @type {Boolean}\n\t */\n\tvar IS_TIZEN = false;\n\n\t/**\n\t * Whether or not this is a WebOS device.\n\t *\n\t * @static\n\t * @type {Boolean}\n\t */\n\tvar IS_WEBOS = false;\n\tvar UAD = window.navigator && window.navigator.userAgentData;\n\tif (UAD && UAD.platform && UAD.brands) {\n\t // If userAgentData is present, use it instead of userAgent to avoid warnings\n\t // Currently only implemented on Chromium\n\t // userAgentData does not expose Android version, so ANDROID_VERSION remains `null`\n\n\t IS_ANDROID = UAD.platform === 'Android';\n\t IS_EDGE = Boolean(UAD.brands.find(function (b) {\n\t return b.brand === 'Microsoft Edge';\n\t }));\n\t IS_CHROMIUM = Boolean(UAD.brands.find(function (b) {\n\t return b.brand === 'Chromium';\n\t }));\n\t IS_CHROME = !IS_EDGE && IS_CHROMIUM;\n\t (UAD.brands.find(function (b) {\n\t return b.brand === 'Chromium';\n\t }) || {}).version || null;\n\t UAD.platform === 'Windows';\n\t // Assume that any device with touch functionality and no mouse/touchpad is a tablet or phone.\n\t // This check is needed because tablets were encountered in testing that did not include \"Android\"\n\t // or \"Mobile\" in their useragent and lacked any other info that could be used to distinguish them.\n\t IS_TOUCH_ONLY = navigator.maxTouchPoints && navigator.maxTouchPoints > 2 && !window.matchMedia(\"(pointer: fine\").matches;\n\t IS_MOBILE = UAD.mobile || IS_ANDROID || IS_TOUCH_ONLY;\n\t}\n\n\t// If the browser is not Chromium, either userAgentData is not present which could be an old Chromium browser,\n\t// or it's a browser that has added userAgentData since that we don't have tests for yet. In either case,\n\t// the checks need to be made agiainst the regular userAgent string.\n\tif (!IS_CHROMIUM) {\n\t var USER_AGENT = window.navigator && window.navigator.userAgent || '';\n\t IS_IPOD = /iPod/i.test(USER_AGENT);\n\t (function () {\n\t var match = USER_AGENT.match(/OS (\\d+)_/i);\n\t if (match && match[1]) {\n\t return match[1];\n\t }\n\t return null;\n\t })();\n\t IS_ANDROID = /Android/i.test(USER_AGENT);\n\t (function () {\n\t // This matches Android Major.Minor.Patch versions\n\t // ANDROID_VERSION is Major.Minor as a Number, if Minor isn't available, then only Major is returned\n\t var match = USER_AGENT.match(/Android (\\d+)(?:\\.(\\d+))?(?:\\.(\\d+))*/i);\n\t if (!match) {\n\t return null;\n\t }\n\t var major = match[1] && parseFloat(match[1]);\n\t var minor = match[2] && parseFloat(match[2]);\n\t if (major && minor) {\n\t return parseFloat(match[1] + '.' + match[2]);\n\t } else if (major) {\n\t return major;\n\t }\n\t return null;\n\t })();\n\t /Firefox/i.test(USER_AGENT);\n\t IS_EDGE = /Edg/i.test(USER_AGENT);\n\t IS_CHROMIUM = /Chrome/i.test(USER_AGENT) || /CriOS/i.test(USER_AGENT);\n\t IS_CHROME = !IS_EDGE && IS_CHROMIUM;\n\t (function () {\n\t var match = USER_AGENT.match(/(Chrome|CriOS)\\/(\\d+)/);\n\t if (match && match[2]) {\n\t return parseFloat(match[2]);\n\t }\n\t return null;\n\t })();\n\t (function () {\n\t var result = /MSIE\\s(\\d+)\\.\\d/.exec(USER_AGENT);\n\t var version = result && parseFloat(result[1]);\n\t if (!version && /Trident\\/7.0/i.test(USER_AGENT) && /rv:11.0/.test(USER_AGENT)) {\n\t // IE 11 has a different user agent string than other IE versions\n\t version = 11.0;\n\t }\n\t return version;\n\t })();\n\t IS_TIZEN = /Tizen/i.test(USER_AGENT);\n\t IS_WEBOS = /Web0S/i.test(USER_AGENT);\n\t IS_SAFARI = /Safari/i.test(USER_AGENT) && !IS_CHROME && !IS_ANDROID && !IS_EDGE && !IS_TIZEN && !IS_WEBOS;\n\t /Windows/i.test(USER_AGENT);\n\t IS_IPHONE = /iPhone/i.test(USER_AGENT) && !IS_IPAD;\n\t IS_IOS = IS_IPHONE || IS_IPAD || IS_IPOD;\n\t IS_TOUCH_ONLY = navigator.maxTouchPoints && navigator.maxTouchPoints > 2 && !window.matchMedia(\"(pointer: fine\").matches;\n\t IS_IPAD = IS_TOUCH_ONLY && !IS_ANDROID && !IS_IPHONE;\n\t IS_MOBILE = IS_ANDROID || IS_IOS || IS_IPHONE || IS_TOUCH_ONLY || /Mobi/i.test(USER_AGENT);\n\t}\n\n\tfunction getValue(key, defaultValue) {\n\t try {\n\t return JSON.parse(localStorage.getItem(key)) || defaultValue;\n\t } catch (e) {\n\t return defaultValue;\n\t }\n\t}\n\tvar useLocalStorage = function useLocalStorage(key, defaultValue) {\n\t var _useState = React.useState(function () {\n\t return getValue(key, defaultValue);\n\t }),\n\t _useState2 = _slicedToArray(_useState, 2),\n\t value = _useState2[0],\n\t setValue = _useState2[1];\n\t React.useEffect(function () {\n\t try {\n\t localStorage.setItem(key, JSON.stringify(value));\n\t } catch (e) {\n\t }\n\t }, [key, value]);\n\t return [value, setValue];\n\t};\n\n\tvar classCallCheck = createCommonjsModule(function (module) {\n\tfunction _classCallCheck(instance, Constructor) {\n\t if (!(instance instanceof Constructor)) {\n\t throw new TypeError(\"Cannot call a class as a function\");\n\t }\n\t}\n\tmodule.exports = _classCallCheck, module.exports.__esModule = true, module.exports[\"default\"] = module.exports;\n\t});\n\n\tvar _classCallCheck = /*@__PURE__*/getDefaultExportFromCjs(classCallCheck);\n\n\tvar createClass = createCommonjsModule(function (module) {\n\tfunction _defineProperties(target, props) {\n\t for (var i = 0; i < props.length; i++) {\n\t var descriptor = props[i];\n\t descriptor.enumerable = descriptor.enumerable || false;\n\t descriptor.configurable = true;\n\t if (\"value\" in descriptor) descriptor.writable = true;\n\t Object.defineProperty(target, toPropertyKey(descriptor.key), descriptor);\n\t }\n\t}\n\tfunction _createClass(Constructor, protoProps, staticProps) {\n\t if (protoProps) _defineProperties(Constructor.prototype, protoProps);\n\t if (staticProps) _defineProperties(Constructor, staticProps);\n\t Object.defineProperty(Constructor, \"prototype\", {\n\t writable: false\n\t });\n\t return Constructor;\n\t}\n\tmodule.exports = _createClass, module.exports.__esModule = true, module.exports[\"default\"] = module.exports;\n\t});\n\n\tvar _createClass = /*@__PURE__*/getDefaultExportFromCjs(createClass);\n\n\tvar assertThisInitialized = createCommonjsModule(function (module) {\n\tfunction _assertThisInitialized(self) {\n\t if (self === void 0) {\n\t throw new ReferenceError(\"this hasn't been initialised - super() hasn't been called\");\n\t }\n\t return self;\n\t}\n\tmodule.exports = _assertThisInitialized, module.exports.__esModule = true, module.exports[\"default\"] = module.exports;\n\t});\n\n\tvar _assertThisInitialized = /*@__PURE__*/getDefaultExportFromCjs(assertThisInitialized);\n\n\tvar setPrototypeOf = createCommonjsModule(function (module) {\n\tfunction _setPrototypeOf(o, p) {\n\t module.exports = _setPrototypeOf = Object.setPrototypeOf ? Object.setPrototypeOf.bind() : function _setPrototypeOf(o, p) {\n\t o.__proto__ = p;\n\t return o;\n\t }, module.exports.__esModule = true, module.exports[\"default\"] = module.exports;\n\t return _setPrototypeOf(o, p);\n\t}\n\tmodule.exports = _setPrototypeOf, module.exports.__esModule = true, module.exports[\"default\"] = module.exports;\n\t});\n\n\tvar inherits = createCommonjsModule(function (module) {\n\tfunction _inherits(subClass, superClass) {\n\t if (typeof superClass !== \"function\" && superClass !== null) {\n\t throw new TypeError(\"Super expression must either be null or a function\");\n\t }\n\t subClass.prototype = Object.create(superClass && superClass.prototype, {\n\t constructor: {\n\t value: subClass,\n\t writable: true,\n\t configurable: true\n\t }\n\t });\n\t Object.defineProperty(subClass, \"prototype\", {\n\t writable: false\n\t });\n\t if (superClass) setPrototypeOf(subClass, superClass);\n\t}\n\tmodule.exports = _inherits, module.exports.__esModule = true, module.exports[\"default\"] = module.exports;\n\t});\n\n\tvar _inherits = /*@__PURE__*/getDefaultExportFromCjs(inherits);\n\n\tvar possibleConstructorReturn = createCommonjsModule(function (module) {\n\tvar _typeof = _typeof_1[\"default\"];\n\n\tfunction _possibleConstructorReturn(self, call) {\n\t if (call && (_typeof(call) === \"object\" || typeof call === \"function\")) {\n\t return call;\n\t } else if (call !== void 0) {\n\t throw new TypeError(\"Derived constructors may only return object or undefined\");\n\t }\n\t return assertThisInitialized(self);\n\t}\n\tmodule.exports = _possibleConstructorReturn, module.exports.__esModule = true, module.exports[\"default\"] = module.exports;\n\t});\n\n\tvar _possibleConstructorReturn = /*@__PURE__*/getDefaultExportFromCjs(possibleConstructorReturn);\n\n\tvar getPrototypeOf = createCommonjsModule(function (module) {\n\tfunction _getPrototypeOf(o) {\n\t module.exports = _getPrototypeOf = Object.setPrototypeOf ? Object.getPrototypeOf.bind() : function _getPrototypeOf(o) {\n\t return o.__proto__ || Object.getPrototypeOf(o);\n\t }, module.exports.__esModule = true, module.exports[\"default\"] = module.exports;\n\t return _getPrototypeOf(o);\n\t}\n\tmodule.exports = _getPrototypeOf, module.exports.__esModule = true, module.exports[\"default\"] = module.exports;\n\t});\n\n\tvar _getPrototypeOf = /*@__PURE__*/getDefaultExportFromCjs(getPrototypeOf);\n\n\tfunction _createForOfIteratorHelper$3(o, allowArrayLike) { var it = typeof Symbol !== \"undefined\" && o[Symbol.iterator] || o[\"@@iterator\"]; if (!it) { if (Array.isArray(o) || (it = _unsupportedIterableToArray$3(o)) || allowArrayLike && o && typeof o.length === \"number\") { if (it) o = it; var i = 0; var F = function F() {}; return { s: F, n: function n() { if (i >= o.length) return { done: true }; return { done: false, value: o[i++] }; }, e: function e(_e) { throw _e; }, f: F }; } throw new TypeError(\"Invalid attempt to iterate non-iterable instance.\\nIn order to be iterable, non-array objects must have a [Symbol.iterator]() method.\"); } var normalCompletion = true, didErr = false, err; return { s: function s() { it = it.call(o); }, n: function n() { var step = it.next(); normalCompletion = step.done; return step; }, e: function e(_e2) { didErr = true; err = _e2; }, f: function f() { try { if (!normalCompletion && it[\"return\"] != null) it[\"return\"](); } finally { if (didErr) throw err; } } }; }\n\tfunction _unsupportedIterableToArray$3(o, minLen) { if (!o) return; if (typeof o === \"string\") return _arrayLikeToArray$3(o, minLen); var n = Object.prototype.toString.call(o).slice(8, -1); if (n === \"Object\" && o.constructor) n = o.constructor.name; if (n === \"Map\" || n === \"Set\") return Array.from(o); if (n === \"Arguments\" || /^(?:Ui|I)nt(?:8|16|32)(?:Clamped)?Array$/.test(n)) return _arrayLikeToArray$3(o, minLen); }\n\tfunction _arrayLikeToArray$3(arr, len) { if (len == null || len > arr.length) len = arr.length; for (var i = 0, arr2 = new Array(len); i < len; i++) arr2[i] = arr[i]; return arr2; }\n\tfunction _createSuper$4(Derived) { var hasNativeReflectConstruct = _isNativeReflectConstruct$4(); return function _createSuperInternal() { var Super = _getPrototypeOf(Derived), result; if (hasNativeReflectConstruct) { var NewTarget = _getPrototypeOf(this).constructor; result = Reflect.construct(Super, arguments, NewTarget); } else { result = Super.apply(this, arguments); } return _possibleConstructorReturn(this, result); }; }\n\tfunction _isNativeReflectConstruct$4() { if (typeof Reflect === \"undefined\" || !Reflect.construct) return false; if (Reflect.construct.sham) return false; if (typeof Proxy === \"function\") return true; try { Boolean.prototype.valueOf.call(Reflect.construct(Boolean, [], function () {})); return true; } catch (e) { return false; } }\n\tvar vjsComponent$4 = videojs__default[\"default\"].getComponent('Component');\n\n\t/**\n\t * Custom component to show progress bar in the player, modified\n\t * to display multiple items in a single canvas\n\t * @param {Object} props\n\t * @param {Number} props.duration canvas duration\n\t * @param {Array} props.targets set of start and end times for\n\t * items in the current canvas\n\t * @param {Function} nextItemClicked callback func to trigger state\n\t * changes in the parent component\n\t */\n\tvar VideoJSProgress = /*#__PURE__*/function (_vjsComponent) {\n\t _inherits(VideoJSProgress, _vjsComponent);\n\t var _super = _createSuper$4(VideoJSProgress);\n\t function VideoJSProgress(player, options) {\n\t var _this;\n\t _classCallCheck(this, VideoJSProgress);\n\t _this = _super.call(this, player, options);\n\t _this.addClass('vjs-custom-progress-bar');\n\t _this.setAttribute('data-testid', 'videojs-custom-progressbar');\n\t _this.setAttribute('tabindex', 0);\n\t _this.mount = _this.mount.bind(_assertThisInitialized(_this));\n\t _this.handleTimeUpdate = _this.handleTimeUpdate.bind(_assertThisInitialized(_this));\n\t _this.initProgressBar = _this.initProgressBar.bind(_assertThisInitialized(_this));\n\t _this.setTimes = _this.setTimes.bind(_assertThisInitialized(_this));\n\t _this.player = player;\n\t _this.options = options;\n\t _this.currentTime = options.currentTime;\n\t _this.state = {\n\t startTime: null,\n\t endTime: null\n\t };\n\t _this.times = options.targets[options.srcIndex];\n\t player.ready(function () {\n\t _this.mount();\n\t _this.setTimes();\n\t _this.initProgressBar();\n\t });\n\n\t /* Remove React root when component is destroyed */\n\t _this.on('dispose', function () {\n\t ReactDOM__default[\"default\"].unmountComponentAtNode(_this.el());\n\t });\n\t return _this;\n\t }\n\n\t /**\n\t * Adjust start, end times of the targeted track based\n\t * on the previous items on canvas\n\t */\n\t _createClass(VideoJSProgress, [{\n\t key: \"setTimes\",\n\t value: function setTimes() {\n\t var _this$times = this.times,\n\t start = _this$times.start,\n\t end = _this$times.end;\n\t var _this$options = this.options,\n\t srcIndex = _this$options.srcIndex,\n\t targets = _this$options.targets;\n\t var startTime = start,\n\t endTime = end;\n\t if (targets.length > 1) {\n\t startTime = start + targets[srcIndex].altStart;\n\t endTime = end + targets[srcIndex].altStart;\n\t }\n\t this.setState({\n\t startTime: startTime,\n\t endTime: endTime\n\t });\n\t }\n\n\t /** Build progress bar elements from the options */\n\t }, {\n\t key: \"initProgressBar\",\n\t value: function initProgressBar() {\n\t var _this$options2 = this.options,\n\t duration = _this$options2.duration,\n\t targets = _this$options2.targets;\n\t var _this$state = this.state,\n\t startTime = _this$state.startTime,\n\t endTime = _this$state.endTime;\n\t var leftBlock = startTime * 100 / duration;\n\t var rightBlock = (duration - endTime) * 100 / duration;\n\t var toPlay = 100 - leftBlock - rightBlock;\n\t var leftDiv = document.getElementById('left-block');\n\t var rightDiv = document.getElementById('right-block');\n\t var dummySliders = document.getElementsByClassName('vjs-custom-progress-inactive');\n\t if (leftDiv) {\n\t leftDiv.style.width = leftBlock + '%';\n\t }\n\t if (rightDiv) {\n\t rightDiv.style.width = rightBlock + '%';\n\t }\n\t // Set the width of dummy slider ranges based on duration of each item\n\t var _iterator = _createForOfIteratorHelper$3(dummySliders),\n\t _step;\n\t try {\n\t for (_iterator.s(); !(_step = _iterator.n()).done;) {\n\t var ds = _step.value;\n\t var dsIndex = ds.dataset.srcindex;\n\t var styleWidth = targets[dsIndex].duration * 100 / duration;\n\t ds.style.width = styleWidth + '%';\n\t }\n\t } catch (err) {\n\t _iterator.e(err);\n\t } finally {\n\t _iterator.f();\n\t }\n\t document.getElementById('slider-range').style.width = toPlay + '%';\n\t // Update progress bar on initial load\n\t this.handleTimeUpdate(this.options.currentTime);\n\t }\n\n\t /**\n\t * Update CSS for the input range's track while the media\n\t * is playing\n\t * @param {Number} curTime current time of the player\n\t */\n\t }, {\n\t key: \"handleTimeUpdate\",\n\t value: function handleTimeUpdate(curTime) {\n\t var player = this.player,\n\t times = this.times,\n\t options = this.options,\n\t el_ = this.el_;\n\t var targets = options.targets,\n\t srcIndex = options.srcIndex;\n\t var start = times.start,\n\t end = times.end;\n\n\t // Avoid null player instance when Video.js is getting initialized\n\t if (!el_) {\n\t return;\n\t }\n\t var nextItems = targets.filter(function (_, index) {\n\t return index > srcIndex;\n\t });\n\n\t // Restrict access to the intended range in the media file\n\t if (curTime < start) {\n\t player.currentTime(start);\n\t }\n\t // Some items, particularly in playlists, were not having `player.ended()` properly\n\t // set by the 'ended' event. Providing a fallback check that the player is already\n\t // paused prevents undesirable behavior from excess state changes after play ending.\n\t if (curTime >= end && player && !player.paused()) {\n\t if (nextItems.length == 0) options.nextItemClicked(0, targets[0].start);\n\t player.pause();\n\t player.trigger('ended');\n\n\t // On the next play event set the time to start or a seeked time\n\t // in between the 'ended' event and 'play' event\n\t // Reference: https://github.com/videojs/video.js/blob/main/src/js/control-bar/play-toggle.js#L128\n\t player.one('play', function () {\n\t var time = player.currentTime();\n\t if (time < end) {\n\t player.currentTime(time);\n\t } else {\n\t player.currentTime(start);\n\t }\n\t });\n\t }\n\n\t // Mark the preceding dummy slider ranges as 'played'\n\t var dummySliders = document.getElementsByClassName('vjs-custom-progress-inactive');\n\t var _iterator2 = _createForOfIteratorHelper$3(dummySliders),\n\t _step2;\n\t try {\n\t for (_iterator2.s(); !(_step2 = _iterator2.n()).done;) {\n\t var slider = _step2.value;\n\t var sliderIndex = slider.dataset.srcindex;\n\t if (sliderIndex < srcIndex) {\n\t slider.style.setProperty('background', '#477076');\n\t }\n\t }\n\n\t // Calculate the played percentage of the media file's duration\n\t } catch (err) {\n\t _iterator2.e(err);\n\t } finally {\n\t _iterator2.f();\n\t }\n\t var trackoffset = curTime - start;\n\t var played = Math.min(100, Math.max(0, 100 * trackoffset / (end - start)));\n\t document.documentElement.style.setProperty('--range-progress', \"calc(\".concat(played, \"%)\"));\n\t }\n\t }, {\n\t key: \"mount\",\n\t value: function mount() {\n\t ReactDOM__default[\"default\"].render( /*#__PURE__*/React__default[\"default\"].createElement(ProgressBar, {\n\t player: this.player,\n\t handleTimeUpdate: this.handleTimeUpdate,\n\t initCurrentTime: this.options.currentTime,\n\t times: this.times,\n\t options: this.options\n\t }), this.el());\n\t }\n\t }]);\n\t return VideoJSProgress;\n\t}(vjsComponent$4);\n\t/**\n\t *\n\t * @param {Object} obj\n\t * @param {obj.player} - current VideoJS player instance\n\t * @param {obj.handleTimeUpdate} - callback function to update time\n\t * @param {obj.times} - start and end times for the current source\n\t * @param {obj.options} - options passed when initilizing the component\n\t * @returns\n\t */\n\tfunction ProgressBar(_ref) {\n\t var player = _ref.player,\n\t handleTimeUpdate = _ref.handleTimeUpdate,\n\t initCurrentTime = _ref.initCurrentTime,\n\t times = _ref.times,\n\t options = _ref.options;\n\t var _React$useState = React__default[\"default\"].useState(initCurrentTime),\n\t _React$useState2 = _slicedToArray(_React$useState, 2),\n\t progress = _React$useState2[0],\n\t _setProgress = _React$useState2[1];\n\t var _React$useState3 = React__default[\"default\"].useState(player.currentTime()),\n\t _React$useState4 = _slicedToArray(_React$useState3, 2),\n\t currentTime = _React$useState4[0],\n\t setCurrentTime = _React$useState4[1];\n\t var timeToolRef = React__default[\"default\"].useRef();\n\t var leftBlockRef = React__default[\"default\"].useRef();\n\t var sliderRangeRef = React__default[\"default\"].useRef();\n\t var targets = options.targets,\n\t srcIndex = options.srcIndex;\n\t var _React$useState5 = React__default[\"default\"].useState([]),\n\t _React$useState6 = _slicedToArray(_React$useState5, 2),\n\t tLeft = _React$useState6[0],\n\t setTLeft = _React$useState6[1];\n\t var _React$useState7 = React__default[\"default\"].useState([]),\n\t _React$useState8 = _slicedToArray(_React$useState7, 2),\n\t tRight = _React$useState8[0],\n\t setTRight = _React$useState8[1];\n\t var _React$useState9 = React__default[\"default\"].useState(0),\n\t _React$useState10 = _slicedToArray(_React$useState9, 2),\n\t activeSrcIndex = _React$useState10[0],\n\t setActiveSrcIndex = _React$useState10[1];\n\t var isMultiSourced = options.targets.length > 1 ? true : false;\n\t var initTimeRef = React__default[\"default\"].useRef(initCurrentTime);\n\t var setInitTime = function setInitTime(t) {\n\t initTimeRef.current = t;\n\t };\n\t var progressRef = React__default[\"default\"].useRef(progress);\n\t var setProgress = function setProgress(p) {\n\t progressRef.current = p;\n\t _setProgress(p);\n\t };\n\t var playerEventListener;\n\t var start = times.start,\n\t end = times.end;\n\t var altStart = targets[srcIndex].altStart;\n\n\t // Clean up interval on component unmount\n\t React__default[\"default\"].useEffect(function () {\n\t return function () {\n\t clearInterval(playerEventListener);\n\t };\n\t }, []);\n\t player.on('ready', function () {\n\t var right = targets.filter(function (_, index) {\n\t return index > srcIndex;\n\t });\n\t var left = targets.filter(function (_, index) {\n\t return index < srcIndex;\n\t });\n\t setTRight(right);\n\t setTLeft(left);\n\n\t // Position the timetool tip at the first load\n\t if (timeToolRef.current && sliderRangeRef.current) {\n\t timeToolRef.current.style.top = -timeToolRef.current.offsetHeight - sliderRangeRef.current.offsetHeight * 3 +\n\t // deduct 3 x height of progress bar element\n\t 'px';\n\t }\n\t });\n\t player.on('loadedmetadata', function () {\n\t var curTime = player.currentTime();\n\t setProgress(curTime);\n\t setCurrentTime(curTime + altStart);\n\n\t /** Set playable duration and alternate start as player properties to use in\n\t * track scrubber component, when displaying playlist manifests\n\t */\n\t player.playableDuration = end - start || player.duration();\n\t player.altStart = start;\n\n\t /**\n\t * Using a time interval instead of 'timeupdate event in VideoJS, because Safari\n\t * and other browsers in MacOS stops firing the 'timeupdate' event consistently \n\t * after a while\n\t */\n\t playerEventListener = setInterval(function () {\n\t timeUpdateHandler();\n\t }, 100);\n\n\t // Get the pixel ratio for the range\n\t var ratio = sliderRangeRef.current.offsetWidth / (end - start);\n\n\t // Convert current progress to pixel values\n\t var leftWidth = progressRef.current * ratio;\n\n\t // Add the length of the preceding dummy ranges\n\t var sliderRanges = document.getElementsByClassName('vjs-custom-progress-inactive');\n\t var _iterator3 = _createForOfIteratorHelper$3(sliderRanges),\n\t _step3;\n\t try {\n\t for (_iterator3.s(); !(_step3 = _iterator3.n()).done;) {\n\t var slider = _step3.value;\n\t var sliderIndex = slider.dataset.srcindex;\n\t if (sliderIndex < srcIndex) leftWidth += slider.offsetWidth;\n\t }\n\n\t // Hide the timetooltip on mobile/tablet devices\n\t } catch (err) {\n\t _iterator3.e(err);\n\t } finally {\n\t _iterator3.f();\n\t }\n\t if (IS_IPAD || IS_MOBILE) {\n\t timeToolRef.current.style.display = 'none';\n\t }\n\t timeToolRef.current.style.left = leftWidth - timeToolRef.current.offsetWidth / 2 + 'px';\n\t });\n\n\t // Update progress bar with timeupdate in the player\n\t var timeUpdateHandler = function timeUpdateHandler() {\n\t if (player.isDisposed() || player.ended()) {\n\t return;\n\t }\n\t var iOS = player.hasClass(\"vjs-ios-native-fs\");\n\t var curTime;\n\t // Initially update progress from the prop passed from Ramp,\n\t // this accounts for structured navigation when switching canvases\n\t if (initTimeRef.current > 0 && player.currentTime() == 0) {\n\t curTime = initTimeRef.current;\n\t player.currentTime(initTimeRef.current);\n\t } else {\n\t curTime = player.currentTime();\n\t }\n\t // This state update caused weird lagging behaviors when using the iOS native\n\t // player. iOS player handles its own progress bar, so we can skip the\n\t // update here.\n\t if (!iOS) {\n\t setProgress(curTime);\n\t }\n\t handleTimeUpdate(curTime);\n\t setInitTime(0);\n\t };\n\n\t // Update our progress bar after the user leaves full screen\n\t player.on(\"fullscreenchange\", function (e) {\n\t if (!player.isFullscreen()) {\n\t setProgress(player.currentTime());\n\t }\n\t });\n\n\t /**\n\t * Convert mouseover event to respective time in seconds\n\t * @param {Object} e mouseover event for input range\n\t * @param {Number} index src index of the input range\n\t * @returns time equvalent of the hovered position\n\t */\n\t var convertToTime = function convertToTime(e, index) {\n\t var time = e.nativeEvent.offsetX / e.target.clientWidth * (e.target.max - e.target.min);\n\t if (index != undefined) time += targets[index].altStart;\n\t return time;\n\t };\n\n\t /**\n\t * Set progress and player time when using the input range\n\t * (progress bar) to seek to a particular time point\n\t * @param {Object} e onChange event for input range\n\t */\n\t var updateProgress = function updateProgress(e) {\n\t var time = currentTime;\n\t if (activeSrcIndex > 0) time -= targets[activeSrcIndex].altStart;\n\t if (time >= start && time <= end) {\n\t player.currentTime(time);\n\t setProgress(time);\n\t }\n\t };\n\n\t /**\n\t * Handle onMouseMove event for the progress bar, using the event\n\t * data to update the value of the time tooltip\n\t * @param {Object} e onMouseMove event over progress bar (input range)\n\t * @param {Boolean} isDummy flag indicating whether the hovered over range\n\t * is active or not\n\t */\n\t var handleMouseMove = function handleMouseMove(e, isDummy) {\n\t var currentSrcIndex = srcIndex;\n\t if (isDummy) {\n\t currentSrcIndex = e.target.dataset.srcindex;\n\t }\n\t setActiveSrcIndex(currentSrcIndex);\n\t setCurrentTime(convertToTime(e, currentSrcIndex));\n\n\t // Calculate the horizontal position of the time tooltip\n\t // using the event's offsetX property\n\t var leftWidth = e.nativeEvent.offsetX - timeToolRef.current.offsetWidth / 2; // deduct 0.5 x width of tooltip element\n\t if (leftBlockRef.current) leftWidth += leftBlockRef.current.offsetWidth; // add the blocked off area width\n\n\t // Add the width of preceding dummy ranges\n\t var sliderRanges = document.querySelectorAll('input[type=range][class^=\"vjs-custom-progress\"]');\n\t var _iterator4 = _createForOfIteratorHelper$3(sliderRanges),\n\t _step4;\n\t try {\n\t for (_iterator4.s(); !(_step4 = _iterator4.n()).done;) {\n\t var slider = _step4.value;\n\t var sliderIndex = slider.dataset.srcindex;\n\t if (sliderIndex < currentSrcIndex) leftWidth += slider.offsetWidth;\n\t }\n\t } catch (err) {\n\t _iterator4.e(err);\n\t } finally {\n\t _iterator4.f();\n\t }\n\t if (e.pointerType != 'touch') {\n\t timeToolRef.current.style.left = leftWidth + 'px';\n\t }\n\t };\n\n\t /**\n\t * Initiate the switch of the src when clicked on an inactive\n\t * range. Update srcIndex in the parent components.\n\t * @param {Object} e onClick event on the dummy range\n\t */\n\t var handleClick = function handleClick(e) {\n\t var clickedSrcIndex = parseInt(e.target.dataset.srcindex);\n\t var time = currentTime;\n\n\t // Deduct the duration of the preceding ranges\n\t if (clickedSrcIndex > 0) {\n\t time -= targets[clickedSrcIndex - 1].duration;\n\t }\n\t options.nextItemClicked(clickedSrcIndex, time);\n\t };\n\t var formatTooltipTime = function formatTooltipTime(time) {\n\t if (isMultiSourced) {\n\t return timeToHHmmss(time);\n\t } else {\n\t if (time >= start && time <= end) {\n\t return timeToHHmmss(time);\n\t } else if (time >= end) {\n\t return timeToHHmmss(end);\n\t } else if (time <= start) {\n\t return timeToHHmmss(start);\n\t }\n\t }\n\t };\n\n\t /**\n\t * Handle touch events on the progress bar\n\t * @param {Object} e touch event \n\t */\n\t var handleTouchEvent = function handleTouchEvent(e) {\n\t handleMouseMove(e, false);\n\t };\n\n\t /**\n\t * Build input ranges for the inactive source segments\n\t * in the manifest\n\t * @param {Object} tInRange relevant time ranges\n\t * @returns list of inactive input ranges\n\t */\n\t var createRange = function createRange(tInRange) {\n\t var elements = [];\n\t tInRange.map(function (t) {\n\t elements.push( /*#__PURE__*/React__default[\"default\"].createElement(\"input\", {\n\t type: \"range\",\n\t \"aria-label\": \"Progress bar\",\n\t \"aria-valuemax\": t.end,\n\t \"aria-valuemin\": t.start,\n\t min: t.start,\n\t max: t.end,\n\t role: \"slider\",\n\t \"data-srcindex\": t.sIndex,\n\t className: \"vjs-custom-progress-inactive\",\n\t onMouseMove: function onMouseMove(e) {\n\t return handleMouseMove(e, true);\n\t },\n\t onClick: handleClick,\n\t key: t.sIndex,\n\t tabIndex: 0\n\t }));\n\t });\n\t return elements;\n\t };\n\t return /*#__PURE__*/React__default[\"default\"].createElement(\"div\", {\n\t className: \"vjs-progress-holder vjs-slider vjs-slider-horizontal\"\n\t }, /*#__PURE__*/React__default[\"default\"].createElement(\"span\", {\n\t className: \"tooltiptext\",\n\t ref: timeToolRef,\n\t \"aria-hidden\": true\n\t }, formatTooltipTime(currentTime)), tLeft.length > 0 ? createRange(tLeft) : /*#__PURE__*/React__default[\"default\"].createElement(\"div\", {\n\t className: \"block-stripes\",\n\t role: \"presentation\",\n\t ref: leftBlockRef,\n\t id: \"left-block\",\n\t style: {\n\t width: '0%'\n\t }\n\t }), /*#__PURE__*/React__default[\"default\"].createElement(\"input\", {\n\t type: \"range\",\n\t \"aria-label\": \"Progress bar\",\n\t \"aria-valuemax\": times.end,\n\t \"aria-valuemin\": times.start,\n\t \"aria-valuenow\": progress,\n\t max: times.end,\n\t min: times.start,\n\t value: progress,\n\t role: \"slider\",\n\t \"data-srcindex\": srcIndex,\n\t className: \"vjs-custom-progress\",\n\t onChange: updateProgress,\n\t onTouchEnd: handleTouchEvent,\n\t onTouchStart: handleTouchEvent,\n\t onMouseDown: function onMouseDown(e) {\n\t return handleMouseMove(e, false);\n\t },\n\t onPointerMove: function onPointerMove(e) {\n\t return handleMouseMove(e, false);\n\t },\n\t id: \"slider-range\",\n\t ref: sliderRangeRef\n\t }), tRight.length > 0 ? createRange(tRight) : /*#__PURE__*/React__default[\"default\"].createElement(\"div\", {\n\t className: \"block-stripes\",\n\t role: \"presentation\",\n\t id: \"right-block\",\n\t style: {\n\t width: '0%'\n\t }\n\t }));\n\t}\n\tvjsComponent$4.registerComponent('VideoJSProgress', VideoJSProgress);\n\n\tfunction _createSuper$3(Derived) { var hasNativeReflectConstruct = _isNativeReflectConstruct$3(); return function _createSuperInternal() { var Super = _getPrototypeOf(Derived), result; if (hasNativeReflectConstruct) { var NewTarget = _getPrototypeOf(this).constructor; result = Reflect.construct(Super, arguments, NewTarget); } else { result = Super.apply(this, arguments); } return _possibleConstructorReturn(this, result); }; }\n\tfunction _isNativeReflectConstruct$3() { if (typeof Reflect === \"undefined\" || !Reflect.construct) return false; if (Reflect.construct.sham) return false; if (typeof Proxy === \"function\") return true; try { Boolean.prototype.valueOf.call(Reflect.construct(Boolean, [], function () {})); return true; } catch (e) { return false; } }\n\tvar vjsComponent$3 = videojs__default[\"default\"].getComponent('Component');\n\n\t/**\n\t * Custom component to display the current time of the player\n\t * @param {Object} props\n\t * @param {Object} props.player VideoJS player instance\n\t * @param {Object} props.options options passed into component\n\t * options: { srcIndex, targets }\n\t */\n\tvar VideoJSCurrentTime = /*#__PURE__*/function (_vjsComponent) {\n\t _inherits(VideoJSCurrentTime, _vjsComponent);\n\t var _super = _createSuper$3(VideoJSCurrentTime);\n\t function VideoJSCurrentTime(player, options) {\n\t var _this;\n\t _classCallCheck(this, VideoJSCurrentTime);\n\t _this = _super.call(this, player, options);\n\t _this.addClass('vjs-time-control');\n\t _this.setAttribute('role', 'presentation');\n\t _this.mount = _this.mount.bind(_assertThisInitialized(_this));\n\t _this.player = player;\n\t _this.options = options;\n\n\t /* When player is ready, call method to mount React component */\n\t player.ready(function () {\n\t _this.mount();\n\t });\n\n\t /* Remove React root when component is destroyed */\n\t _this.on('dispose', function () {\n\t ReactDOM__default[\"default\"].unmountComponentAtNode(_this.el());\n\t });\n\t return _this;\n\t }\n\t _createClass(VideoJSCurrentTime, [{\n\t key: \"mount\",\n\t value: function mount() {\n\t ReactDOM__default[\"default\"].render( /*#__PURE__*/React__default[\"default\"].createElement(CurrentTimeDisplay, {\n\t player: this.player,\n\t options: this.options\n\t }), this.el());\n\t }\n\t }]);\n\t return VideoJSCurrentTime;\n\t}(vjsComponent$3);\n\tfunction CurrentTimeDisplay(_ref) {\n\t var player = _ref.player,\n\t options = _ref.options;\n\t var srcIndex = options.srcIndex,\n\t targets = options.targets;\n\t var _React$useState = React__default[\"default\"].useState(player.currentTime()),\n\t _React$useState2 = _slicedToArray(_React$useState, 2),\n\t currTime = _React$useState2[0],\n\t setCurrTime = _React$useState2[1];\n\t var initTimeRef = React__default[\"default\"].useRef(options.currentTime);\n\t var setInitTime = function setInitTime(t) {\n\t initTimeRef.current = t;\n\t };\n\t var playerEventListener;\n\n\t // Clean up time interval on component unmount\n\t React__default[\"default\"].useEffect(function () {\n\t return function () {\n\t clearInterval(playerEventListener);\n\t };\n\t }, []);\n\t var handleTimeUpdate = function handleTimeUpdate() {\n\t if (player.isDisposed()) {\n\t return;\n\t }\n\t var iOS = player.hasClass(\"vjs-ios-native-fs\");\n\t var time;\n\t // Update time from the given initial time if it is not zero\n\t if (initTimeRef.current > 0 && player.currentTime() == 0) {\n\t time = initTimeRef.current;\n\t } else {\n\t time = player.currentTime();\n\t }\n\t if (targets.length > 1) time += targets[srcIndex].altStart;\n\t // This state update caused weird lagging behaviors when using the iOS native\n\t // player. iOS player handles its own time, so we can skip the update here.\n\t if (!iOS) {\n\t setCurrTime(time);\n\t }\n\t setInitTime(0);\n\t };\n\n\t /**\n\t * Using play event with a time interval instead of timeupdate event in VideoJS,\n\t * because Safari stops firing the timeupdate event consistently while it works\n\t * with other browsers.\n\t */\n\t player.on('loadedmetadata', function () {\n\t playerEventListener = setInterval(function () {\n\t handleTimeUpdate();\n\t }, 100);\n\t });\n\n\t // Update our timer after the user leaves full screen\n\t player.on(\"fullscreenchange\", function (e) {\n\t if (!player.isFullscreen()) {\n\t setCurrTime(player.currentTime());\n\t }\n\t });\n\t return /*#__PURE__*/React__default[\"default\"].createElement(\"span\", {\n\t className: \"vjs-current-time-display\",\n\t role: \"presentation\"\n\t }, timeToHHmmss(currTime));\n\t}\n\tvjsComponent$3.registerComponent('VideoJSCurrentTime', VideoJSCurrentTime);\n\n\tvar MenuButton = videojs__default[\"default\"].getComponent('MenuButton');\n\tvar MenuItem = videojs__default[\"default\"].getComponent('MenuItem');\n\tvar VideoJSFileDownload = videojs__default[\"default\"].extend(MenuButton, {\n\t constructor: function constructor(player, options) {\n\t MenuButton.call(this, player, options);\n\t // Add SVG icon through CSS class\n\t this.addClass(\"vjs-file-download-icon\");\n\t this.setAttribute('data-testid', 'videojs-file-download');\n\t },\n\t createItems: function createItems() {\n\t var _rendering$canvas$can;\n\t var options_ = this.options_,\n\t player_ = this.player_;\n\t var manifest = options_.manifest,\n\t canvasIndex = options_.canvasIndex;\n\t var rendering = getRenderingFiles(manifest);\n\t var files = rendering.manifest.concat((_rendering$canvas$can = rendering.canvas[canvasIndex]) === null || _rendering$canvas$can === void 0 ? void 0 : _rendering$canvas$can.files);\n\t if ((files === null || files === void 0 ? void 0 : files.length) > 0) {\n\t return files.map(function (file) {\n\t var item = new MenuItem(player_, {\n\t label: file.label\n\t });\n\t item.handleClick = function () {\n\t fileDownload(file.id, file.filename, file.fileExt);\n\t };\n\t return item;\n\t });\n\t } else {\n\t return [];\n\t }\n\t }\n\t});\n\tvideojs__default[\"default\"].registerComponent('VideoJSFileDownload', VideoJSFileDownload);\n\n\tfunction _createSuper$2(Derived) { var hasNativeReflectConstruct = _isNativeReflectConstruct$2(); return function _createSuperInternal() { var Super = _getPrototypeOf(Derived), result; if (hasNativeReflectConstruct) { var NewTarget = _getPrototypeOf(this).constructor; result = Reflect.construct(Super, arguments, NewTarget); } else { result = Super.apply(this, arguments); } return _possibleConstructorReturn(this, result); }; }\n\tfunction _isNativeReflectConstruct$2() { if (typeof Reflect === \"undefined\" || !Reflect.construct) return false; if (Reflect.construct.sham) return false; if (typeof Proxy === \"function\") return true; try { Boolean.prototype.valueOf.call(Reflect.construct(Boolean, [], function () {})); return true; } catch (e) { return false; } }\n\tvar vjsComponent$2 = videojs__default[\"default\"].getComponent('Component');\n\tvar NextButtonIcon = function NextButtonIcon() {\n\t return /*#__PURE__*/React__default[\"default\"].createElement(\"svg\", {\n\t viewBox: \"0 0 24 24\",\n\t fill: \"none\",\n\t xmlns: \"http://www.w3.org/2000/svg\",\n\t transform: \"rotate(0)\",\n\t style: {\n\t fill: 'white',\n\t height: '1.25rem',\n\t width: '1.25rem'\n\t }\n\t }, /*#__PURE__*/React__default[\"default\"].createElement(\"g\", {\n\t strokeWidth: \"0\",\n\t strokeLinecap: \"round\",\n\t strokeLinejoin: \"round\"\n\t }, /*#__PURE__*/React__default[\"default\"].createElement(\"path\", {\n\t d: \"M4 20L15.3333 12L4 4V20Z\",\n\t fill: \"#ffffff\"\n\t }), /*#__PURE__*/React__default[\"default\"].createElement(\"path\", {\n\t d: \"M20 4H17.3333V20H20V4Z\",\n\t fill: \"#ffffff\"\n\t })));\n\t};\n\n\t/**\n\t * Custom VideoJS component for skipping to the next canvas\n\t * when multiple canvases are present in the manifest\n\t * @param {Object} options\n\t * @param {Number} options.canvasIndex current canvas's index\n\t * @param {Number} options.lastCanvasIndex last canvas's index\n\t * @param {Function} options.switchPlayer callback function switch to next canvas\n\t */\n\tvar VideoJSNextButton = /*#__PURE__*/function (_vjsComponent) {\n\t _inherits(VideoJSNextButton, _vjsComponent);\n\t var _super = _createSuper$2(VideoJSNextButton);\n\t function VideoJSNextButton(player, options) {\n\t var _this;\n\t _classCallCheck(this, VideoJSNextButton);\n\t _this = _super.call(this, player, options);\n\t _this.setAttribute('data-testid', 'videojs-next-button');\n\t _this.mount = _this.mount.bind(_assertThisInitialized(_this));\n\t _this.options = options;\n\t _this.player = player;\n\n\t /* When player is ready, call method to mount React component */\n\t player.ready(function () {\n\t _this.mount();\n\t });\n\n\t /* Remove React root when component is destroyed */\n\t _this.on('dispose', function () {\n\t ReactDOM__default[\"default\"].unmountComponentAtNode(_this.el());\n\t });\n\t return _this;\n\t }\n\t _createClass(VideoJSNextButton, [{\n\t key: \"mount\",\n\t value: function mount() {\n\t ReactDOM__default[\"default\"].render( /*#__PURE__*/React__default[\"default\"].createElement(NextButton, this.options), this.el());\n\t }\n\t }]);\n\t return VideoJSNextButton;\n\t}(vjsComponent$2);\n\tfunction NextButton(_ref) {\n\t var canvasIndex = _ref.canvasIndex,\n\t lastCanvasIndex = _ref.lastCanvasIndex,\n\t switchPlayer = _ref.switchPlayer,\n\t playerFocusElement = _ref.playerFocusElement;\n\t var nextRef = React__default[\"default\"].useRef();\n\t React__default[\"default\"].useEffect(function () {\n\t if (playerFocusElement == 'nextBtn') {\n\t nextRef.current.focus();\n\t }\n\t }, []);\n\t var handleNextClick = function handleNextClick(isKeyDown) {\n\t if (canvasIndex != lastCanvasIndex) {\n\t switchPlayer(canvasIndex + 1, true, isKeyDown ? 'nextBtn' : '');\n\t }\n\t };\n\t var handleNextKeyDown = function handleNextKeyDown(e) {\n\t if (e.which === 32 || e.which === 13) {\n\t e.stopPropagation();\n\t handleNextClick(true);\n\t }\n\t };\n\t return /*#__PURE__*/React__default[\"default\"].createElement(\"div\", {\n\t className: \"vjs-button vjs-control\"\n\t }, /*#__PURE__*/React__default[\"default\"].createElement(\"button\", {\n\t className: \"vjs-button vjs-next-button\",\n\t role: \"button\",\n\t ref: nextRef,\n\t tabIndex: 0,\n\t title: \"Next\",\n\t onClick: function onClick() {\n\t return handleNextClick(false);\n\t },\n\t onKeyDown: handleNextKeyDown\n\t }, /*#__PURE__*/React__default[\"default\"].createElement(NextButtonIcon, null)));\n\t}\n\tvjsComponent$2.registerComponent('VideoJSNextButton', VideoJSNextButton);\n\n\tfunction _createSuper$1(Derived) { var hasNativeReflectConstruct = _isNativeReflectConstruct$1(); return function _createSuperInternal() { var Super = _getPrototypeOf(Derived), result; if (hasNativeReflectConstruct) { var NewTarget = _getPrototypeOf(this).constructor; result = Reflect.construct(Super, arguments, NewTarget); } else { result = Super.apply(this, arguments); } return _possibleConstructorReturn(this, result); }; }\n\tfunction _isNativeReflectConstruct$1() { if (typeof Reflect === \"undefined\" || !Reflect.construct) return false; if (Reflect.construct.sham) return false; if (typeof Proxy === \"function\") return true; try { Boolean.prototype.valueOf.call(Reflect.construct(Boolean, [], function () {})); return true; } catch (e) { return false; } }\n\tvar vjsComponent$1 = videojs__default[\"default\"].getComponent('Component');\n\tvar PreviousButtonIcon = function PreviousButtonIcon() {\n\t return /*#__PURE__*/React__default[\"default\"].createElement(\"svg\", {\n\t viewBox: \"0 0 24 24\",\n\t fill: \"none\",\n\t xmlns: \"http://www.w3.org/2000/svg\",\n\t style: {\n\t fill: 'white',\n\t height: '1.25rem',\n\t width: '1.25rem'\n\t }\n\t }, /*#__PURE__*/React__default[\"default\"].createElement(\"g\", {\n\t strokeWidth: \"0\",\n\t strokeLinecap: \"round\",\n\t strokeLinejoin: \"round\"\n\t }, /*#__PURE__*/React__default[\"default\"].createElement(\"path\", {\n\t d: \"M20 4L8.66667 12L20 20V4Z\",\n\t fill: \"#ffffff\"\n\t }), /*#__PURE__*/React__default[\"default\"].createElement(\"path\", {\n\t d: \"M4 20H6.66667V4H4V20Z\",\n\t fill: \"#ffffff\"\n\t })));\n\t};\n\t/**\n\t * Custom VideoJS component for skipping to the previous canvas\n\t * when multiple canvases are present in the manifest\n\t * @param {Object} options\n\t * @param {Number} options.canvasIndex current canvas's index\n\t * @param {Function} options.switchPlayer callback function to switch to previous canvas\n\t */\n\tvar VideoJSPreviousButton = /*#__PURE__*/function (_vjsComponent) {\n\t _inherits(VideoJSPreviousButton, _vjsComponent);\n\t var _super = _createSuper$1(VideoJSPreviousButton);\n\t function VideoJSPreviousButton(player, options) {\n\t var _this;\n\t _classCallCheck(this, VideoJSPreviousButton);\n\t _this = _super.call(this, player, options);\n\t _this.setAttribute('data-testid', 'videojs-previous-button');\n\t _this.mount = _this.mount.bind(_assertThisInitialized(_this));\n\t _this.options = options;\n\t _this.player = player;\n\n\t /* When player is ready, call method to mount React component */\n\t player.ready(function () {\n\t _this.mount();\n\t });\n\n\t /* Remove React root when component is destroyed */\n\t _this.on('dispose', function () {\n\t ReactDOM__default[\"default\"].unmountComponentAtNode(_this.el());\n\t });\n\t return _this;\n\t }\n\t _createClass(VideoJSPreviousButton, [{\n\t key: \"mount\",\n\t value: function mount() {\n\t ReactDOM__default[\"default\"].render( /*#__PURE__*/React__default[\"default\"].createElement(PreviousButton, _extends({}, this.options, {\n\t player: this.player\n\t })), this.el());\n\t }\n\t }]);\n\t return VideoJSPreviousButton;\n\t}(vjsComponent$1);\n\tfunction PreviousButton(_ref) {\n\t var canvasIndex = _ref.canvasIndex,\n\t switchPlayer = _ref.switchPlayer,\n\t playerFocusElement = _ref.playerFocusElement,\n\t player = _ref.player;\n\t var previousRef = React__default[\"default\"].useRef();\n\t React__default[\"default\"].useEffect(function () {\n\t if (playerFocusElement == 'previousBtn') {\n\t previousRef.current.focus();\n\t }\n\t }, []);\n\t var handlePreviousClick = function handlePreviousClick(isKeyDown) {\n\t if (canvasIndex > -1 && canvasIndex != 0) {\n\t switchPlayer(canvasIndex - 1, true, isKeyDown ? 'previousBtn' : '');\n\t } else if (canvasIndex == 0) {\n\t player.currentTime(0);\n\t }\n\t };\n\t var handlePreviousKeyDown = function handlePreviousKeyDown(e) {\n\t if (e.which === 32 || e.which === 13) {\n\t e.stopPropagation();\n\t handlePreviousClick(true);\n\t }\n\t };\n\t return /*#__PURE__*/React__default[\"default\"].createElement(\"div\", {\n\t className: \"vjs-button vjs-control\"\n\t }, /*#__PURE__*/React__default[\"default\"].createElement(\"button\", {\n\t className: \"vjs-button vjs-previous-button\",\n\t role: \"button\",\n\t ref: previousRef,\n\t tabIndex: 0,\n\t title: canvasIndex == 0 ? \"Replay\" : \"Previous\",\n\t onClick: function onClick() {\n\t return handlePreviousClick(false);\n\t },\n\t onKeyDown: handlePreviousKeyDown\n\t }, /*#__PURE__*/React__default[\"default\"].createElement(PreviousButtonIcon, null)));\n\t}\n\tvjsComponent$1.registerComponent('VideoJSPreviousButton', VideoJSPreviousButton);\n\n\tfunction _createSuper(Derived) { var hasNativeReflectConstruct = _isNativeReflectConstruct(); return function _createSuperInternal() { var Super = _getPrototypeOf(Derived), result; if (hasNativeReflectConstruct) { var NewTarget = _getPrototypeOf(this).constructor; result = Reflect.construct(Super, arguments, NewTarget); } else { result = Super.apply(this, arguments); } return _possibleConstructorReturn(this, result); }; }\n\tfunction _isNativeReflectConstruct() { if (typeof Reflect === \"undefined\" || !Reflect.construct) return false; if (Reflect.construct.sham) return false; if (typeof Proxy === \"function\") return true; try { Boolean.prototype.valueOf.call(Reflect.construct(Boolean, [], function () {})); return true; } catch (e) { return false; } }\n\tvar vjsComponent = videojs__default[\"default\"].getComponent('Component');\n\n\t/**\n\t * Custom VideoJS component for displaying track view when\n\t * there are tracks/structure timespans in the current Canvas\n\t * @param {Object} options\n\t * @param {Number} options.trackScrubberRef React ref to track scrubber element\n\t * @param {Number} options.timeToolRef React ref to time tooltip element\n\t * @param {Boolean} options.isPlaylist flag to indicate a playlist Manifest or not\n\t */\n\tvar VideoJSTrackScrubber = /*#__PURE__*/function (_vjsComponent) {\n\t _inherits(VideoJSTrackScrubber, _vjsComponent);\n\t var _super = _createSuper(VideoJSTrackScrubber);\n\t function VideoJSTrackScrubber(player, options) {\n\t var _this;\n\t _classCallCheck(this, VideoJSTrackScrubber);\n\t _this = _super.call(this, player, options);\n\t _this.setAttribute('data-testid', 'videojs-track-scrubber-button');\n\t _this.mount = _this.mount.bind(_assertThisInitialized(_this));\n\t _this.options = options;\n\t _this.player = player;\n\n\t /* \n\t When player is fully built and the trackScrubber element is initialized,\n\t call method to mount React component.\n\t */\n\t if (_this.options.trackScrubberRef.current && _this.el_) {\n\t player.ready(function () {\n\t _this.mount();\n\t });\n\n\t /* Remove React root when component is destroyed */\n\t _this.on('dispose', function () {\n\t ReactDOM__default[\"default\"].unmountComponentAtNode(_this.el());\n\t });\n\t }\n\t return _this;\n\t }\n\t _createClass(VideoJSTrackScrubber, [{\n\t key: \"mount\",\n\t value: function mount() {\n\t ReactDOM__default[\"default\"].render( /*#__PURE__*/React__default[\"default\"].createElement(TrackScrubberButton, {\n\t player: this.player,\n\t trackScrubberRef: this.options.trackScrubberRef,\n\t timeToolRef: this.options.timeToolRef,\n\t isPlaylist: this.options.isPlaylist\n\t }), this.el());\n\t }\n\t }]);\n\t return VideoJSTrackScrubber;\n\t}(vjsComponent);\n\t/** -- SVG icons for track scrubber button -- */\n\tvar TrackScrubberZoomInIcon = function TrackScrubberZoomInIcon(_ref) {\n\t var scale = _ref.scale;\n\t return /*#__PURE__*/React__default[\"default\"].createElement(\"svg\", {\n\t viewBox: \"0 0 20 20\",\n\t xmlns: \"http://www.w3.org/2000/svg\",\n\t style: {\n\t fill: 'white',\n\t height: '1.25rem',\n\t width: '1.25rem',\n\t scale: scale\n\t }\n\t }, /*#__PURE__*/React__default[\"default\"].createElement(\"g\", {\n\t strokeWidth: \"0\",\n\t strokeLinecap: \"round\",\n\t strokeLinejoin: \"round\"\n\t }, /*#__PURE__*/React__default[\"default\"].createElement(\"path\", {\n\t fill: \"#ffffff\",\n\t fillRule: \"evenodd\",\n\t d: \"M4 9a5 5 0 1110 0A5 5 0 014 9zm5-7a7 7 0 104.2 12.6.999.999 0 00.093.107l3 3a1 1 0 001.414-1.414l-3-3a.999.999 0 00-.107-.093A7 7 0 009 2zM8 6.5a1 1 0 112 0V8h1.5a1 1 0 110 2H10v1.5a1 1 0 11-2 0V10H6.5a1 1 0 010-2H8V6.5z\"\n\t })));\n\t};\n\tvar TrackScrubberZoomOutIcon = function TrackScrubberZoomOutIcon(_ref2) {\n\t var scale = _ref2.scale;\n\t return /*#__PURE__*/React__default[\"default\"].createElement(\"svg\", {\n\t viewBox: \"0 0 24 24\",\n\t fill: \"none\",\n\t xmlns: \"http://www.w3.org/2000/svg\",\n\t style: {\n\t fill: 'white',\n\t height: '1.25rem',\n\t width: '1.25rem',\n\t scale: scale\n\t }\n\t }, /*#__PURE__*/React__default[\"default\"].createElement(\"g\", {\n\t strokeWidth: \"0\",\n\t strokeLinecap: \"round\",\n\t strokeLinejoin: \"round\"\n\t }, /*#__PURE__*/React__default[\"default\"].createElement(\"path\", {\n\t fillRule: \"evenodd\",\n\t clipRule: \"evenodd\",\n\t d: \"M4 11C4 7.13401 7.13401 4 11 4C14.866 4 18 7.13401 18 11C18 14.866 14.866 18 11 18C7.13401 18 4 14.866 4 11ZM11 2C6.02944 2 2 6.02944 2 11C2 15.9706 6.02944 20 11 20C13.125 20 15.078 19.2635 16.6177 18.0319L20.2929 21.7071C20.6834 22.0976 21.3166 22.0976 21.7071 21.7071C22.0976 21.3166 22.0976 20.6834 21.7071 20.2929L18.0319 16.6177C19.2635 15.078 20 13.125 20 11C20 6.02944 15.9706 2 11 2Z\",\n\t fill: \"#ffffff\"\n\t }), /*#__PURE__*/React__default[\"default\"].createElement(\"path\", {\n\t fillRule: \"evenodd\",\n\t clipRule: \"evenodd\",\n\t d: \"M7 11C7 10.4477 7.44772 10 8 10H14C14.5523 10 15 10.4477 15 11C15 11.5523 14.5523 12 14 12H8C7.44772 12 7 11.5523 7 11Z\",\n\t fill: \"#ffffff\"\n\t })));\n\t};\n\t/** -- SVG icons for track scrubber button -- */\n\n\t/**\n\t * Build the track scrubber component UI and its user interactions.\n\t * Some of the calculations and code are extracted from the MediaElement lil' scrubber\n\t * plugin implementation in the Avalon code:\n\t * https://github.com/avalonmediasystem/avalon/blob/4040e7e61a5d648a500096e80fe2883beef5c46b/app/assets/javascripts/media_player_wrapper/mejs4_plugin_track_scrubber.es6\n\t * @param {Object} param0 props from the component\n\t * @param {obj.player} player current VideoJS player instance\n\t * @param {obj.trackScrubberRef} trackScrubberRef React ref to track scrubber element\n\t * @param {obj.timeToolRef} timeToolRef React ref to time tooltip element\n\t * @param {obj.isPlaylist} isPlaylist flag to indicate a playlist Manifest or not\n\t * @returns \n\t */\n\tfunction TrackScrubberButton(_ref3) {\n\t var player = _ref3.player,\n\t trackScrubberRef = _ref3.trackScrubberRef,\n\t timeToolRef = _ref3.timeToolRef,\n\t isPlaylist = _ref3.isPlaylist;\n\t var _React$useState = React__default[\"default\"].useState(true),\n\t _React$useState2 = _slicedToArray(_React$useState, 2),\n\t zoomedOut = _React$useState2[0],\n\t setZoomedOut = _React$useState2[1];\n\t var _React$useState3 = React__default[\"default\"].useState({}),\n\t _React$useState4 = _slicedToArray(_React$useState3, 2),\n\t currentTrack = _React$useState4[0],\n\t _setCurrentTrack = _React$useState4[1];\n\t var currentTrackRef = React__default[\"default\"].useRef();\n\t var setCurrentTrack = function setCurrentTrack(t) {\n\t currentTrackRef.current = t;\n\t _setCurrentTrack(t);\n\t };\n\t var playerEventListener;\n\n\t // Clean up interval on component unmount\n\t React__default[\"default\"].useEffect(function () {\n\t return function () {\n\t clearInterval(playerEventListener);\n\t };\n\t }, []);\n\n\t /**\n\t * Keydown event handler for the track button on the player controls,\n\t * when using keyboard navigation\n\t * @param {Event} e keydown event\n\t */\n\t var handleTrackScrubberKeyDown = function handleTrackScrubberKeyDown(e) {\n\t if (e.which === 32 || e.which === 13) {\n\t e.preventDefault();\n\t handleTrackScrubberClick();\n\t }\n\t };\n\n\t /**\n\t * Click event handler for the track button on the player controls\n\t */\n\t var handleTrackScrubberClick = function handleTrackScrubberClick() {\n\t // When player is not fully loaded on the page don't show the track scrubber\n\t if (!trackScrubberRef.current || !currentTrackRef.current) return;\n\n\t // If player is fullscreen exit before displaying track scrubber\n\t if (player.isFullscreen()) {\n\t player.exitFullscreen();\n\t }\n\t setZoomedOut(function (zoomedOut) {\n\t return !zoomedOut;\n\t });\n\t };\n\n\t /**\n\t * Listen to zoomedOut state variable changes to show/hide track scrubber\n\t */\n\t React__default[\"default\"].useEffect(function () {\n\t if (zoomedOut) {\n\t trackScrubberRef.current.classList.add('hidden');\n\t } else {\n\t // Initialize the track scrubber's current time and duration\n\t populateTrackScrubber();\n\t trackScrubberRef.current.classList.remove('hidden');\n\t var pointerDragged = false;\n\t // Attach mouse pointer events to track scrubber progress bar\n\t var _trackScrubberRef$cur = _slicedToArray(trackScrubberRef.current.children, 3);\n\t _trackScrubberRef$cur[0];\n\t var progressBar = _trackScrubberRef$cur[1];\n\t _trackScrubberRef$cur[2];\n\t progressBar.addEventListener('mouseenter', function (e) {\n\t handleMouseMove(e);\n\t });\n\t /*\n\t Using pointerup, pointermove, pointerdown events instead of\n\t mouseup, mousemove, mousedown events to make it work with both\n\t mouse pointer and touch events \n\t */\n\t progressBar.addEventListener('pointerup', function (e) {\n\t if (pointerDragged) {\n\t handleSetProgress(e);\n\t }\n\t });\n\t progressBar.addEventListener('pointermove', function (e) {\n\t handleMouseMove(e);\n\t pointerDragged = true;\n\t });\n\t progressBar.addEventListener('pointerdown', function (e) {\n\t // Only handle left click event\n\t if (e.which === 1) {\n\t handleSetProgress(e);\n\t pointerDragged = false;\n\t }\n\t });\n\t }\n\t }, [zoomedOut]);\n\t player.on('loadedmetadata', function () {\n\t // Hide the timetooltip on mobile/tablet devices\n\t if (IS_IPAD || IS_MOBILE) {\n\t timeToolRef.current.style.display = 'none';\n\t }\n\t playerEventListener = setInterval(function () {\n\t timeUpdateHandler();\n\t }, 100);\n\t });\n\n\t // Hide track scrubber if it is displayed when player is going fullscreen\n\t player.on(\"fullscreenchange\", function () {\n\t if (player.isFullscreen() && !zoomedOut) {\n\t setZoomedOut(function (zoomedOut) {\n\t return !zoomedOut;\n\t });\n\t }\n\t });\n\n\t /**\n\t * Event handler for VideoJS player instance's 'timeupdate' event, which\n\t * updates the track scrubber from player state.\n\t */\n\t var timeUpdateHandler = function timeUpdateHandler() {\n\t var _player$markers$getMa;\n\t if (player.isDisposed() || player.ended()) return;\n\t /* \n\t Get the current track from the player.markers created from the structure timespans.\n\t In playlists, markers are timepoint information representing highlighting annotations, \n\t therefore omit reading markers information for track scrubber in playlist contexts. \n\t */\n\t if (player.markers && ((_player$markers$getMa = player.markers.getMarkers()) === null || _player$markers$getMa === void 0 ? void 0 : _player$markers$getMa.length) > 0 && !isPlaylist) {\n\t var track = player.markers.getMarkers()[0];\n\t if (track.key != (currentTrack === null || currentTrack === void 0 ? void 0 : currentTrack.key)) {\n\t setCurrentTrack(track);\n\t }\n\t }\n\t /*\n\t When playhead is outside a time range marker (track) or in playlist contexts, display \n\t the entire playable duration of the media in the track scrubber\n\t */else if (currentTrack.key === undefined) {\n\t setCurrentTrack({\n\t duration: player.playableDuration,\n\t time: player.altStart,\n\t key: '',\n\t text: 'Complete media file'\n\t });\n\t }\n\t updateTrackScrubberProgressBar(player.currentTime(), player);\n\t };\n\n\t /**\n\t * Update the track scrubber's current time, duration and played percentage\n\t * when it is visible in UI. \n\t * @param {Number} currentTime current time corresponding to the track\n\t * @param {Number} playedPercentage elapsed time percentage of the track duration\n\t */\n\t var populateTrackScrubber = function populateTrackScrubber() {\n\t var currentTime = arguments.length > 0 && arguments[0] !== undefined ? arguments[0] : 0;\n\t var playedPercentage = arguments.length > 1 && arguments[1] !== undefined ? arguments[1] : 0;\n\t var _trackScrubberRef$cur2 = _slicedToArray(trackScrubberRef.current.children, 3),\n\t currentTimeDisplay = _trackScrubberRef$cur2[0];\n\t _trackScrubberRef$cur2[1];\n\t var durationDisplay = _trackScrubberRef$cur2[2];\n\n\t // Set the elapsed time percentage in the progress bar of track scrubber\n\t document.documentElement.style.setProperty('--range-scrubber', \"calc(\".concat(playedPercentage, \"%)\"));\n\n\t // Update the track duration\n\t durationDisplay.innerHTML = timeToHHmmss(currentTrackRef.current.duration);\n\t // Update current time elapsed within the current track\n\t currentTimeDisplay.innerHTML = timeToHHmmss(currentTime);\n\t };\n\n\t /**\n\t * Calculate the progress and current time within the track and\n\t * update them accordingly when the player's 'timeupdate' event fires.\n\t * @param {Number} currentTime player's current time\n\t * @param {Object} player VideoJS player instance\n\t */\n\t var updateTrackScrubberProgressBar = function updateTrackScrubberProgressBar(currentTime, player) {\n\t // Handle Safari which emits the timeupdate event really quickly\n\t if (!currentTrackRef.current) {\n\t var _player$markers$getMa2;\n\t if (player.markers && ((_player$markers$getMa2 = player.markers.getMarkers()) === null || _player$markers$getMa2 === void 0 ? void 0 : _player$markers$getMa2.length) > 0) {\n\t var track = player.markers.getMarkers()[0];\n\t if (track.key != (currentTrack === null || currentTrack === void 0 ? void 0 : currentTrack.key)) {\n\t setCurrentTrack(track);\n\t }\n\t }\n\t }\n\n\t // Calculate corresponding time and played percentage values within track\n\t var trackoffset = currentTime - currentTrackRef.current.time;\n\t var trackpercent = Math.min(100, Math.max(0, 100 * trackoffset / currentTrackRef.current.duration));\n\t populateTrackScrubber(trackoffset, trackpercent);\n\t };\n\n\t /**\n\t * Event handler for mouseenter and mousemove pointer events on the\n\t * the track scrubber. This sets the time tooltip value and its offset\n\t * position in the UI.\n\t * @param {Event} e pointer event for user interaction\n\t */\n\t var handleMouseMove = function handleMouseMove(e) {\n\t var time = getTrackTime(e);\n\n\t // When hovering over the border of the track scrubber, convertTime() returns infinity,\n\t // since e.target.clientWidth is zero. Use this value to not show the tooltip when this\n\t // occurs.\n\t if (isFinite(time)) {\n\t // Calculate the horizontal position of the time tooltip using the event's offsetX property\n\t var offset = e.offsetX - timeToolRef.current.offsetWidth / 2; // deduct 0.5 x width of tooltip element\n\t timeToolRef.current.style.left = offset + 'px';\n\n\t // Set text in the tooltip as the time relevant to the pointer event's position\n\t timeToolRef.current.innerHTML = timeToHHmmss(time);\n\t }\n\t };\n\n\t /**\n\t * Event handler for mousedown event on the track scrubber. This sets the\n\t * progress percentage within track scrubber and update the player's current time\n\t * when user clicks on a point within the track scrubber.\n\t * @param {Event} e pointer event for user interaction\n\t */\n\t var handleSetProgress = function handleSetProgress(e) {\n\t if (!currentTrackRef.current) {\n\t return;\n\t }\n\t var trackoffset = getTrackTime(e);\n\t if (trackoffset != undefined) {\n\t // Calculate percentage of the progress based on the pointer position's\n\t // time and duration of the track\n\t var trackpercent = Math.min(100, Math.max(0, 100 * trackoffset / currentTrackRef.current.duration));\n\n\t // Set the elapsed time in the scrubber progress bar\n\t document.documentElement.style.setProperty('--range-scrubber', \"calc(\".concat(trackpercent, \"%)\"));\n\t // Set player's current time as addition of start time of the track and offset\n\t player.currentTime(currentTrackRef.current.time + trackoffset);\n\t }\n\t };\n\n\t /**\n\t * Convert pointer position on track scrubber to a time value\n\t * @param {Event} e pointer event for user interaction\n\t * @returns {Number} time corresponding to the pointer position\n\t */\n\t var getTrackTime = function getTrackTime(e) {\n\t if (!currentTrackRef.current) {\n\t return;\n\t }\n\t var offsetx = e.offsetX;\n\t if (offsetx && offsetx != undefined) {\n\t var time = offsetx / e.target.clientWidth * currentTrackRef.current.duration;\n\t return time;\n\t }\n\t };\n\t return /*#__PURE__*/React__default[\"default\"].createElement(\"div\", {\n\t className: \"vjs-button vjs-control\"\n\t }, /*#__PURE__*/React__default[\"default\"].createElement(\"button\", {\n\t className: \"vjs-button vjs-track-scrubber-button\",\n\t role: \"button\",\n\t tabIndex: 0,\n\t title: \"Toggle track scrubber\",\n\t onClick: handleTrackScrubberClick,\n\t onKeyDown: handleTrackScrubberKeyDown\n\t }, zoomedOut && /*#__PURE__*/React__default[\"default\"].createElement(TrackScrubberZoomInIcon, {\n\t scale: \"0.9\"\n\t }), !zoomedOut && /*#__PURE__*/React__default[\"default\"].createElement(TrackScrubberZoomOutIcon, {\n\t scale: \"0.9\"\n\t })));\n\t}\n\tvjsComponent.registerComponent('VideoJSTrackScrubber', VideoJSTrackScrubber);\n\n\tvar _excluded = [\"isVideo\", \"isPlaylist\", \"switchPlayer\", \"trackScrubberRef\", \"scrubberTooltipRef\", \"tracks\"];\n\tfunction _createForOfIteratorHelper$2(o, allowArrayLike) { var it = typeof Symbol !== \"undefined\" && o[Symbol.iterator] || o[\"@@iterator\"]; if (!it) { if (Array.isArray(o) || (it = _unsupportedIterableToArray$2(o)) || allowArrayLike && o && typeof o.length === \"number\") { if (it) o = it; var i = 0; var F = function F() {}; return { s: F, n: function n() { if (i >= o.length) return { done: true }; return { done: false, value: o[i++] }; }, e: function e(_e) { throw _e; }, f: F }; } throw new TypeError(\"Invalid attempt to iterate non-iterable instance.\\nIn order to be iterable, non-array objects must have a [Symbol.iterator]() method.\"); } var normalCompletion = true, didErr = false, err; return { s: function s() { it = it.call(o); }, n: function n() { var step = it.next(); normalCompletion = step.done; return step; }, e: function e(_e2) { didErr = true; err = _e2; }, f: function f() { try { if (!normalCompletion && it[\"return\"] != null) it[\"return\"](); } finally { if (didErr) throw err; } } }; }\n\tfunction _unsupportedIterableToArray$2(o, minLen) { if (!o) return; if (typeof o === \"string\") return _arrayLikeToArray$2(o, minLen); var n = Object.prototype.toString.call(o).slice(8, -1); if (n === \"Object\" && o.constructor) n = o.constructor.name; if (n === \"Map\" || n === \"Set\") return Array.from(o); if (n === \"Arguments\" || /^(?:Ui|I)nt(?:8|16|32)(?:Clamped)?Array$/.test(n)) return _arrayLikeToArray$2(o, minLen); }\n\tfunction _arrayLikeToArray$2(arr, len) { if (len == null || len > arr.length) len = arr.length; for (var i = 0, arr2 = new Array(len); i < len; i++) arr2[i] = arr[i]; return arr2; }\n\tfunction ownKeys$2(object, enumerableOnly) { var keys = Object.keys(object); if (Object.getOwnPropertySymbols) { var symbols = Object.getOwnPropertySymbols(object); enumerableOnly && (symbols = symbols.filter(function (sym) { return Object.getOwnPropertyDescriptor(object, sym).enumerable; })), keys.push.apply(keys, symbols); } return keys; }\n\tfunction _objectSpread$2(target) { for (var i = 1; i < arguments.length; i++) { var source = null != arguments[i] ? arguments[i] : {}; i % 2 ? ownKeys$2(Object(source), !0).forEach(function (key) { _defineProperty(target, key, source[key]); }) : Object.getOwnPropertyDescriptors ? Object.defineProperties(target, Object.getOwnPropertyDescriptors(source)) : ownKeys$2(Object(source)).forEach(function (key) { Object.defineProperty(target, key, Object.getOwnPropertyDescriptor(source, key)); }); } return target; }\n\trequire('@silvermine/videojs-quality-selector')(videojs__default[\"default\"]);\n\t// import vjsYo from './vjsYo';\n\n\tfunction VideoJSPlayer(_ref) {\n\t var isVideo = _ref.isVideo,\n\t isPlaylist = _ref.isPlaylist,\n\t switchPlayer = _ref.switchPlayer,\n\t trackScrubberRef = _ref.trackScrubberRef,\n\t scrubberTooltipRef = _ref.scrubberTooltipRef,\n\t tracks = _ref.tracks,\n\t videoJSOptions = _objectWithoutProperties(_ref, _excluded);\n\t var playerState = usePlayerState();\n\t var playerDispatch = usePlayerDispatch();\n\t var manifestState = useManifestState();\n\t var manifestDispatch = useManifestDispatch();\n\t var canvasDuration = manifestState.canvasDuration,\n\t canvasIndex = manifestState.canvasIndex,\n\t currentNavItem = manifestState.currentNavItem,\n\t manifest = manifestState.manifest,\n\t hasMultiItems = manifestState.hasMultiItems,\n\t srcIndex = manifestState.srcIndex,\n\t targets = manifestState.targets,\n\t autoAdvance = manifestState.autoAdvance,\n\t playlist = manifestState.playlist,\n\t structures = manifestState.structures,\n\t canvasSegments = manifestState.canvasSegments;\n\t var isClicked = playerState.isClicked,\n\t isEnded = playerState.isEnded,\n\t isPlaying = playerState.isPlaying,\n\t player = playerState.player,\n\t currentTime = playerState.currentTime,\n\t playerRange = playerState.playerRange;\n\t var _React$useState = React__default[\"default\"].useState(canvasIndex),\n\t _React$useState2 = _slicedToArray(_React$useState, 2),\n\t cIndex = _React$useState2[0],\n\t setCIndex = _React$useState2[1];\n\t var _React$useState3 = React__default[\"default\"].useState(false),\n\t _React$useState4 = _slicedToArray(_React$useState3, 2),\n\t isReady = _React$useState4[0],\n\t setIsReady = _React$useState4[1];\n\t var _React$useState5 = React__default[\"default\"].useState(false),\n\t _React$useState6 = _slicedToArray(_React$useState5, 2),\n\t mounted = _React$useState6[0],\n\t setMounted = _React$useState6[1];\n\t var _React$useState7 = React__default[\"default\"].useState(false),\n\t _React$useState8 = _slicedToArray(_React$useState7, 2),\n\t isContained = _React$useState8[0],\n\t setIsContained = _React$useState8[1];\n\t var _React$useState9 = React__default[\"default\"].useState(''),\n\t _React$useState10 = _slicedToArray(_React$useState9, 2),\n\t activeId = _React$useState10[0],\n\t _setActiveId = _React$useState10[1];\n\t var _useLocalStorage = useLocalStorage('startVolume', 1),\n\t _useLocalStorage2 = _slicedToArray(_useLocalStorage, 2),\n\t startVolume = _useLocalStorage2[0],\n\t setStartVolume = _useLocalStorage2[1];\n\t var _useLocalStorage3 = useLocalStorage('startQuality', null),\n\t _useLocalStorage4 = _slicedToArray(_useLocalStorage3, 2),\n\t startQuality = _useLocalStorage4[0],\n\t setStartQuality = _useLocalStorage4[1];\n\t var _useLocalStorage5 = useLocalStorage('startMuted', false),\n\t _useLocalStorage6 = _slicedToArray(_useLocalStorage5, 2),\n\t startMuted = _useLocalStorage6[0],\n\t setStartMuted = _useLocalStorage6[1];\n\t var playerRef = React__default[\"default\"].useRef();\n\t var autoAdvanceRef = React__default[\"default\"].useRef();\n\t autoAdvanceRef.current = autoAdvance;\n\t var activeIdRef = React__default[\"default\"].useRef();\n\t activeIdRef.current = activeId;\n\t var setActiveId = function setActiveId(id) {\n\t _setActiveId(id);\n\t activeIdRef.current = id;\n\t };\n\t var currentTimeRef = React__default[\"default\"].useRef();\n\t currentTimeRef.current = currentTime;\n\t var isReadyRef = React__default[\"default\"].useRef();\n\t isReadyRef.current = isReady;\n\t var currentNavItemRef = React__default[\"default\"].useRef();\n\t currentNavItemRef.current = currentNavItem;\n\t var currentPlayerRef = React__default[\"default\"].useRef(null);\n\n\t // FIXME:: Dynamic language imports break with rollup configuration when\n\t // packaging\n\t // // Using dynamic imports to enforce code-splitting in webpack\n\t // // https://webpack.js.org/api/module-methods/#dynamic-expressions-in-import\n\t var loadResources = /*#__PURE__*/function () {\n\t var _ref2 = _asyncToGenerator( /*#__PURE__*/regenerator.mark(function _callee(langKey) {\n\t var resources, _resources;\n\t return regenerator.wrap(function _callee$(_context) {\n\t while (1) switch (_context.prev = _context.next) {\n\t case 0:\n\t _context.prev = 0;\n\t _context.next = 3;\n\t return import(\"../../../../node_modules/video.js/dist/lang/\".concat(langKey, \".json\"));\n\t case 3:\n\t resources = _context.sent;\n\t return _context.abrupt(\"return\", resources);\n\t case 7:\n\t _context.prev = 7;\n\t _context.t0 = _context[\"catch\"](0);\n\t console.error(\"\".concat(langKey, \" is not available, defaulting to English\"));\n\t _context.next = 12;\n\t return Promise.resolve().then(function () { return en$1; });\n\t case 12:\n\t _resources = _context.sent;\n\t return _context.abrupt(\"return\", _resources);\n\t case 14:\n\t case \"end\":\n\t return _context.stop();\n\t }\n\t }, _callee, null, [[0, 7]]);\n\t }));\n\t return function loadResources(_x) {\n\t return _ref2.apply(this, arguments);\n\t };\n\t }();\n\t var canvasSegmentsRef = React__default[\"default\"].useRef();\n\t canvasSegmentsRef.current = canvasSegments;\n\t var structuresRef = React__default[\"default\"].useRef();\n\t structuresRef.current = structures;\n\n\t /**\n\t * Initialize player when creating for the first time\n\t */\n\t React__default[\"default\"].useEffect( /*#__PURE__*/_asyncToGenerator( /*#__PURE__*/regenerator.mark(function _callee2() {\n\t var options, selectedLang, languageJSON, newPlayer;\n\t return regenerator.wrap(function _callee2$(_context2) {\n\t while (1) switch (_context2.prev = _context2.next) {\n\t case 0:\n\t options = _objectSpread$2({}, videoJSOptions);\n\t setCIndex(canvasIndex);\n\n\t // Dynamically load the selected language from VideoJS's lang files\n\t _context2.next = 4;\n\t return loadResources(options.language).then(function (res) {\n\t selectedLang = JSON.stringify(res);\n\t });\n\t case 4:\n\t languageJSON = JSON.parse(selectedLang);\n\t if (playerRef.current != null) {\n\t videojs__default[\"default\"].addLanguage(options.language, languageJSON);\n\t setSelectedQuality(options.sources);\n\t newPlayer = currentPlayerRef.current = videojs__default[\"default\"](playerRef.current, options);\n\t }\n\n\t /* Another way to add a component to the controlBar */\n\t // newPlayer.getChild('controlBar').addChild('vjsYo', {});\n\n\t setMounted(true);\n\t playerDispatch({\n\t player: newPlayer,\n\t type: 'updatePlayer'\n\t });\n\t case 8:\n\t case \"end\":\n\t return _context2.stop();\n\t }\n\t }, _callee2);\n\t })), []);\n\n\t // Clean up player instance on component unmount\n\t React__default[\"default\"].useEffect(function () {\n\t return function () {\n\t if (currentPlayerRef.current != null) {\n\t currentPlayerRef.current.dispose();\n\t document.removeEventListener('keydown', playerHotKeys);\n\t setMounted(false);\n\t setIsReady(false);\n\t }\n\t };\n\t }, []);\n\n\t /**\n\t * Attach markers to the player and bind VideoJS events\n\t * with player instance\n\t */\n\t React__default[\"default\"].useEffect(function () {\n\t if (player && mounted) {\n\t player.on('ready', function () {\n\t console.log('Player ready');\n\n\t /*\n\t Add class to the volume panel in audio player to make it always visible.\n\t This is only applicable in non-mobile devices as mobile devices only \n\t have the mute toggle.\n\t */\n\t if (!isVideo && !IS_MOBILE) {\n\t player.getChild('controlBar').getChild('VolumePanel').addClass('vjs-slider-active');\n\t }\n\t // Add this class in mobile/tablet devices to always show the control bar,\n\t // since the inactivityTimeout is flaky in some browsers\n\t if (IS_MOBILE || IS_IPAD) {\n\t player.controlBar.addClass('vjs-mobile-visible');\n\t }\n\t player.muted(startMuted);\n\t player.volume(startVolume);\n\t });\n\t player.on('ended', function () {\n\t playerDispatch({\n\t isEnded: true,\n\t type: 'setIsEnded'\n\t });\n\t handleEnded();\n\t });\n\t player.on('loadedmetadata', function () {\n\t var _textTracks$tracks_;\n\t console.log('loadedmetadata');\n\t if (player.markers) {\n\t // Initialize markers\n\t if (isPlaylist) {\n\t player.markers({\n\t markerTip: {\n\t display: true,\n\t text: function text(marker) {\n\t return marker.text;\n\t }\n\t },\n\t markerStyle: {\n\t 'border-radius': 0,\n\t height: '0.5em',\n\t width: '0.5em',\n\t transform: 'rotate(-45deg)',\n\t top: '4px',\n\t content: '',\n\t 'border-style': 'solid',\n\t 'border-width': '0.25em 0.25em 0 0',\n\t 'background-color': 'transparent'\n\t },\n\t markers: []\n\t });\n\t } else {\n\t player.markers({\n\t markerTip: {\n\t display: true,\n\t text: function text(marker) {\n\t return marker.text;\n\t }\n\t },\n\t markerStyle: {\n\t opacity: '0.5',\n\t 'background-color': '#80A590',\n\t 'border-radius': 0,\n\t height: '16px',\n\t top: '-7px'\n\t },\n\t markers: []\n\t });\n\t }\n\t }\n\t player.duration = function () {\n\t return canvasDuration;\n\t };\n\t isEnded ? player.currentTime(0) : player.currentTime(currentTime);\n\t if (isEnded || isPlaying) {\n\t /*\n\t iOS devices lockdown the ability for unmuted audio and video media to autoplay.\n\t They accomplish this by capturing any programmatic play events and returning\n\t a rejected Promise. In certain versions of iOS, this rejected promise would\n\t cause a runtime error within Ramp. This error would cause the error boundary\n\t handling to trigger, forcing a user to reload the player/page. By silently \n\t catching the rejected Promise we are able to provide a more seamless user\n\t experience, where the user can manually play the media or change to a different\n\t section.\n\t */\n\t var promise = player.play();\n\t if (promise !== undefined) {\n\t promise.then(function (_) {\n\t // Autoplay\n\t })[\"catch\"](function (error) {\n\t // Prevent error from triggering error boundary\n\t });\n\t }\n\t }\n\n\t // Reset isEnded flag\n\t playerDispatch({\n\t isEnded: false,\n\t type: 'setIsEnded'\n\t });\n\t var textTracks = player.textTracks();\n\t /* \n\t Filter the text track Video.js adds with an empty label and language \n\t when nativeTextTracks are enabled for iPhones and iPads.\n\t Related links, Video.js => https://github.com/videojs/video.js/issues/2808 and\n\t in Apple => https://developer.apple.com/library/archive/qa/qa1801/_index.html\n\t */\n\t if (IS_MOBILE && !IS_ANDROID) {\n\t textTracks.on('addtrack', function () {\n\t for (var i = 0; i < textTracks.length; i++) {\n\t if (textTracks[i].language === '' && textTracks[i].label === '') {\n\t player.textTracks().removeTrack(textTracks[i]);\n\t }\n\t if (i == 0) {\n\t textTracks[i].mode = 'showing';\n\t }\n\t }\n\t });\n\t }\n\t // Turn first caption/subtitle ON and turn captions ON indicator via CSS on first load\n\t if (((_textTracks$tracks_ = textTracks.tracks_) === null || _textTracks$tracks_ === void 0 ? void 0 : _textTracks$tracks_.length) > 0) {\n\t var firstSubCap = textTracks.tracks_.filter(function (t) {\n\t return t.kind === 'subtitles' || t.kind === 'captions';\n\t });\n\t if ((firstSubCap === null || firstSubCap === void 0 ? void 0 : firstSubCap.length) > 0) {\n\t firstSubCap[0].mode = 'showing';\n\t handleCaptionChange(true);\n\t }\n\t }\n\n\t // Add/remove CSS to indicate captions/subtitles is turned on\n\t textTracks.on('change', function () {\n\t var trackModes = [];\n\t for (var i = 0; i < textTracks.length; i++) {\n\t trackModes.push(textTracks[i].mode);\n\t }\n\t var subsOn = trackModes.includes('showing') ? true : false;\n\t handleCaptionChange(subsOn);\n\t });\n\t setIsReady(true);\n\t });\n\t player.on('waiting', function () {\n\t /* When using structured navigation while the media is playing,\n\t set the currentTime to the start time of the clicked media\n\t fragment's start time. Without this the 'timeupdate' event tries\n\t to read currentTime before the player is ready, and triggers an error.\n\t */\n\t if (isClicked && isEnded) {\n\t player.currentTime(currentTimeRef.current);\n\t }\n\t });\n\t player.on('pause', function () {\n\t playerDispatch({\n\t isPlaying: false,\n\t type: 'setPlayingStatus'\n\t });\n\t });\n\t player.on('play', function () {\n\t playerDispatch({\n\t isPlaying: true,\n\t type: 'setPlayingStatus'\n\t });\n\t });\n\t player.on('timeupdate', function () {\n\t handleTimeUpdate();\n\t });\n\t player.on('volumechange', function () {\n\t setStartMuted(player.muted());\n\t setStartVolume(player.volume());\n\t });\n\t player.on('qualityRequested', function (e, quality) {\n\t setStartQuality(quality.label);\n\t });\n\t /*\n\t This event handler helps to execute hotkeys functions related to 'keydown' events\n\t before any user interactions with the player or when focused on other non-input \n\t elements on the page\n\t */\n\t document.addEventListener('keydown', function (event) {\n\t playerHotKeys(event, player);\n\t });\n\t }\n\t }, [player]);\n\t React__default[\"default\"].useEffect(function () {\n\t var _playlist$markers;\n\t if (((_playlist$markers = playlist.markers) === null || _playlist$markers === void 0 ? void 0 : _playlist$markers.length) > 0) {\n\t var playlistMarkers = playlist.markers.filter(function (m) {\n\t return m.canvasIndex === canvasIndex;\n\t })[0].canvasMarkers;\n\t var markersList = [];\n\t playlistMarkers.map(function (m) {\n\t markersList.push({\n\t time: parseFloat(m.time),\n\t text: m.value\n\t });\n\t });\n\t if (player && player.markers && isReady) {\n\t // Clear existing markers when updating the markers\n\t player.markers.removeAll();\n\t player.markers.add(markersList);\n\t }\n\t }\n\t }, [player, isReady, playlist.markers]);\n\n\t /**\n\t * Switch canvas when using structure navigation / the media file ends\n\t */\n\t React__default[\"default\"].useEffect(function () {\n\t if (isClicked && canvasIndex !== cIndex) {\n\t switchPlayer(canvasIndex, false);\n\t }\n\t setCIndex(canvasIndex);\n\t }, [canvasIndex]);\n\n\t /**\n\t * Update markers whenever player's currentTime is being\n\t * updated. Time update happens when;\n\t * 1. using structure navigation\n\t * 2. seek and scrubbing events are fired\n\t * 3. timeupdate event fired when playing the media file\n\t */\n\t React__default[\"default\"].useEffect(function () {\n\t if (!player || !currentPlayerRef.current || player.isDisposed()) {\n\t return;\n\t }\n\t if (currentNavItem !== null && isReady && !isPlaylist) {\n\t // Mark current time fragment\n\t if (player.markers) {\n\t if (!isPlaylist) {\n\t player.markers.removeAll();\n\t }\n\t // Use currentNavItem's start and end time for marker creation\n\t var _getMediaFragment = getMediaFragment(currentNavItem.id, canvasDuration),\n\t start = _getMediaFragment.start,\n\t end = _getMediaFragment.end;\n\t playerDispatch({\n\t endTime: end,\n\t startTime: start,\n\t type: 'setTimeFragment'\n\t });\n\t if (start != end) {\n\t // Set the end to canvas duration if it's greater for marker rendering\n\t var markerEnd = end > canvasDuration ? canvasDuration : end;\n\t player.markers.add([{\n\t time: start,\n\t duration: markerEnd - start,\n\t text: currentNavItem.label\n\t }]);\n\t }\n\t }\n\t }\n\t }, [currentNavItem, isReady, canvasSegments]);\n\n\t /**\n\t * Setting the current time of the player when using structure navigation\n\t */\n\t React__default[\"default\"].useEffect(function () {\n\t if (player !== null && player != undefined && isReady) {\n\t player.currentTime(currentTime, playerDispatch({\n\t type: 'resetClick'\n\t }));\n\t }\n\t }, [isClicked, isReady]);\n\n\t /**\n\t * Remove existing timerail highlight if the player's currentTime\n\t * doesn't fall within a defined structure item\n\t */\n\t React__default[\"default\"].useEffect(function () {\n\t if (!player || !currentPlayerRef.current || player.isDisposed()) {\n\t return;\n\t } else if (isContained == false && player.markers && !isPlaylist) {\n\t player.markers.removeAll();\n\t }\n\t }, [isContained]);\n\t var setSelectedQuality = function setSelectedQuality(sources) {\n\t //iterate through sources and find source that matches startQuality and source currently marked selected\n\t //if found set selected attribute on matching source then remove from currently marked one\n\t var originalQuality = sources === null || sources === void 0 ? void 0 : sources.find(function (source) {\n\t return source.selected == true;\n\t });\n\t var selectedQuality = sources === null || sources === void 0 ? void 0 : sources.find(function (source) {\n\t return source.label == startQuality;\n\t });\n\t if (selectedQuality) {\n\t originalQuality.selected = false;\n\t selectedQuality.selected = true;\n\t }\n\t };\n\n\t /**\n\t * Add CSS class to icon to indicate captions are on/off in player control bar\n\t * @param {Boolean} subsOn flag to indicate captions are on/off\n\t */\n\t var handleCaptionChange = function handleCaptionChange(subsOn) {\n\t var _player$controlBar$su;\n\t /* \n\t For audio instances Video.js is setup to not to build the CC button \n\t in Ramp's player control bar.\n\t */\n\t if (!player.controlBar.subsCapsButton || !((_player$controlBar$su = player.controlBar.subsCapsButton) !== null && _player$controlBar$su !== void 0 && _player$controlBar$su.children_)) {\n\t return;\n\t }\n\t if (subsOn) {\n\t player.controlBar.subsCapsButton.children_[0].addClass('captions-on');\n\t } else {\n\t player.controlBar.subsCapsButton.children_[0].removeClass('captions-on');\n\t }\n\t };\n\t /**\n\t * Handle the 'ended' event fired by the player when a section comes to\n\t * an end. If there are sections ahead move onto the next canvas and\n\t * change the player and the state accordingly.\n\t */\n\t var handleEnded = function handleEnded() {\n\t var _structuresRef$curren;\n\t if (!autoAdvanceRef.current) {\n\t return;\n\t }\n\t if (((_structuresRef$curren = structuresRef.current) === null || _structuresRef$curren === void 0 ? void 0 : _structuresRef$curren.length) > 0) {\n\t var nextItem = structuresRef.current[canvasIndex + 1];\n\t if (nextItem && nextItem != undefined) {\n\t manifestDispatch({\n\t canvasIndex: canvasIndex + 1,\n\t type: 'switchCanvas'\n\t });\n\n\t // Reset startTime and currentTime to zero\n\t playerDispatch({\n\t startTime: 0,\n\t type: 'setTimeFragment'\n\t });\n\t playerDispatch({\n\t currentTime: 0,\n\t type: 'setCurrentTime'\n\t });\n\n\t // Get first timespan in the next canvas\n\t var firstTimespanInNextCanvas = canvasSegmentsRef.current.filter(function (t) {\n\t return t.canvasIndex === nextItem.canvasIndex && t.itemIndex === 1;\n\t });\n\t // If the nextItem doesn't have an ID (a Canvas media fragment) pick the first timespan\n\t // in the next Canvas\n\t var nextFirstItem = nextItem.id != undefined ? nextItem : firstTimespanInNextCanvas[0];\n\t var start = 0;\n\t if (nextFirstItem != undefined && nextFirstItem.id != undefined) {\n\t start = getMediaFragment(nextFirstItem.id, canvasDuration).start;\n\t }\n\n\t // If there's a timespan item at the start of the next canvas\n\t // mark it as the currentNavItem. Otherwise empty out the currentNavItem.\n\t if (start === 0) {\n\t setIsContained(true);\n\t manifestDispatch({\n\t item: nextFirstItem,\n\t type: 'switchItem'\n\t });\n\t } else if (nextFirstItem.isEmpty) {\n\t // Switch the currentNavItem and clear isEnded flag\n\t manifestDispatch({\n\t item: nextFirstItem,\n\t type: 'switchItem'\n\t });\n\t playerDispatch({\n\t isEnded: false,\n\t type: 'setIsEnded'\n\t });\n\t } else {\n\t manifestDispatch({\n\t item: null,\n\t type: 'switchItem'\n\t });\n\t }\n\t setCIndex(cIndex + 1);\n\t }\n\t } else if (hasMultiItems) {\n\t // When there are multiple sources in a single canvas\n\t // advance to next source\n\t if (srcIndex + 1 < targets.length) {\n\t manifestDispatch({\n\t srcIndex: srcIndex + 1,\n\t type: 'setSrcIndex'\n\t });\n\t } else {\n\t manifestDispatch({\n\t srcIndex: 0,\n\t type: 'setSrcIndex'\n\t });\n\t }\n\t playerDispatch({\n\t currentTime: 0,\n\t type: 'setCurrentTime'\n\t });\n\t }\n\t };\n\n\t /**\n\t * Handle the 'timeUpdate' event emitted by VideoJS player.\n\t * The current time of the playhead used to show structure in the player's\n\t * time rail as the playhead arrives at a start time of an existing structure\n\t * item. When the current time is inside an item, that time fragment is highlighted\n\t * in the player's time rail.\n\t * */\n\t var handleTimeUpdate = function handleTimeUpdate() {\n\t if (player !== null && isReadyRef.current && !isClicked) {\n\t var activeSegment = getActiveSegment(player.currentTime());\n\t if (activeSegment && activeIdRef.current != activeSegment['id']) {\n\t // Set the active segment id in component's state\n\t setActiveId(activeSegment['id']);\n\t setIsContained(true);\n\t manifestDispatch({\n\t item: activeSegment,\n\t type: 'switchItem'\n\t });\n\t } else if (activeSegment === null && player.markers) {\n\t cleanUpNav();\n\t }\n\t }\n\t };\n\n\t /**\n\t * Toggle play/pause on video touch for mobile browsers\n\t * @param {Object} e onTouchEnd event\n\t */\n\t var mobilePlayToggle = function mobilePlayToggle(e) {\n\t if (e.changedTouches[0].clientX == touchX && e.changedTouches[0].clientY == touchY) {\n\t if (player.paused()) {\n\t player.play();\n\t } else {\n\t player.pause();\n\t }\n\t }\n\t };\n\n\t /**\n\t * Save coordinates of touch start for comparison to touch end to prevent play/pause\n\t * when user is scrolling.\n\t * @param {Object} e onTouchStart event\n\t */\n\t var touchX = null;\n\t var touchY = null;\n\t var saveTouchStartCoords = function saveTouchStartCoords(e) {\n\t touchX = e.touches[0].clientX;\n\t touchY = e.touches[0].clientY;\n\t };\n\n\t /**\n\t * Clear currentNavItem and other related state variables to update the tracker\n\t * in structure navigation and highlights within the player.\n\t */\n\t var cleanUpNav = function cleanUpNav() {\n\t if (currentNavItemRef.current) {\n\t manifestDispatch({\n\t item: null,\n\t type: 'switchItem'\n\t });\n\t }\n\t setActiveId(null);\n\t setIsContained(false);\n\t };\n\n\t /**\n\t * Get the segment, which encapsulates the current time of the playhead,\n\t * from a list of media fragments in the current canvas.\n\t * @param {Number} time playhead's current time\n\t */\n\t var getActiveSegment = function getActiveSegment(time) {\n\t // Adjust time for multi-item canvases\n\t var currentTime = time;\n\t if (hasMultiItems) {\n\t currentTime = currentTime + targets[srcIndex].altStart;\n\t }\n\t // Find the relevant media segment from the structure\n\t var _iterator = _createForOfIteratorHelper$2(canvasSegmentsRef.current),\n\t _step;\n\t try {\n\t for (_iterator.s(); !(_step = _iterator.n()).done;) {\n\t var segment = _step.value;\n\t var id = segment.id,\n\t isCanvas = segment.isCanvas;\n\t var canvasId = getCanvasId(id);\n\t var _cIndex = getCanvasIndex(manifest, canvasId);\n\t if (_cIndex == canvasIndex) {\n\t // Canvases without structure has the Canvas information\n\t // in Canvas-level item as a navigable link\n\t if (isCanvas) {\n\t return segment;\n\t }\n\t var segmentRange = getMediaFragment(id, canvasDuration);\n\t var isInRange = checkSrcRange(segmentRange, playerRange);\n\t var isInSegment = currentTime >= segmentRange.start && currentTime < segmentRange.end;\n\t if (isInSegment && isInRange) {\n\t return segment;\n\t }\n\t }\n\t }\n\t } catch (err) {\n\t _iterator.e(err);\n\t } finally {\n\t _iterator.f();\n\t }\n\t return null;\n\t };\n\n\t // Classes for setting caption size based on device\n\t var videoClass = '';\n\t if (IS_ANDROID) {\n\t videoClass = \"video-js vjs-big-play-centered android\";\n\t // Not all Android tablets return 'Android' in the useragent so assume non-android,\n\t // non-iOS touch devices are tablets.\n\t } else if (IS_TOUCH_ONLY && !IS_IOS) {\n\t videoClass = \"video-js vjs-big-play-centered tablet\";\n\t } else if (IS_IPAD) {\n\t videoClass = \"video-js vjs-big-play-centered tablet\";\n\t } else {\n\t videoClass = \"video-js vjs-big-play-centered\";\n\t }\n\t return /*#__PURE__*/React__default[\"default\"].createElement(React__default[\"default\"].Fragment, null, /*#__PURE__*/React__default[\"default\"].createElement(\"div\", {\n\t \"data-vjs-player\": true\n\t }, isVideo ? /*#__PURE__*/React__default[\"default\"].createElement(\"video\", {\n\t \"data-testid\": \"videojs-video-element\",\n\t \"data-canvasindex\": cIndex,\n\t ref: function ref(node) {\n\t return playerRef.current = node;\n\t },\n\t className: videoClass,\n\t onTouchStart: saveTouchStartCoords,\n\t onTouchEnd: mobilePlayToggle\n\t }, (tracks === null || tracks === void 0 ? void 0 : tracks.length) > 0 && tracks.map(function (t, index) {\n\t return /*#__PURE__*/React__default[\"default\"].createElement(\"track\", {\n\t key: t.key,\n\t src: t.src,\n\t kind: t.kind,\n\t label: t.label,\n\t srcLang: t.srclang\n\t });\n\t })) : /*#__PURE__*/React__default[\"default\"].createElement(\"audio\", {\n\t \"data-testid\": \"videojs-audio-element\",\n\t \"data-canvasindex\": cIndex,\n\t ref: function ref(node) {\n\t return playerRef.current = node;\n\t },\n\t className: \"video-js vjs-default-skin\"\n\t })), /*#__PURE__*/React__default[\"default\"].createElement(\"div\", {\n\t className: \"vjs-track-scrubber-container hidden\",\n\t ref: trackScrubberRef,\n\t id: \"track_scrubber\"\n\t }, /*#__PURE__*/React__default[\"default\"].createElement(\"p\", {\n\t className: \"vjs-time track-currenttime\",\n\t role: \"presentation\"\n\t }), /*#__PURE__*/React__default[\"default\"].createElement(\"span\", {\n\t type: \"range\",\n\t \"aria-label\": \"Track scrubber\",\n\t role: \"slider\",\n\t tabIndex: 0,\n\t className: \"vjs-track-scrubber\",\n\t style: {\n\t width: '100%'\n\t }\n\t }, /*#__PURE__*/React__default[\"default\"].createElement(\"span\", {\n\t className: \"tooltiptext\",\n\t ref: scrubberTooltipRef,\n\t \"aria-hidden\": true,\n\t role: \"presentation\"\n\t })), /*#__PURE__*/React__default[\"default\"].createElement(\"p\", {\n\t className: \"vjs-time track-duration\",\n\t role: \"presentation\"\n\t })));\n\t}\n\tVideoJSPlayer.propTypes = {\n\t isVideo: PropTypes.bool,\n\t isPlaylist: PropTypes.bool,\n\t switchPlayer: PropTypes.func,\n\t trackScrubberRef: PropTypes.object,\n\t scrubberTooltipRef: PropTypes.object,\n\t videoJSOptions: PropTypes.object,\n\t tracks: PropTypes.array\n\t};\n\n\tfunction ownKeys$1(object, enumerableOnly) { var keys = Object.keys(object); if (Object.getOwnPropertySymbols) { var symbols = Object.getOwnPropertySymbols(object); enumerableOnly && (symbols = symbols.filter(function (sym) { return Object.getOwnPropertyDescriptor(object, sym).enumerable; })), keys.push.apply(keys, symbols); } return keys; }\n\tfunction _objectSpread$1(target) { for (var i = 1; i < arguments.length; i++) { var source = null != arguments[i] ? arguments[i] : {}; i % 2 ? ownKeys$1(Object(source), !0).forEach(function (key) { _defineProperty(target, key, source[key]); }) : Object.getOwnPropertyDescriptors ? Object.defineProperties(target, Object.getOwnPropertyDescriptors(source)) : ownKeys$1(Object(source)).forEach(function (key) { Object.defineProperty(target, key, Object.getOwnPropertyDescriptor(source, key)); }); } return target; }\n\tvar PLAYER_ID = \"iiif-media-player\";\n\tvar MediaPlayer = function MediaPlayer(_ref) {\n\t var _ref$enableFileDownlo = _ref.enableFileDownload,\n\t enableFileDownload = _ref$enableFileDownlo === void 0 ? false : _ref$enableFileDownlo,\n\t _ref$enablePIP = _ref.enablePIP,\n\t enablePIP = _ref$enablePIP === void 0 ? false : _ref$enablePIP;\n\t var manifestState = useManifestState();\n\t var playerState = usePlayerState();\n\t var playerDispatch = usePlayerDispatch();\n\t var manifestDispatch = useManifestDispatch();\n\t var _useErrorBoundary = reactErrorBoundary.useErrorBoundary(),\n\t showBoundary = _useErrorBoundary.showBoundary;\n\t var _React$useState = React__default[\"default\"].useState({\n\t error: '',\n\t sources: [],\n\t tracks: [],\n\t poster: null\n\t }),\n\t _React$useState2 = _slicedToArray(_React$useState, 2),\n\t playerConfig = _React$useState2[0],\n\t setPlayerConfig = _React$useState2[1];\n\t var _React$useState3 = React__default[\"default\"].useState(false),\n\t _React$useState4 = _slicedToArray(_React$useState3, 2),\n\t ready = _React$useState4[0],\n\t setReady = _React$useState4[1];\n\t var _React$useState5 = React__default[\"default\"].useState(canvasIndex),\n\t _React$useState6 = _slicedToArray(_React$useState5, 2),\n\t cIndex = _React$useState6[0],\n\t setCIndex = _React$useState6[1];\n\t var _React$useState7 = React__default[\"default\"].useState(),\n\t _React$useState8 = _slicedToArray(_React$useState7, 2),\n\t isMultiSource = _React$useState8[0],\n\t setIsMultiSource = _React$useState8[1];\n\t var _React$useState9 = React__default[\"default\"].useState(false),\n\t _React$useState10 = _slicedToArray(_React$useState9, 2),\n\t isMultiCanvased = _React$useState10[0],\n\t setIsMultiCanvased = _React$useState10[1];\n\t var _React$useState11 = React__default[\"default\"].useState(0),\n\t _React$useState12 = _slicedToArray(_React$useState11, 2),\n\t lastCanvasIndex = _React$useState12[0],\n\t setLastCanvasIndex = _React$useState12[1];\n\t var _React$useState13 = React__default[\"default\"].useState(),\n\t _React$useState14 = _slicedToArray(_React$useState13, 2),\n\t isVideo = _React$useState14[0],\n\t setIsVideo = _React$useState14[1];\n\t var canvasIndex = manifestState.canvasIndex,\n\t manifest = manifestState.manifest,\n\t canvasDuration = manifestState.canvasDuration,\n\t canvasIsEmpty = manifestState.canvasIsEmpty,\n\t srcIndex = manifestState.srcIndex,\n\t targets = manifestState.targets,\n\t playlist = manifestState.playlist,\n\t autoAdvance = manifestState.autoAdvance,\n\t hasStructure = manifestState.hasStructure;\n\t var playerFocusElement = playerState.playerFocusElement,\n\t currentTime = playerState.currentTime;\n\t var canvasIndexRef = React__default[\"default\"].useRef();\n\t canvasIndexRef.current = canvasIndex;\n\t var autoAdvanceRef = React__default[\"default\"].useRef();\n\t autoAdvanceRef.current = autoAdvance;\n\t var lastCanvasIndexRef = React__default[\"default\"].useRef();\n\t lastCanvasIndexRef.current = lastCanvasIndex;\n\t var trackScrubberRef = React__default[\"default\"].useRef();\n\t var timeToolRef = React__default[\"default\"].useRef();\n\t var canvasMessageTimerRef = React__default[\"default\"].useRef(null);\n\t React__default[\"default\"].useEffect(function () {\n\t if (manifest) {\n\t try {\n\t /*\n\t Always start from the start time relevant to the Canvas only in playlist contexts,\n\t because canvases related to playlist items always start from the given start.\n\t With regular manifests, the start time could be different when using structured \n\t navigation to switch between canvases.\n\t */\n\t initCanvas(canvasIndex, playlist.isPlaylist);\n\n\t // flag to identify multiple canvases in the manifest\n\t // to render previous/next buttons\n\t var _manifestCanvasesInfo = manifestCanvasesInfo(manifest),\n\t isMultiCanvas = _manifestCanvasesInfo.isMultiCanvas,\n\t lastIndex = _manifestCanvasesInfo.lastIndex;\n\t setIsMultiCanvased(isMultiCanvas);\n\t setLastCanvasIndex(lastIndex);\n\t } catch (e) {\n\t showBoundary(e);\n\t }\n\t }\n\t return function () {\n\t setReady(false);\n\t setCIndex(0);\n\t playerDispatch({\n\t player: null,\n\t type: 'updatePlayer'\n\t });\n\t };\n\t }, [manifest, canvasIndex, srcIndex]); // Re-run the effect when manifest changes\n\n\t /**\n\t * Handle the display timer for the inaccessbile message when autoplay is turned\n\t * on/off while the current item is a restricted item\n\t */\n\t React__default[\"default\"].useEffect(function () {\n\t if (canvasIsEmpty) {\n\t // Clear the existing timer when the autoplay is turned off when displaying\n\t // inaccessible message\n\t if (!autoAdvance && canvasMessageTimerRef.current) {\n\t clearCanvasMessageTimer();\n\t } else {\n\t // Create a timer to advance to the next Canvas when autoplay is turned\n\t // on when inaccessible message is been displayed\n\t createCanvasMessageTimer();\n\t }\n\t }\n\t }, [autoAdvance]);\n\n\t /**\n\t * Initialize the next Canvas to be viewed in the player instance\n\t * @param {Number} canvasId index of the Canvas to be loaded into the player\n\t * @param {Boolean} fromStart flag to indicate how to start new player instance\n\t */\n\t var initCanvas = function initCanvas(canvasId, fromStart) {\n\t clearCanvasMessageTimer();\n\t try {\n\t var _getMediaInfo = getMediaInfo({\n\t manifest: manifest,\n\t canvasIndex: canvasId,\n\t srcIndex: srcIndex\n\t }),\n\t _isMultiSource = _getMediaInfo.isMultiSource,\n\t sources = _getMediaInfo.sources,\n\t tracks = _getMediaInfo.tracks,\n\t canvasTargets = _getMediaInfo.canvasTargets,\n\t mediaType = _getMediaInfo.mediaType,\n\t canvas = _getMediaInfo.canvas,\n\t error = _getMediaInfo.error;\n\t setIsVideo(mediaType === 'video');\n\t manifestDispatch({\n\t canvasTargets: canvasTargets,\n\t type: 'canvasTargets'\n\t });\n\t manifestDispatch({\n\t canvasDuration: canvas.duration,\n\t type: 'canvasDuration'\n\t });\n\t manifestDispatch({\n\t isMultiSource: _isMultiSource,\n\t type: 'hasMultipleItems'\n\t });\n\t // Set the current time in player from the canvas details\n\t if (fromStart) {\n\t if ((canvasTargets === null || canvasTargets === void 0 ? void 0 : canvasTargets.length) > 0) {\n\t playerDispatch({\n\t currentTime: canvasTargets[0].altStart,\n\t type: 'setCurrentTime'\n\t });\n\t } else {\n\t playerDispatch({\n\t currentTime: 0,\n\t type: 'setCurrentTime'\n\t });\n\t }\n\t }\n\t setPlayerConfig(_objectSpread$1(_objectSpread$1({}, playerConfig), {}, {\n\t error: error,\n\t sources: sources,\n\t tracks: tracks\n\t }));\n\t updatePlayerSrcDetails(canvas.duration, sources, canvasId, _isMultiSource);\n\t setIsMultiSource(_isMultiSource);\n\t setCIndex(canvasId);\n\t error ? setReady(false) : setReady(true);\n\t } catch (e) {\n\t showBoundary(e);\n\t }\n\t };\n\n\t /**\n\t * Switch src in the player when seeked to a time range within a\n\t * different item in the same canvas\n\t * @param {Number} srcindex new srcIndex\n\t * @param {Number} value current time of the player\n\t */\n\t var nextItemClicked = function nextItemClicked(srcindex, value) {\n\t playerDispatch({\n\t currentTime: value,\n\t type: 'setCurrentTime'\n\t });\n\t manifestDispatch({\n\t srcIndex: srcindex,\n\t type: 'setSrcIndex'\n\t });\n\t };\n\n\t /**\n\t * Update contexts based on the items in the canvas(es) in manifest\n\t * @param {Number} duration canvas duration\n\t * @param {Array} sources array of sources passed into player\n\t * @param {Number} cIndex latest canvas index\n\t * @param {Boolean} isMultiSource flag indicating whether there are\n\t * multiple items in the canvas\n\t */\n\t var updatePlayerSrcDetails = function updatePlayerSrcDetails(duration, sources, cIndex, isMultiSource) {\n\t var timeFragment = {};\n\t if (isMultiSource) {\n\t playerDispatch({\n\t start: 0,\n\t end: duration,\n\t type: 'setPlayerRange'\n\t });\n\t manifestDispatch({\n\t type: 'setCanvasIsEmpty',\n\t isEmpty: false\n\t });\n\t } else if (sources.length === 0) {\n\t playerDispatch({\n\t type: 'updatePlayer'\n\t });\n\t var itemMessage = getPlaceholderCanvas(manifest, cIndex);\n\t setPlayerConfig(_objectSpread$1(_objectSpread$1({}, playerConfig), {}, {\n\t error: itemMessage\n\t }));\n\t /*\n\t Create a timer to display the placeholderCanvas message when,\n\t autoplay is turned on\n\t */\n\t if (autoAdvanceRef.current) {\n\t createCanvasMessageTimer();\n\t }\n\t manifestDispatch({\n\t type: 'setCanvasIsEmpty',\n\t isEmpty: true\n\t });\n\t } else {\n\t var playerSrc = (sources === null || sources === void 0 ? void 0 : sources.length) > 0 ? sources.filter(function (s) {\n\t return s.selected;\n\t })[0] : null;\n\t if (playerSrc) {\n\t timeFragment = getMediaFragment(playerSrc.src, duration);\n\t if (timeFragment == undefined) {\n\t timeFragment = {\n\t start: 0,\n\t end: duration\n\t };\n\t }\n\t timeFragment.altStart = timeFragment.start;\n\t manifestDispatch({\n\t canvasTargets: [timeFragment],\n\t type: 'canvasTargets'\n\t });\n\t playerDispatch({\n\t start: timeFragment.start,\n\t end: timeFragment.end,\n\t type: 'setPlayerRange'\n\t });\n\t manifestDispatch({\n\t type: 'setCanvasIsEmpty',\n\t isEmpty: false\n\t });\n\t }\n\t }\n\t };\n\n\t /**\n\t * Create timer to display the inaccessible Canvas message\n\t */\n\t var createCanvasMessageTimer = function createCanvasMessageTimer() {\n\t canvasMessageTimerRef.current = setTimeout(function () {\n\t if (canvasIndexRef.current < lastCanvasIndexRef.current) {\n\t manifestDispatch({\n\t canvasIndex: canvasIndexRef.current + 1,\n\t type: 'switchCanvas'\n\t });\n\t }\n\t }, CANVAS_MESSAGE_TIMEOUT);\n\t };\n\n\t /**\n\t * Clear existing timer to display the inaccessible Canvas message\n\t */\n\t var clearCanvasMessageTimer = function clearCanvasMessageTimer() {\n\t if (canvasMessageTimerRef.current) {\n\t clearTimeout(canvasMessageTimerRef.current);\n\t canvasMessageTimerRef.current = null;\n\t }\n\t };\n\n\t /**\n\t * Switch player when navigating across canvases\n\t * @param {Number} index canvas index to be loaded into the player\n\t * @param {Boolean} fromStart flag to indicate set player start time to zero or not\n\t * @param {String} focusElement element to be focused within the player when using\n\t * next or previous buttons with keyboard\n\t */\n\t var switchPlayer = function switchPlayer(index, fromStart) {\n\t var focusElement = arguments.length > 2 && arguments[2] !== undefined ? arguments[2] : '';\n\t if (canvasIndexRef.current != index && index <= lastCanvasIndexRef.current) {\n\t manifestDispatch({\n\t canvasIndex: index,\n\t type: 'switchCanvas'\n\t });\n\t initCanvas(index, fromStart);\n\t playerDispatch({\n\t element: focusElement,\n\t type: 'setPlayerFocusElement'\n\t });\n\t }\n\t };\n\n\t // VideoJS instance configurations\n\t var videoJsOptions = !canvasIsEmpty ? {\n\t aspectRatio: isVideo ? '16:9' : '1:0',\n\t autoplay: false,\n\t bigPlayButton: isVideo,\n\t id: PLAYER_ID,\n\t // Setting inactivity timeout to zero in mobile and tablet devices translates to\n\t // user is always active. And the control bar is not hidden when user is active.\n\t // With this user can always use the controls when the media is playing.\n\t inactivityTimeout: IS_MOBILE || IS_TOUCH_ONLY ? 0 : 2000,\n\t poster: isVideo ? getPlaceholderCanvas(manifest, canvasIndex, true) : null,\n\t controls: true,\n\t fluid: true,\n\t language: \"en\",\n\t // TODO:: fill this information from props\n\t controlBar: {\n\t // Define and order control bar controls\n\t // See https://docs.videojs.com/tutorial-components.html for options of what\n\t // seem to be supported controls\n\t children: [isMultiCanvased ? 'videoJSPreviousButton' : '', 'playToggle', isMultiCanvased ? 'videoJSNextButton' : '', 'videoJSProgress', 'videoJSCurrentTime', 'timeDivider', 'durationDisplay', hasStructure || playlist.isPlaylist ? 'videoJSTrackScrubber' : '', playerConfig.tracks.length > 0 && isVideo ? 'subsCapsButton' : '', IS_MOBILE ? 'muteToggle' : 'volumePanel', 'qualitySelector', enablePIP ? 'pictureInPictureToggle' : '', enableFileDownload ? 'videoJSFileDownload' : ''\n\t // 'vjsYo', custom component\n\t ],\n\n\t videoJSProgress: {\n\t duration: canvasDuration,\n\t srcIndex: srcIndex,\n\t targets: targets,\n\t currentTime: currentTime || 0,\n\t nextItemClicked: nextItemClicked\n\t },\n\t videoJSCurrentTime: {\n\t srcIndex: srcIndex,\n\t targets: targets,\n\t currentTime: currentTime || 0\n\t },\n\t // disable fullscreen toggle button for audio\n\t fullscreenToggle: !isVideo ? false : true\n\t },\n\t sources: isMultiSource ? playerConfig.sources[srcIndex] : playerConfig.sources,\n\t // Enable native text track functionality in iPhones and iPads\n\t html5: {\n\t nativeTextTracks: IS_MOBILE && !IS_ANDROID\n\t },\n\t // Setting this option helps to override VideoJS's default 'keydown' event handler, whenever\n\t // the focus is on a native VideoJS control icon (e.g. play toggle).\n\t // E.g. click event on 'playtoggle' sets the focus on the play/pause button,\n\t // which has VideoJS's 'handleKeydown' event handler attached to it. Therefore, as long as the\n\t // focus is on the play/pause button the 'keydown' event will pass through VideoJS's default\n\t // 'keydown' event handler, without ever reaching the 'keydown' handler setup on the document\n\t // in Ramp code.\n\t // When this option is setup VideoJS's 'handleKeydown' event handler passes the event to the\n\t // function setup under the 'hotkeys' option when the native player controls are focused.\n\t // In Safari, this works without using 'hotkeys' option, therefore only set this in other browsers.\n\t userActions: {\n\t hotkeys: !IS_SAFARI ? function (e) {\n\t playerHotKeys(e, this);\n\t } : undefined\n\t }\n\t } : {}; // Empty configurations for empty canvases\n\n\t // Make the volume slider horizontal for audio in non-mobile browsers\n\t if (!IS_MOBILE && !canvasIsEmpty) {\n\t videoJsOptions = _objectSpread$1(_objectSpread$1({}, videoJsOptions), {}, {\n\t controlBar: _objectSpread$1(_objectSpread$1({}, videoJsOptions.controlBar), {}, {\n\t volumePanel: {\n\t inline: isVideo ? false : true\n\t }\n\t })\n\t });\n\t }\n\n\t // Add file download to toolbar when it is enabled via props\n\t if (enableFileDownload && !canvasIsEmpty) {\n\t videoJsOptions = _objectSpread$1(_objectSpread$1({}, videoJsOptions), {}, {\n\t controlBar: _objectSpread$1(_objectSpread$1({}, videoJsOptions.controlBar), {}, {\n\t videoJSFileDownload: {\n\t title: 'Download Files',\n\t controlText: 'Alternate resource download',\n\t manifest: manifest,\n\t canvasIndex: canvasIndex\n\t }\n\t })\n\t });\n\t }\n\t if (isMultiCanvased && !canvasIsEmpty) {\n\t videoJsOptions = _objectSpread$1(_objectSpread$1({}, videoJsOptions), {}, {\n\t controlBar: _objectSpread$1(_objectSpread$1({}, videoJsOptions.controlBar), {}, {\n\t videoJSPreviousButton: {\n\t canvasIndex: canvasIndex,\n\t switchPlayer: switchPlayer,\n\t playerFocusElement: playerFocusElement\n\t },\n\t videoJSNextButton: {\n\t canvasIndex: canvasIndex,\n\t lastCanvasIndex: lastCanvasIndexRef.current,\n\t switchPlayer: switchPlayer,\n\t playerFocusElement: playerFocusElement\n\t }\n\t })\n\t });\n\t }\n\t // Iniitialize track scrubber button when the current Canvas has \n\t // structure timespans or the given Manifest is a playlist Manifest\n\t if ((hasStructure || playlist.isPlaylist) && !canvasIsEmpty) {\n\t videoJsOptions = _objectSpread$1(_objectSpread$1({}, videoJsOptions), {}, {\n\t controlBar: _objectSpread$1(_objectSpread$1({}, videoJsOptions.controlBar), {}, {\n\t videoJSTrackScrubber: {\n\t trackScrubberRef: trackScrubberRef,\n\t timeToolRef: timeToolRef,\n\t isPlaylist: playlist.isPlaylist\n\t }\n\t })\n\t });\n\t }\n\t if (canvasIsEmpty) {\n\t return /*#__PURE__*/React__default[\"default\"].createElement(\"div\", {\n\t \"data-testid\": \"inaccessible-item\",\n\t className: \"ramp--inaccessible-item\",\n\t key: \"media-player-\".concat(cIndex),\n\t role: \"presentation\"\n\t }, /*#__PURE__*/React__default[\"default\"].createElement(\"div\", {\n\t className: \"ramp--no-media-message\"\n\t }, /*#__PURE__*/React__default[\"default\"].createElement(\"div\", {\n\t className: \"message-display\",\n\t \"data-testid\": \"inaccessible-message\",\n\t dangerouslySetInnerHTML: {\n\t __html: playerConfig.error\n\t }\n\t }), /*#__PURE__*/React__default[\"default\"].createElement(VideoJSPlayer, _extends({\n\t id: PLAYER_ID,\n\t isVideo: true,\n\t switchPlayer: switchPlayer\n\t }, videoJsOptions))));\n\t } else {\n\t return ready ? /*#__PURE__*/React__default[\"default\"].createElement(\"div\", {\n\t \"data-testid\": \"media-player\",\n\t className: \"ramp--media_player\",\n\t key: \"media-player-\".concat(cIndex, \"-\").concat(srcIndex),\n\t role: \"presentation\"\n\t }, /*#__PURE__*/React__default[\"default\"].createElement(VideoJSPlayer, _extends({\n\t isVideo: isVideo,\n\t isPlaylist: playlist.isPlaylist,\n\t switchPlayer: switchPlayer,\n\t trackScrubberRef: trackScrubberRef,\n\t scrubberTooltipRef: timeToolRef,\n\t tracks: playerConfig.tracks\n\t }, videoJsOptions))) : null;\n\t }\n\t};\n\tMediaPlayer.propTypes = {\n\t enableFileDownload: PropTypes.bool,\n\t enablePIP: PropTypes.bool\n\t};\n\n\tvar SectionHeading = function SectionHeading(_ref) {\n\t var duration = _ref.duration,\n\t label = _ref.label,\n\t itemIndex = _ref.itemIndex,\n\t canvasIndex = _ref.canvasIndex,\n\t sectionRef = _ref.sectionRef,\n\t itemId = _ref.itemId,\n\t handleClick = _ref.handleClick,\n\t structureContainerRef = _ref.structureContainerRef;\n\t var itemLabelRef = React__default[\"default\"].useRef();\n\t itemLabelRef.current = label;\n\n\t // Auto-scroll active section into view\n\t React__default[\"default\"].useEffect(function () {\n\t if (canvasIndex + 1 === itemIndex && sectionRef.current) {\n\t autoScroll(sectionRef.current, structureContainerRef);\n\t }\n\t }, [canvasIndex]);\n\t var sectionClassName = \"ramp--structured-nav__section\".concat(canvasIndex + 1 === itemIndex ? ' active' : '');\n\t if (itemId != undefined) {\n\t return /*#__PURE__*/React__default[\"default\"].createElement(\"div\", {\n\t className: sectionClassName,\n\t role: \"listitem\",\n\t \"data-testid\": \"listitem-section\",\n\t ref: sectionRef,\n\t \"data-mediafrag\": itemId,\n\t \"data-label\": itemLabelRef.current\n\t }, /*#__PURE__*/React__default[\"default\"].createElement(\"button\", {\n\t \"data-testid\": \"listitem-section-button\",\n\t ref: sectionRef,\n\t onClick: handleClick\n\t }, /*#__PURE__*/React__default[\"default\"].createElement(\"span\", {\n\t className: \"ramp--structured-nav__title\",\n\t \"aria-label\": itemLabelRef.current\n\t }, \"\".concat(itemIndex, \". \"), itemLabelRef.current, duration != '' && /*#__PURE__*/React__default[\"default\"].createElement(\"span\", {\n\t className: \"ramp--structured-nav__section-duration\"\n\t }, duration))));\n\t } else {\n\t return /*#__PURE__*/React__default[\"default\"].createElement(\"div\", {\n\t className: sectionClassName,\n\t \"data-testid\": \"listitem-section\",\n\t ref: sectionRef,\n\t \"data-label\": itemLabelRef.current\n\t }, /*#__PURE__*/React__default[\"default\"].createElement(\"span\", {\n\t className: \"ramp--structured-nav__section-title\",\n\t role: \"listitem\",\n\t \"data-testid\": \"listitem-section-span\",\n\t \"aria-label\": itemLabelRef.current\n\t }, \"\".concat(itemIndex, \". \"), itemLabelRef.current, duration != '' && /*#__PURE__*/React__default[\"default\"].createElement(\"span\", {\n\t className: \"ramp--structured-nav__section-duration\"\n\t }, duration)));\n\t }\n\t};\n\tSectionHeading.propTypes = {\n\t itemIndex: PropTypes.number.isRequired,\n\t canvasIndex: PropTypes.number,\n\t duration: PropTypes.string.isRequired,\n\t label: PropTypes.string.isRequired,\n\t sectionRef: PropTypes.object.isRequired,\n\t itemId: PropTypes.string,\n\t handleClick: PropTypes.func.isRequired,\n\t structureContainerRef: PropTypes.object.isRequired\n\t};\n\n\tvar LockedSVGIcon = function LockedSVGIcon() {\n\t return /*#__PURE__*/React__default[\"default\"].createElement(\"svg\", {\n\t viewBox: \"0 0 24 24\",\n\t xmlns: \"http://www.w3.org/2000/svg\",\n\t style: {\n\t height: '0.75rem',\n\t width: '0.75rem'\n\t },\n\t className: \"structure-item-locked\"\n\t }, /*#__PURE__*/React__default[\"default\"].createElement(\"g\", {\n\t strokeWidth: \"0\",\n\t strokeLinecap: \"round\",\n\t strokeLinejoin: \"round\"\n\t }, /*#__PURE__*/React__default[\"default\"].createElement(\"path\", {\n\t fillRule: \"evenodd\",\n\t clipRule: \"evenodd\",\n\t d: \"M5.25 10.0546V8C5.25 4.27208 8.27208 1.25 12 1.25C15.7279 1.25 18.75 4.27208 18.75 8V10.0546C19.8648 10.1379 20.5907 10.348 21.1213 10.8787C22 11.7574 22 13.1716 22 16C22 18.8284 22 20.2426 21.1213 21.1213C20.2426 22 18.8284 22 16 22H8C5.17157 22 3.75736 22 2.87868 21.1213C2 20.2426 2 18.8284 2 16C2 13.1716 2 11.7574 2.87868 10.8787C3.40931 10.348 4.13525 10.1379 5.25 10.0546ZM6.75 8C6.75 5.10051 9.10051 2.75 12 2.75C14.8995 2.75 17.25 5.10051 17.25 8V10.0036C16.867 10 16.4515 10 16 10H8C7.54849 10 7.13301 10 6.75 10.0036V8Z\",\n\t fill: \"#000000\"\n\t })));\n\t};\n\tvar ListItem = function ListItem(_ref) {\n\t var duration = _ref.duration,\n\t id = _ref.id,\n\t isTitle = _ref.isTitle,\n\t isCanvas = _ref.isCanvas,\n\t isClickable = _ref.isClickable,\n\t isEmpty = _ref.isEmpty,\n\t label = _ref.label,\n\t summary = _ref.summary,\n\t homepage = _ref.homepage,\n\t items = _ref.items,\n\t itemIndex = _ref.itemIndex,\n\t rangeId = _ref.rangeId,\n\t canvasDuration = _ref.canvasDuration,\n\t sectionRef = _ref.sectionRef,\n\t structureContainerRef = _ref.structureContainerRef;\n\t var playerDispatch = usePlayerDispatch();\n\t var _useManifestState = useManifestState(),\n\t canvasIndex = _useManifestState.canvasIndex,\n\t currentNavItem = _useManifestState.currentNavItem,\n\t playlist = _useManifestState.playlist;\n\t var isPlaylist = playlist.isPlaylist;\n\t var itemIdRef = React__default[\"default\"].useRef();\n\t itemIdRef.current = id;\n\t var itemLabelRef = React__default[\"default\"].useRef();\n\t itemLabelRef.current = label;\n\t var itemSummaryRef = React__default[\"default\"].useRef();\n\t itemSummaryRef.current = summary;\n\t var subMenu = items && items.length > 0 ? /*#__PURE__*/React__default[\"default\"].createElement(List, {\n\t items: items,\n\t sectionRef: sectionRef,\n\t structureContainerRef: structureContainerRef\n\t }) : null;\n\t var liRef = React__default[\"default\"].useRef(null);\n\t var handleClick = React__default[\"default\"].useCallback(function (e) {\n\t e.preventDefault();\n\t e.stopPropagation();\n\t var _getMediaFragment = getMediaFragment(itemIdRef.current, canvasDuration),\n\t start = _getMediaFragment.start,\n\t end = _getMediaFragment.end;\n\t var inRange = checkSrcRange({\n\t start: start,\n\t end: end\n\t }, {\n\t end: canvasDuration\n\t });\n\t /* \n\t Only continue the click action if not both start and end times of \n\t the timespan are not outside Canvas' duration\n\t */\n\t if (inRange) {\n\t playerDispatch({\n\t clickedUrl: itemIdRef.current,\n\t type: 'navClick'\n\t });\n\t }\n\t });\n\t React__default[\"default\"].useEffect(function () {\n\t // Auto-scroll active structure item into view\n\t if (liRef.current && (currentNavItem === null || currentNavItem === void 0 ? void 0 : currentNavItem.id) == itemIdRef.current) {\n\t autoScroll(liRef.current, structureContainerRef);\n\t }\n\t }, [currentNavItem]);\n\t var renderListItem = function renderListItem() {\n\t return /*#__PURE__*/React__default[\"default\"].createElement(React__default[\"default\"].Fragment, {\n\t key: rangeId\n\t }, isCanvas && !isPlaylist ? /*#__PURE__*/React__default[\"default\"].createElement(React__default[\"default\"].Fragment, null, /*#__PURE__*/React__default[\"default\"].createElement(SectionHeading, {\n\t itemIndex: itemIndex,\n\t canvasIndex: canvasIndex,\n\t duration: duration,\n\t label: label,\n\t sectionRef: sectionRef,\n\t itemId: itemIdRef.current,\n\t handleClick: handleClick,\n\t structureContainerRef: structureContainerRef\n\t })) : /*#__PURE__*/React__default[\"default\"].createElement(React__default[\"default\"].Fragment, null, isTitle ? /*#__PURE__*/React__default[\"default\"].createElement(\"span\", {\n\t className: \"ramp--structured-nav__item-title\",\n\t role: \"listitem\",\n\t \"aria-label\": itemLabelRef.current\n\t }, itemLabelRef.current) : /*#__PURE__*/React__default[\"default\"].createElement(React__default[\"default\"].Fragment, {\n\t key: id\n\t }, /*#__PURE__*/React__default[\"default\"].createElement(\"div\", {\n\t className: \"tracker\"\n\t }), isClickable ? /*#__PURE__*/React__default[\"default\"].createElement(React__default[\"default\"].Fragment, null, isEmpty && /*#__PURE__*/React__default[\"default\"].createElement(LockedSVGIcon, null), /*#__PURE__*/React__default[\"default\"].createElement(\"a\", {\n\t role: \"listitem\",\n\t href: homepage && homepage != '' ? homepage : itemIdRef.current,\n\t onClick: handleClick\n\t }, \"\".concat(itemIndex, \". \"), itemLabelRef.current, \" \", duration.length > 0 ? \" (\".concat(duration, \")\") : '')) : /*#__PURE__*/React__default[\"default\"].createElement(\"span\", {\n\t role: \"listitem\",\n\t \"aria-label\": itemLabelRef.current\n\t }, itemLabelRef.current))));\n\t };\n\t if (label != '') {\n\t return /*#__PURE__*/React__default[\"default\"].createElement(\"li\", {\n\t \"data-testid\": \"list-item\",\n\t ref: liRef,\n\t className: 'ramp--structured-nav__list-item' + \"\".concat(itemIdRef.current != undefined && (currentNavItem === null || currentNavItem === void 0 ? void 0 : currentNavItem.id) === itemIdRef.current && (isPlaylist || !isCanvas) ? ' active' : ''),\n\t \"aria-label\": itemLabelRef.current,\n\t \"data-label\": itemLabelRef.current,\n\t \"data-summary\": itemSummaryRef.current\n\t }, renderListItem(), subMenu);\n\t } else {\n\t return null;\n\t }\n\t};\n\tListItem.propTypes = {\n\t duration: PropTypes.string.isRequired,\n\t id: PropTypes.string,\n\t isTitle: PropTypes.bool.isRequired,\n\t isCanvas: PropTypes.bool.isRequired,\n\t isClickable: PropTypes.bool.isRequired,\n\t isEmpty: PropTypes.bool.isRequired,\n\t label: PropTypes.string.isRequired,\n\t summary: PropTypes.string,\n\t homepage: PropTypes.string,\n\t items: PropTypes.array.isRequired,\n\t itemIndex: PropTypes.number,\n\t rangeId: PropTypes.string.isRequired,\n\t canvasDuration: PropTypes.number.isRequired,\n\t sectionRef: PropTypes.object.isRequired,\n\t structureContainerRef: PropTypes.object.isRequired\n\t};\n\n\tvar List = /*#__PURE__*/React__default[\"default\"].memo(function (_ref) {\n\t var items = _ref.items,\n\t sectionRef = _ref.sectionRef,\n\t structureContainerRef = _ref.structureContainerRef;\n\t var collapsibleContent = /*#__PURE__*/React__default[\"default\"].createElement(\"ul\", {\n\t \"data-testid\": \"list\",\n\t className: \"ramp--structured-nav__list\",\n\t role: \"presentation\"\n\t }, items.map(function (item, index) {\n\t if (item) {\n\t return /*#__PURE__*/React__default[\"default\"].createElement(ListItem, _extends({}, item, {\n\t sectionRef: sectionRef,\n\t key: index,\n\t structureContainerRef: structureContainerRef\n\t }));\n\t }\n\t }));\n\t return /*#__PURE__*/React__default[\"default\"].createElement(React__default[\"default\"].Fragment, null, collapsibleContent);\n\t});\n\tList.propTypes = {\n\t items: PropTypes.array.isRequired,\n\t sectionRef: PropTypes.object.isRequired,\n\t structureContainerRef: PropTypes.object.isRequired\n\t};\n\n\tfunction _createForOfIteratorHelper$1(o, allowArrayLike) { var it = typeof Symbol !== \"undefined\" && o[Symbol.iterator] || o[\"@@iterator\"]; if (!it) { if (Array.isArray(o) || (it = _unsupportedIterableToArray$1(o)) || allowArrayLike && o && typeof o.length === \"number\") { if (it) o = it; var i = 0; var F = function F() {}; return { s: F, n: function n() { if (i >= o.length) return { done: true }; return { done: false, value: o[i++] }; }, e: function e(_e) { throw _e; }, f: F }; } throw new TypeError(\"Invalid attempt to iterate non-iterable instance.\\nIn order to be iterable, non-array objects must have a [Symbol.iterator]() method.\"); } var normalCompletion = true, didErr = false, err; return { s: function s() { it = it.call(o); }, n: function n() { var step = it.next(); normalCompletion = step.done; return step; }, e: function e(_e2) { didErr = true; err = _e2; }, f: function f() { try { if (!normalCompletion && it[\"return\"] != null) it[\"return\"](); } finally { if (didErr) throw err; } } }; }\n\tfunction _unsupportedIterableToArray$1(o, minLen) { if (!o) return; if (typeof o === \"string\") return _arrayLikeToArray$1(o, minLen); var n = Object.prototype.toString.call(o).slice(8, -1); if (n === \"Object\" && o.constructor) n = o.constructor.name; if (n === \"Map\" || n === \"Set\") return Array.from(o); if (n === \"Arguments\" || /^(?:Ui|I)nt(?:8|16|32)(?:Clamped)?Array$/.test(n)) return _arrayLikeToArray$1(o, minLen); }\n\tfunction _arrayLikeToArray$1(arr, len) { if (len == null || len > arr.length) len = arr.length; for (var i = 0, arr2 = new Array(len); i < len; i++) arr2[i] = arr[i]; return arr2; }\n\tvar StructuredNavigation = function StructuredNavigation() {\n\t var _structureItemsRef$cu;\n\t var manifestDispatch = useManifestDispatch();\n\t var playerDispatch = usePlayerDispatch();\n\t var _usePlayerState = usePlayerState(),\n\t clickedUrl = _usePlayerState.clickedUrl,\n\t isClicked = _usePlayerState.isClicked,\n\t isPlaying = _usePlayerState.isPlaying,\n\t player = _usePlayerState.player;\n\t var _useManifestState = useManifestState(),\n\t canvasDuration = _useManifestState.canvasDuration,\n\t canvasIndex = _useManifestState.canvasIndex,\n\t hasMultiItems = _useManifestState.hasMultiItems,\n\t targets = _useManifestState.targets,\n\t manifest = _useManifestState.manifest,\n\t playlist = _useManifestState.playlist,\n\t canvasIsEmpty = _useManifestState.canvasIsEmpty,\n\t canvasSegments = _useManifestState.canvasSegments;\n\t var _useErrorBoundary = reactErrorBoundary.useErrorBoundary(),\n\t showBoundary = _useErrorBoundary.showBoundary;\n\t var structureItemsRef = React__default[\"default\"].useRef();\n\t var canvasIsEmptyRef = React__default[\"default\"].useRef(canvasIsEmpty);\n\t var structureContainerRef = React__default[\"default\"].useRef();\n\t var scrollableStructure = React__default[\"default\"].useRef();\n\t React__default[\"default\"].useEffect(function () {\n\t // Update currentTime and canvasIndex in state if a\n\t // custom start time and(or) canvas is given in manifest\n\t if (manifest) {\n\t try {\n\t var _getStructureRanges = getStructureRanges(manifest),\n\t structures = _getStructureRanges.structures,\n\t timespans = _getStructureRanges.timespans;\n\t structureItemsRef.current = structures;\n\t manifestDispatch({\n\t structures: structures,\n\t type: 'setStructures'\n\t });\n\t manifestDispatch({\n\t timespans: timespans,\n\t type: 'setCanvasSegments'\n\t });\n\t } catch (error) {\n\t showBoundary(error);\n\t }\n\t }\n\t }, [manifest]);\n\n\t // Set currentNavItem when current Canvas is an inaccessible/empty item\n\t React__default[\"default\"].useEffect(function () {\n\t if (canvasIsEmpty && playlist.isPlaylist) {\n\t manifestDispatch({\n\t item: canvasSegments[canvasIndex],\n\t type: 'switchItem'\n\t });\n\t }\n\t }, [canvasIsEmpty, canvasIndex]);\n\t React__default[\"default\"].useEffect(function () {\n\t if (isClicked) {\n\t var clickedItem = canvasSegments.filter(function (c) {\n\t return c.id === clickedUrl;\n\t });\n\t if ((clickedItem === null || clickedItem === void 0 ? void 0 : clickedItem.length) > 0) {\n\t // Only update the current nav item for timespans\n\t // Eliminate Canvas level items unless the structure is empty\n\t var _clickedItem$ = clickedItem[0],\n\t isCanvas = _clickedItem$.isCanvas,\n\t items = _clickedItem$.items;\n\t if (!isCanvas || items.length == 0 && isCanvas) {\n\t manifestDispatch({\n\t item: clickedItem[0],\n\t type: 'switchItem'\n\t });\n\t }\n\t }\n\t var currentCanvasIndex = getCanvasIndex(manifest, getCanvasId(clickedUrl));\n\t var timeFragment = getMediaFragment(clickedUrl, canvasDuration);\n\n\t // Invalid time fragment\n\t if (!timeFragment || timeFragment == undefined) {\n\t console.error('StructuredNavigation -> invalid media fragment in structure item -> ', timeFragment);\n\t return;\n\t }\n\t var timeFragmentStart = timeFragment.start;\n\t if (hasMultiItems) {\n\t var _getCanvasTarget = getCanvasTarget(targets, timeFragment, canvasDuration),\n\t srcIndex = _getCanvasTarget.srcIndex,\n\t fragmentStart = _getCanvasTarget.fragmentStart;\n\t timeFragmentStart = fragmentStart;\n\t manifestDispatch({\n\t srcIndex: srcIndex,\n\t type: 'setSrcIndex'\n\t });\n\t } else {\n\t // When clicked structure item is not in the current canvas\n\t if (canvasIndex != currentCanvasIndex && currentCanvasIndex > -1) {\n\t manifestDispatch({\n\t canvasIndex: currentCanvasIndex,\n\t type: 'switchCanvas'\n\t });\n\t canvasIsEmptyRef.current = structureItemsRef.current[currentCanvasIndex].isEmpty;\n\t }\n\t }\n\t if (player && !canvasIsEmptyRef.current) {\n\t player.currentTime(timeFragmentStart);\n\t playerDispatch({\n\t startTime: timeFragment.start,\n\t endTime: timeFragment.end,\n\t type: 'setTimeFragment'\n\t });\n\t playerDispatch({\n\t currentTime: timeFragmentStart,\n\t type: 'setCurrentTime'\n\t });\n\t // Setting userActive to true shows timerail breifly, helps\n\t // to visualize the structure in player while playing\n\t if (isPlaying) player.userActive(true);\n\t } else if (canvasIsEmptyRef.current) {\n\t // Reset isClicked in state for\n\t // inaccessible items (empty canvases)\n\t playerDispatch({\n\t type: 'resetClick'\n\t });\n\t }\n\t }\n\t }, [isClicked, player]);\n\n\t // Structured nav is populated by the time the player hook fires so we listen for\n\t // that to run the check on whether the structured nav is scrollable.\n\t React__default[\"default\"].useEffect(function () {\n\t if (structureContainerRef.current) {\n\t var elem = structureContainerRef.current;\n\t var structureBorder = structureContainerRef.current.parentElement;\n\t var structureEnd = Math.abs(elem.scrollHeight - (elem.scrollTop + elem.clientHeight)) <= 1;\n\t scrollableStructure.current = !structureEnd;\n\t if (structureBorder) {\n\t resizeObserver.observe(structureBorder);\n\t }\n\t }\n\t }, [player]);\n\n\t // Update scrolling indicators when end of scrolling has been reached\n\t var handleScrollable = function handleScrollable(e) {\n\t var elem = e.target;\n\t if (elem.classList.contains('ramp--structured-nav__border')) {\n\t elem = elem.firstChild;\n\t }\n\t var scrollMsg = elem.nextSibling;\n\t var structureEnd = Math.abs(elem.scrollHeight - (elem.scrollTop + elem.clientHeight)) <= 1;\n\t if (elem && structureEnd && elem.classList.contains('scrollable')) {\n\t elem.classList.remove('scrollable');\n\t } else if (elem && !structureEnd && !elem.classList.contains('scrollable')) {\n\t elem.classList.add('scrollable');\n\t }\n\t if (scrollMsg && structureEnd && scrollMsg.classList.contains('scrollable')) {\n\t scrollMsg.classList.remove('scrollable');\n\t } else if (scrollMsg && !structureEnd && !scrollMsg.classList.contains('scrollable')) {\n\t scrollMsg.classList.add('scrollable');\n\t }\n\t };\n\n\t // Update scrolling indicators when structured nav is resized\n\t var resizeObserver = new ResizeObserver(function (entries) {\n\t var _iterator = _createForOfIteratorHelper$1(entries),\n\t _step;\n\t try {\n\t for (_iterator.s(); !(_step = _iterator.n()).done;) {\n\t var entry = _step.value;\n\t handleScrollable(entry);\n\t }\n\t } catch (err) {\n\t _iterator.e(err);\n\t } finally {\n\t _iterator.f();\n\t }\n\t });\n\t if (!manifest) {\n\t return /*#__PURE__*/React__default[\"default\"].createElement(\"p\", null, \"No manifest - Please provide a valid manifest.\");\n\t }\n\n\t // Check for scrolling on initial render and build appropriate element class\n\t var divClass = '';\n\t var spanClass = '';\n\t if (scrollableStructure.current) {\n\t divClass = \"ramp--structured-nav scrollable\";\n\t spanClass = \"scrollable\";\n\t } else {\n\t divClass = \"ramp--structured-nav\";\n\t }\n\t if (playlist !== null && playlist !== void 0 && playlist.isPlaylist) {\n\t divClass += \" playlist-items\";\n\t }\n\t return /*#__PURE__*/React__default[\"default\"].createElement(\"div\", {\n\t className: \"ramp--structured-nav__border\"\n\t }, /*#__PURE__*/React__default[\"default\"].createElement(\"div\", {\n\t \"data-testid\": \"structured-nav\",\n\t className: divClass,\n\t key: Math.random(),\n\t ref: structureContainerRef,\n\t role: \"list\",\n\t \"aria-label\": \"Structural content\",\n\t onScroll: handleScrollable\n\t }, ((_structureItemsRef$cu = structureItemsRef.current) === null || _structureItemsRef$cu === void 0 ? void 0 : _structureItemsRef$cu.length) > 0 ? structureItemsRef.current.map(function (item, index) {\n\t return /*#__PURE__*/React__default[\"default\"].createElement(List, {\n\t items: [item],\n\t sectionRef: /*#__PURE__*/React__default[\"default\"].createRef(),\n\t key: index,\n\t structureContainerRef: structureContainerRef\n\t });\n\t }) : /*#__PURE__*/React__default[\"default\"].createElement(\"p\", {\n\t className: \"ramp--no-structure\"\n\t }, \"There are no structures in the manifest\")), /*#__PURE__*/React__default[\"default\"].createElement(\"span\", {\n\t className: spanClass\n\t }, \"Scroll to see more\"));\n\t};\n\tStructuredNavigation.propTypes = {};\n\n\tvar arrayWithoutHoles = createCommonjsModule(function (module) {\n\tfunction _arrayWithoutHoles(arr) {\n\t if (Array.isArray(arr)) return arrayLikeToArray(arr);\n\t}\n\tmodule.exports = _arrayWithoutHoles, module.exports.__esModule = true, module.exports[\"default\"] = module.exports;\n\t});\n\n\tvar iterableToArray = createCommonjsModule(function (module) {\n\tfunction _iterableToArray(iter) {\n\t if (typeof Symbol !== \"undefined\" && iter[Symbol.iterator] != null || iter[\"@@iterator\"] != null) return Array.from(iter);\n\t}\n\tmodule.exports = _iterableToArray, module.exports.__esModule = true, module.exports[\"default\"] = module.exports;\n\t});\n\n\tvar nonIterableSpread = createCommonjsModule(function (module) {\n\tfunction _nonIterableSpread() {\n\t throw new TypeError(\"Invalid attempt to spread non-iterable instance.\\nIn order to be iterable, non-array objects must have a [Symbol.iterator]() method.\");\n\t}\n\tmodule.exports = _nonIterableSpread, module.exports.__esModule = true, module.exports[\"default\"] = module.exports;\n\t});\n\n\tvar toConsumableArray = createCommonjsModule(function (module) {\n\tfunction _toConsumableArray(arr) {\n\t return arrayWithoutHoles(arr) || iterableToArray(arr) || unsupportedIterableToArray(arr) || nonIterableSpread();\n\t}\n\tmodule.exports = _toConsumableArray, module.exports.__esModule = true, module.exports[\"default\"] = module.exports;\n\t});\n\n\tvar _toConsumableArray = /*@__PURE__*/getDefaultExportFromCjs(toConsumableArray);\n\n\tcreateCommonjsModule(function (module, exports) {\n\t(function() {\n\n\t /** Used as a safe reference for `undefined` in pre-ES5 environments. */\n\t var undefined$1;\n\n\t /** Used as the semantic version number. */\n\t var VERSION = '4.17.21';\n\n\t /** Used as the size to enable large array optimizations. */\n\t var LARGE_ARRAY_SIZE = 200;\n\n\t /** Error message constants. */\n\t var CORE_ERROR_TEXT = 'Unsupported core-js use. Try https://npms.io/search?q=ponyfill.',\n\t FUNC_ERROR_TEXT = 'Expected a function',\n\t INVALID_TEMPL_VAR_ERROR_TEXT = 'Invalid `variable` option passed into `_.template`';\n\n\t /** Used to stand-in for `undefined` hash values. */\n\t var HASH_UNDEFINED = '__lodash_hash_undefined__';\n\n\t /** Used as the maximum memoize cache size. */\n\t var MAX_MEMOIZE_SIZE = 500;\n\n\t /** Used as the internal argument placeholder. */\n\t var PLACEHOLDER = '__lodash_placeholder__';\n\n\t /** Used to compose bitmasks for cloning. */\n\t var CLONE_DEEP_FLAG = 1,\n\t CLONE_FLAT_FLAG = 2,\n\t CLONE_SYMBOLS_FLAG = 4;\n\n\t /** Used to compose bitmasks for value comparisons. */\n\t var COMPARE_PARTIAL_FLAG = 1,\n\t COMPARE_UNORDERED_FLAG = 2;\n\n\t /** Used to compose bitmasks for function metadata. */\n\t var WRAP_BIND_FLAG = 1,\n\t WRAP_BIND_KEY_FLAG = 2,\n\t WRAP_CURRY_BOUND_FLAG = 4,\n\t WRAP_CURRY_FLAG = 8,\n\t WRAP_CURRY_RIGHT_FLAG = 16,\n\t WRAP_PARTIAL_FLAG = 32,\n\t WRAP_PARTIAL_RIGHT_FLAG = 64,\n\t WRAP_ARY_FLAG = 128,\n\t WRAP_REARG_FLAG = 256,\n\t WRAP_FLIP_FLAG = 512;\n\n\t /** Used as default options for `_.truncate`. */\n\t var DEFAULT_TRUNC_LENGTH = 30,\n\t DEFAULT_TRUNC_OMISSION = '...';\n\n\t /** Used to detect hot functions by number of calls within a span of milliseconds. */\n\t var HOT_COUNT = 800,\n\t HOT_SPAN = 16;\n\n\t /** Used to indicate the type of lazy iteratees. */\n\t var LAZY_FILTER_FLAG = 1,\n\t LAZY_MAP_FLAG = 2,\n\t LAZY_WHILE_FLAG = 3;\n\n\t /** Used as references for various `Number` constants. */\n\t var INFINITY = 1 / 0,\n\t MAX_SAFE_INTEGER = 9007199254740991,\n\t MAX_INTEGER = 1.7976931348623157e+308,\n\t NAN = 0 / 0;\n\n\t /** Used as references for the maximum length and index of an array. */\n\t var MAX_ARRAY_LENGTH = 4294967295,\n\t MAX_ARRAY_INDEX = MAX_ARRAY_LENGTH - 1,\n\t HALF_MAX_ARRAY_LENGTH = MAX_ARRAY_LENGTH >>> 1;\n\n\t /** Used to associate wrap methods with their bit flags. */\n\t var wrapFlags = [\n\t ['ary', WRAP_ARY_FLAG],\n\t ['bind', WRAP_BIND_FLAG],\n\t ['bindKey', WRAP_BIND_KEY_FLAG],\n\t ['curry', WRAP_CURRY_FLAG],\n\t ['curryRight', WRAP_CURRY_RIGHT_FLAG],\n\t ['flip', WRAP_FLIP_FLAG],\n\t ['partial', WRAP_PARTIAL_FLAG],\n\t ['partialRight', WRAP_PARTIAL_RIGHT_FLAG],\n\t ['rearg', WRAP_REARG_FLAG]\n\t ];\n\n\t /** `Object#toString` result references. */\n\t var argsTag = '[object Arguments]',\n\t arrayTag = '[object Array]',\n\t asyncTag = '[object AsyncFunction]',\n\t boolTag = '[object Boolean]',\n\t dateTag = '[object Date]',\n\t domExcTag = '[object DOMException]',\n\t errorTag = '[object Error]',\n\t funcTag = '[object Function]',\n\t genTag = '[object GeneratorFunction]',\n\t mapTag = '[object Map]',\n\t numberTag = '[object Number]',\n\t nullTag = '[object Null]',\n\t objectTag = '[object Object]',\n\t promiseTag = '[object Promise]',\n\t proxyTag = '[object Proxy]',\n\t regexpTag = '[object RegExp]',\n\t setTag = '[object Set]',\n\t stringTag = '[object String]',\n\t symbolTag = '[object Symbol]',\n\t undefinedTag = '[object Undefined]',\n\t weakMapTag = '[object WeakMap]',\n\t weakSetTag = '[object WeakSet]';\n\n\t var arrayBufferTag = '[object ArrayBuffer]',\n\t dataViewTag = '[object DataView]',\n\t float32Tag = '[object Float32Array]',\n\t float64Tag = '[object Float64Array]',\n\t int8Tag = '[object Int8Array]',\n\t int16Tag = '[object Int16Array]',\n\t int32Tag = '[object Int32Array]',\n\t uint8Tag = '[object Uint8Array]',\n\t uint8ClampedTag = '[object Uint8ClampedArray]',\n\t uint16Tag = '[object Uint16Array]',\n\t uint32Tag = '[object Uint32Array]';\n\n\t /** Used to match empty string literals in compiled template source. */\n\t var reEmptyStringLeading = /\\b__p \\+= '';/g,\n\t reEmptyStringMiddle = /\\b(__p \\+=) '' \\+/g,\n\t reEmptyStringTrailing = /(__e\\(.*?\\)|\\b__t\\)) \\+\\n'';/g;\n\n\t /** Used to match HTML entities and HTML characters. */\n\t var reEscapedHtml = /&(?:amp|lt|gt|quot|#39);/g,\n\t reUnescapedHtml = /[&<>\"']/g,\n\t reHasEscapedHtml = RegExp(reEscapedHtml.source),\n\t reHasUnescapedHtml = RegExp(reUnescapedHtml.source);\n\n\t /** Used to match template delimiters. */\n\t var reEscape = /<%-([\\s\\S]+?)%>/g,\n\t reEvaluate = /<%([\\s\\S]+?)%>/g,\n\t reInterpolate = /<%=([\\s\\S]+?)%>/g;\n\n\t /** Used to match property names within property paths. */\n\t var reIsDeepProp = /\\.|\\[(?:[^[\\]]*|([\"'])(?:(?!\\1)[^\\\\]|\\\\.)*?\\1)\\]/,\n\t reIsPlainProp = /^\\w*$/,\n\t rePropName = /[^.[\\]]+|\\[(?:(-?\\d+(?:\\.\\d+)?)|([\"'])((?:(?!\\2)[^\\\\]|\\\\.)*?)\\2)\\]|(?=(?:\\.|\\[\\])(?:\\.|\\[\\]|$))/g;\n\n\t /**\n\t * Used to match `RegExp`\n\t * [syntax characters](http://ecma-international.org/ecma-262/7.0/#sec-patterns).\n\t */\n\t var reRegExpChar = /[\\\\^$.*+?()[\\]{}|]/g,\n\t reHasRegExpChar = RegExp(reRegExpChar.source);\n\n\t /** Used to match leading whitespace. */\n\t var reTrimStart = /^\\s+/;\n\n\t /** Used to match a single whitespace character. */\n\t var reWhitespace = /\\s/;\n\n\t /** Used to match wrap detail comments. */\n\t var reWrapComment = /\\{(?:\\n\\/\\* \\[wrapped with .+\\] \\*\\/)?\\n?/,\n\t reWrapDetails = /\\{\\n\\/\\* \\[wrapped with (.+)\\] \\*/,\n\t reSplitDetails = /,? & /;\n\n\t /** Used to match words composed of alphanumeric characters. */\n\t var reAsciiWord = /[^\\x00-\\x2f\\x3a-\\x40\\x5b-\\x60\\x7b-\\x7f]+/g;\n\n\t /**\n\t * Used to validate the `validate` option in `_.template` variable.\n\t *\n\t * Forbids characters which could potentially change the meaning of the function argument definition:\n\t * - \"(),\" (modification of function parameters)\n\t * - \"=\" (default value)\n\t * - \"[]{}\" (destructuring of function parameters)\n\t * - \"/\" (beginning of a comment)\n\t * - whitespace\n\t */\n\t var reForbiddenIdentifierChars = /[()=,{}\\[\\]\\/\\s]/;\n\n\t /** Used to match backslashes in property paths. */\n\t var reEscapeChar = /\\\\(\\\\)?/g;\n\n\t /**\n\t * Used to match\n\t * [ES template delimiters](http://ecma-international.org/ecma-262/7.0/#sec-template-literal-lexical-components).\n\t */\n\t var reEsTemplate = /\\$\\{([^\\\\}]*(?:\\\\.[^\\\\}]*)*)\\}/g;\n\n\t /** Used to match `RegExp` flags from their coerced string values. */\n\t var reFlags = /\\w*$/;\n\n\t /** Used to detect bad signed hexadecimal string values. */\n\t var reIsBadHex = /^[-+]0x[0-9a-f]+$/i;\n\n\t /** Used to detect binary string values. */\n\t var reIsBinary = /^0b[01]+$/i;\n\n\t /** Used to detect host constructors (Safari). */\n\t var reIsHostCtor = /^\\[object .+?Constructor\\]$/;\n\n\t /** Used to detect octal string values. */\n\t var reIsOctal = /^0o[0-7]+$/i;\n\n\t /** Used to detect unsigned integer values. */\n\t var reIsUint = /^(?:0|[1-9]\\d*)$/;\n\n\t /** Used to match Latin Unicode letters (excluding mathematical operators). */\n\t var reLatin = /[\\xc0-\\xd6\\xd8-\\xf6\\xf8-\\xff\\u0100-\\u017f]/g;\n\n\t /** Used to ensure capturing order of template delimiters. */\n\t var reNoMatch = /($^)/;\n\n\t /** Used to match unescaped characters in compiled string literals. */\n\t var reUnescapedString = /['\\n\\r\\u2028\\u2029\\\\]/g;\n\n\t /** Used to compose unicode character classes. */\n\t var rsAstralRange = '\\\\ud800-\\\\udfff',\n\t rsComboMarksRange = '\\\\u0300-\\\\u036f',\n\t reComboHalfMarksRange = '\\\\ufe20-\\\\ufe2f',\n\t rsComboSymbolsRange = '\\\\u20d0-\\\\u20ff',\n\t rsComboRange = rsComboMarksRange + reComboHalfMarksRange + rsComboSymbolsRange,\n\t rsDingbatRange = '\\\\u2700-\\\\u27bf',\n\t rsLowerRange = 'a-z\\\\xdf-\\\\xf6\\\\xf8-\\\\xff',\n\t rsMathOpRange = '\\\\xac\\\\xb1\\\\xd7\\\\xf7',\n\t rsNonCharRange = '\\\\x00-\\\\x2f\\\\x3a-\\\\x40\\\\x5b-\\\\x60\\\\x7b-\\\\xbf',\n\t rsPunctuationRange = '\\\\u2000-\\\\u206f',\n\t rsSpaceRange = ' \\\\t\\\\x0b\\\\f\\\\xa0\\\\ufeff\\\\n\\\\r\\\\u2028\\\\u2029\\\\u1680\\\\u180e\\\\u2000\\\\u2001\\\\u2002\\\\u2003\\\\u2004\\\\u2005\\\\u2006\\\\u2007\\\\u2008\\\\u2009\\\\u200a\\\\u202f\\\\u205f\\\\u3000',\n\t rsUpperRange = 'A-Z\\\\xc0-\\\\xd6\\\\xd8-\\\\xde',\n\t rsVarRange = '\\\\ufe0e\\\\ufe0f',\n\t rsBreakRange = rsMathOpRange + rsNonCharRange + rsPunctuationRange + rsSpaceRange;\n\n\t /** Used to compose unicode capture groups. */\n\t var rsApos = \"['\\u2019]\",\n\t rsAstral = '[' + rsAstralRange + ']',\n\t rsBreak = '[' + rsBreakRange + ']',\n\t rsCombo = '[' + rsComboRange + ']',\n\t rsDigits = '\\\\d+',\n\t rsDingbat = '[' + rsDingbatRange + ']',\n\t rsLower = '[' + rsLowerRange + ']',\n\t rsMisc = '[^' + rsAstralRange + rsBreakRange + rsDigits + rsDingbatRange + rsLowerRange + rsUpperRange + ']',\n\t rsFitz = '\\\\ud83c[\\\\udffb-\\\\udfff]',\n\t rsModifier = '(?:' + rsCombo + '|' + rsFitz + ')',\n\t rsNonAstral = '[^' + rsAstralRange + ']',\n\t rsRegional = '(?:\\\\ud83c[\\\\udde6-\\\\uddff]){2}',\n\t rsSurrPair = '[\\\\ud800-\\\\udbff][\\\\udc00-\\\\udfff]',\n\t rsUpper = '[' + rsUpperRange + ']',\n\t rsZWJ = '\\\\u200d';\n\n\t /** Used to compose unicode regexes. */\n\t var rsMiscLower = '(?:' + rsLower + '|' + rsMisc + ')',\n\t rsMiscUpper = '(?:' + rsUpper + '|' + rsMisc + ')',\n\t rsOptContrLower = '(?:' + rsApos + '(?:d|ll|m|re|s|t|ve))?',\n\t rsOptContrUpper = '(?:' + rsApos + '(?:D|LL|M|RE|S|T|VE))?',\n\t reOptMod = rsModifier + '?',\n\t rsOptVar = '[' + rsVarRange + ']?',\n\t rsOptJoin = '(?:' + rsZWJ + '(?:' + [rsNonAstral, rsRegional, rsSurrPair].join('|') + ')' + rsOptVar + reOptMod + ')*',\n\t rsOrdLower = '\\\\d*(?:1st|2nd|3rd|(?![123])\\\\dth)(?=\\\\b|[A-Z_])',\n\t rsOrdUpper = '\\\\d*(?:1ST|2ND|3RD|(?![123])\\\\dTH)(?=\\\\b|[a-z_])',\n\t rsSeq = rsOptVar + reOptMod + rsOptJoin,\n\t rsEmoji = '(?:' + [rsDingbat, rsRegional, rsSurrPair].join('|') + ')' + rsSeq,\n\t rsSymbol = '(?:' + [rsNonAstral + rsCombo + '?', rsCombo, rsRegional, rsSurrPair, rsAstral].join('|') + ')';\n\n\t /** Used to match apostrophes. */\n\t var reApos = RegExp(rsApos, 'g');\n\n\t /**\n\t * Used to match [combining diacritical marks](https://en.wikipedia.org/wiki/Combining_Diacritical_Marks) and\n\t * [combining diacritical marks for symbols](https://en.wikipedia.org/wiki/Combining_Diacritical_Marks_for_Symbols).\n\t */\n\t var reComboMark = RegExp(rsCombo, 'g');\n\n\t /** Used to match [string symbols](https://mathiasbynens.be/notes/javascript-unicode). */\n\t var reUnicode = RegExp(rsFitz + '(?=' + rsFitz + ')|' + rsSymbol + rsSeq, 'g');\n\n\t /** Used to match complex or compound words. */\n\t var reUnicodeWord = RegExp([\n\t rsUpper + '?' + rsLower + '+' + rsOptContrLower + '(?=' + [rsBreak, rsUpper, '$'].join('|') + ')',\n\t rsMiscUpper + '+' + rsOptContrUpper + '(?=' + [rsBreak, rsUpper + rsMiscLower, '$'].join('|') + ')',\n\t rsUpper + '?' + rsMiscLower + '+' + rsOptContrLower,\n\t rsUpper + '+' + rsOptContrUpper,\n\t rsOrdUpper,\n\t rsOrdLower,\n\t rsDigits,\n\t rsEmoji\n\t ].join('|'), 'g');\n\n\t /** Used to detect strings with [zero-width joiners or code points from the astral planes](http://eev.ee/blog/2015/09/12/dark-corners-of-unicode/). */\n\t var reHasUnicode = RegExp('[' + rsZWJ + rsAstralRange + rsComboRange + rsVarRange + ']');\n\n\t /** Used to detect strings that need a more robust regexp to match words. */\n\t var reHasUnicodeWord = /[a-z][A-Z]|[A-Z]{2}[a-z]|[0-9][a-zA-Z]|[a-zA-Z][0-9]|[^a-zA-Z0-9 ]/;\n\n\t /** Used to assign default `context` object properties. */\n\t var contextProps = [\n\t 'Array', 'Buffer', 'DataView', 'Date', 'Error', 'Float32Array', 'Float64Array',\n\t 'Function', 'Int8Array', 'Int16Array', 'Int32Array', 'Map', 'Math', 'Object',\n\t 'Promise', 'RegExp', 'Set', 'String', 'Symbol', 'TypeError', 'Uint8Array',\n\t 'Uint8ClampedArray', 'Uint16Array', 'Uint32Array', 'WeakMap',\n\t '_', 'clearTimeout', 'isFinite', 'parseInt', 'setTimeout'\n\t ];\n\n\t /** Used to make template sourceURLs easier to identify. */\n\t var templateCounter = -1;\n\n\t /** Used to identify `toStringTag` values of typed arrays. */\n\t var typedArrayTags = {};\n\t typedArrayTags[float32Tag] = typedArrayTags[float64Tag] =\n\t typedArrayTags[int8Tag] = typedArrayTags[int16Tag] =\n\t typedArrayTags[int32Tag] = typedArrayTags[uint8Tag] =\n\t typedArrayTags[uint8ClampedTag] = typedArrayTags[uint16Tag] =\n\t typedArrayTags[uint32Tag] = true;\n\t typedArrayTags[argsTag] = typedArrayTags[arrayTag] =\n\t typedArrayTags[arrayBufferTag] = typedArrayTags[boolTag] =\n\t typedArrayTags[dataViewTag] = typedArrayTags[dateTag] =\n\t typedArrayTags[errorTag] = typedArrayTags[funcTag] =\n\t typedArrayTags[mapTag] = typedArrayTags[numberTag] =\n\t typedArrayTags[objectTag] = typedArrayTags[regexpTag] =\n\t typedArrayTags[setTag] = typedArrayTags[stringTag] =\n\t typedArrayTags[weakMapTag] = false;\n\n\t /** Used to identify `toStringTag` values supported by `_.clone`. */\n\t var cloneableTags = {};\n\t cloneableTags[argsTag] = cloneableTags[arrayTag] =\n\t cloneableTags[arrayBufferTag] = cloneableTags[dataViewTag] =\n\t cloneableTags[boolTag] = cloneableTags[dateTag] =\n\t cloneableTags[float32Tag] = cloneableTags[float64Tag] =\n\t cloneableTags[int8Tag] = cloneableTags[int16Tag] =\n\t cloneableTags[int32Tag] = cloneableTags[mapTag] =\n\t cloneableTags[numberTag] = cloneableTags[objectTag] =\n\t cloneableTags[regexpTag] = cloneableTags[setTag] =\n\t cloneableTags[stringTag] = cloneableTags[symbolTag] =\n\t cloneableTags[uint8Tag] = cloneableTags[uint8ClampedTag] =\n\t cloneableTags[uint16Tag] = cloneableTags[uint32Tag] = true;\n\t cloneableTags[errorTag] = cloneableTags[funcTag] =\n\t cloneableTags[weakMapTag] = false;\n\n\t /** Used to map Latin Unicode letters to basic Latin letters. */\n\t var deburredLetters = {\n\t // Latin-1 Supplement block.\n\t '\\xc0': 'A', '\\xc1': 'A', '\\xc2': 'A', '\\xc3': 'A', '\\xc4': 'A', '\\xc5': 'A',\n\t '\\xe0': 'a', '\\xe1': 'a', '\\xe2': 'a', '\\xe3': 'a', '\\xe4': 'a', '\\xe5': 'a',\n\t '\\xc7': 'C', '\\xe7': 'c',\n\t '\\xd0': 'D', '\\xf0': 'd',\n\t '\\xc8': 'E', '\\xc9': 'E', '\\xca': 'E', '\\xcb': 'E',\n\t '\\xe8': 'e', '\\xe9': 'e', '\\xea': 'e', '\\xeb': 'e',\n\t '\\xcc': 'I', '\\xcd': 'I', '\\xce': 'I', '\\xcf': 'I',\n\t '\\xec': 'i', '\\xed': 'i', '\\xee': 'i', '\\xef': 'i',\n\t '\\xd1': 'N', '\\xf1': 'n',\n\t '\\xd2': 'O', '\\xd3': 'O', '\\xd4': 'O', '\\xd5': 'O', '\\xd6': 'O', '\\xd8': 'O',\n\t '\\xf2': 'o', '\\xf3': 'o', '\\xf4': 'o', '\\xf5': 'o', '\\xf6': 'o', '\\xf8': 'o',\n\t '\\xd9': 'U', '\\xda': 'U', '\\xdb': 'U', '\\xdc': 'U',\n\t '\\xf9': 'u', '\\xfa': 'u', '\\xfb': 'u', '\\xfc': 'u',\n\t '\\xdd': 'Y', '\\xfd': 'y', '\\xff': 'y',\n\t '\\xc6': 'Ae', '\\xe6': 'ae',\n\t '\\xde': 'Th', '\\xfe': 'th',\n\t '\\xdf': 'ss',\n\t // Latin Extended-A block.\n\t '\\u0100': 'A', '\\u0102': 'A', '\\u0104': 'A',\n\t '\\u0101': 'a', '\\u0103': 'a', '\\u0105': 'a',\n\t '\\u0106': 'C', '\\u0108': 'C', '\\u010a': 'C', '\\u010c': 'C',\n\t '\\u0107': 'c', '\\u0109': 'c', '\\u010b': 'c', '\\u010d': 'c',\n\t '\\u010e': 'D', '\\u0110': 'D', '\\u010f': 'd', '\\u0111': 'd',\n\t '\\u0112': 'E', '\\u0114': 'E', '\\u0116': 'E', '\\u0118': 'E', '\\u011a': 'E',\n\t '\\u0113': 'e', '\\u0115': 'e', '\\u0117': 'e', '\\u0119': 'e', '\\u011b': 'e',\n\t '\\u011c': 'G', '\\u011e': 'G', '\\u0120': 'G', '\\u0122': 'G',\n\t '\\u011d': 'g', '\\u011f': 'g', '\\u0121': 'g', '\\u0123': 'g',\n\t '\\u0124': 'H', '\\u0126': 'H', '\\u0125': 'h', '\\u0127': 'h',\n\t '\\u0128': 'I', '\\u012a': 'I', '\\u012c': 'I', '\\u012e': 'I', '\\u0130': 'I',\n\t '\\u0129': 'i', '\\u012b': 'i', '\\u012d': 'i', '\\u012f': 'i', '\\u0131': 'i',\n\t '\\u0134': 'J', '\\u0135': 'j',\n\t '\\u0136': 'K', '\\u0137': 'k', '\\u0138': 'k',\n\t '\\u0139': 'L', '\\u013b': 'L', '\\u013d': 'L', '\\u013f': 'L', '\\u0141': 'L',\n\t '\\u013a': 'l', '\\u013c': 'l', '\\u013e': 'l', '\\u0140': 'l', '\\u0142': 'l',\n\t '\\u0143': 'N', '\\u0145': 'N', '\\u0147': 'N', '\\u014a': 'N',\n\t '\\u0144': 'n', '\\u0146': 'n', '\\u0148': 'n', '\\u014b': 'n',\n\t '\\u014c': 'O', '\\u014e': 'O', '\\u0150': 'O',\n\t '\\u014d': 'o', '\\u014f': 'o', '\\u0151': 'o',\n\t '\\u0154': 'R', '\\u0156': 'R', '\\u0158': 'R',\n\t '\\u0155': 'r', '\\u0157': 'r', '\\u0159': 'r',\n\t '\\u015a': 'S', '\\u015c': 'S', '\\u015e': 'S', '\\u0160': 'S',\n\t '\\u015b': 's', '\\u015d': 's', '\\u015f': 's', '\\u0161': 's',\n\t '\\u0162': 'T', '\\u0164': 'T', '\\u0166': 'T',\n\t '\\u0163': 't', '\\u0165': 't', '\\u0167': 't',\n\t '\\u0168': 'U', '\\u016a': 'U', '\\u016c': 'U', '\\u016e': 'U', '\\u0170': 'U', '\\u0172': 'U',\n\t '\\u0169': 'u', '\\u016b': 'u', '\\u016d': 'u', '\\u016f': 'u', '\\u0171': 'u', '\\u0173': 'u',\n\t '\\u0174': 'W', '\\u0175': 'w',\n\t '\\u0176': 'Y', '\\u0177': 'y', '\\u0178': 'Y',\n\t '\\u0179': 'Z', '\\u017b': 'Z', '\\u017d': 'Z',\n\t '\\u017a': 'z', '\\u017c': 'z', '\\u017e': 'z',\n\t '\\u0132': 'IJ', '\\u0133': 'ij',\n\t '\\u0152': 'Oe', '\\u0153': 'oe',\n\t '\\u0149': \"'n\", '\\u017f': 's'\n\t };\n\n\t /** Used to map characters to HTML entities. */\n\t var htmlEscapes = {\n\t '&': '&',\n\t '<': '<',\n\t '>': '>',\n\t '\"': '"',\n\t \"'\": '''\n\t };\n\n\t /** Used to map HTML entities to characters. */\n\t var htmlUnescapes = {\n\t '&': '&',\n\t '<': '<',\n\t '>': '>',\n\t '"': '\"',\n\t ''': \"'\"\n\t };\n\n\t /** Used to escape characters for inclusion in compiled string literals. */\n\t var stringEscapes = {\n\t '\\\\': '\\\\',\n\t \"'\": \"'\",\n\t '\\n': 'n',\n\t '\\r': 'r',\n\t '\\u2028': 'u2028',\n\t '\\u2029': 'u2029'\n\t };\n\n\t /** Built-in method references without a dependency on `root`. */\n\t var freeParseFloat = parseFloat,\n\t freeParseInt = parseInt;\n\n\t /** Detect free variable `global` from Node.js. */\n\t var freeGlobal = typeof commonjsGlobal == 'object' && commonjsGlobal && commonjsGlobal.Object === Object && commonjsGlobal;\n\n\t /** Detect free variable `self`. */\n\t var freeSelf = typeof self == 'object' && self && self.Object === Object && self;\n\n\t /** Used as a reference to the global object. */\n\t var root = freeGlobal || freeSelf || Function('return this')();\n\n\t /** Detect free variable `exports`. */\n\t var freeExports = exports && !exports.nodeType && exports;\n\n\t /** Detect free variable `module`. */\n\t var freeModule = freeExports && 'object' == 'object' && module && !module.nodeType && module;\n\n\t /** Detect the popular CommonJS extension `module.exports`. */\n\t var moduleExports = freeModule && freeModule.exports === freeExports;\n\n\t /** Detect free variable `process` from Node.js. */\n\t var freeProcess = moduleExports && freeGlobal.process;\n\n\t /** Used to access faster Node.js helpers. */\n\t var nodeUtil = (function() {\n\t try {\n\t // Use `util.types` for Node.js 10+.\n\t var types = freeModule && freeModule.require && freeModule.require('util').types;\n\n\t if (types) {\n\t return types;\n\t }\n\n\t // Legacy `process.binding('util')` for Node.js < 10.\n\t return freeProcess && freeProcess.binding && freeProcess.binding('util');\n\t } catch (e) {}\n\t }());\n\n\t /* Node.js helper references. */\n\t var nodeIsArrayBuffer = nodeUtil && nodeUtil.isArrayBuffer,\n\t nodeIsDate = nodeUtil && nodeUtil.isDate,\n\t nodeIsMap = nodeUtil && nodeUtil.isMap,\n\t nodeIsRegExp = nodeUtil && nodeUtil.isRegExp,\n\t nodeIsSet = nodeUtil && nodeUtil.isSet,\n\t nodeIsTypedArray = nodeUtil && nodeUtil.isTypedArray;\n\n\t /*--------------------------------------------------------------------------*/\n\n\t /**\n\t * A faster alternative to `Function#apply`, this function invokes `func`\n\t * with the `this` binding of `thisArg` and the arguments of `args`.\n\t *\n\t * @private\n\t * @param {Function} func The function to invoke.\n\t * @param {*} thisArg The `this` binding of `func`.\n\t * @param {Array} args The arguments to invoke `func` with.\n\t * @returns {*} Returns the result of `func`.\n\t */\n\t function apply(func, thisArg, args) {\n\t switch (args.length) {\n\t case 0: return func.call(thisArg);\n\t case 1: return func.call(thisArg, args[0]);\n\t case 2: return func.call(thisArg, args[0], args[1]);\n\t case 3: return func.call(thisArg, args[0], args[1], args[2]);\n\t }\n\t return func.apply(thisArg, args);\n\t }\n\n\t /**\n\t * A specialized version of `baseAggregator` for arrays.\n\t *\n\t * @private\n\t * @param {Array} [array] The array to iterate over.\n\t * @param {Function} setter The function to set `accumulator` values.\n\t * @param {Function} iteratee The iteratee to transform keys.\n\t * @param {Object} accumulator The initial aggregated object.\n\t * @returns {Function} Returns `accumulator`.\n\t */\n\t function arrayAggregator(array, setter, iteratee, accumulator) {\n\t var index = -1,\n\t length = array == null ? 0 : array.length;\n\n\t while (++index < length) {\n\t var value = array[index];\n\t setter(accumulator, value, iteratee(value), array);\n\t }\n\t return accumulator;\n\t }\n\n\t /**\n\t * A specialized version of `_.forEach` for arrays without support for\n\t * iteratee shorthands.\n\t *\n\t * @private\n\t * @param {Array} [array] The array to iterate over.\n\t * @param {Function} iteratee The function invoked per iteration.\n\t * @returns {Array} Returns `array`.\n\t */\n\t function arrayEach(array, iteratee) {\n\t var index = -1,\n\t length = array == null ? 0 : array.length;\n\n\t while (++index < length) {\n\t if (iteratee(array[index], index, array) === false) {\n\t break;\n\t }\n\t }\n\t return array;\n\t }\n\n\t /**\n\t * A specialized version of `_.forEachRight` for arrays without support for\n\t * iteratee shorthands.\n\t *\n\t * @private\n\t * @param {Array} [array] The array to iterate over.\n\t * @param {Function} iteratee The function invoked per iteration.\n\t * @returns {Array} Returns `array`.\n\t */\n\t function arrayEachRight(array, iteratee) {\n\t var length = array == null ? 0 : array.length;\n\n\t while (length--) {\n\t if (iteratee(array[length], length, array) === false) {\n\t break;\n\t }\n\t }\n\t return array;\n\t }\n\n\t /**\n\t * A specialized version of `_.every` for arrays without support for\n\t * iteratee shorthands.\n\t *\n\t * @private\n\t * @param {Array} [array] The array to iterate over.\n\t * @param {Function} predicate The function invoked per iteration.\n\t * @returns {boolean} Returns `true` if all elements pass the predicate check,\n\t * else `false`.\n\t */\n\t function arrayEvery(array, predicate) {\n\t var index = -1,\n\t length = array == null ? 0 : array.length;\n\n\t while (++index < length) {\n\t if (!predicate(array[index], index, array)) {\n\t return false;\n\t }\n\t }\n\t return true;\n\t }\n\n\t /**\n\t * A specialized version of `_.filter` for arrays without support for\n\t * iteratee shorthands.\n\t *\n\t * @private\n\t * @param {Array} [array] The array to iterate over.\n\t * @param {Function} predicate The function invoked per iteration.\n\t * @returns {Array} Returns the new filtered array.\n\t */\n\t function arrayFilter(array, predicate) {\n\t var index = -1,\n\t length = array == null ? 0 : array.length,\n\t resIndex = 0,\n\t result = [];\n\n\t while (++index < length) {\n\t var value = array[index];\n\t if (predicate(value, index, array)) {\n\t result[resIndex++] = value;\n\t }\n\t }\n\t return result;\n\t }\n\n\t /**\n\t * A specialized version of `_.includes` for arrays without support for\n\t * specifying an index to search from.\n\t *\n\t * @private\n\t * @param {Array} [array] The array to inspect.\n\t * @param {*} target The value to search for.\n\t * @returns {boolean} Returns `true` if `target` is found, else `false`.\n\t */\n\t function arrayIncludes(array, value) {\n\t var length = array == null ? 0 : array.length;\n\t return !!length && baseIndexOf(array, value, 0) > -1;\n\t }\n\n\t /**\n\t * This function is like `arrayIncludes` except that it accepts a comparator.\n\t *\n\t * @private\n\t * @param {Array} [array] The array to inspect.\n\t * @param {*} target The value to search for.\n\t * @param {Function} comparator The comparator invoked per element.\n\t * @returns {boolean} Returns `true` if `target` is found, else `false`.\n\t */\n\t function arrayIncludesWith(array, value, comparator) {\n\t var index = -1,\n\t length = array == null ? 0 : array.length;\n\n\t while (++index < length) {\n\t if (comparator(value, array[index])) {\n\t return true;\n\t }\n\t }\n\t return false;\n\t }\n\n\t /**\n\t * A specialized version of `_.map` for arrays without support for iteratee\n\t * shorthands.\n\t *\n\t * @private\n\t * @param {Array} [array] The array to iterate over.\n\t * @param {Function} iteratee The function invoked per iteration.\n\t * @returns {Array} Returns the new mapped array.\n\t */\n\t function arrayMap(array, iteratee) {\n\t var index = -1,\n\t length = array == null ? 0 : array.length,\n\t result = Array(length);\n\n\t while (++index < length) {\n\t result[index] = iteratee(array[index], index, array);\n\t }\n\t return result;\n\t }\n\n\t /**\n\t * Appends the elements of `values` to `array`.\n\t *\n\t * @private\n\t * @param {Array} array The array to modify.\n\t * @param {Array} values The values to append.\n\t * @returns {Array} Returns `array`.\n\t */\n\t function arrayPush(array, values) {\n\t var index = -1,\n\t length = values.length,\n\t offset = array.length;\n\n\t while (++index < length) {\n\t array[offset + index] = values[index];\n\t }\n\t return array;\n\t }\n\n\t /**\n\t * A specialized version of `_.reduce` for arrays without support for\n\t * iteratee shorthands.\n\t *\n\t * @private\n\t * @param {Array} [array] The array to iterate over.\n\t * @param {Function} iteratee The function invoked per iteration.\n\t * @param {*} [accumulator] The initial value.\n\t * @param {boolean} [initAccum] Specify using the first element of `array` as\n\t * the initial value.\n\t * @returns {*} Returns the accumulated value.\n\t */\n\t function arrayReduce(array, iteratee, accumulator, initAccum) {\n\t var index = -1,\n\t length = array == null ? 0 : array.length;\n\n\t if (initAccum && length) {\n\t accumulator = array[++index];\n\t }\n\t while (++index < length) {\n\t accumulator = iteratee(accumulator, array[index], index, array);\n\t }\n\t return accumulator;\n\t }\n\n\t /**\n\t * A specialized version of `_.reduceRight` for arrays without support for\n\t * iteratee shorthands.\n\t *\n\t * @private\n\t * @param {Array} [array] The array to iterate over.\n\t * @param {Function} iteratee The function invoked per iteration.\n\t * @param {*} [accumulator] The initial value.\n\t * @param {boolean} [initAccum] Specify using the last element of `array` as\n\t * the initial value.\n\t * @returns {*} Returns the accumulated value.\n\t */\n\t function arrayReduceRight(array, iteratee, accumulator, initAccum) {\n\t var length = array == null ? 0 : array.length;\n\t if (initAccum && length) {\n\t accumulator = array[--length];\n\t }\n\t while (length--) {\n\t accumulator = iteratee(accumulator, array[length], length, array);\n\t }\n\t return accumulator;\n\t }\n\n\t /**\n\t * A specialized version of `_.some` for arrays without support for iteratee\n\t * shorthands.\n\t *\n\t * @private\n\t * @param {Array} [array] The array to iterate over.\n\t * @param {Function} predicate The function invoked per iteration.\n\t * @returns {boolean} Returns `true` if any element passes the predicate check,\n\t * else `false`.\n\t */\n\t function arraySome(array, predicate) {\n\t var index = -1,\n\t length = array == null ? 0 : array.length;\n\n\t while (++index < length) {\n\t if (predicate(array[index], index, array)) {\n\t return true;\n\t }\n\t }\n\t return false;\n\t }\n\n\t /**\n\t * Gets the size of an ASCII `string`.\n\t *\n\t * @private\n\t * @param {string} string The string inspect.\n\t * @returns {number} Returns the string size.\n\t */\n\t var asciiSize = baseProperty('length');\n\n\t /**\n\t * Converts an ASCII `string` to an array.\n\t *\n\t * @private\n\t * @param {string} string The string to convert.\n\t * @returns {Array} Returns the converted array.\n\t */\n\t function asciiToArray(string) {\n\t return string.split('');\n\t }\n\n\t /**\n\t * Splits an ASCII `string` into an array of its words.\n\t *\n\t * @private\n\t * @param {string} The string to inspect.\n\t * @returns {Array} Returns the words of `string`.\n\t */\n\t function asciiWords(string) {\n\t return string.match(reAsciiWord) || [];\n\t }\n\n\t /**\n\t * The base implementation of methods like `_.findKey` and `_.findLastKey`,\n\t * without support for iteratee shorthands, which iterates over `collection`\n\t * using `eachFunc`.\n\t *\n\t * @private\n\t * @param {Array|Object} collection The collection to inspect.\n\t * @param {Function} predicate The function invoked per iteration.\n\t * @param {Function} eachFunc The function to iterate over `collection`.\n\t * @returns {*} Returns the found element or its key, else `undefined`.\n\t */\n\t function baseFindKey(collection, predicate, eachFunc) {\n\t var result;\n\t eachFunc(collection, function(value, key, collection) {\n\t if (predicate(value, key, collection)) {\n\t result = key;\n\t return false;\n\t }\n\t });\n\t return result;\n\t }\n\n\t /**\n\t * The base implementation of `_.findIndex` and `_.findLastIndex` without\n\t * support for iteratee shorthands.\n\t *\n\t * @private\n\t * @param {Array} array The array to inspect.\n\t * @param {Function} predicate The function invoked per iteration.\n\t * @param {number} fromIndex The index to search from.\n\t * @param {boolean} [fromRight] Specify iterating from right to left.\n\t * @returns {number} Returns the index of the matched value, else `-1`.\n\t */\n\t function baseFindIndex(array, predicate, fromIndex, fromRight) {\n\t var length = array.length,\n\t index = fromIndex + (fromRight ? 1 : -1);\n\n\t while ((fromRight ? index-- : ++index < length)) {\n\t if (predicate(array[index], index, array)) {\n\t return index;\n\t }\n\t }\n\t return -1;\n\t }\n\n\t /**\n\t * The base implementation of `_.indexOf` without `fromIndex` bounds checks.\n\t *\n\t * @private\n\t * @param {Array} array The array to inspect.\n\t * @param {*} value The value to search for.\n\t * @param {number} fromIndex The index to search from.\n\t * @returns {number} Returns the index of the matched value, else `-1`.\n\t */\n\t function baseIndexOf(array, value, fromIndex) {\n\t return value === value\n\t ? strictIndexOf(array, value, fromIndex)\n\t : baseFindIndex(array, baseIsNaN, fromIndex);\n\t }\n\n\t /**\n\t * This function is like `baseIndexOf` except that it accepts a comparator.\n\t *\n\t * @private\n\t * @param {Array} array The array to inspect.\n\t * @param {*} value The value to search for.\n\t * @param {number} fromIndex The index to search from.\n\t * @param {Function} comparator The comparator invoked per element.\n\t * @returns {number} Returns the index of the matched value, else `-1`.\n\t */\n\t function baseIndexOfWith(array, value, fromIndex, comparator) {\n\t var index = fromIndex - 1,\n\t length = array.length;\n\n\t while (++index < length) {\n\t if (comparator(array[index], value)) {\n\t return index;\n\t }\n\t }\n\t return -1;\n\t }\n\n\t /**\n\t * The base implementation of `_.isNaN` without support for number objects.\n\t *\n\t * @private\n\t * @param {*} value The value to check.\n\t * @returns {boolean} Returns `true` if `value` is `NaN`, else `false`.\n\t */\n\t function baseIsNaN(value) {\n\t return value !== value;\n\t }\n\n\t /**\n\t * The base implementation of `_.mean` and `_.meanBy` without support for\n\t * iteratee shorthands.\n\t *\n\t * @private\n\t * @param {Array} array The array to iterate over.\n\t * @param {Function} iteratee The function invoked per iteration.\n\t * @returns {number} Returns the mean.\n\t */\n\t function baseMean(array, iteratee) {\n\t var length = array == null ? 0 : array.length;\n\t return length ? (baseSum(array, iteratee) / length) : NAN;\n\t }\n\n\t /**\n\t * The base implementation of `_.property` without support for deep paths.\n\t *\n\t * @private\n\t * @param {string} key The key of the property to get.\n\t * @returns {Function} Returns the new accessor function.\n\t */\n\t function baseProperty(key) {\n\t return function(object) {\n\t return object == null ? undefined$1 : object[key];\n\t };\n\t }\n\n\t /**\n\t * The base implementation of `_.propertyOf` without support for deep paths.\n\t *\n\t * @private\n\t * @param {Object} object The object to query.\n\t * @returns {Function} Returns the new accessor function.\n\t */\n\t function basePropertyOf(object) {\n\t return function(key) {\n\t return object == null ? undefined$1 : object[key];\n\t };\n\t }\n\n\t /**\n\t * The base implementation of `_.reduce` and `_.reduceRight`, without support\n\t * for iteratee shorthands, which iterates over `collection` using `eachFunc`.\n\t *\n\t * @private\n\t * @param {Array|Object} collection The collection to iterate over.\n\t * @param {Function} iteratee The function invoked per iteration.\n\t * @param {*} accumulator The initial value.\n\t * @param {boolean} initAccum Specify using the first or last element of\n\t * `collection` as the initial value.\n\t * @param {Function} eachFunc The function to iterate over `collection`.\n\t * @returns {*} Returns the accumulated value.\n\t */\n\t function baseReduce(collection, iteratee, accumulator, initAccum, eachFunc) {\n\t eachFunc(collection, function(value, index, collection) {\n\t accumulator = initAccum\n\t ? (initAccum = false, value)\n\t : iteratee(accumulator, value, index, collection);\n\t });\n\t return accumulator;\n\t }\n\n\t /**\n\t * The base implementation of `_.sortBy` which uses `comparer` to define the\n\t * sort order of `array` and replaces criteria objects with their corresponding\n\t * values.\n\t *\n\t * @private\n\t * @param {Array} array The array to sort.\n\t * @param {Function} comparer The function to define sort order.\n\t * @returns {Array} Returns `array`.\n\t */\n\t function baseSortBy(array, comparer) {\n\t var length = array.length;\n\n\t array.sort(comparer);\n\t while (length--) {\n\t array[length] = array[length].value;\n\t }\n\t return array;\n\t }\n\n\t /**\n\t * The base implementation of `_.sum` and `_.sumBy` without support for\n\t * iteratee shorthands.\n\t *\n\t * @private\n\t * @param {Array} array The array to iterate over.\n\t * @param {Function} iteratee The function invoked per iteration.\n\t * @returns {number} Returns the sum.\n\t */\n\t function baseSum(array, iteratee) {\n\t var result,\n\t index = -1,\n\t length = array.length;\n\n\t while (++index < length) {\n\t var current = iteratee(array[index]);\n\t if (current !== undefined$1) {\n\t result = result === undefined$1 ? current : (result + current);\n\t }\n\t }\n\t return result;\n\t }\n\n\t /**\n\t * The base implementation of `_.times` without support for iteratee shorthands\n\t * or max array length checks.\n\t *\n\t * @private\n\t * @param {number} n The number of times to invoke `iteratee`.\n\t * @param {Function} iteratee The function invoked per iteration.\n\t * @returns {Array} Returns the array of results.\n\t */\n\t function baseTimes(n, iteratee) {\n\t var index = -1,\n\t result = Array(n);\n\n\t while (++index < n) {\n\t result[index] = iteratee(index);\n\t }\n\t return result;\n\t }\n\n\t /**\n\t * The base implementation of `_.toPairs` and `_.toPairsIn` which creates an array\n\t * of key-value pairs for `object` corresponding to the property names of `props`.\n\t *\n\t * @private\n\t * @param {Object} object The object to query.\n\t * @param {Array} props The property names to get values for.\n\t * @returns {Object} Returns the key-value pairs.\n\t */\n\t function baseToPairs(object, props) {\n\t return arrayMap(props, function(key) {\n\t return [key, object[key]];\n\t });\n\t }\n\n\t /**\n\t * The base implementation of `_.trim`.\n\t *\n\t * @private\n\t * @param {string} string The string to trim.\n\t * @returns {string} Returns the trimmed string.\n\t */\n\t function baseTrim(string) {\n\t return string\n\t ? string.slice(0, trimmedEndIndex(string) + 1).replace(reTrimStart, '')\n\t : string;\n\t }\n\n\t /**\n\t * The base implementation of `_.unary` without support for storing metadata.\n\t *\n\t * @private\n\t * @param {Function} func The function to cap arguments for.\n\t * @returns {Function} Returns the new capped function.\n\t */\n\t function baseUnary(func) {\n\t return function(value) {\n\t return func(value);\n\t };\n\t }\n\n\t /**\n\t * The base implementation of `_.values` and `_.valuesIn` which creates an\n\t * array of `object` property values corresponding to the property names\n\t * of `props`.\n\t *\n\t * @private\n\t * @param {Object} object The object to query.\n\t * @param {Array} props The property names to get values for.\n\t * @returns {Object} Returns the array of property values.\n\t */\n\t function baseValues(object, props) {\n\t return arrayMap(props, function(key) {\n\t return object[key];\n\t });\n\t }\n\n\t /**\n\t * Checks if a `cache` value for `key` exists.\n\t *\n\t * @private\n\t * @param {Object} cache The cache to query.\n\t * @param {string} key The key of the entry to check.\n\t * @returns {boolean} Returns `true` if an entry for `key` exists, else `false`.\n\t */\n\t function cacheHas(cache, key) {\n\t return cache.has(key);\n\t }\n\n\t /**\n\t * Used by `_.trim` and `_.trimStart` to get the index of the first string symbol\n\t * that is not found in the character symbols.\n\t *\n\t * @private\n\t * @param {Array} strSymbols The string symbols to inspect.\n\t * @param {Array} chrSymbols The character symbols to find.\n\t * @returns {number} Returns the index of the first unmatched string symbol.\n\t */\n\t function charsStartIndex(strSymbols, chrSymbols) {\n\t var index = -1,\n\t length = strSymbols.length;\n\n\t while (++index < length && baseIndexOf(chrSymbols, strSymbols[index], 0) > -1) {}\n\t return index;\n\t }\n\n\t /**\n\t * Used by `_.trim` and `_.trimEnd` to get the index of the last string symbol\n\t * that is not found in the character symbols.\n\t *\n\t * @private\n\t * @param {Array} strSymbols The string symbols to inspect.\n\t * @param {Array} chrSymbols The character symbols to find.\n\t * @returns {number} Returns the index of the last unmatched string symbol.\n\t */\n\t function charsEndIndex(strSymbols, chrSymbols) {\n\t var index = strSymbols.length;\n\n\t while (index-- && baseIndexOf(chrSymbols, strSymbols[index], 0) > -1) {}\n\t return index;\n\t }\n\n\t /**\n\t * Gets the number of `placeholder` occurrences in `array`.\n\t *\n\t * @private\n\t * @param {Array} array The array to inspect.\n\t * @param {*} placeholder The placeholder to search for.\n\t * @returns {number} Returns the placeholder count.\n\t */\n\t function countHolders(array, placeholder) {\n\t var length = array.length,\n\t result = 0;\n\n\t while (length--) {\n\t if (array[length] === placeholder) {\n\t ++result;\n\t }\n\t }\n\t return result;\n\t }\n\n\t /**\n\t * Used by `_.deburr` to convert Latin-1 Supplement and Latin Extended-A\n\t * letters to basic Latin letters.\n\t *\n\t * @private\n\t * @param {string} letter The matched letter to deburr.\n\t * @returns {string} Returns the deburred letter.\n\t */\n\t var deburrLetter = basePropertyOf(deburredLetters);\n\n\t /**\n\t * Used by `_.escape` to convert characters to HTML entities.\n\t *\n\t * @private\n\t * @param {string} chr The matched character to escape.\n\t * @returns {string} Returns the escaped character.\n\t */\n\t var escapeHtmlChar = basePropertyOf(htmlEscapes);\n\n\t /**\n\t * Used by `_.template` to escape characters for inclusion in compiled string literals.\n\t *\n\t * @private\n\t * @param {string} chr The matched character to escape.\n\t * @returns {string} Returns the escaped character.\n\t */\n\t function escapeStringChar(chr) {\n\t return '\\\\' + stringEscapes[chr];\n\t }\n\n\t /**\n\t * Gets the value at `key` of `object`.\n\t *\n\t * @private\n\t * @param {Object} [object] The object to query.\n\t * @param {string} key The key of the property to get.\n\t * @returns {*} Returns the property value.\n\t */\n\t function getValue(object, key) {\n\t return object == null ? undefined$1 : object[key];\n\t }\n\n\t /**\n\t * Checks if `string` contains Unicode symbols.\n\t *\n\t * @private\n\t * @param {string} string The string to inspect.\n\t * @returns {boolean} Returns `true` if a symbol is found, else `false`.\n\t */\n\t function hasUnicode(string) {\n\t return reHasUnicode.test(string);\n\t }\n\n\t /**\n\t * Checks if `string` contains a word composed of Unicode symbols.\n\t *\n\t * @private\n\t * @param {string} string The string to inspect.\n\t * @returns {boolean} Returns `true` if a word is found, else `false`.\n\t */\n\t function hasUnicodeWord(string) {\n\t return reHasUnicodeWord.test(string);\n\t }\n\n\t /**\n\t * Converts `iterator` to an array.\n\t *\n\t * @private\n\t * @param {Object} iterator The iterator to convert.\n\t * @returns {Array} Returns the converted array.\n\t */\n\t function iteratorToArray(iterator) {\n\t var data,\n\t result = [];\n\n\t while (!(data = iterator.next()).done) {\n\t result.push(data.value);\n\t }\n\t return result;\n\t }\n\n\t /**\n\t * Converts `map` to its key-value pairs.\n\t *\n\t * @private\n\t * @param {Object} map The map to convert.\n\t * @returns {Array} Returns the key-value pairs.\n\t */\n\t function mapToArray(map) {\n\t var index = -1,\n\t result = Array(map.size);\n\n\t map.forEach(function(value, key) {\n\t result[++index] = [key, value];\n\t });\n\t return result;\n\t }\n\n\t /**\n\t * Creates a unary function that invokes `func` with its argument transformed.\n\t *\n\t * @private\n\t * @param {Function} func The function to wrap.\n\t * @param {Function} transform The argument transform.\n\t * @returns {Function} Returns the new function.\n\t */\n\t function overArg(func, transform) {\n\t return function(arg) {\n\t return func(transform(arg));\n\t };\n\t }\n\n\t /**\n\t * Replaces all `placeholder` elements in `array` with an internal placeholder\n\t * and returns an array of their indexes.\n\t *\n\t * @private\n\t * @param {Array} array The array to modify.\n\t * @param {*} placeholder The placeholder to replace.\n\t * @returns {Array} Returns the new array of placeholder indexes.\n\t */\n\t function replaceHolders(array, placeholder) {\n\t var index = -1,\n\t length = array.length,\n\t resIndex = 0,\n\t result = [];\n\n\t while (++index < length) {\n\t var value = array[index];\n\t if (value === placeholder || value === PLACEHOLDER) {\n\t array[index] = PLACEHOLDER;\n\t result[resIndex++] = index;\n\t }\n\t }\n\t return result;\n\t }\n\n\t /**\n\t * Converts `set` to an array of its values.\n\t *\n\t * @private\n\t * @param {Object} set The set to convert.\n\t * @returns {Array} Returns the values.\n\t */\n\t function setToArray(set) {\n\t var index = -1,\n\t result = Array(set.size);\n\n\t set.forEach(function(value) {\n\t result[++index] = value;\n\t });\n\t return result;\n\t }\n\n\t /**\n\t * Converts `set` to its value-value pairs.\n\t *\n\t * @private\n\t * @param {Object} set The set to convert.\n\t * @returns {Array} Returns the value-value pairs.\n\t */\n\t function setToPairs(set) {\n\t var index = -1,\n\t result = Array(set.size);\n\n\t set.forEach(function(value) {\n\t result[++index] = [value, value];\n\t });\n\t return result;\n\t }\n\n\t /**\n\t * A specialized version of `_.indexOf` which performs strict equality\n\t * comparisons of values, i.e. `===`.\n\t *\n\t * @private\n\t * @param {Array} array The array to inspect.\n\t * @param {*} value The value to search for.\n\t * @param {number} fromIndex The index to search from.\n\t * @returns {number} Returns the index of the matched value, else `-1`.\n\t */\n\t function strictIndexOf(array, value, fromIndex) {\n\t var index = fromIndex - 1,\n\t length = array.length;\n\n\t while (++index < length) {\n\t if (array[index] === value) {\n\t return index;\n\t }\n\t }\n\t return -1;\n\t }\n\n\t /**\n\t * A specialized version of `_.lastIndexOf` which performs strict equality\n\t * comparisons of values, i.e. `===`.\n\t *\n\t * @private\n\t * @param {Array} array The array to inspect.\n\t * @param {*} value The value to search for.\n\t * @param {number} fromIndex The index to search from.\n\t * @returns {number} Returns the index of the matched value, else `-1`.\n\t */\n\t function strictLastIndexOf(array, value, fromIndex) {\n\t var index = fromIndex + 1;\n\t while (index--) {\n\t if (array[index] === value) {\n\t return index;\n\t }\n\t }\n\t return index;\n\t }\n\n\t /**\n\t * Gets the number of symbols in `string`.\n\t *\n\t * @private\n\t * @param {string} string The string to inspect.\n\t * @returns {number} Returns the string size.\n\t */\n\t function stringSize(string) {\n\t return hasUnicode(string)\n\t ? unicodeSize(string)\n\t : asciiSize(string);\n\t }\n\n\t /**\n\t * Converts `string` to an array.\n\t *\n\t * @private\n\t * @param {string} string The string to convert.\n\t * @returns {Array} Returns the converted array.\n\t */\n\t function stringToArray(string) {\n\t return hasUnicode(string)\n\t ? unicodeToArray(string)\n\t : asciiToArray(string);\n\t }\n\n\t /**\n\t * Used by `_.trim` and `_.trimEnd` to get the index of the last non-whitespace\n\t * character of `string`.\n\t *\n\t * @private\n\t * @param {string} string The string to inspect.\n\t * @returns {number} Returns the index of the last non-whitespace character.\n\t */\n\t function trimmedEndIndex(string) {\n\t var index = string.length;\n\n\t while (index-- && reWhitespace.test(string.charAt(index))) {}\n\t return index;\n\t }\n\n\t /**\n\t * Used by `_.unescape` to convert HTML entities to characters.\n\t *\n\t * @private\n\t * @param {string} chr The matched character to unescape.\n\t * @returns {string} Returns the unescaped character.\n\t */\n\t var unescapeHtmlChar = basePropertyOf(htmlUnescapes);\n\n\t /**\n\t * Gets the size of a Unicode `string`.\n\t *\n\t * @private\n\t * @param {string} string The string inspect.\n\t * @returns {number} Returns the string size.\n\t */\n\t function unicodeSize(string) {\n\t var result = reUnicode.lastIndex = 0;\n\t while (reUnicode.test(string)) {\n\t ++result;\n\t }\n\t return result;\n\t }\n\n\t /**\n\t * Converts a Unicode `string` to an array.\n\t *\n\t * @private\n\t * @param {string} string The string to convert.\n\t * @returns {Array} Returns the converted array.\n\t */\n\t function unicodeToArray(string) {\n\t return string.match(reUnicode) || [];\n\t }\n\n\t /**\n\t * Splits a Unicode `string` into an array of its words.\n\t *\n\t * @private\n\t * @param {string} The string to inspect.\n\t * @returns {Array} Returns the words of `string`.\n\t */\n\t function unicodeWords(string) {\n\t return string.match(reUnicodeWord) || [];\n\t }\n\n\t /*--------------------------------------------------------------------------*/\n\n\t /**\n\t * Create a new pristine `lodash` function using the `context` object.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 1.1.0\n\t * @category Util\n\t * @param {Object} [context=root] The context object.\n\t * @returns {Function} Returns a new `lodash` function.\n\t * @example\n\t *\n\t * _.mixin({ 'foo': _.constant('foo') });\n\t *\n\t * var lodash = _.runInContext();\n\t * lodash.mixin({ 'bar': lodash.constant('bar') });\n\t *\n\t * _.isFunction(_.foo);\n\t * // => true\n\t * _.isFunction(_.bar);\n\t * // => false\n\t *\n\t * lodash.isFunction(lodash.foo);\n\t * // => false\n\t * lodash.isFunction(lodash.bar);\n\t * // => true\n\t *\n\t * // Create a suped-up `defer` in Node.js.\n\t * var defer = _.runInContext({ 'setTimeout': setImmediate }).defer;\n\t */\n\t var runInContext = (function runInContext(context) {\n\t context = context == null ? root : _.defaults(root.Object(), context, _.pick(root, contextProps));\n\n\t /** Built-in constructor references. */\n\t var Array = context.Array,\n\t Date = context.Date,\n\t Error = context.Error,\n\t Function = context.Function,\n\t Math = context.Math,\n\t Object = context.Object,\n\t RegExp = context.RegExp,\n\t String = context.String,\n\t TypeError = context.TypeError;\n\n\t /** Used for built-in method references. */\n\t var arrayProto = Array.prototype,\n\t funcProto = Function.prototype,\n\t objectProto = Object.prototype;\n\n\t /** Used to detect overreaching core-js shims. */\n\t var coreJsData = context['__core-js_shared__'];\n\n\t /** Used to resolve the decompiled source of functions. */\n\t var funcToString = funcProto.toString;\n\n\t /** Used to check objects for own properties. */\n\t var hasOwnProperty = objectProto.hasOwnProperty;\n\n\t /** Used to generate unique IDs. */\n\t var idCounter = 0;\n\n\t /** Used to detect methods masquerading as native. */\n\t var maskSrcKey = (function() {\n\t var uid = /[^.]+$/.exec(coreJsData && coreJsData.keys && coreJsData.keys.IE_PROTO || '');\n\t return uid ? ('Symbol(src)_1.' + uid) : '';\n\t }());\n\n\t /**\n\t * Used to resolve the\n\t * [`toStringTag`](http://ecma-international.org/ecma-262/7.0/#sec-object.prototype.tostring)\n\t * of values.\n\t */\n\t var nativeObjectToString = objectProto.toString;\n\n\t /** Used to infer the `Object` constructor. */\n\t var objectCtorString = funcToString.call(Object);\n\n\t /** Used to restore the original `_` reference in `_.noConflict`. */\n\t var oldDash = root._;\n\n\t /** Used to detect if a method is native. */\n\t var reIsNative = RegExp('^' +\n\t funcToString.call(hasOwnProperty).replace(reRegExpChar, '\\\\$&')\n\t .replace(/hasOwnProperty|(function).*?(?=\\\\\\()| for .+?(?=\\\\\\])/g, '$1.*?') + '$'\n\t );\n\n\t /** Built-in value references. */\n\t var Buffer = moduleExports ? context.Buffer : undefined$1,\n\t Symbol = context.Symbol,\n\t Uint8Array = context.Uint8Array,\n\t allocUnsafe = Buffer ? Buffer.allocUnsafe : undefined$1,\n\t getPrototype = overArg(Object.getPrototypeOf, Object),\n\t objectCreate = Object.create,\n\t propertyIsEnumerable = objectProto.propertyIsEnumerable,\n\t splice = arrayProto.splice,\n\t spreadableSymbol = Symbol ? Symbol.isConcatSpreadable : undefined$1,\n\t symIterator = Symbol ? Symbol.iterator : undefined$1,\n\t symToStringTag = Symbol ? Symbol.toStringTag : undefined$1;\n\n\t var defineProperty = (function() {\n\t try {\n\t var func = getNative(Object, 'defineProperty');\n\t func({}, '', {});\n\t return func;\n\t } catch (e) {}\n\t }());\n\n\t /** Mocked built-ins. */\n\t var ctxClearTimeout = context.clearTimeout !== root.clearTimeout && context.clearTimeout,\n\t ctxNow = Date && Date.now !== root.Date.now && Date.now,\n\t ctxSetTimeout = context.setTimeout !== root.setTimeout && context.setTimeout;\n\n\t /* Built-in method references for those with the same name as other `lodash` methods. */\n\t var nativeCeil = Math.ceil,\n\t nativeFloor = Math.floor,\n\t nativeGetSymbols = Object.getOwnPropertySymbols,\n\t nativeIsBuffer = Buffer ? Buffer.isBuffer : undefined$1,\n\t nativeIsFinite = context.isFinite,\n\t nativeJoin = arrayProto.join,\n\t nativeKeys = overArg(Object.keys, Object),\n\t nativeMax = Math.max,\n\t nativeMin = Math.min,\n\t nativeNow = Date.now,\n\t nativeParseInt = context.parseInt,\n\t nativeRandom = Math.random,\n\t nativeReverse = arrayProto.reverse;\n\n\t /* Built-in method references that are verified to be native. */\n\t var DataView = getNative(context, 'DataView'),\n\t Map = getNative(context, 'Map'),\n\t Promise = getNative(context, 'Promise'),\n\t Set = getNative(context, 'Set'),\n\t WeakMap = getNative(context, 'WeakMap'),\n\t nativeCreate = getNative(Object, 'create');\n\n\t /** Used to store function metadata. */\n\t var metaMap = WeakMap && new WeakMap;\n\n\t /** Used to lookup unminified function names. */\n\t var realNames = {};\n\n\t /** Used to detect maps, sets, and weakmaps. */\n\t var dataViewCtorString = toSource(DataView),\n\t mapCtorString = toSource(Map),\n\t promiseCtorString = toSource(Promise),\n\t setCtorString = toSource(Set),\n\t weakMapCtorString = toSource(WeakMap);\n\n\t /** Used to convert symbols to primitives and strings. */\n\t var symbolProto = Symbol ? Symbol.prototype : undefined$1,\n\t symbolValueOf = symbolProto ? symbolProto.valueOf : undefined$1,\n\t symbolToString = symbolProto ? symbolProto.toString : undefined$1;\n\n\t /*------------------------------------------------------------------------*/\n\n\t /**\n\t * Creates a `lodash` object which wraps `value` to enable implicit method\n\t * chain sequences. Methods that operate on and return arrays, collections,\n\t * and functions can be chained together. Methods that retrieve a single value\n\t * or may return a primitive value will automatically end the chain sequence\n\t * and return the unwrapped value. Otherwise, the value must be unwrapped\n\t * with `_#value`.\n\t *\n\t * Explicit chain sequences, which must be unwrapped with `_#value`, may be\n\t * enabled using `_.chain`.\n\t *\n\t * The execution of chained methods is lazy, that is, it's deferred until\n\t * `_#value` is implicitly or explicitly called.\n\t *\n\t * Lazy evaluation allows several methods to support shortcut fusion.\n\t * Shortcut fusion is an optimization to merge iteratee calls; this avoids\n\t * the creation of intermediate arrays and can greatly reduce the number of\n\t * iteratee executions. Sections of a chain sequence qualify for shortcut\n\t * fusion if the section is applied to an array and iteratees accept only\n\t * one argument. The heuristic for whether a section qualifies for shortcut\n\t * fusion is subject to change.\n\t *\n\t * Chaining is supported in custom builds as long as the `_#value` method is\n\t * directly or indirectly included in the build.\n\t *\n\t * In addition to lodash methods, wrappers have `Array` and `String` methods.\n\t *\n\t * The wrapper `Array` methods are:\n\t * `concat`, `join`, `pop`, `push`, `shift`, `sort`, `splice`, and `unshift`\n\t *\n\t * The wrapper `String` methods are:\n\t * `replace` and `split`\n\t *\n\t * The wrapper methods that support shortcut fusion are:\n\t * `at`, `compact`, `drop`, `dropRight`, `dropWhile`, `filter`, `find`,\n\t * `findLast`, `head`, `initial`, `last`, `map`, `reject`, `reverse`, `slice`,\n\t * `tail`, `take`, `takeRight`, `takeRightWhile`, `takeWhile`, and `toArray`\n\t *\n\t * The chainable wrapper methods are:\n\t * `after`, `ary`, `assign`, `assignIn`, `assignInWith`, `assignWith`, `at`,\n\t * `before`, `bind`, `bindAll`, `bindKey`, `castArray`, `chain`, `chunk`,\n\t * `commit`, `compact`, `concat`, `conforms`, `constant`, `countBy`, `create`,\n\t * `curry`, `debounce`, `defaults`, `defaultsDeep`, `defer`, `delay`,\n\t * `difference`, `differenceBy`, `differenceWith`, `drop`, `dropRight`,\n\t * `dropRightWhile`, `dropWhile`, `extend`, `extendWith`, `fill`, `filter`,\n\t * `flatMap`, `flatMapDeep`, `flatMapDepth`, `flatten`, `flattenDeep`,\n\t * `flattenDepth`, `flip`, `flow`, `flowRight`, `fromPairs`, `functions`,\n\t * `functionsIn`, `groupBy`, `initial`, `intersection`, `intersectionBy`,\n\t * `intersectionWith`, `invert`, `invertBy`, `invokeMap`, `iteratee`, `keyBy`,\n\t * `keys`, `keysIn`, `map`, `mapKeys`, `mapValues`, `matches`, `matchesProperty`,\n\t * `memoize`, `merge`, `mergeWith`, `method`, `methodOf`, `mixin`, `negate`,\n\t * `nthArg`, `omit`, `omitBy`, `once`, `orderBy`, `over`, `overArgs`,\n\t * `overEvery`, `overSome`, `partial`, `partialRight`, `partition`, `pick`,\n\t * `pickBy`, `plant`, `property`, `propertyOf`, `pull`, `pullAll`, `pullAllBy`,\n\t * `pullAllWith`, `pullAt`, `push`, `range`, `rangeRight`, `rearg`, `reject`,\n\t * `remove`, `rest`, `reverse`, `sampleSize`, `set`, `setWith`, `shuffle`,\n\t * `slice`, `sort`, `sortBy`, `splice`, `spread`, `tail`, `take`, `takeRight`,\n\t * `takeRightWhile`, `takeWhile`, `tap`, `throttle`, `thru`, `toArray`,\n\t * `toPairs`, `toPairsIn`, `toPath`, `toPlainObject`, `transform`, `unary`,\n\t * `union`, `unionBy`, `unionWith`, `uniq`, `uniqBy`, `uniqWith`, `unset`,\n\t * `unshift`, `unzip`, `unzipWith`, `update`, `updateWith`, `values`,\n\t * `valuesIn`, `without`, `wrap`, `xor`, `xorBy`, `xorWith`, `zip`,\n\t * `zipObject`, `zipObjectDeep`, and `zipWith`\n\t *\n\t * The wrapper methods that are **not** chainable by default are:\n\t * `add`, `attempt`, `camelCase`, `capitalize`, `ceil`, `clamp`, `clone`,\n\t * `cloneDeep`, `cloneDeepWith`, `cloneWith`, `conformsTo`, `deburr`,\n\t * `defaultTo`, `divide`, `each`, `eachRight`, `endsWith`, `eq`, `escape`,\n\t * `escapeRegExp`, `every`, `find`, `findIndex`, `findKey`, `findLast`,\n\t * `findLastIndex`, `findLastKey`, `first`, `floor`, `forEach`, `forEachRight`,\n\t * `forIn`, `forInRight`, `forOwn`, `forOwnRight`, `get`, `gt`, `gte`, `has`,\n\t * `hasIn`, `head`, `identity`, `includes`, `indexOf`, `inRange`, `invoke`,\n\t * `isArguments`, `isArray`, `isArrayBuffer`, `isArrayLike`, `isArrayLikeObject`,\n\t * `isBoolean`, `isBuffer`, `isDate`, `isElement`, `isEmpty`, `isEqual`,\n\t * `isEqualWith`, `isError`, `isFinite`, `isFunction`, `isInteger`, `isLength`,\n\t * `isMap`, `isMatch`, `isMatchWith`, `isNaN`, `isNative`, `isNil`, `isNull`,\n\t * `isNumber`, `isObject`, `isObjectLike`, `isPlainObject`, `isRegExp`,\n\t * `isSafeInteger`, `isSet`, `isString`, `isUndefined`, `isTypedArray`,\n\t * `isWeakMap`, `isWeakSet`, `join`, `kebabCase`, `last`, `lastIndexOf`,\n\t * `lowerCase`, `lowerFirst`, `lt`, `lte`, `max`, `maxBy`, `mean`, `meanBy`,\n\t * `min`, `minBy`, `multiply`, `noConflict`, `noop`, `now`, `nth`, `pad`,\n\t * `padEnd`, `padStart`, `parseInt`, `pop`, `random`, `reduce`, `reduceRight`,\n\t * `repeat`, `result`, `round`, `runInContext`, `sample`, `shift`, `size`,\n\t * `snakeCase`, `some`, `sortedIndex`, `sortedIndexBy`, `sortedLastIndex`,\n\t * `sortedLastIndexBy`, `startCase`, `startsWith`, `stubArray`, `stubFalse`,\n\t * `stubObject`, `stubString`, `stubTrue`, `subtract`, `sum`, `sumBy`,\n\t * `template`, `times`, `toFinite`, `toInteger`, `toJSON`, `toLength`,\n\t * `toLower`, `toNumber`, `toSafeInteger`, `toString`, `toUpper`, `trim`,\n\t * `trimEnd`, `trimStart`, `truncate`, `unescape`, `uniqueId`, `upperCase`,\n\t * `upperFirst`, `value`, and `words`\n\t *\n\t * @name _\n\t * @constructor\n\t * @category Seq\n\t * @param {*} value The value to wrap in a `lodash` instance.\n\t * @returns {Object} Returns the new `lodash` wrapper instance.\n\t * @example\n\t *\n\t * function square(n) {\n\t * return n * n;\n\t * }\n\t *\n\t * var wrapped = _([1, 2, 3]);\n\t *\n\t * // Returns an unwrapped value.\n\t * wrapped.reduce(_.add);\n\t * // => 6\n\t *\n\t * // Returns a wrapped value.\n\t * var squares = wrapped.map(square);\n\t *\n\t * _.isArray(squares);\n\t * // => false\n\t *\n\t * _.isArray(squares.value());\n\t * // => true\n\t */\n\t function lodash(value) {\n\t if (isObjectLike(value) && !isArray(value) && !(value instanceof LazyWrapper)) {\n\t if (value instanceof LodashWrapper) {\n\t return value;\n\t }\n\t if (hasOwnProperty.call(value, '__wrapped__')) {\n\t return wrapperClone(value);\n\t }\n\t }\n\t return new LodashWrapper(value);\n\t }\n\n\t /**\n\t * The base implementation of `_.create` without support for assigning\n\t * properties to the created object.\n\t *\n\t * @private\n\t * @param {Object} proto The object to inherit from.\n\t * @returns {Object} Returns the new object.\n\t */\n\t var baseCreate = (function() {\n\t function object() {}\n\t return function(proto) {\n\t if (!isObject(proto)) {\n\t return {};\n\t }\n\t if (objectCreate) {\n\t return objectCreate(proto);\n\t }\n\t object.prototype = proto;\n\t var result = new object;\n\t object.prototype = undefined$1;\n\t return result;\n\t };\n\t }());\n\n\t /**\n\t * The function whose prototype chain sequence wrappers inherit from.\n\t *\n\t * @private\n\t */\n\t function baseLodash() {\n\t // No operation performed.\n\t }\n\n\t /**\n\t * The base constructor for creating `lodash` wrapper objects.\n\t *\n\t * @private\n\t * @param {*} value The value to wrap.\n\t * @param {boolean} [chainAll] Enable explicit method chain sequences.\n\t */\n\t function LodashWrapper(value, chainAll) {\n\t this.__wrapped__ = value;\n\t this.__actions__ = [];\n\t this.__chain__ = !!chainAll;\n\t this.__index__ = 0;\n\t this.__values__ = undefined$1;\n\t }\n\n\t /**\n\t * By default, the template delimiters used by lodash are like those in\n\t * embedded Ruby (ERB) as well as ES2015 template strings. Change the\n\t * following template settings to use alternative delimiters.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @type {Object}\n\t */\n\t lodash.templateSettings = {\n\n\t /**\n\t * Used to detect `data` property values to be HTML-escaped.\n\t *\n\t * @memberOf _.templateSettings\n\t * @type {RegExp}\n\t */\n\t 'escape': reEscape,\n\n\t /**\n\t * Used to detect code to be evaluated.\n\t *\n\t * @memberOf _.templateSettings\n\t * @type {RegExp}\n\t */\n\t 'evaluate': reEvaluate,\n\n\t /**\n\t * Used to detect `data` property values to inject.\n\t *\n\t * @memberOf _.templateSettings\n\t * @type {RegExp}\n\t */\n\t 'interpolate': reInterpolate,\n\n\t /**\n\t * Used to reference the data object in the template text.\n\t *\n\t * @memberOf _.templateSettings\n\t * @type {string}\n\t */\n\t 'variable': '',\n\n\t /**\n\t * Used to import variables into the compiled template.\n\t *\n\t * @memberOf _.templateSettings\n\t * @type {Object}\n\t */\n\t 'imports': {\n\n\t /**\n\t * A reference to the `lodash` function.\n\t *\n\t * @memberOf _.templateSettings.imports\n\t * @type {Function}\n\t */\n\t '_': lodash\n\t }\n\t };\n\n\t // Ensure wrappers are instances of `baseLodash`.\n\t lodash.prototype = baseLodash.prototype;\n\t lodash.prototype.constructor = lodash;\n\n\t LodashWrapper.prototype = baseCreate(baseLodash.prototype);\n\t LodashWrapper.prototype.constructor = LodashWrapper;\n\n\t /*------------------------------------------------------------------------*/\n\n\t /**\n\t * Creates a lazy wrapper object which wraps `value` to enable lazy evaluation.\n\t *\n\t * @private\n\t * @constructor\n\t * @param {*} value The value to wrap.\n\t */\n\t function LazyWrapper(value) {\n\t this.__wrapped__ = value;\n\t this.__actions__ = [];\n\t this.__dir__ = 1;\n\t this.__filtered__ = false;\n\t this.__iteratees__ = [];\n\t this.__takeCount__ = MAX_ARRAY_LENGTH;\n\t this.__views__ = [];\n\t }\n\n\t /**\n\t * Creates a clone of the lazy wrapper object.\n\t *\n\t * @private\n\t * @name clone\n\t * @memberOf LazyWrapper\n\t * @returns {Object} Returns the cloned `LazyWrapper` object.\n\t */\n\t function lazyClone() {\n\t var result = new LazyWrapper(this.__wrapped__);\n\t result.__actions__ = copyArray(this.__actions__);\n\t result.__dir__ = this.__dir__;\n\t result.__filtered__ = this.__filtered__;\n\t result.__iteratees__ = copyArray(this.__iteratees__);\n\t result.__takeCount__ = this.__takeCount__;\n\t result.__views__ = copyArray(this.__views__);\n\t return result;\n\t }\n\n\t /**\n\t * Reverses the direction of lazy iteration.\n\t *\n\t * @private\n\t * @name reverse\n\t * @memberOf LazyWrapper\n\t * @returns {Object} Returns the new reversed `LazyWrapper` object.\n\t */\n\t function lazyReverse() {\n\t if (this.__filtered__) {\n\t var result = new LazyWrapper(this);\n\t result.__dir__ = -1;\n\t result.__filtered__ = true;\n\t } else {\n\t result = this.clone();\n\t result.__dir__ *= -1;\n\t }\n\t return result;\n\t }\n\n\t /**\n\t * Extracts the unwrapped value from its lazy wrapper.\n\t *\n\t * @private\n\t * @name value\n\t * @memberOf LazyWrapper\n\t * @returns {*} Returns the unwrapped value.\n\t */\n\t function lazyValue() {\n\t var array = this.__wrapped__.value(),\n\t dir = this.__dir__,\n\t isArr = isArray(array),\n\t isRight = dir < 0,\n\t arrLength = isArr ? array.length : 0,\n\t view = getView(0, arrLength, this.__views__),\n\t start = view.start,\n\t end = view.end,\n\t length = end - start,\n\t index = isRight ? end : (start - 1),\n\t iteratees = this.__iteratees__,\n\t iterLength = iteratees.length,\n\t resIndex = 0,\n\t takeCount = nativeMin(length, this.__takeCount__);\n\n\t if (!isArr || (!isRight && arrLength == length && takeCount == length)) {\n\t return baseWrapperValue(array, this.__actions__);\n\t }\n\t var result = [];\n\n\t outer:\n\t while (length-- && resIndex < takeCount) {\n\t index += dir;\n\n\t var iterIndex = -1,\n\t value = array[index];\n\n\t while (++iterIndex < iterLength) {\n\t var data = iteratees[iterIndex],\n\t iteratee = data.iteratee,\n\t type = data.type,\n\t computed = iteratee(value);\n\n\t if (type == LAZY_MAP_FLAG) {\n\t value = computed;\n\t } else if (!computed) {\n\t if (type == LAZY_FILTER_FLAG) {\n\t continue outer;\n\t } else {\n\t break outer;\n\t }\n\t }\n\t }\n\t result[resIndex++] = value;\n\t }\n\t return result;\n\t }\n\n\t // Ensure `LazyWrapper` is an instance of `baseLodash`.\n\t LazyWrapper.prototype = baseCreate(baseLodash.prototype);\n\t LazyWrapper.prototype.constructor = LazyWrapper;\n\n\t /*------------------------------------------------------------------------*/\n\n\t /**\n\t * Creates a hash object.\n\t *\n\t * @private\n\t * @constructor\n\t * @param {Array} [entries] The key-value pairs to cache.\n\t */\n\t function Hash(entries) {\n\t var index = -1,\n\t length = entries == null ? 0 : entries.length;\n\n\t this.clear();\n\t while (++index < length) {\n\t var entry = entries[index];\n\t this.set(entry[0], entry[1]);\n\t }\n\t }\n\n\t /**\n\t * Removes all key-value entries from the hash.\n\t *\n\t * @private\n\t * @name clear\n\t * @memberOf Hash\n\t */\n\t function hashClear() {\n\t this.__data__ = nativeCreate ? nativeCreate(null) : {};\n\t this.size = 0;\n\t }\n\n\t /**\n\t * Removes `key` and its value from the hash.\n\t *\n\t * @private\n\t * @name delete\n\t * @memberOf Hash\n\t * @param {Object} hash The hash to modify.\n\t * @param {string} key The key of the value to remove.\n\t * @returns {boolean} Returns `true` if the entry was removed, else `false`.\n\t */\n\t function hashDelete(key) {\n\t var result = this.has(key) && delete this.__data__[key];\n\t this.size -= result ? 1 : 0;\n\t return result;\n\t }\n\n\t /**\n\t * Gets the hash value for `key`.\n\t *\n\t * @private\n\t * @name get\n\t * @memberOf Hash\n\t * @param {string} key The key of the value to get.\n\t * @returns {*} Returns the entry value.\n\t */\n\t function hashGet(key) {\n\t var data = this.__data__;\n\t if (nativeCreate) {\n\t var result = data[key];\n\t return result === HASH_UNDEFINED ? undefined$1 : result;\n\t }\n\t return hasOwnProperty.call(data, key) ? data[key] : undefined$1;\n\t }\n\n\t /**\n\t * Checks if a hash value for `key` exists.\n\t *\n\t * @private\n\t * @name has\n\t * @memberOf Hash\n\t * @param {string} key The key of the entry to check.\n\t * @returns {boolean} Returns `true` if an entry for `key` exists, else `false`.\n\t */\n\t function hashHas(key) {\n\t var data = this.__data__;\n\t return nativeCreate ? (data[key] !== undefined$1) : hasOwnProperty.call(data, key);\n\t }\n\n\t /**\n\t * Sets the hash `key` to `value`.\n\t *\n\t * @private\n\t * @name set\n\t * @memberOf Hash\n\t * @param {string} key The key of the value to set.\n\t * @param {*} value The value to set.\n\t * @returns {Object} Returns the hash instance.\n\t */\n\t function hashSet(key, value) {\n\t var data = this.__data__;\n\t this.size += this.has(key) ? 0 : 1;\n\t data[key] = (nativeCreate && value === undefined$1) ? HASH_UNDEFINED : value;\n\t return this;\n\t }\n\n\t // Add methods to `Hash`.\n\t Hash.prototype.clear = hashClear;\n\t Hash.prototype['delete'] = hashDelete;\n\t Hash.prototype.get = hashGet;\n\t Hash.prototype.has = hashHas;\n\t Hash.prototype.set = hashSet;\n\n\t /*------------------------------------------------------------------------*/\n\n\t /**\n\t * Creates an list cache object.\n\t *\n\t * @private\n\t * @constructor\n\t * @param {Array} [entries] The key-value pairs to cache.\n\t */\n\t function ListCache(entries) {\n\t var index = -1,\n\t length = entries == null ? 0 : entries.length;\n\n\t this.clear();\n\t while (++index < length) {\n\t var entry = entries[index];\n\t this.set(entry[0], entry[1]);\n\t }\n\t }\n\n\t /**\n\t * Removes all key-value entries from the list cache.\n\t *\n\t * @private\n\t * @name clear\n\t * @memberOf ListCache\n\t */\n\t function listCacheClear() {\n\t this.__data__ = [];\n\t this.size = 0;\n\t }\n\n\t /**\n\t * Removes `key` and its value from the list cache.\n\t *\n\t * @private\n\t * @name delete\n\t * @memberOf ListCache\n\t * @param {string} key The key of the value to remove.\n\t * @returns {boolean} Returns `true` if the entry was removed, else `false`.\n\t */\n\t function listCacheDelete(key) {\n\t var data = this.__data__,\n\t index = assocIndexOf(data, key);\n\n\t if (index < 0) {\n\t return false;\n\t }\n\t var lastIndex = data.length - 1;\n\t if (index == lastIndex) {\n\t data.pop();\n\t } else {\n\t splice.call(data, index, 1);\n\t }\n\t --this.size;\n\t return true;\n\t }\n\n\t /**\n\t * Gets the list cache value for `key`.\n\t *\n\t * @private\n\t * @name get\n\t * @memberOf ListCache\n\t * @param {string} key The key of the value to get.\n\t * @returns {*} Returns the entry value.\n\t */\n\t function listCacheGet(key) {\n\t var data = this.__data__,\n\t index = assocIndexOf(data, key);\n\n\t return index < 0 ? undefined$1 : data[index][1];\n\t }\n\n\t /**\n\t * Checks if a list cache value for `key` exists.\n\t *\n\t * @private\n\t * @name has\n\t * @memberOf ListCache\n\t * @param {string} key The key of the entry to check.\n\t * @returns {boolean} Returns `true` if an entry for `key` exists, else `false`.\n\t */\n\t function listCacheHas(key) {\n\t return assocIndexOf(this.__data__, key) > -1;\n\t }\n\n\t /**\n\t * Sets the list cache `key` to `value`.\n\t *\n\t * @private\n\t * @name set\n\t * @memberOf ListCache\n\t * @param {string} key The key of the value to set.\n\t * @param {*} value The value to set.\n\t * @returns {Object} Returns the list cache instance.\n\t */\n\t function listCacheSet(key, value) {\n\t var data = this.__data__,\n\t index = assocIndexOf(data, key);\n\n\t if (index < 0) {\n\t ++this.size;\n\t data.push([key, value]);\n\t } else {\n\t data[index][1] = value;\n\t }\n\t return this;\n\t }\n\n\t // Add methods to `ListCache`.\n\t ListCache.prototype.clear = listCacheClear;\n\t ListCache.prototype['delete'] = listCacheDelete;\n\t ListCache.prototype.get = listCacheGet;\n\t ListCache.prototype.has = listCacheHas;\n\t ListCache.prototype.set = listCacheSet;\n\n\t /*------------------------------------------------------------------------*/\n\n\t /**\n\t * Creates a map cache object to store key-value pairs.\n\t *\n\t * @private\n\t * @constructor\n\t * @param {Array} [entries] The key-value pairs to cache.\n\t */\n\t function MapCache(entries) {\n\t var index = -1,\n\t length = entries == null ? 0 : entries.length;\n\n\t this.clear();\n\t while (++index < length) {\n\t var entry = entries[index];\n\t this.set(entry[0], entry[1]);\n\t }\n\t }\n\n\t /**\n\t * Removes all key-value entries from the map.\n\t *\n\t * @private\n\t * @name clear\n\t * @memberOf MapCache\n\t */\n\t function mapCacheClear() {\n\t this.size = 0;\n\t this.__data__ = {\n\t 'hash': new Hash,\n\t 'map': new (Map || ListCache),\n\t 'string': new Hash\n\t };\n\t }\n\n\t /**\n\t * Removes `key` and its value from the map.\n\t *\n\t * @private\n\t * @name delete\n\t * @memberOf MapCache\n\t * @param {string} key The key of the value to remove.\n\t * @returns {boolean} Returns `true` if the entry was removed, else `false`.\n\t */\n\t function mapCacheDelete(key) {\n\t var result = getMapData(this, key)['delete'](key);\n\t this.size -= result ? 1 : 0;\n\t return result;\n\t }\n\n\t /**\n\t * Gets the map value for `key`.\n\t *\n\t * @private\n\t * @name get\n\t * @memberOf MapCache\n\t * @param {string} key The key of the value to get.\n\t * @returns {*} Returns the entry value.\n\t */\n\t function mapCacheGet(key) {\n\t return getMapData(this, key).get(key);\n\t }\n\n\t /**\n\t * Checks if a map value for `key` exists.\n\t *\n\t * @private\n\t * @name has\n\t * @memberOf MapCache\n\t * @param {string} key The key of the entry to check.\n\t * @returns {boolean} Returns `true` if an entry for `key` exists, else `false`.\n\t */\n\t function mapCacheHas(key) {\n\t return getMapData(this, key).has(key);\n\t }\n\n\t /**\n\t * Sets the map `key` to `value`.\n\t *\n\t * @private\n\t * @name set\n\t * @memberOf MapCache\n\t * @param {string} key The key of the value to set.\n\t * @param {*} value The value to set.\n\t * @returns {Object} Returns the map cache instance.\n\t */\n\t function mapCacheSet(key, value) {\n\t var data = getMapData(this, key),\n\t size = data.size;\n\n\t data.set(key, value);\n\t this.size += data.size == size ? 0 : 1;\n\t return this;\n\t }\n\n\t // Add methods to `MapCache`.\n\t MapCache.prototype.clear = mapCacheClear;\n\t MapCache.prototype['delete'] = mapCacheDelete;\n\t MapCache.prototype.get = mapCacheGet;\n\t MapCache.prototype.has = mapCacheHas;\n\t MapCache.prototype.set = mapCacheSet;\n\n\t /*------------------------------------------------------------------------*/\n\n\t /**\n\t *\n\t * Creates an array cache object to store unique values.\n\t *\n\t * @private\n\t * @constructor\n\t * @param {Array} [values] The values to cache.\n\t */\n\t function SetCache(values) {\n\t var index = -1,\n\t length = values == null ? 0 : values.length;\n\n\t this.__data__ = new MapCache;\n\t while (++index < length) {\n\t this.add(values[index]);\n\t }\n\t }\n\n\t /**\n\t * Adds `value` to the array cache.\n\t *\n\t * @private\n\t * @name add\n\t * @memberOf SetCache\n\t * @alias push\n\t * @param {*} value The value to cache.\n\t * @returns {Object} Returns the cache instance.\n\t */\n\t function setCacheAdd(value) {\n\t this.__data__.set(value, HASH_UNDEFINED);\n\t return this;\n\t }\n\n\t /**\n\t * Checks if `value` is in the array cache.\n\t *\n\t * @private\n\t * @name has\n\t * @memberOf SetCache\n\t * @param {*} value The value to search for.\n\t * @returns {number} Returns `true` if `value` is found, else `false`.\n\t */\n\t function setCacheHas(value) {\n\t return this.__data__.has(value);\n\t }\n\n\t // Add methods to `SetCache`.\n\t SetCache.prototype.add = SetCache.prototype.push = setCacheAdd;\n\t SetCache.prototype.has = setCacheHas;\n\n\t /*------------------------------------------------------------------------*/\n\n\t /**\n\t * Creates a stack cache object to store key-value pairs.\n\t *\n\t * @private\n\t * @constructor\n\t * @param {Array} [entries] The key-value pairs to cache.\n\t */\n\t function Stack(entries) {\n\t var data = this.__data__ = new ListCache(entries);\n\t this.size = data.size;\n\t }\n\n\t /**\n\t * Removes all key-value entries from the stack.\n\t *\n\t * @private\n\t * @name clear\n\t * @memberOf Stack\n\t */\n\t function stackClear() {\n\t this.__data__ = new ListCache;\n\t this.size = 0;\n\t }\n\n\t /**\n\t * Removes `key` and its value from the stack.\n\t *\n\t * @private\n\t * @name delete\n\t * @memberOf Stack\n\t * @param {string} key The key of the value to remove.\n\t * @returns {boolean} Returns `true` if the entry was removed, else `false`.\n\t */\n\t function stackDelete(key) {\n\t var data = this.__data__,\n\t result = data['delete'](key);\n\n\t this.size = data.size;\n\t return result;\n\t }\n\n\t /**\n\t * Gets the stack value for `key`.\n\t *\n\t * @private\n\t * @name get\n\t * @memberOf Stack\n\t * @param {string} key The key of the value to get.\n\t * @returns {*} Returns the entry value.\n\t */\n\t function stackGet(key) {\n\t return this.__data__.get(key);\n\t }\n\n\t /**\n\t * Checks if a stack value for `key` exists.\n\t *\n\t * @private\n\t * @name has\n\t * @memberOf Stack\n\t * @param {string} key The key of the entry to check.\n\t * @returns {boolean} Returns `true` if an entry for `key` exists, else `false`.\n\t */\n\t function stackHas(key) {\n\t return this.__data__.has(key);\n\t }\n\n\t /**\n\t * Sets the stack `key` to `value`.\n\t *\n\t * @private\n\t * @name set\n\t * @memberOf Stack\n\t * @param {string} key The key of the value to set.\n\t * @param {*} value The value to set.\n\t * @returns {Object} Returns the stack cache instance.\n\t */\n\t function stackSet(key, value) {\n\t var data = this.__data__;\n\t if (data instanceof ListCache) {\n\t var pairs = data.__data__;\n\t if (!Map || (pairs.length < LARGE_ARRAY_SIZE - 1)) {\n\t pairs.push([key, value]);\n\t this.size = ++data.size;\n\t return this;\n\t }\n\t data = this.__data__ = new MapCache(pairs);\n\t }\n\t data.set(key, value);\n\t this.size = data.size;\n\t return this;\n\t }\n\n\t // Add methods to `Stack`.\n\t Stack.prototype.clear = stackClear;\n\t Stack.prototype['delete'] = stackDelete;\n\t Stack.prototype.get = stackGet;\n\t Stack.prototype.has = stackHas;\n\t Stack.prototype.set = stackSet;\n\n\t /*------------------------------------------------------------------------*/\n\n\t /**\n\t * Creates an array of the enumerable property names of the array-like `value`.\n\t *\n\t * @private\n\t * @param {*} value The value to query.\n\t * @param {boolean} inherited Specify returning inherited property names.\n\t * @returns {Array} Returns the array of property names.\n\t */\n\t function arrayLikeKeys(value, inherited) {\n\t var isArr = isArray(value),\n\t isArg = !isArr && isArguments(value),\n\t isBuff = !isArr && !isArg && isBuffer(value),\n\t isType = !isArr && !isArg && !isBuff && isTypedArray(value),\n\t skipIndexes = isArr || isArg || isBuff || isType,\n\t result = skipIndexes ? baseTimes(value.length, String) : [],\n\t length = result.length;\n\n\t for (var key in value) {\n\t if ((inherited || hasOwnProperty.call(value, key)) &&\n\t !(skipIndexes && (\n\t // Safari 9 has enumerable `arguments.length` in strict mode.\n\t key == 'length' ||\n\t // Node.js 0.10 has enumerable non-index properties on buffers.\n\t (isBuff && (key == 'offset' || key == 'parent')) ||\n\t // PhantomJS 2 has enumerable non-index properties on typed arrays.\n\t (isType && (key == 'buffer' || key == 'byteLength' || key == 'byteOffset')) ||\n\t // Skip index properties.\n\t isIndex(key, length)\n\t ))) {\n\t result.push(key);\n\t }\n\t }\n\t return result;\n\t }\n\n\t /**\n\t * A specialized version of `_.sample` for arrays.\n\t *\n\t * @private\n\t * @param {Array} array The array to sample.\n\t * @returns {*} Returns the random element.\n\t */\n\t function arraySample(array) {\n\t var length = array.length;\n\t return length ? array[baseRandom(0, length - 1)] : undefined$1;\n\t }\n\n\t /**\n\t * A specialized version of `_.sampleSize` for arrays.\n\t *\n\t * @private\n\t * @param {Array} array The array to sample.\n\t * @param {number} n The number of elements to sample.\n\t * @returns {Array} Returns the random elements.\n\t */\n\t function arraySampleSize(array, n) {\n\t return shuffleSelf(copyArray(array), baseClamp(n, 0, array.length));\n\t }\n\n\t /**\n\t * A specialized version of `_.shuffle` for arrays.\n\t *\n\t * @private\n\t * @param {Array} array The array to shuffle.\n\t * @returns {Array} Returns the new shuffled array.\n\t */\n\t function arrayShuffle(array) {\n\t return shuffleSelf(copyArray(array));\n\t }\n\n\t /**\n\t * This function is like `assignValue` except that it doesn't assign\n\t * `undefined` values.\n\t *\n\t * @private\n\t * @param {Object} object The object to modify.\n\t * @param {string} key The key of the property to assign.\n\t * @param {*} value The value to assign.\n\t */\n\t function assignMergeValue(object, key, value) {\n\t if ((value !== undefined$1 && !eq(object[key], value)) ||\n\t (value === undefined$1 && !(key in object))) {\n\t baseAssignValue(object, key, value);\n\t }\n\t }\n\n\t /**\n\t * Assigns `value` to `key` of `object` if the existing value is not equivalent\n\t * using [`SameValueZero`](http://ecma-international.org/ecma-262/7.0/#sec-samevaluezero)\n\t * for equality comparisons.\n\t *\n\t * @private\n\t * @param {Object} object The object to modify.\n\t * @param {string} key The key of the property to assign.\n\t * @param {*} value The value to assign.\n\t */\n\t function assignValue(object, key, value) {\n\t var objValue = object[key];\n\t if (!(hasOwnProperty.call(object, key) && eq(objValue, value)) ||\n\t (value === undefined$1 && !(key in object))) {\n\t baseAssignValue(object, key, value);\n\t }\n\t }\n\n\t /**\n\t * Gets the index at which the `key` is found in `array` of key-value pairs.\n\t *\n\t * @private\n\t * @param {Array} array The array to inspect.\n\t * @param {*} key The key to search for.\n\t * @returns {number} Returns the index of the matched value, else `-1`.\n\t */\n\t function assocIndexOf(array, key) {\n\t var length = array.length;\n\t while (length--) {\n\t if (eq(array[length][0], key)) {\n\t return length;\n\t }\n\t }\n\t return -1;\n\t }\n\n\t /**\n\t * Aggregates elements of `collection` on `accumulator` with keys transformed\n\t * by `iteratee` and values set by `setter`.\n\t *\n\t * @private\n\t * @param {Array|Object} collection The collection to iterate over.\n\t * @param {Function} setter The function to set `accumulator` values.\n\t * @param {Function} iteratee The iteratee to transform keys.\n\t * @param {Object} accumulator The initial aggregated object.\n\t * @returns {Function} Returns `accumulator`.\n\t */\n\t function baseAggregator(collection, setter, iteratee, accumulator) {\n\t baseEach(collection, function(value, key, collection) {\n\t setter(accumulator, value, iteratee(value), collection);\n\t });\n\t return accumulator;\n\t }\n\n\t /**\n\t * The base implementation of `_.assign` without support for multiple sources\n\t * or `customizer` functions.\n\t *\n\t * @private\n\t * @param {Object} object The destination object.\n\t * @param {Object} source The source object.\n\t * @returns {Object} Returns `object`.\n\t */\n\t function baseAssign(object, source) {\n\t return object && copyObject(source, keys(source), object);\n\t }\n\n\t /**\n\t * The base implementation of `_.assignIn` without support for multiple sources\n\t * or `customizer` functions.\n\t *\n\t * @private\n\t * @param {Object} object The destination object.\n\t * @param {Object} source The source object.\n\t * @returns {Object} Returns `object`.\n\t */\n\t function baseAssignIn(object, source) {\n\t return object && copyObject(source, keysIn(source), object);\n\t }\n\n\t /**\n\t * The base implementation of `assignValue` and `assignMergeValue` without\n\t * value checks.\n\t *\n\t * @private\n\t * @param {Object} object The object to modify.\n\t * @param {string} key The key of the property to assign.\n\t * @param {*} value The value to assign.\n\t */\n\t function baseAssignValue(object, key, value) {\n\t if (key == '__proto__' && defineProperty) {\n\t defineProperty(object, key, {\n\t 'configurable': true,\n\t 'enumerable': true,\n\t 'value': value,\n\t 'writable': true\n\t });\n\t } else {\n\t object[key] = value;\n\t }\n\t }\n\n\t /**\n\t * The base implementation of `_.at` without support for individual paths.\n\t *\n\t * @private\n\t * @param {Object} object The object to iterate over.\n\t * @param {string[]} paths The property paths to pick.\n\t * @returns {Array} Returns the picked elements.\n\t */\n\t function baseAt(object, paths) {\n\t var index = -1,\n\t length = paths.length,\n\t result = Array(length),\n\t skip = object == null;\n\n\t while (++index < length) {\n\t result[index] = skip ? undefined$1 : get(object, paths[index]);\n\t }\n\t return result;\n\t }\n\n\t /**\n\t * The base implementation of `_.clamp` which doesn't coerce arguments.\n\t *\n\t * @private\n\t * @param {number} number The number to clamp.\n\t * @param {number} [lower] The lower bound.\n\t * @param {number} upper The upper bound.\n\t * @returns {number} Returns the clamped number.\n\t */\n\t function baseClamp(number, lower, upper) {\n\t if (number === number) {\n\t if (upper !== undefined$1) {\n\t number = number <= upper ? number : upper;\n\t }\n\t if (lower !== undefined$1) {\n\t number = number >= lower ? number : lower;\n\t }\n\t }\n\t return number;\n\t }\n\n\t /**\n\t * The base implementation of `_.clone` and `_.cloneDeep` which tracks\n\t * traversed objects.\n\t *\n\t * @private\n\t * @param {*} value The value to clone.\n\t * @param {boolean} bitmask The bitmask flags.\n\t * 1 - Deep clone\n\t * 2 - Flatten inherited properties\n\t * 4 - Clone symbols\n\t * @param {Function} [customizer] The function to customize cloning.\n\t * @param {string} [key] The key of `value`.\n\t * @param {Object} [object] The parent object of `value`.\n\t * @param {Object} [stack] Tracks traversed objects and their clone counterparts.\n\t * @returns {*} Returns the cloned value.\n\t */\n\t function baseClone(value, bitmask, customizer, key, object, stack) {\n\t var result,\n\t isDeep = bitmask & CLONE_DEEP_FLAG,\n\t isFlat = bitmask & CLONE_FLAT_FLAG,\n\t isFull = bitmask & CLONE_SYMBOLS_FLAG;\n\n\t if (customizer) {\n\t result = object ? customizer(value, key, object, stack) : customizer(value);\n\t }\n\t if (result !== undefined$1) {\n\t return result;\n\t }\n\t if (!isObject(value)) {\n\t return value;\n\t }\n\t var isArr = isArray(value);\n\t if (isArr) {\n\t result = initCloneArray(value);\n\t if (!isDeep) {\n\t return copyArray(value, result);\n\t }\n\t } else {\n\t var tag = getTag(value),\n\t isFunc = tag == funcTag || tag == genTag;\n\n\t if (isBuffer(value)) {\n\t return cloneBuffer(value, isDeep);\n\t }\n\t if (tag == objectTag || tag == argsTag || (isFunc && !object)) {\n\t result = (isFlat || isFunc) ? {} : initCloneObject(value);\n\t if (!isDeep) {\n\t return isFlat\n\t ? copySymbolsIn(value, baseAssignIn(result, value))\n\t : copySymbols(value, baseAssign(result, value));\n\t }\n\t } else {\n\t if (!cloneableTags[tag]) {\n\t return object ? value : {};\n\t }\n\t result = initCloneByTag(value, tag, isDeep);\n\t }\n\t }\n\t // Check for circular references and return its corresponding clone.\n\t stack || (stack = new Stack);\n\t var stacked = stack.get(value);\n\t if (stacked) {\n\t return stacked;\n\t }\n\t stack.set(value, result);\n\n\t if (isSet(value)) {\n\t value.forEach(function(subValue) {\n\t result.add(baseClone(subValue, bitmask, customizer, subValue, value, stack));\n\t });\n\t } else if (isMap(value)) {\n\t value.forEach(function(subValue, key) {\n\t result.set(key, baseClone(subValue, bitmask, customizer, key, value, stack));\n\t });\n\t }\n\n\t var keysFunc = isFull\n\t ? (isFlat ? getAllKeysIn : getAllKeys)\n\t : (isFlat ? keysIn : keys);\n\n\t var props = isArr ? undefined$1 : keysFunc(value);\n\t arrayEach(props || value, function(subValue, key) {\n\t if (props) {\n\t key = subValue;\n\t subValue = value[key];\n\t }\n\t // Recursively populate clone (susceptible to call stack limits).\n\t assignValue(result, key, baseClone(subValue, bitmask, customizer, key, value, stack));\n\t });\n\t return result;\n\t }\n\n\t /**\n\t * The base implementation of `_.conforms` which doesn't clone `source`.\n\t *\n\t * @private\n\t * @param {Object} source The object of property predicates to conform to.\n\t * @returns {Function} Returns the new spec function.\n\t */\n\t function baseConforms(source) {\n\t var props = keys(source);\n\t return function(object) {\n\t return baseConformsTo(object, source, props);\n\t };\n\t }\n\n\t /**\n\t * The base implementation of `_.conformsTo` which accepts `props` to check.\n\t *\n\t * @private\n\t * @param {Object} object The object to inspect.\n\t * @param {Object} source The object of property predicates to conform to.\n\t * @returns {boolean} Returns `true` if `object` conforms, else `false`.\n\t */\n\t function baseConformsTo(object, source, props) {\n\t var length = props.length;\n\t if (object == null) {\n\t return !length;\n\t }\n\t object = Object(object);\n\t while (length--) {\n\t var key = props[length],\n\t predicate = source[key],\n\t value = object[key];\n\n\t if ((value === undefined$1 && !(key in object)) || !predicate(value)) {\n\t return false;\n\t }\n\t }\n\t return true;\n\t }\n\n\t /**\n\t * The base implementation of `_.delay` and `_.defer` which accepts `args`\n\t * to provide to `func`.\n\t *\n\t * @private\n\t * @param {Function} func The function to delay.\n\t * @param {number} wait The number of milliseconds to delay invocation.\n\t * @param {Array} args The arguments to provide to `func`.\n\t * @returns {number|Object} Returns the timer id or timeout object.\n\t */\n\t function baseDelay(func, wait, args) {\n\t if (typeof func != 'function') {\n\t throw new TypeError(FUNC_ERROR_TEXT);\n\t }\n\t return setTimeout(function() { func.apply(undefined$1, args); }, wait);\n\t }\n\n\t /**\n\t * The base implementation of methods like `_.difference` without support\n\t * for excluding multiple arrays or iteratee shorthands.\n\t *\n\t * @private\n\t * @param {Array} array The array to inspect.\n\t * @param {Array} values The values to exclude.\n\t * @param {Function} [iteratee] The iteratee invoked per element.\n\t * @param {Function} [comparator] The comparator invoked per element.\n\t * @returns {Array} Returns the new array of filtered values.\n\t */\n\t function baseDifference(array, values, iteratee, comparator) {\n\t var index = -1,\n\t includes = arrayIncludes,\n\t isCommon = true,\n\t length = array.length,\n\t result = [],\n\t valuesLength = values.length;\n\n\t if (!length) {\n\t return result;\n\t }\n\t if (iteratee) {\n\t values = arrayMap(values, baseUnary(iteratee));\n\t }\n\t if (comparator) {\n\t includes = arrayIncludesWith;\n\t isCommon = false;\n\t }\n\t else if (values.length >= LARGE_ARRAY_SIZE) {\n\t includes = cacheHas;\n\t isCommon = false;\n\t values = new SetCache(values);\n\t }\n\t outer:\n\t while (++index < length) {\n\t var value = array[index],\n\t computed = iteratee == null ? value : iteratee(value);\n\n\t value = (comparator || value !== 0) ? value : 0;\n\t if (isCommon && computed === computed) {\n\t var valuesIndex = valuesLength;\n\t while (valuesIndex--) {\n\t if (values[valuesIndex] === computed) {\n\t continue outer;\n\t }\n\t }\n\t result.push(value);\n\t }\n\t else if (!includes(values, computed, comparator)) {\n\t result.push(value);\n\t }\n\t }\n\t return result;\n\t }\n\n\t /**\n\t * The base implementation of `_.forEach` without support for iteratee shorthands.\n\t *\n\t * @private\n\t * @param {Array|Object} collection The collection to iterate over.\n\t * @param {Function} iteratee The function invoked per iteration.\n\t * @returns {Array|Object} Returns `collection`.\n\t */\n\t var baseEach = createBaseEach(baseForOwn);\n\n\t /**\n\t * The base implementation of `_.forEachRight` without support for iteratee shorthands.\n\t *\n\t * @private\n\t * @param {Array|Object} collection The collection to iterate over.\n\t * @param {Function} iteratee The function invoked per iteration.\n\t * @returns {Array|Object} Returns `collection`.\n\t */\n\t var baseEachRight = createBaseEach(baseForOwnRight, true);\n\n\t /**\n\t * The base implementation of `_.every` without support for iteratee shorthands.\n\t *\n\t * @private\n\t * @param {Array|Object} collection The collection to iterate over.\n\t * @param {Function} predicate The function invoked per iteration.\n\t * @returns {boolean} Returns `true` if all elements pass the predicate check,\n\t * else `false`\n\t */\n\t function baseEvery(collection, predicate) {\n\t var result = true;\n\t baseEach(collection, function(value, index, collection) {\n\t result = !!predicate(value, index, collection);\n\t return result;\n\t });\n\t return result;\n\t }\n\n\t /**\n\t * The base implementation of methods like `_.max` and `_.min` which accepts a\n\t * `comparator` to determine the extremum value.\n\t *\n\t * @private\n\t * @param {Array} array The array to iterate over.\n\t * @param {Function} iteratee The iteratee invoked per iteration.\n\t * @param {Function} comparator The comparator used to compare values.\n\t * @returns {*} Returns the extremum value.\n\t */\n\t function baseExtremum(array, iteratee, comparator) {\n\t var index = -1,\n\t length = array.length;\n\n\t while (++index < length) {\n\t var value = array[index],\n\t current = iteratee(value);\n\n\t if (current != null && (computed === undefined$1\n\t ? (current === current && !isSymbol(current))\n\t : comparator(current, computed)\n\t )) {\n\t var computed = current,\n\t result = value;\n\t }\n\t }\n\t return result;\n\t }\n\n\t /**\n\t * The base implementation of `_.fill` without an iteratee call guard.\n\t *\n\t * @private\n\t * @param {Array} array The array to fill.\n\t * @param {*} value The value to fill `array` with.\n\t * @param {number} [start=0] The start position.\n\t * @param {number} [end=array.length] The end position.\n\t * @returns {Array} Returns `array`.\n\t */\n\t function baseFill(array, value, start, end) {\n\t var length = array.length;\n\n\t start = toInteger(start);\n\t if (start < 0) {\n\t start = -start > length ? 0 : (length + start);\n\t }\n\t end = (end === undefined$1 || end > length) ? length : toInteger(end);\n\t if (end < 0) {\n\t end += length;\n\t }\n\t end = start > end ? 0 : toLength(end);\n\t while (start < end) {\n\t array[start++] = value;\n\t }\n\t return array;\n\t }\n\n\t /**\n\t * The base implementation of `_.filter` without support for iteratee shorthands.\n\t *\n\t * @private\n\t * @param {Array|Object} collection The collection to iterate over.\n\t * @param {Function} predicate The function invoked per iteration.\n\t * @returns {Array} Returns the new filtered array.\n\t */\n\t function baseFilter(collection, predicate) {\n\t var result = [];\n\t baseEach(collection, function(value, index, collection) {\n\t if (predicate(value, index, collection)) {\n\t result.push(value);\n\t }\n\t });\n\t return result;\n\t }\n\n\t /**\n\t * The base implementation of `_.flatten` with support for restricting flattening.\n\t *\n\t * @private\n\t * @param {Array} array The array to flatten.\n\t * @param {number} depth The maximum recursion depth.\n\t * @param {boolean} [predicate=isFlattenable] The function invoked per iteration.\n\t * @param {boolean} [isStrict] Restrict to values that pass `predicate` checks.\n\t * @param {Array} [result=[]] The initial result value.\n\t * @returns {Array} Returns the new flattened array.\n\t */\n\t function baseFlatten(array, depth, predicate, isStrict, result) {\n\t var index = -1,\n\t length = array.length;\n\n\t predicate || (predicate = isFlattenable);\n\t result || (result = []);\n\n\t while (++index < length) {\n\t var value = array[index];\n\t if (depth > 0 && predicate(value)) {\n\t if (depth > 1) {\n\t // Recursively flatten arrays (susceptible to call stack limits).\n\t baseFlatten(value, depth - 1, predicate, isStrict, result);\n\t } else {\n\t arrayPush(result, value);\n\t }\n\t } else if (!isStrict) {\n\t result[result.length] = value;\n\t }\n\t }\n\t return result;\n\t }\n\n\t /**\n\t * The base implementation of `baseForOwn` which iterates over `object`\n\t * properties returned by `keysFunc` and invokes `iteratee` for each property.\n\t * Iteratee functions may exit iteration early by explicitly returning `false`.\n\t *\n\t * @private\n\t * @param {Object} object The object to iterate over.\n\t * @param {Function} iteratee The function invoked per iteration.\n\t * @param {Function} keysFunc The function to get the keys of `object`.\n\t * @returns {Object} Returns `object`.\n\t */\n\t var baseFor = createBaseFor();\n\n\t /**\n\t * This function is like `baseFor` except that it iterates over properties\n\t * in the opposite order.\n\t *\n\t * @private\n\t * @param {Object} object The object to iterate over.\n\t * @param {Function} iteratee The function invoked per iteration.\n\t * @param {Function} keysFunc The function to get the keys of `object`.\n\t * @returns {Object} Returns `object`.\n\t */\n\t var baseForRight = createBaseFor(true);\n\n\t /**\n\t * The base implementation of `_.forOwn` without support for iteratee shorthands.\n\t *\n\t * @private\n\t * @param {Object} object The object to iterate over.\n\t * @param {Function} iteratee The function invoked per iteration.\n\t * @returns {Object} Returns `object`.\n\t */\n\t function baseForOwn(object, iteratee) {\n\t return object && baseFor(object, iteratee, keys);\n\t }\n\n\t /**\n\t * The base implementation of `_.forOwnRight` without support for iteratee shorthands.\n\t *\n\t * @private\n\t * @param {Object} object The object to iterate over.\n\t * @param {Function} iteratee The function invoked per iteration.\n\t * @returns {Object} Returns `object`.\n\t */\n\t function baseForOwnRight(object, iteratee) {\n\t return object && baseForRight(object, iteratee, keys);\n\t }\n\n\t /**\n\t * The base implementation of `_.functions` which creates an array of\n\t * `object` function property names filtered from `props`.\n\t *\n\t * @private\n\t * @param {Object} object The object to inspect.\n\t * @param {Array} props The property names to filter.\n\t * @returns {Array} Returns the function names.\n\t */\n\t function baseFunctions(object, props) {\n\t return arrayFilter(props, function(key) {\n\t return isFunction(object[key]);\n\t });\n\t }\n\n\t /**\n\t * The base implementation of `_.get` without support for default values.\n\t *\n\t * @private\n\t * @param {Object} object The object to query.\n\t * @param {Array|string} path The path of the property to get.\n\t * @returns {*} Returns the resolved value.\n\t */\n\t function baseGet(object, path) {\n\t path = castPath(path, object);\n\n\t var index = 0,\n\t length = path.length;\n\n\t while (object != null && index < length) {\n\t object = object[toKey(path[index++])];\n\t }\n\t return (index && index == length) ? object : undefined$1;\n\t }\n\n\t /**\n\t * The base implementation of `getAllKeys` and `getAllKeysIn` which uses\n\t * `keysFunc` and `symbolsFunc` to get the enumerable property names and\n\t * symbols of `object`.\n\t *\n\t * @private\n\t * @param {Object} object The object to query.\n\t * @param {Function} keysFunc The function to get the keys of `object`.\n\t * @param {Function} symbolsFunc The function to get the symbols of `object`.\n\t * @returns {Array} Returns the array of property names and symbols.\n\t */\n\t function baseGetAllKeys(object, keysFunc, symbolsFunc) {\n\t var result = keysFunc(object);\n\t return isArray(object) ? result : arrayPush(result, symbolsFunc(object));\n\t }\n\n\t /**\n\t * The base implementation of `getTag` without fallbacks for buggy environments.\n\t *\n\t * @private\n\t * @param {*} value The value to query.\n\t * @returns {string} Returns the `toStringTag`.\n\t */\n\t function baseGetTag(value) {\n\t if (value == null) {\n\t return value === undefined$1 ? undefinedTag : nullTag;\n\t }\n\t return (symToStringTag && symToStringTag in Object(value))\n\t ? getRawTag(value)\n\t : objectToString(value);\n\t }\n\n\t /**\n\t * The base implementation of `_.gt` which doesn't coerce arguments.\n\t *\n\t * @private\n\t * @param {*} value The value to compare.\n\t * @param {*} other The other value to compare.\n\t * @returns {boolean} Returns `true` if `value` is greater than `other`,\n\t * else `false`.\n\t */\n\t function baseGt(value, other) {\n\t return value > other;\n\t }\n\n\t /**\n\t * The base implementation of `_.has` without support for deep paths.\n\t *\n\t * @private\n\t * @param {Object} [object] The object to query.\n\t * @param {Array|string} key The key to check.\n\t * @returns {boolean} Returns `true` if `key` exists, else `false`.\n\t */\n\t function baseHas(object, key) {\n\t return object != null && hasOwnProperty.call(object, key);\n\t }\n\n\t /**\n\t * The base implementation of `_.hasIn` without support for deep paths.\n\t *\n\t * @private\n\t * @param {Object} [object] The object to query.\n\t * @param {Array|string} key The key to check.\n\t * @returns {boolean} Returns `true` if `key` exists, else `false`.\n\t */\n\t function baseHasIn(object, key) {\n\t return object != null && key in Object(object);\n\t }\n\n\t /**\n\t * The base implementation of `_.inRange` which doesn't coerce arguments.\n\t *\n\t * @private\n\t * @param {number} number The number to check.\n\t * @param {number} start The start of the range.\n\t * @param {number} end The end of the range.\n\t * @returns {boolean} Returns `true` if `number` is in the range, else `false`.\n\t */\n\t function baseInRange(number, start, end) {\n\t return number >= nativeMin(start, end) && number < nativeMax(start, end);\n\t }\n\n\t /**\n\t * The base implementation of methods like `_.intersection`, without support\n\t * for iteratee shorthands, that accepts an array of arrays to inspect.\n\t *\n\t * @private\n\t * @param {Array} arrays The arrays to inspect.\n\t * @param {Function} [iteratee] The iteratee invoked per element.\n\t * @param {Function} [comparator] The comparator invoked per element.\n\t * @returns {Array} Returns the new array of shared values.\n\t */\n\t function baseIntersection(arrays, iteratee, comparator) {\n\t var includes = comparator ? arrayIncludesWith : arrayIncludes,\n\t length = arrays[0].length,\n\t othLength = arrays.length,\n\t othIndex = othLength,\n\t caches = Array(othLength),\n\t maxLength = Infinity,\n\t result = [];\n\n\t while (othIndex--) {\n\t var array = arrays[othIndex];\n\t if (othIndex && iteratee) {\n\t array = arrayMap(array, baseUnary(iteratee));\n\t }\n\t maxLength = nativeMin(array.length, maxLength);\n\t caches[othIndex] = !comparator && (iteratee || (length >= 120 && array.length >= 120))\n\t ? new SetCache(othIndex && array)\n\t : undefined$1;\n\t }\n\t array = arrays[0];\n\n\t var index = -1,\n\t seen = caches[0];\n\n\t outer:\n\t while (++index < length && result.length < maxLength) {\n\t var value = array[index],\n\t computed = iteratee ? iteratee(value) : value;\n\n\t value = (comparator || value !== 0) ? value : 0;\n\t if (!(seen\n\t ? cacheHas(seen, computed)\n\t : includes(result, computed, comparator)\n\t )) {\n\t othIndex = othLength;\n\t while (--othIndex) {\n\t var cache = caches[othIndex];\n\t if (!(cache\n\t ? cacheHas(cache, computed)\n\t : includes(arrays[othIndex], computed, comparator))\n\t ) {\n\t continue outer;\n\t }\n\t }\n\t if (seen) {\n\t seen.push(computed);\n\t }\n\t result.push(value);\n\t }\n\t }\n\t return result;\n\t }\n\n\t /**\n\t * The base implementation of `_.invert` and `_.invertBy` which inverts\n\t * `object` with values transformed by `iteratee` and set by `setter`.\n\t *\n\t * @private\n\t * @param {Object} object The object to iterate over.\n\t * @param {Function} setter The function to set `accumulator` values.\n\t * @param {Function} iteratee The iteratee to transform values.\n\t * @param {Object} accumulator The initial inverted object.\n\t * @returns {Function} Returns `accumulator`.\n\t */\n\t function baseInverter(object, setter, iteratee, accumulator) {\n\t baseForOwn(object, function(value, key, object) {\n\t setter(accumulator, iteratee(value), key, object);\n\t });\n\t return accumulator;\n\t }\n\n\t /**\n\t * The base implementation of `_.invoke` without support for individual\n\t * method arguments.\n\t *\n\t * @private\n\t * @param {Object} object The object to query.\n\t * @param {Array|string} path The path of the method to invoke.\n\t * @param {Array} args The arguments to invoke the method with.\n\t * @returns {*} Returns the result of the invoked method.\n\t */\n\t function baseInvoke(object, path, args) {\n\t path = castPath(path, object);\n\t object = parent(object, path);\n\t var func = object == null ? object : object[toKey(last(path))];\n\t return func == null ? undefined$1 : apply(func, object, args);\n\t }\n\n\t /**\n\t * The base implementation of `_.isArguments`.\n\t *\n\t * @private\n\t * @param {*} value The value to check.\n\t * @returns {boolean} Returns `true` if `value` is an `arguments` object,\n\t */\n\t function baseIsArguments(value) {\n\t return isObjectLike(value) && baseGetTag(value) == argsTag;\n\t }\n\n\t /**\n\t * The base implementation of `_.isArrayBuffer` without Node.js optimizations.\n\t *\n\t * @private\n\t * @param {*} value The value to check.\n\t * @returns {boolean} Returns `true` if `value` is an array buffer, else `false`.\n\t */\n\t function baseIsArrayBuffer(value) {\n\t return isObjectLike(value) && baseGetTag(value) == arrayBufferTag;\n\t }\n\n\t /**\n\t * The base implementation of `_.isDate` without Node.js optimizations.\n\t *\n\t * @private\n\t * @param {*} value The value to check.\n\t * @returns {boolean} Returns `true` if `value` is a date object, else `false`.\n\t */\n\t function baseIsDate(value) {\n\t return isObjectLike(value) && baseGetTag(value) == dateTag;\n\t }\n\n\t /**\n\t * The base implementation of `_.isEqual` which supports partial comparisons\n\t * and tracks traversed objects.\n\t *\n\t * @private\n\t * @param {*} value The value to compare.\n\t * @param {*} other The other value to compare.\n\t * @param {boolean} bitmask The bitmask flags.\n\t * 1 - Unordered comparison\n\t * 2 - Partial comparison\n\t * @param {Function} [customizer] The function to customize comparisons.\n\t * @param {Object} [stack] Tracks traversed `value` and `other` objects.\n\t * @returns {boolean} Returns `true` if the values are equivalent, else `false`.\n\t */\n\t function baseIsEqual(value, other, bitmask, customizer, stack) {\n\t if (value === other) {\n\t return true;\n\t }\n\t if (value == null || other == null || (!isObjectLike(value) && !isObjectLike(other))) {\n\t return value !== value && other !== other;\n\t }\n\t return baseIsEqualDeep(value, other, bitmask, customizer, baseIsEqual, stack);\n\t }\n\n\t /**\n\t * A specialized version of `baseIsEqual` for arrays and objects which performs\n\t * deep comparisons and tracks traversed objects enabling objects with circular\n\t * references to be compared.\n\t *\n\t * @private\n\t * @param {Object} object The object to compare.\n\t * @param {Object} other The other object to compare.\n\t * @param {number} bitmask The bitmask flags. See `baseIsEqual` for more details.\n\t * @param {Function} customizer The function to customize comparisons.\n\t * @param {Function} equalFunc The function to determine equivalents of values.\n\t * @param {Object} [stack] Tracks traversed `object` and `other` objects.\n\t * @returns {boolean} Returns `true` if the objects are equivalent, else `false`.\n\t */\n\t function baseIsEqualDeep(object, other, bitmask, customizer, equalFunc, stack) {\n\t var objIsArr = isArray(object),\n\t othIsArr = isArray(other),\n\t objTag = objIsArr ? arrayTag : getTag(object),\n\t othTag = othIsArr ? arrayTag : getTag(other);\n\n\t objTag = objTag == argsTag ? objectTag : objTag;\n\t othTag = othTag == argsTag ? objectTag : othTag;\n\n\t var objIsObj = objTag == objectTag,\n\t othIsObj = othTag == objectTag,\n\t isSameTag = objTag == othTag;\n\n\t if (isSameTag && isBuffer(object)) {\n\t if (!isBuffer(other)) {\n\t return false;\n\t }\n\t objIsArr = true;\n\t objIsObj = false;\n\t }\n\t if (isSameTag && !objIsObj) {\n\t stack || (stack = new Stack);\n\t return (objIsArr || isTypedArray(object))\n\t ? equalArrays(object, other, bitmask, customizer, equalFunc, stack)\n\t : equalByTag(object, other, objTag, bitmask, customizer, equalFunc, stack);\n\t }\n\t if (!(bitmask & COMPARE_PARTIAL_FLAG)) {\n\t var objIsWrapped = objIsObj && hasOwnProperty.call(object, '__wrapped__'),\n\t othIsWrapped = othIsObj && hasOwnProperty.call(other, '__wrapped__');\n\n\t if (objIsWrapped || othIsWrapped) {\n\t var objUnwrapped = objIsWrapped ? object.value() : object,\n\t othUnwrapped = othIsWrapped ? other.value() : other;\n\n\t stack || (stack = new Stack);\n\t return equalFunc(objUnwrapped, othUnwrapped, bitmask, customizer, stack);\n\t }\n\t }\n\t if (!isSameTag) {\n\t return false;\n\t }\n\t stack || (stack = new Stack);\n\t return equalObjects(object, other, bitmask, customizer, equalFunc, stack);\n\t }\n\n\t /**\n\t * The base implementation of `_.isMap` without Node.js optimizations.\n\t *\n\t * @private\n\t * @param {*} value The value to check.\n\t * @returns {boolean} Returns `true` if `value` is a map, else `false`.\n\t */\n\t function baseIsMap(value) {\n\t return isObjectLike(value) && getTag(value) == mapTag;\n\t }\n\n\t /**\n\t * The base implementation of `_.isMatch` without support for iteratee shorthands.\n\t *\n\t * @private\n\t * @param {Object} object The object to inspect.\n\t * @param {Object} source The object of property values to match.\n\t * @param {Array} matchData The property names, values, and compare flags to match.\n\t * @param {Function} [customizer] The function to customize comparisons.\n\t * @returns {boolean} Returns `true` if `object` is a match, else `false`.\n\t */\n\t function baseIsMatch(object, source, matchData, customizer) {\n\t var index = matchData.length,\n\t length = index,\n\t noCustomizer = !customizer;\n\n\t if (object == null) {\n\t return !length;\n\t }\n\t object = Object(object);\n\t while (index--) {\n\t var data = matchData[index];\n\t if ((noCustomizer && data[2])\n\t ? data[1] !== object[data[0]]\n\t : !(data[0] in object)\n\t ) {\n\t return false;\n\t }\n\t }\n\t while (++index < length) {\n\t data = matchData[index];\n\t var key = data[0],\n\t objValue = object[key],\n\t srcValue = data[1];\n\n\t if (noCustomizer && data[2]) {\n\t if (objValue === undefined$1 && !(key in object)) {\n\t return false;\n\t }\n\t } else {\n\t var stack = new Stack;\n\t if (customizer) {\n\t var result = customizer(objValue, srcValue, key, object, source, stack);\n\t }\n\t if (!(result === undefined$1\n\t ? baseIsEqual(srcValue, objValue, COMPARE_PARTIAL_FLAG | COMPARE_UNORDERED_FLAG, customizer, stack)\n\t : result\n\t )) {\n\t return false;\n\t }\n\t }\n\t }\n\t return true;\n\t }\n\n\t /**\n\t * The base implementation of `_.isNative` without bad shim checks.\n\t *\n\t * @private\n\t * @param {*} value The value to check.\n\t * @returns {boolean} Returns `true` if `value` is a native function,\n\t * else `false`.\n\t */\n\t function baseIsNative(value) {\n\t if (!isObject(value) || isMasked(value)) {\n\t return false;\n\t }\n\t var pattern = isFunction(value) ? reIsNative : reIsHostCtor;\n\t return pattern.test(toSource(value));\n\t }\n\n\t /**\n\t * The base implementation of `_.isRegExp` without Node.js optimizations.\n\t *\n\t * @private\n\t * @param {*} value The value to check.\n\t * @returns {boolean} Returns `true` if `value` is a regexp, else `false`.\n\t */\n\t function baseIsRegExp(value) {\n\t return isObjectLike(value) && baseGetTag(value) == regexpTag;\n\t }\n\n\t /**\n\t * The base implementation of `_.isSet` without Node.js optimizations.\n\t *\n\t * @private\n\t * @param {*} value The value to check.\n\t * @returns {boolean} Returns `true` if `value` is a set, else `false`.\n\t */\n\t function baseIsSet(value) {\n\t return isObjectLike(value) && getTag(value) == setTag;\n\t }\n\n\t /**\n\t * The base implementation of `_.isTypedArray` without Node.js optimizations.\n\t *\n\t * @private\n\t * @param {*} value The value to check.\n\t * @returns {boolean} Returns `true` if `value` is a typed array, else `false`.\n\t */\n\t function baseIsTypedArray(value) {\n\t return isObjectLike(value) &&\n\t isLength(value.length) && !!typedArrayTags[baseGetTag(value)];\n\t }\n\n\t /**\n\t * The base implementation of `_.iteratee`.\n\t *\n\t * @private\n\t * @param {*} [value=_.identity] The value to convert to an iteratee.\n\t * @returns {Function} Returns the iteratee.\n\t */\n\t function baseIteratee(value) {\n\t // Don't store the `typeof` result in a variable to avoid a JIT bug in Safari 9.\n\t // See https://bugs.webkit.org/show_bug.cgi?id=156034 for more details.\n\t if (typeof value == 'function') {\n\t return value;\n\t }\n\t if (value == null) {\n\t return identity;\n\t }\n\t if (typeof value == 'object') {\n\t return isArray(value)\n\t ? baseMatchesProperty(value[0], value[1])\n\t : baseMatches(value);\n\t }\n\t return property(value);\n\t }\n\n\t /**\n\t * The base implementation of `_.keys` which doesn't treat sparse arrays as dense.\n\t *\n\t * @private\n\t * @param {Object} object The object to query.\n\t * @returns {Array} Returns the array of property names.\n\t */\n\t function baseKeys(object) {\n\t if (!isPrototype(object)) {\n\t return nativeKeys(object);\n\t }\n\t var result = [];\n\t for (var key in Object(object)) {\n\t if (hasOwnProperty.call(object, key) && key != 'constructor') {\n\t result.push(key);\n\t }\n\t }\n\t return result;\n\t }\n\n\t /**\n\t * The base implementation of `_.keysIn` which doesn't treat sparse arrays as dense.\n\t *\n\t * @private\n\t * @param {Object} object The object to query.\n\t * @returns {Array} Returns the array of property names.\n\t */\n\t function baseKeysIn(object) {\n\t if (!isObject(object)) {\n\t return nativeKeysIn(object);\n\t }\n\t var isProto = isPrototype(object),\n\t result = [];\n\n\t for (var key in object) {\n\t if (!(key == 'constructor' && (isProto || !hasOwnProperty.call(object, key)))) {\n\t result.push(key);\n\t }\n\t }\n\t return result;\n\t }\n\n\t /**\n\t * The base implementation of `_.lt` which doesn't coerce arguments.\n\t *\n\t * @private\n\t * @param {*} value The value to compare.\n\t * @param {*} other The other value to compare.\n\t * @returns {boolean} Returns `true` if `value` is less than `other`,\n\t * else `false`.\n\t */\n\t function baseLt(value, other) {\n\t return value < other;\n\t }\n\n\t /**\n\t * The base implementation of `_.map` without support for iteratee shorthands.\n\t *\n\t * @private\n\t * @param {Array|Object} collection The collection to iterate over.\n\t * @param {Function} iteratee The function invoked per iteration.\n\t * @returns {Array} Returns the new mapped array.\n\t */\n\t function baseMap(collection, iteratee) {\n\t var index = -1,\n\t result = isArrayLike(collection) ? Array(collection.length) : [];\n\n\t baseEach(collection, function(value, key, collection) {\n\t result[++index] = iteratee(value, key, collection);\n\t });\n\t return result;\n\t }\n\n\t /**\n\t * The base implementation of `_.matches` which doesn't clone `source`.\n\t *\n\t * @private\n\t * @param {Object} source The object of property values to match.\n\t * @returns {Function} Returns the new spec function.\n\t */\n\t function baseMatches(source) {\n\t var matchData = getMatchData(source);\n\t if (matchData.length == 1 && matchData[0][2]) {\n\t return matchesStrictComparable(matchData[0][0], matchData[0][1]);\n\t }\n\t return function(object) {\n\t return object === source || baseIsMatch(object, source, matchData);\n\t };\n\t }\n\n\t /**\n\t * The base implementation of `_.matchesProperty` which doesn't clone `srcValue`.\n\t *\n\t * @private\n\t * @param {string} path The path of the property to get.\n\t * @param {*} srcValue The value to match.\n\t * @returns {Function} Returns the new spec function.\n\t */\n\t function baseMatchesProperty(path, srcValue) {\n\t if (isKey(path) && isStrictComparable(srcValue)) {\n\t return matchesStrictComparable(toKey(path), srcValue);\n\t }\n\t return function(object) {\n\t var objValue = get(object, path);\n\t return (objValue === undefined$1 && objValue === srcValue)\n\t ? hasIn(object, path)\n\t : baseIsEqual(srcValue, objValue, COMPARE_PARTIAL_FLAG | COMPARE_UNORDERED_FLAG);\n\t };\n\t }\n\n\t /**\n\t * The base implementation of `_.merge` without support for multiple sources.\n\t *\n\t * @private\n\t * @param {Object} object The destination object.\n\t * @param {Object} source The source object.\n\t * @param {number} srcIndex The index of `source`.\n\t * @param {Function} [customizer] The function to customize merged values.\n\t * @param {Object} [stack] Tracks traversed source values and their merged\n\t * counterparts.\n\t */\n\t function baseMerge(object, source, srcIndex, customizer, stack) {\n\t if (object === source) {\n\t return;\n\t }\n\t baseFor(source, function(srcValue, key) {\n\t stack || (stack = new Stack);\n\t if (isObject(srcValue)) {\n\t baseMergeDeep(object, source, key, srcIndex, baseMerge, customizer, stack);\n\t }\n\t else {\n\t var newValue = customizer\n\t ? customizer(safeGet(object, key), srcValue, (key + ''), object, source, stack)\n\t : undefined$1;\n\n\t if (newValue === undefined$1) {\n\t newValue = srcValue;\n\t }\n\t assignMergeValue(object, key, newValue);\n\t }\n\t }, keysIn);\n\t }\n\n\t /**\n\t * A specialized version of `baseMerge` for arrays and objects which performs\n\t * deep merges and tracks traversed objects enabling objects with circular\n\t * references to be merged.\n\t *\n\t * @private\n\t * @param {Object} object The destination object.\n\t * @param {Object} source The source object.\n\t * @param {string} key The key of the value to merge.\n\t * @param {number} srcIndex The index of `source`.\n\t * @param {Function} mergeFunc The function to merge values.\n\t * @param {Function} [customizer] The function to customize assigned values.\n\t * @param {Object} [stack] Tracks traversed source values and their merged\n\t * counterparts.\n\t */\n\t function baseMergeDeep(object, source, key, srcIndex, mergeFunc, customizer, stack) {\n\t var objValue = safeGet(object, key),\n\t srcValue = safeGet(source, key),\n\t stacked = stack.get(srcValue);\n\n\t if (stacked) {\n\t assignMergeValue(object, key, stacked);\n\t return;\n\t }\n\t var newValue = customizer\n\t ? customizer(objValue, srcValue, (key + ''), object, source, stack)\n\t : undefined$1;\n\n\t var isCommon = newValue === undefined$1;\n\n\t if (isCommon) {\n\t var isArr = isArray(srcValue),\n\t isBuff = !isArr && isBuffer(srcValue),\n\t isTyped = !isArr && !isBuff && isTypedArray(srcValue);\n\n\t newValue = srcValue;\n\t if (isArr || isBuff || isTyped) {\n\t if (isArray(objValue)) {\n\t newValue = objValue;\n\t }\n\t else if (isArrayLikeObject(objValue)) {\n\t newValue = copyArray(objValue);\n\t }\n\t else if (isBuff) {\n\t isCommon = false;\n\t newValue = cloneBuffer(srcValue, true);\n\t }\n\t else if (isTyped) {\n\t isCommon = false;\n\t newValue = cloneTypedArray(srcValue, true);\n\t }\n\t else {\n\t newValue = [];\n\t }\n\t }\n\t else if (isPlainObject(srcValue) || isArguments(srcValue)) {\n\t newValue = objValue;\n\t if (isArguments(objValue)) {\n\t newValue = toPlainObject(objValue);\n\t }\n\t else if (!isObject(objValue) || isFunction(objValue)) {\n\t newValue = initCloneObject(srcValue);\n\t }\n\t }\n\t else {\n\t isCommon = false;\n\t }\n\t }\n\t if (isCommon) {\n\t // Recursively merge objects and arrays (susceptible to call stack limits).\n\t stack.set(srcValue, newValue);\n\t mergeFunc(newValue, srcValue, srcIndex, customizer, stack);\n\t stack['delete'](srcValue);\n\t }\n\t assignMergeValue(object, key, newValue);\n\t }\n\n\t /**\n\t * The base implementation of `_.nth` which doesn't coerce arguments.\n\t *\n\t * @private\n\t * @param {Array} array The array to query.\n\t * @param {number} n The index of the element to return.\n\t * @returns {*} Returns the nth element of `array`.\n\t */\n\t function baseNth(array, n) {\n\t var length = array.length;\n\t if (!length) {\n\t return;\n\t }\n\t n += n < 0 ? length : 0;\n\t return isIndex(n, length) ? array[n] : undefined$1;\n\t }\n\n\t /**\n\t * The base implementation of `_.orderBy` without param guards.\n\t *\n\t * @private\n\t * @param {Array|Object} collection The collection to iterate over.\n\t * @param {Function[]|Object[]|string[]} iteratees The iteratees to sort by.\n\t * @param {string[]} orders The sort orders of `iteratees`.\n\t * @returns {Array} Returns the new sorted array.\n\t */\n\t function baseOrderBy(collection, iteratees, orders) {\n\t if (iteratees.length) {\n\t iteratees = arrayMap(iteratees, function(iteratee) {\n\t if (isArray(iteratee)) {\n\t return function(value) {\n\t return baseGet(value, iteratee.length === 1 ? iteratee[0] : iteratee);\n\t }\n\t }\n\t return iteratee;\n\t });\n\t } else {\n\t iteratees = [identity];\n\t }\n\n\t var index = -1;\n\t iteratees = arrayMap(iteratees, baseUnary(getIteratee()));\n\n\t var result = baseMap(collection, function(value, key, collection) {\n\t var criteria = arrayMap(iteratees, function(iteratee) {\n\t return iteratee(value);\n\t });\n\t return { 'criteria': criteria, 'index': ++index, 'value': value };\n\t });\n\n\t return baseSortBy(result, function(object, other) {\n\t return compareMultiple(object, other, orders);\n\t });\n\t }\n\n\t /**\n\t * The base implementation of `_.pick` without support for individual\n\t * property identifiers.\n\t *\n\t * @private\n\t * @param {Object} object The source object.\n\t * @param {string[]} paths The property paths to pick.\n\t * @returns {Object} Returns the new object.\n\t */\n\t function basePick(object, paths) {\n\t return basePickBy(object, paths, function(value, path) {\n\t return hasIn(object, path);\n\t });\n\t }\n\n\t /**\n\t * The base implementation of `_.pickBy` without support for iteratee shorthands.\n\t *\n\t * @private\n\t * @param {Object} object The source object.\n\t * @param {string[]} paths The property paths to pick.\n\t * @param {Function} predicate The function invoked per property.\n\t * @returns {Object} Returns the new object.\n\t */\n\t function basePickBy(object, paths, predicate) {\n\t var index = -1,\n\t length = paths.length,\n\t result = {};\n\n\t while (++index < length) {\n\t var path = paths[index],\n\t value = baseGet(object, path);\n\n\t if (predicate(value, path)) {\n\t baseSet(result, castPath(path, object), value);\n\t }\n\t }\n\t return result;\n\t }\n\n\t /**\n\t * A specialized version of `baseProperty` which supports deep paths.\n\t *\n\t * @private\n\t * @param {Array|string} path The path of the property to get.\n\t * @returns {Function} Returns the new accessor function.\n\t */\n\t function basePropertyDeep(path) {\n\t return function(object) {\n\t return baseGet(object, path);\n\t };\n\t }\n\n\t /**\n\t * The base implementation of `_.pullAllBy` without support for iteratee\n\t * shorthands.\n\t *\n\t * @private\n\t * @param {Array} array The array to modify.\n\t * @param {Array} values The values to remove.\n\t * @param {Function} [iteratee] The iteratee invoked per element.\n\t * @param {Function} [comparator] The comparator invoked per element.\n\t * @returns {Array} Returns `array`.\n\t */\n\t function basePullAll(array, values, iteratee, comparator) {\n\t var indexOf = comparator ? baseIndexOfWith : baseIndexOf,\n\t index = -1,\n\t length = values.length,\n\t seen = array;\n\n\t if (array === values) {\n\t values = copyArray(values);\n\t }\n\t if (iteratee) {\n\t seen = arrayMap(array, baseUnary(iteratee));\n\t }\n\t while (++index < length) {\n\t var fromIndex = 0,\n\t value = values[index],\n\t computed = iteratee ? iteratee(value) : value;\n\n\t while ((fromIndex = indexOf(seen, computed, fromIndex, comparator)) > -1) {\n\t if (seen !== array) {\n\t splice.call(seen, fromIndex, 1);\n\t }\n\t splice.call(array, fromIndex, 1);\n\t }\n\t }\n\t return array;\n\t }\n\n\t /**\n\t * The base implementation of `_.pullAt` without support for individual\n\t * indexes or capturing the removed elements.\n\t *\n\t * @private\n\t * @param {Array} array The array to modify.\n\t * @param {number[]} indexes The indexes of elements to remove.\n\t * @returns {Array} Returns `array`.\n\t */\n\t function basePullAt(array, indexes) {\n\t var length = array ? indexes.length : 0,\n\t lastIndex = length - 1;\n\n\t while (length--) {\n\t var index = indexes[length];\n\t if (length == lastIndex || index !== previous) {\n\t var previous = index;\n\t if (isIndex(index)) {\n\t splice.call(array, index, 1);\n\t } else {\n\t baseUnset(array, index);\n\t }\n\t }\n\t }\n\t return array;\n\t }\n\n\t /**\n\t * The base implementation of `_.random` without support for returning\n\t * floating-point numbers.\n\t *\n\t * @private\n\t * @param {number} lower The lower bound.\n\t * @param {number} upper The upper bound.\n\t * @returns {number} Returns the random number.\n\t */\n\t function baseRandom(lower, upper) {\n\t return lower + nativeFloor(nativeRandom() * (upper - lower + 1));\n\t }\n\n\t /**\n\t * The base implementation of `_.range` and `_.rangeRight` which doesn't\n\t * coerce arguments.\n\t *\n\t * @private\n\t * @param {number} start The start of the range.\n\t * @param {number} end The end of the range.\n\t * @param {number} step The value to increment or decrement by.\n\t * @param {boolean} [fromRight] Specify iterating from right to left.\n\t * @returns {Array} Returns the range of numbers.\n\t */\n\t function baseRange(start, end, step, fromRight) {\n\t var index = -1,\n\t length = nativeMax(nativeCeil((end - start) / (step || 1)), 0),\n\t result = Array(length);\n\n\t while (length--) {\n\t result[fromRight ? length : ++index] = start;\n\t start += step;\n\t }\n\t return result;\n\t }\n\n\t /**\n\t * The base implementation of `_.repeat` which doesn't coerce arguments.\n\t *\n\t * @private\n\t * @param {string} string The string to repeat.\n\t * @param {number} n The number of times to repeat the string.\n\t * @returns {string} Returns the repeated string.\n\t */\n\t function baseRepeat(string, n) {\n\t var result = '';\n\t if (!string || n < 1 || n > MAX_SAFE_INTEGER) {\n\t return result;\n\t }\n\t // Leverage the exponentiation by squaring algorithm for a faster repeat.\n\t // See https://en.wikipedia.org/wiki/Exponentiation_by_squaring for more details.\n\t do {\n\t if (n % 2) {\n\t result += string;\n\t }\n\t n = nativeFloor(n / 2);\n\t if (n) {\n\t string += string;\n\t }\n\t } while (n);\n\n\t return result;\n\t }\n\n\t /**\n\t * The base implementation of `_.rest` which doesn't validate or coerce arguments.\n\t *\n\t * @private\n\t * @param {Function} func The function to apply a rest parameter to.\n\t * @param {number} [start=func.length-1] The start position of the rest parameter.\n\t * @returns {Function} Returns the new function.\n\t */\n\t function baseRest(func, start) {\n\t return setToString(overRest(func, start, identity), func + '');\n\t }\n\n\t /**\n\t * The base implementation of `_.sample`.\n\t *\n\t * @private\n\t * @param {Array|Object} collection The collection to sample.\n\t * @returns {*} Returns the random element.\n\t */\n\t function baseSample(collection) {\n\t return arraySample(values(collection));\n\t }\n\n\t /**\n\t * The base implementation of `_.sampleSize` without param guards.\n\t *\n\t * @private\n\t * @param {Array|Object} collection The collection to sample.\n\t * @param {number} n The number of elements to sample.\n\t * @returns {Array} Returns the random elements.\n\t */\n\t function baseSampleSize(collection, n) {\n\t var array = values(collection);\n\t return shuffleSelf(array, baseClamp(n, 0, array.length));\n\t }\n\n\t /**\n\t * The base implementation of `_.set`.\n\t *\n\t * @private\n\t * @param {Object} object The object to modify.\n\t * @param {Array|string} path The path of the property to set.\n\t * @param {*} value The value to set.\n\t * @param {Function} [customizer] The function to customize path creation.\n\t * @returns {Object} Returns `object`.\n\t */\n\t function baseSet(object, path, value, customizer) {\n\t if (!isObject(object)) {\n\t return object;\n\t }\n\t path = castPath(path, object);\n\n\t var index = -1,\n\t length = path.length,\n\t lastIndex = length - 1,\n\t nested = object;\n\n\t while (nested != null && ++index < length) {\n\t var key = toKey(path[index]),\n\t newValue = value;\n\n\t if (key === '__proto__' || key === 'constructor' || key === 'prototype') {\n\t return object;\n\t }\n\n\t if (index != lastIndex) {\n\t var objValue = nested[key];\n\t newValue = customizer ? customizer(objValue, key, nested) : undefined$1;\n\t if (newValue === undefined$1) {\n\t newValue = isObject(objValue)\n\t ? objValue\n\t : (isIndex(path[index + 1]) ? [] : {});\n\t }\n\t }\n\t assignValue(nested, key, newValue);\n\t nested = nested[key];\n\t }\n\t return object;\n\t }\n\n\t /**\n\t * The base implementation of `setData` without support for hot loop shorting.\n\t *\n\t * @private\n\t * @param {Function} func The function to associate metadata with.\n\t * @param {*} data The metadata.\n\t * @returns {Function} Returns `func`.\n\t */\n\t var baseSetData = !metaMap ? identity : function(func, data) {\n\t metaMap.set(func, data);\n\t return func;\n\t };\n\n\t /**\n\t * The base implementation of `setToString` without support for hot loop shorting.\n\t *\n\t * @private\n\t * @param {Function} func The function to modify.\n\t * @param {Function} string The `toString` result.\n\t * @returns {Function} Returns `func`.\n\t */\n\t var baseSetToString = !defineProperty ? identity : function(func, string) {\n\t return defineProperty(func, 'toString', {\n\t 'configurable': true,\n\t 'enumerable': false,\n\t 'value': constant(string),\n\t 'writable': true\n\t });\n\t };\n\n\t /**\n\t * The base implementation of `_.shuffle`.\n\t *\n\t * @private\n\t * @param {Array|Object} collection The collection to shuffle.\n\t * @returns {Array} Returns the new shuffled array.\n\t */\n\t function baseShuffle(collection) {\n\t return shuffleSelf(values(collection));\n\t }\n\n\t /**\n\t * The base implementation of `_.slice` without an iteratee call guard.\n\t *\n\t * @private\n\t * @param {Array} array The array to slice.\n\t * @param {number} [start=0] The start position.\n\t * @param {number} [end=array.length] The end position.\n\t * @returns {Array} Returns the slice of `array`.\n\t */\n\t function baseSlice(array, start, end) {\n\t var index = -1,\n\t length = array.length;\n\n\t if (start < 0) {\n\t start = -start > length ? 0 : (length + start);\n\t }\n\t end = end > length ? length : end;\n\t if (end < 0) {\n\t end += length;\n\t }\n\t length = start > end ? 0 : ((end - start) >>> 0);\n\t start >>>= 0;\n\n\t var result = Array(length);\n\t while (++index < length) {\n\t result[index] = array[index + start];\n\t }\n\t return result;\n\t }\n\n\t /**\n\t * The base implementation of `_.some` without support for iteratee shorthands.\n\t *\n\t * @private\n\t * @param {Array|Object} collection The collection to iterate over.\n\t * @param {Function} predicate The function invoked per iteration.\n\t * @returns {boolean} Returns `true` if any element passes the predicate check,\n\t * else `false`.\n\t */\n\t function baseSome(collection, predicate) {\n\t var result;\n\n\t baseEach(collection, function(value, index, collection) {\n\t result = predicate(value, index, collection);\n\t return !result;\n\t });\n\t return !!result;\n\t }\n\n\t /**\n\t * The base implementation of `_.sortedIndex` and `_.sortedLastIndex` which\n\t * performs a binary search of `array` to determine the index at which `value`\n\t * should be inserted into `array` in order to maintain its sort order.\n\t *\n\t * @private\n\t * @param {Array} array The sorted array to inspect.\n\t * @param {*} value The value to evaluate.\n\t * @param {boolean} [retHighest] Specify returning the highest qualified index.\n\t * @returns {number} Returns the index at which `value` should be inserted\n\t * into `array`.\n\t */\n\t function baseSortedIndex(array, value, retHighest) {\n\t var low = 0,\n\t high = array == null ? low : array.length;\n\n\t if (typeof value == 'number' && value === value && high <= HALF_MAX_ARRAY_LENGTH) {\n\t while (low < high) {\n\t var mid = (low + high) >>> 1,\n\t computed = array[mid];\n\n\t if (computed !== null && !isSymbol(computed) &&\n\t (retHighest ? (computed <= value) : (computed < value))) {\n\t low = mid + 1;\n\t } else {\n\t high = mid;\n\t }\n\t }\n\t return high;\n\t }\n\t return baseSortedIndexBy(array, value, identity, retHighest);\n\t }\n\n\t /**\n\t * The base implementation of `_.sortedIndexBy` and `_.sortedLastIndexBy`\n\t * which invokes `iteratee` for `value` and each element of `array` to compute\n\t * their sort ranking. The iteratee is invoked with one argument; (value).\n\t *\n\t * @private\n\t * @param {Array} array The sorted array to inspect.\n\t * @param {*} value The value to evaluate.\n\t * @param {Function} iteratee The iteratee invoked per element.\n\t * @param {boolean} [retHighest] Specify returning the highest qualified index.\n\t * @returns {number} Returns the index at which `value` should be inserted\n\t * into `array`.\n\t */\n\t function baseSortedIndexBy(array, value, iteratee, retHighest) {\n\t var low = 0,\n\t high = array == null ? 0 : array.length;\n\t if (high === 0) {\n\t return 0;\n\t }\n\n\t value = iteratee(value);\n\t var valIsNaN = value !== value,\n\t valIsNull = value === null,\n\t valIsSymbol = isSymbol(value),\n\t valIsUndefined = value === undefined$1;\n\n\t while (low < high) {\n\t var mid = nativeFloor((low + high) / 2),\n\t computed = iteratee(array[mid]),\n\t othIsDefined = computed !== undefined$1,\n\t othIsNull = computed === null,\n\t othIsReflexive = computed === computed,\n\t othIsSymbol = isSymbol(computed);\n\n\t if (valIsNaN) {\n\t var setLow = retHighest || othIsReflexive;\n\t } else if (valIsUndefined) {\n\t setLow = othIsReflexive && (retHighest || othIsDefined);\n\t } else if (valIsNull) {\n\t setLow = othIsReflexive && othIsDefined && (retHighest || !othIsNull);\n\t } else if (valIsSymbol) {\n\t setLow = othIsReflexive && othIsDefined && !othIsNull && (retHighest || !othIsSymbol);\n\t } else if (othIsNull || othIsSymbol) {\n\t setLow = false;\n\t } else {\n\t setLow = retHighest ? (computed <= value) : (computed < value);\n\t }\n\t if (setLow) {\n\t low = mid + 1;\n\t } else {\n\t high = mid;\n\t }\n\t }\n\t return nativeMin(high, MAX_ARRAY_INDEX);\n\t }\n\n\t /**\n\t * The base implementation of `_.sortedUniq` and `_.sortedUniqBy` without\n\t * support for iteratee shorthands.\n\t *\n\t * @private\n\t * @param {Array} array The array to inspect.\n\t * @param {Function} [iteratee] The iteratee invoked per element.\n\t * @returns {Array} Returns the new duplicate free array.\n\t */\n\t function baseSortedUniq(array, iteratee) {\n\t var index = -1,\n\t length = array.length,\n\t resIndex = 0,\n\t result = [];\n\n\t while (++index < length) {\n\t var value = array[index],\n\t computed = iteratee ? iteratee(value) : value;\n\n\t if (!index || !eq(computed, seen)) {\n\t var seen = computed;\n\t result[resIndex++] = value === 0 ? 0 : value;\n\t }\n\t }\n\t return result;\n\t }\n\n\t /**\n\t * The base implementation of `_.toNumber` which doesn't ensure correct\n\t * conversions of binary, hexadecimal, or octal string values.\n\t *\n\t * @private\n\t * @param {*} value The value to process.\n\t * @returns {number} Returns the number.\n\t */\n\t function baseToNumber(value) {\n\t if (typeof value == 'number') {\n\t return value;\n\t }\n\t if (isSymbol(value)) {\n\t return NAN;\n\t }\n\t return +value;\n\t }\n\n\t /**\n\t * The base implementation of `_.toString` which doesn't convert nullish\n\t * values to empty strings.\n\t *\n\t * @private\n\t * @param {*} value The value to process.\n\t * @returns {string} Returns the string.\n\t */\n\t function baseToString(value) {\n\t // Exit early for strings to avoid a performance hit in some environments.\n\t if (typeof value == 'string') {\n\t return value;\n\t }\n\t if (isArray(value)) {\n\t // Recursively convert values (susceptible to call stack limits).\n\t return arrayMap(value, baseToString) + '';\n\t }\n\t if (isSymbol(value)) {\n\t return symbolToString ? symbolToString.call(value) : '';\n\t }\n\t var result = (value + '');\n\t return (result == '0' && (1 / value) == -INFINITY) ? '-0' : result;\n\t }\n\n\t /**\n\t * The base implementation of `_.uniqBy` without support for iteratee shorthands.\n\t *\n\t * @private\n\t * @param {Array} array The array to inspect.\n\t * @param {Function} [iteratee] The iteratee invoked per element.\n\t * @param {Function} [comparator] The comparator invoked per element.\n\t * @returns {Array} Returns the new duplicate free array.\n\t */\n\t function baseUniq(array, iteratee, comparator) {\n\t var index = -1,\n\t includes = arrayIncludes,\n\t length = array.length,\n\t isCommon = true,\n\t result = [],\n\t seen = result;\n\n\t if (comparator) {\n\t isCommon = false;\n\t includes = arrayIncludesWith;\n\t }\n\t else if (length >= LARGE_ARRAY_SIZE) {\n\t var set = iteratee ? null : createSet(array);\n\t if (set) {\n\t return setToArray(set);\n\t }\n\t isCommon = false;\n\t includes = cacheHas;\n\t seen = new SetCache;\n\t }\n\t else {\n\t seen = iteratee ? [] : result;\n\t }\n\t outer:\n\t while (++index < length) {\n\t var value = array[index],\n\t computed = iteratee ? iteratee(value) : value;\n\n\t value = (comparator || value !== 0) ? value : 0;\n\t if (isCommon && computed === computed) {\n\t var seenIndex = seen.length;\n\t while (seenIndex--) {\n\t if (seen[seenIndex] === computed) {\n\t continue outer;\n\t }\n\t }\n\t if (iteratee) {\n\t seen.push(computed);\n\t }\n\t result.push(value);\n\t }\n\t else if (!includes(seen, computed, comparator)) {\n\t if (seen !== result) {\n\t seen.push(computed);\n\t }\n\t result.push(value);\n\t }\n\t }\n\t return result;\n\t }\n\n\t /**\n\t * The base implementation of `_.unset`.\n\t *\n\t * @private\n\t * @param {Object} object The object to modify.\n\t * @param {Array|string} path The property path to unset.\n\t * @returns {boolean} Returns `true` if the property is deleted, else `false`.\n\t */\n\t function baseUnset(object, path) {\n\t path = castPath(path, object);\n\t object = parent(object, path);\n\t return object == null || delete object[toKey(last(path))];\n\t }\n\n\t /**\n\t * The base implementation of `_.update`.\n\t *\n\t * @private\n\t * @param {Object} object The object to modify.\n\t * @param {Array|string} path The path of the property to update.\n\t * @param {Function} updater The function to produce the updated value.\n\t * @param {Function} [customizer] The function to customize path creation.\n\t * @returns {Object} Returns `object`.\n\t */\n\t function baseUpdate(object, path, updater, customizer) {\n\t return baseSet(object, path, updater(baseGet(object, path)), customizer);\n\t }\n\n\t /**\n\t * The base implementation of methods like `_.dropWhile` and `_.takeWhile`\n\t * without support for iteratee shorthands.\n\t *\n\t * @private\n\t * @param {Array} array The array to query.\n\t * @param {Function} predicate The function invoked per iteration.\n\t * @param {boolean} [isDrop] Specify dropping elements instead of taking them.\n\t * @param {boolean} [fromRight] Specify iterating from right to left.\n\t * @returns {Array} Returns the slice of `array`.\n\t */\n\t function baseWhile(array, predicate, isDrop, fromRight) {\n\t var length = array.length,\n\t index = fromRight ? length : -1;\n\n\t while ((fromRight ? index-- : ++index < length) &&\n\t predicate(array[index], index, array)) {}\n\n\t return isDrop\n\t ? baseSlice(array, (fromRight ? 0 : index), (fromRight ? index + 1 : length))\n\t : baseSlice(array, (fromRight ? index + 1 : 0), (fromRight ? length : index));\n\t }\n\n\t /**\n\t * The base implementation of `wrapperValue` which returns the result of\n\t * performing a sequence of actions on the unwrapped `value`, where each\n\t * successive action is supplied the return value of the previous.\n\t *\n\t * @private\n\t * @param {*} value The unwrapped value.\n\t * @param {Array} actions Actions to perform to resolve the unwrapped value.\n\t * @returns {*} Returns the resolved value.\n\t */\n\t function baseWrapperValue(value, actions) {\n\t var result = value;\n\t if (result instanceof LazyWrapper) {\n\t result = result.value();\n\t }\n\t return arrayReduce(actions, function(result, action) {\n\t return action.func.apply(action.thisArg, arrayPush([result], action.args));\n\t }, result);\n\t }\n\n\t /**\n\t * The base implementation of methods like `_.xor`, without support for\n\t * iteratee shorthands, that accepts an array of arrays to inspect.\n\t *\n\t * @private\n\t * @param {Array} arrays The arrays to inspect.\n\t * @param {Function} [iteratee] The iteratee invoked per element.\n\t * @param {Function} [comparator] The comparator invoked per element.\n\t * @returns {Array} Returns the new array of values.\n\t */\n\t function baseXor(arrays, iteratee, comparator) {\n\t var length = arrays.length;\n\t if (length < 2) {\n\t return length ? baseUniq(arrays[0]) : [];\n\t }\n\t var index = -1,\n\t result = Array(length);\n\n\t while (++index < length) {\n\t var array = arrays[index],\n\t othIndex = -1;\n\n\t while (++othIndex < length) {\n\t if (othIndex != index) {\n\t result[index] = baseDifference(result[index] || array, arrays[othIndex], iteratee, comparator);\n\t }\n\t }\n\t }\n\t return baseUniq(baseFlatten(result, 1), iteratee, comparator);\n\t }\n\n\t /**\n\t * This base implementation of `_.zipObject` which assigns values using `assignFunc`.\n\t *\n\t * @private\n\t * @param {Array} props The property identifiers.\n\t * @param {Array} values The property values.\n\t * @param {Function} assignFunc The function to assign values.\n\t * @returns {Object} Returns the new object.\n\t */\n\t function baseZipObject(props, values, assignFunc) {\n\t var index = -1,\n\t length = props.length,\n\t valsLength = values.length,\n\t result = {};\n\n\t while (++index < length) {\n\t var value = index < valsLength ? values[index] : undefined$1;\n\t assignFunc(result, props[index], value);\n\t }\n\t return result;\n\t }\n\n\t /**\n\t * Casts `value` to an empty array if it's not an array like object.\n\t *\n\t * @private\n\t * @param {*} value The value to inspect.\n\t * @returns {Array|Object} Returns the cast array-like object.\n\t */\n\t function castArrayLikeObject(value) {\n\t return isArrayLikeObject(value) ? value : [];\n\t }\n\n\t /**\n\t * Casts `value` to `identity` if it's not a function.\n\t *\n\t * @private\n\t * @param {*} value The value to inspect.\n\t * @returns {Function} Returns cast function.\n\t */\n\t function castFunction(value) {\n\t return typeof value == 'function' ? value : identity;\n\t }\n\n\t /**\n\t * Casts `value` to a path array if it's not one.\n\t *\n\t * @private\n\t * @param {*} value The value to inspect.\n\t * @param {Object} [object] The object to query keys on.\n\t * @returns {Array} Returns the cast property path array.\n\t */\n\t function castPath(value, object) {\n\t if (isArray(value)) {\n\t return value;\n\t }\n\t return isKey(value, object) ? [value] : stringToPath(toString(value));\n\t }\n\n\t /**\n\t * A `baseRest` alias which can be replaced with `identity` by module\n\t * replacement plugins.\n\t *\n\t * @private\n\t * @type {Function}\n\t * @param {Function} func The function to apply a rest parameter to.\n\t * @returns {Function} Returns the new function.\n\t */\n\t var castRest = baseRest;\n\n\t /**\n\t * Casts `array` to a slice if it's needed.\n\t *\n\t * @private\n\t * @param {Array} array The array to inspect.\n\t * @param {number} start The start position.\n\t * @param {number} [end=array.length] The end position.\n\t * @returns {Array} Returns the cast slice.\n\t */\n\t function castSlice(array, start, end) {\n\t var length = array.length;\n\t end = end === undefined$1 ? length : end;\n\t return (!start && end >= length) ? array : baseSlice(array, start, end);\n\t }\n\n\t /**\n\t * A simple wrapper around the global [`clearTimeout`](https://mdn.io/clearTimeout).\n\t *\n\t * @private\n\t * @param {number|Object} id The timer id or timeout object of the timer to clear.\n\t */\n\t var clearTimeout = ctxClearTimeout || function(id) {\n\t return root.clearTimeout(id);\n\t };\n\n\t /**\n\t * Creates a clone of `buffer`.\n\t *\n\t * @private\n\t * @param {Buffer} buffer The buffer to clone.\n\t * @param {boolean} [isDeep] Specify a deep clone.\n\t * @returns {Buffer} Returns the cloned buffer.\n\t */\n\t function cloneBuffer(buffer, isDeep) {\n\t if (isDeep) {\n\t return buffer.slice();\n\t }\n\t var length = buffer.length,\n\t result = allocUnsafe ? allocUnsafe(length) : new buffer.constructor(length);\n\n\t buffer.copy(result);\n\t return result;\n\t }\n\n\t /**\n\t * Creates a clone of `arrayBuffer`.\n\t *\n\t * @private\n\t * @param {ArrayBuffer} arrayBuffer The array buffer to clone.\n\t * @returns {ArrayBuffer} Returns the cloned array buffer.\n\t */\n\t function cloneArrayBuffer(arrayBuffer) {\n\t var result = new arrayBuffer.constructor(arrayBuffer.byteLength);\n\t new Uint8Array(result).set(new Uint8Array(arrayBuffer));\n\t return result;\n\t }\n\n\t /**\n\t * Creates a clone of `dataView`.\n\t *\n\t * @private\n\t * @param {Object} dataView The data view to clone.\n\t * @param {boolean} [isDeep] Specify a deep clone.\n\t * @returns {Object} Returns the cloned data view.\n\t */\n\t function cloneDataView(dataView, isDeep) {\n\t var buffer = isDeep ? cloneArrayBuffer(dataView.buffer) : dataView.buffer;\n\t return new dataView.constructor(buffer, dataView.byteOffset, dataView.byteLength);\n\t }\n\n\t /**\n\t * Creates a clone of `regexp`.\n\t *\n\t * @private\n\t * @param {Object} regexp The regexp to clone.\n\t * @returns {Object} Returns the cloned regexp.\n\t */\n\t function cloneRegExp(regexp) {\n\t var result = new regexp.constructor(regexp.source, reFlags.exec(regexp));\n\t result.lastIndex = regexp.lastIndex;\n\t return result;\n\t }\n\n\t /**\n\t * Creates a clone of the `symbol` object.\n\t *\n\t * @private\n\t * @param {Object} symbol The symbol object to clone.\n\t * @returns {Object} Returns the cloned symbol object.\n\t */\n\t function cloneSymbol(symbol) {\n\t return symbolValueOf ? Object(symbolValueOf.call(symbol)) : {};\n\t }\n\n\t /**\n\t * Creates a clone of `typedArray`.\n\t *\n\t * @private\n\t * @param {Object} typedArray The typed array to clone.\n\t * @param {boolean} [isDeep] Specify a deep clone.\n\t * @returns {Object} Returns the cloned typed array.\n\t */\n\t function cloneTypedArray(typedArray, isDeep) {\n\t var buffer = isDeep ? cloneArrayBuffer(typedArray.buffer) : typedArray.buffer;\n\t return new typedArray.constructor(buffer, typedArray.byteOffset, typedArray.length);\n\t }\n\n\t /**\n\t * Compares values to sort them in ascending order.\n\t *\n\t * @private\n\t * @param {*} value The value to compare.\n\t * @param {*} other The other value to compare.\n\t * @returns {number} Returns the sort order indicator for `value`.\n\t */\n\t function compareAscending(value, other) {\n\t if (value !== other) {\n\t var valIsDefined = value !== undefined$1,\n\t valIsNull = value === null,\n\t valIsReflexive = value === value,\n\t valIsSymbol = isSymbol(value);\n\n\t var othIsDefined = other !== undefined$1,\n\t othIsNull = other === null,\n\t othIsReflexive = other === other,\n\t othIsSymbol = isSymbol(other);\n\n\t if ((!othIsNull && !othIsSymbol && !valIsSymbol && value > other) ||\n\t (valIsSymbol && othIsDefined && othIsReflexive && !othIsNull && !othIsSymbol) ||\n\t (valIsNull && othIsDefined && othIsReflexive) ||\n\t (!valIsDefined && othIsReflexive) ||\n\t !valIsReflexive) {\n\t return 1;\n\t }\n\t if ((!valIsNull && !valIsSymbol && !othIsSymbol && value < other) ||\n\t (othIsSymbol && valIsDefined && valIsReflexive && !valIsNull && !valIsSymbol) ||\n\t (othIsNull && valIsDefined && valIsReflexive) ||\n\t (!othIsDefined && valIsReflexive) ||\n\t !othIsReflexive) {\n\t return -1;\n\t }\n\t }\n\t return 0;\n\t }\n\n\t /**\n\t * Used by `_.orderBy` to compare multiple properties of a value to another\n\t * and stable sort them.\n\t *\n\t * If `orders` is unspecified, all values are sorted in ascending order. Otherwise,\n\t * specify an order of \"desc\" for descending or \"asc\" for ascending sort order\n\t * of corresponding values.\n\t *\n\t * @private\n\t * @param {Object} object The object to compare.\n\t * @param {Object} other The other object to compare.\n\t * @param {boolean[]|string[]} orders The order to sort by for each property.\n\t * @returns {number} Returns the sort order indicator for `object`.\n\t */\n\t function compareMultiple(object, other, orders) {\n\t var index = -1,\n\t objCriteria = object.criteria,\n\t othCriteria = other.criteria,\n\t length = objCriteria.length,\n\t ordersLength = orders.length;\n\n\t while (++index < length) {\n\t var result = compareAscending(objCriteria[index], othCriteria[index]);\n\t if (result) {\n\t if (index >= ordersLength) {\n\t return result;\n\t }\n\t var order = orders[index];\n\t return result * (order == 'desc' ? -1 : 1);\n\t }\n\t }\n\t // Fixes an `Array#sort` bug in the JS engine embedded in Adobe applications\n\t // that causes it, under certain circumstances, to provide the same value for\n\t // `object` and `other`. See https://github.com/jashkenas/underscore/pull/1247\n\t // for more details.\n\t //\n\t // This also ensures a stable sort in V8 and other engines.\n\t // See https://bugs.chromium.org/p/v8/issues/detail?id=90 for more details.\n\t return object.index - other.index;\n\t }\n\n\t /**\n\t * Creates an array that is the composition of partially applied arguments,\n\t * placeholders, and provided arguments into a single array of arguments.\n\t *\n\t * @private\n\t * @param {Array} args The provided arguments.\n\t * @param {Array} partials The arguments to prepend to those provided.\n\t * @param {Array} holders The `partials` placeholder indexes.\n\t * @params {boolean} [isCurried] Specify composing for a curried function.\n\t * @returns {Array} Returns the new array of composed arguments.\n\t */\n\t function composeArgs(args, partials, holders, isCurried) {\n\t var argsIndex = -1,\n\t argsLength = args.length,\n\t holdersLength = holders.length,\n\t leftIndex = -1,\n\t leftLength = partials.length,\n\t rangeLength = nativeMax(argsLength - holdersLength, 0),\n\t result = Array(leftLength + rangeLength),\n\t isUncurried = !isCurried;\n\n\t while (++leftIndex < leftLength) {\n\t result[leftIndex] = partials[leftIndex];\n\t }\n\t while (++argsIndex < holdersLength) {\n\t if (isUncurried || argsIndex < argsLength) {\n\t result[holders[argsIndex]] = args[argsIndex];\n\t }\n\t }\n\t while (rangeLength--) {\n\t result[leftIndex++] = args[argsIndex++];\n\t }\n\t return result;\n\t }\n\n\t /**\n\t * This function is like `composeArgs` except that the arguments composition\n\t * is tailored for `_.partialRight`.\n\t *\n\t * @private\n\t * @param {Array} args The provided arguments.\n\t * @param {Array} partials The arguments to append to those provided.\n\t * @param {Array} holders The `partials` placeholder indexes.\n\t * @params {boolean} [isCurried] Specify composing for a curried function.\n\t * @returns {Array} Returns the new array of composed arguments.\n\t */\n\t function composeArgsRight(args, partials, holders, isCurried) {\n\t var argsIndex = -1,\n\t argsLength = args.length,\n\t holdersIndex = -1,\n\t holdersLength = holders.length,\n\t rightIndex = -1,\n\t rightLength = partials.length,\n\t rangeLength = nativeMax(argsLength - holdersLength, 0),\n\t result = Array(rangeLength + rightLength),\n\t isUncurried = !isCurried;\n\n\t while (++argsIndex < rangeLength) {\n\t result[argsIndex] = args[argsIndex];\n\t }\n\t var offset = argsIndex;\n\t while (++rightIndex < rightLength) {\n\t result[offset + rightIndex] = partials[rightIndex];\n\t }\n\t while (++holdersIndex < holdersLength) {\n\t if (isUncurried || argsIndex < argsLength) {\n\t result[offset + holders[holdersIndex]] = args[argsIndex++];\n\t }\n\t }\n\t return result;\n\t }\n\n\t /**\n\t * Copies the values of `source` to `array`.\n\t *\n\t * @private\n\t * @param {Array} source The array to copy values from.\n\t * @param {Array} [array=[]] The array to copy values to.\n\t * @returns {Array} Returns `array`.\n\t */\n\t function copyArray(source, array) {\n\t var index = -1,\n\t length = source.length;\n\n\t array || (array = Array(length));\n\t while (++index < length) {\n\t array[index] = source[index];\n\t }\n\t return array;\n\t }\n\n\t /**\n\t * Copies properties of `source` to `object`.\n\t *\n\t * @private\n\t * @param {Object} source The object to copy properties from.\n\t * @param {Array} props The property identifiers to copy.\n\t * @param {Object} [object={}] The object to copy properties to.\n\t * @param {Function} [customizer] The function to customize copied values.\n\t * @returns {Object} Returns `object`.\n\t */\n\t function copyObject(source, props, object, customizer) {\n\t var isNew = !object;\n\t object || (object = {});\n\n\t var index = -1,\n\t length = props.length;\n\n\t while (++index < length) {\n\t var key = props[index];\n\n\t var newValue = customizer\n\t ? customizer(object[key], source[key], key, object, source)\n\t : undefined$1;\n\n\t if (newValue === undefined$1) {\n\t newValue = source[key];\n\t }\n\t if (isNew) {\n\t baseAssignValue(object, key, newValue);\n\t } else {\n\t assignValue(object, key, newValue);\n\t }\n\t }\n\t return object;\n\t }\n\n\t /**\n\t * Copies own symbols of `source` to `object`.\n\t *\n\t * @private\n\t * @param {Object} source The object to copy symbols from.\n\t * @param {Object} [object={}] The object to copy symbols to.\n\t * @returns {Object} Returns `object`.\n\t */\n\t function copySymbols(source, object) {\n\t return copyObject(source, getSymbols(source), object);\n\t }\n\n\t /**\n\t * Copies own and inherited symbols of `source` to `object`.\n\t *\n\t * @private\n\t * @param {Object} source The object to copy symbols from.\n\t * @param {Object} [object={}] The object to copy symbols to.\n\t * @returns {Object} Returns `object`.\n\t */\n\t function copySymbolsIn(source, object) {\n\t return copyObject(source, getSymbolsIn(source), object);\n\t }\n\n\t /**\n\t * Creates a function like `_.groupBy`.\n\t *\n\t * @private\n\t * @param {Function} setter The function to set accumulator values.\n\t * @param {Function} [initializer] The accumulator object initializer.\n\t * @returns {Function} Returns the new aggregator function.\n\t */\n\t function createAggregator(setter, initializer) {\n\t return function(collection, iteratee) {\n\t var func = isArray(collection) ? arrayAggregator : baseAggregator,\n\t accumulator = initializer ? initializer() : {};\n\n\t return func(collection, setter, getIteratee(iteratee, 2), accumulator);\n\t };\n\t }\n\n\t /**\n\t * Creates a function like `_.assign`.\n\t *\n\t * @private\n\t * @param {Function} assigner The function to assign values.\n\t * @returns {Function} Returns the new assigner function.\n\t */\n\t function createAssigner(assigner) {\n\t return baseRest(function(object, sources) {\n\t var index = -1,\n\t length = sources.length,\n\t customizer = length > 1 ? sources[length - 1] : undefined$1,\n\t guard = length > 2 ? sources[2] : undefined$1;\n\n\t customizer = (assigner.length > 3 && typeof customizer == 'function')\n\t ? (length--, customizer)\n\t : undefined$1;\n\n\t if (guard && isIterateeCall(sources[0], sources[1], guard)) {\n\t customizer = length < 3 ? undefined$1 : customizer;\n\t length = 1;\n\t }\n\t object = Object(object);\n\t while (++index < length) {\n\t var source = sources[index];\n\t if (source) {\n\t assigner(object, source, index, customizer);\n\t }\n\t }\n\t return object;\n\t });\n\t }\n\n\t /**\n\t * Creates a `baseEach` or `baseEachRight` function.\n\t *\n\t * @private\n\t * @param {Function} eachFunc The function to iterate over a collection.\n\t * @param {boolean} [fromRight] Specify iterating from right to left.\n\t * @returns {Function} Returns the new base function.\n\t */\n\t function createBaseEach(eachFunc, fromRight) {\n\t return function(collection, iteratee) {\n\t if (collection == null) {\n\t return collection;\n\t }\n\t if (!isArrayLike(collection)) {\n\t return eachFunc(collection, iteratee);\n\t }\n\t var length = collection.length,\n\t index = fromRight ? length : -1,\n\t iterable = Object(collection);\n\n\t while ((fromRight ? index-- : ++index < length)) {\n\t if (iteratee(iterable[index], index, iterable) === false) {\n\t break;\n\t }\n\t }\n\t return collection;\n\t };\n\t }\n\n\t /**\n\t * Creates a base function for methods like `_.forIn` and `_.forOwn`.\n\t *\n\t * @private\n\t * @param {boolean} [fromRight] Specify iterating from right to left.\n\t * @returns {Function} Returns the new base function.\n\t */\n\t function createBaseFor(fromRight) {\n\t return function(object, iteratee, keysFunc) {\n\t var index = -1,\n\t iterable = Object(object),\n\t props = keysFunc(object),\n\t length = props.length;\n\n\t while (length--) {\n\t var key = props[fromRight ? length : ++index];\n\t if (iteratee(iterable[key], key, iterable) === false) {\n\t break;\n\t }\n\t }\n\t return object;\n\t };\n\t }\n\n\t /**\n\t * Creates a function that wraps `func` to invoke it with the optional `this`\n\t * binding of `thisArg`.\n\t *\n\t * @private\n\t * @param {Function} func The function to wrap.\n\t * @param {number} bitmask The bitmask flags. See `createWrap` for more details.\n\t * @param {*} [thisArg] The `this` binding of `func`.\n\t * @returns {Function} Returns the new wrapped function.\n\t */\n\t function createBind(func, bitmask, thisArg) {\n\t var isBind = bitmask & WRAP_BIND_FLAG,\n\t Ctor = createCtor(func);\n\n\t function wrapper() {\n\t var fn = (this && this !== root && this instanceof wrapper) ? Ctor : func;\n\t return fn.apply(isBind ? thisArg : this, arguments);\n\t }\n\t return wrapper;\n\t }\n\n\t /**\n\t * Creates a function like `_.lowerFirst`.\n\t *\n\t * @private\n\t * @param {string} methodName The name of the `String` case method to use.\n\t * @returns {Function} Returns the new case function.\n\t */\n\t function createCaseFirst(methodName) {\n\t return function(string) {\n\t string = toString(string);\n\n\t var strSymbols = hasUnicode(string)\n\t ? stringToArray(string)\n\t : undefined$1;\n\n\t var chr = strSymbols\n\t ? strSymbols[0]\n\t : string.charAt(0);\n\n\t var trailing = strSymbols\n\t ? castSlice(strSymbols, 1).join('')\n\t : string.slice(1);\n\n\t return chr[methodName]() + trailing;\n\t };\n\t }\n\n\t /**\n\t * Creates a function like `_.camelCase`.\n\t *\n\t * @private\n\t * @param {Function} callback The function to combine each word.\n\t * @returns {Function} Returns the new compounder function.\n\t */\n\t function createCompounder(callback) {\n\t return function(string) {\n\t return arrayReduce(words(deburr(string).replace(reApos, '')), callback, '');\n\t };\n\t }\n\n\t /**\n\t * Creates a function that produces an instance of `Ctor` regardless of\n\t * whether it was invoked as part of a `new` expression or by `call` or `apply`.\n\t *\n\t * @private\n\t * @param {Function} Ctor The constructor to wrap.\n\t * @returns {Function} Returns the new wrapped function.\n\t */\n\t function createCtor(Ctor) {\n\t return function() {\n\t // Use a `switch` statement to work with class constructors. See\n\t // http://ecma-international.org/ecma-262/7.0/#sec-ecmascript-function-objects-call-thisargument-argumentslist\n\t // for more details.\n\t var args = arguments;\n\t switch (args.length) {\n\t case 0: return new Ctor;\n\t case 1: return new Ctor(args[0]);\n\t case 2: return new Ctor(args[0], args[1]);\n\t case 3: return new Ctor(args[0], args[1], args[2]);\n\t case 4: return new Ctor(args[0], args[1], args[2], args[3]);\n\t case 5: return new Ctor(args[0], args[1], args[2], args[3], args[4]);\n\t case 6: return new Ctor(args[0], args[1], args[2], args[3], args[4], args[5]);\n\t case 7: return new Ctor(args[0], args[1], args[2], args[3], args[4], args[5], args[6]);\n\t }\n\t var thisBinding = baseCreate(Ctor.prototype),\n\t result = Ctor.apply(thisBinding, args);\n\n\t // Mimic the constructor's `return` behavior.\n\t // See https://es5.github.io/#x13.2.2 for more details.\n\t return isObject(result) ? result : thisBinding;\n\t };\n\t }\n\n\t /**\n\t * Creates a function that wraps `func` to enable currying.\n\t *\n\t * @private\n\t * @param {Function} func The function to wrap.\n\t * @param {number} bitmask The bitmask flags. See `createWrap` for more details.\n\t * @param {number} arity The arity of `func`.\n\t * @returns {Function} Returns the new wrapped function.\n\t */\n\t function createCurry(func, bitmask, arity) {\n\t var Ctor = createCtor(func);\n\n\t function wrapper() {\n\t var length = arguments.length,\n\t args = Array(length),\n\t index = length,\n\t placeholder = getHolder(wrapper);\n\n\t while (index--) {\n\t args[index] = arguments[index];\n\t }\n\t var holders = (length < 3 && args[0] !== placeholder && args[length - 1] !== placeholder)\n\t ? []\n\t : replaceHolders(args, placeholder);\n\n\t length -= holders.length;\n\t if (length < arity) {\n\t return createRecurry(\n\t func, bitmask, createHybrid, wrapper.placeholder, undefined$1,\n\t args, holders, undefined$1, undefined$1, arity - length);\n\t }\n\t var fn = (this && this !== root && this instanceof wrapper) ? Ctor : func;\n\t return apply(fn, this, args);\n\t }\n\t return wrapper;\n\t }\n\n\t /**\n\t * Creates a `_.find` or `_.findLast` function.\n\t *\n\t * @private\n\t * @param {Function} findIndexFunc The function to find the collection index.\n\t * @returns {Function} Returns the new find function.\n\t */\n\t function createFind(findIndexFunc) {\n\t return function(collection, predicate, fromIndex) {\n\t var iterable = Object(collection);\n\t if (!isArrayLike(collection)) {\n\t var iteratee = getIteratee(predicate, 3);\n\t collection = keys(collection);\n\t predicate = function(key) { return iteratee(iterable[key], key, iterable); };\n\t }\n\t var index = findIndexFunc(collection, predicate, fromIndex);\n\t return index > -1 ? iterable[iteratee ? collection[index] : index] : undefined$1;\n\t };\n\t }\n\n\t /**\n\t * Creates a `_.flow` or `_.flowRight` function.\n\t *\n\t * @private\n\t * @param {boolean} [fromRight] Specify iterating from right to left.\n\t * @returns {Function} Returns the new flow function.\n\t */\n\t function createFlow(fromRight) {\n\t return flatRest(function(funcs) {\n\t var length = funcs.length,\n\t index = length,\n\t prereq = LodashWrapper.prototype.thru;\n\n\t if (fromRight) {\n\t funcs.reverse();\n\t }\n\t while (index--) {\n\t var func = funcs[index];\n\t if (typeof func != 'function') {\n\t throw new TypeError(FUNC_ERROR_TEXT);\n\t }\n\t if (prereq && !wrapper && getFuncName(func) == 'wrapper') {\n\t var wrapper = new LodashWrapper([], true);\n\t }\n\t }\n\t index = wrapper ? index : length;\n\t while (++index < length) {\n\t func = funcs[index];\n\n\t var funcName = getFuncName(func),\n\t data = funcName == 'wrapper' ? getData(func) : undefined$1;\n\n\t if (data && isLaziable(data[0]) &&\n\t data[1] == (WRAP_ARY_FLAG | WRAP_CURRY_FLAG | WRAP_PARTIAL_FLAG | WRAP_REARG_FLAG) &&\n\t !data[4].length && data[9] == 1\n\t ) {\n\t wrapper = wrapper[getFuncName(data[0])].apply(wrapper, data[3]);\n\t } else {\n\t wrapper = (func.length == 1 && isLaziable(func))\n\t ? wrapper[funcName]()\n\t : wrapper.thru(func);\n\t }\n\t }\n\t return function() {\n\t var args = arguments,\n\t value = args[0];\n\n\t if (wrapper && args.length == 1 && isArray(value)) {\n\t return wrapper.plant(value).value();\n\t }\n\t var index = 0,\n\t result = length ? funcs[index].apply(this, args) : value;\n\n\t while (++index < length) {\n\t result = funcs[index].call(this, result);\n\t }\n\t return result;\n\t };\n\t });\n\t }\n\n\t /**\n\t * Creates a function that wraps `func` to invoke it with optional `this`\n\t * binding of `thisArg`, partial application, and currying.\n\t *\n\t * @private\n\t * @param {Function|string} func The function or method name to wrap.\n\t * @param {number} bitmask The bitmask flags. See `createWrap` for more details.\n\t * @param {*} [thisArg] The `this` binding of `func`.\n\t * @param {Array} [partials] The arguments to prepend to those provided to\n\t * the new function.\n\t * @param {Array} [holders] The `partials` placeholder indexes.\n\t * @param {Array} [partialsRight] The arguments to append to those provided\n\t * to the new function.\n\t * @param {Array} [holdersRight] The `partialsRight` placeholder indexes.\n\t * @param {Array} [argPos] The argument positions of the new function.\n\t * @param {number} [ary] The arity cap of `func`.\n\t * @param {number} [arity] The arity of `func`.\n\t * @returns {Function} Returns the new wrapped function.\n\t */\n\t function createHybrid(func, bitmask, thisArg, partials, holders, partialsRight, holdersRight, argPos, ary, arity) {\n\t var isAry = bitmask & WRAP_ARY_FLAG,\n\t isBind = bitmask & WRAP_BIND_FLAG,\n\t isBindKey = bitmask & WRAP_BIND_KEY_FLAG,\n\t isCurried = bitmask & (WRAP_CURRY_FLAG | WRAP_CURRY_RIGHT_FLAG),\n\t isFlip = bitmask & WRAP_FLIP_FLAG,\n\t Ctor = isBindKey ? undefined$1 : createCtor(func);\n\n\t function wrapper() {\n\t var length = arguments.length,\n\t args = Array(length),\n\t index = length;\n\n\t while (index--) {\n\t args[index] = arguments[index];\n\t }\n\t if (isCurried) {\n\t var placeholder = getHolder(wrapper),\n\t holdersCount = countHolders(args, placeholder);\n\t }\n\t if (partials) {\n\t args = composeArgs(args, partials, holders, isCurried);\n\t }\n\t if (partialsRight) {\n\t args = composeArgsRight(args, partialsRight, holdersRight, isCurried);\n\t }\n\t length -= holdersCount;\n\t if (isCurried && length < arity) {\n\t var newHolders = replaceHolders(args, placeholder);\n\t return createRecurry(\n\t func, bitmask, createHybrid, wrapper.placeholder, thisArg,\n\t args, newHolders, argPos, ary, arity - length\n\t );\n\t }\n\t var thisBinding = isBind ? thisArg : this,\n\t fn = isBindKey ? thisBinding[func] : func;\n\n\t length = args.length;\n\t if (argPos) {\n\t args = reorder(args, argPos);\n\t } else if (isFlip && length > 1) {\n\t args.reverse();\n\t }\n\t if (isAry && ary < length) {\n\t args.length = ary;\n\t }\n\t if (this && this !== root && this instanceof wrapper) {\n\t fn = Ctor || createCtor(fn);\n\t }\n\t return fn.apply(thisBinding, args);\n\t }\n\t return wrapper;\n\t }\n\n\t /**\n\t * Creates a function like `_.invertBy`.\n\t *\n\t * @private\n\t * @param {Function} setter The function to set accumulator values.\n\t * @param {Function} toIteratee The function to resolve iteratees.\n\t * @returns {Function} Returns the new inverter function.\n\t */\n\t function createInverter(setter, toIteratee) {\n\t return function(object, iteratee) {\n\t return baseInverter(object, setter, toIteratee(iteratee), {});\n\t };\n\t }\n\n\t /**\n\t * Creates a function that performs a mathematical operation on two values.\n\t *\n\t * @private\n\t * @param {Function} operator The function to perform the operation.\n\t * @param {number} [defaultValue] The value used for `undefined` arguments.\n\t * @returns {Function} Returns the new mathematical operation function.\n\t */\n\t function createMathOperation(operator, defaultValue) {\n\t return function(value, other) {\n\t var result;\n\t if (value === undefined$1 && other === undefined$1) {\n\t return defaultValue;\n\t }\n\t if (value !== undefined$1) {\n\t result = value;\n\t }\n\t if (other !== undefined$1) {\n\t if (result === undefined$1) {\n\t return other;\n\t }\n\t if (typeof value == 'string' || typeof other == 'string') {\n\t value = baseToString(value);\n\t other = baseToString(other);\n\t } else {\n\t value = baseToNumber(value);\n\t other = baseToNumber(other);\n\t }\n\t result = operator(value, other);\n\t }\n\t return result;\n\t };\n\t }\n\n\t /**\n\t * Creates a function like `_.over`.\n\t *\n\t * @private\n\t * @param {Function} arrayFunc The function to iterate over iteratees.\n\t * @returns {Function} Returns the new over function.\n\t */\n\t function createOver(arrayFunc) {\n\t return flatRest(function(iteratees) {\n\t iteratees = arrayMap(iteratees, baseUnary(getIteratee()));\n\t return baseRest(function(args) {\n\t var thisArg = this;\n\t return arrayFunc(iteratees, function(iteratee) {\n\t return apply(iteratee, thisArg, args);\n\t });\n\t });\n\t });\n\t }\n\n\t /**\n\t * Creates the padding for `string` based on `length`. The `chars` string\n\t * is truncated if the number of characters exceeds `length`.\n\t *\n\t * @private\n\t * @param {number} length The padding length.\n\t * @param {string} [chars=' '] The string used as padding.\n\t * @returns {string} Returns the padding for `string`.\n\t */\n\t function createPadding(length, chars) {\n\t chars = chars === undefined$1 ? ' ' : baseToString(chars);\n\n\t var charsLength = chars.length;\n\t if (charsLength < 2) {\n\t return charsLength ? baseRepeat(chars, length) : chars;\n\t }\n\t var result = baseRepeat(chars, nativeCeil(length / stringSize(chars)));\n\t return hasUnicode(chars)\n\t ? castSlice(stringToArray(result), 0, length).join('')\n\t : result.slice(0, length);\n\t }\n\n\t /**\n\t * Creates a function that wraps `func` to invoke it with the `this` binding\n\t * of `thisArg` and `partials` prepended to the arguments it receives.\n\t *\n\t * @private\n\t * @param {Function} func The function to wrap.\n\t * @param {number} bitmask The bitmask flags. See `createWrap` for more details.\n\t * @param {*} thisArg The `this` binding of `func`.\n\t * @param {Array} partials The arguments to prepend to those provided to\n\t * the new function.\n\t * @returns {Function} Returns the new wrapped function.\n\t */\n\t function createPartial(func, bitmask, thisArg, partials) {\n\t var isBind = bitmask & WRAP_BIND_FLAG,\n\t Ctor = createCtor(func);\n\n\t function wrapper() {\n\t var argsIndex = -1,\n\t argsLength = arguments.length,\n\t leftIndex = -1,\n\t leftLength = partials.length,\n\t args = Array(leftLength + argsLength),\n\t fn = (this && this !== root && this instanceof wrapper) ? Ctor : func;\n\n\t while (++leftIndex < leftLength) {\n\t args[leftIndex] = partials[leftIndex];\n\t }\n\t while (argsLength--) {\n\t args[leftIndex++] = arguments[++argsIndex];\n\t }\n\t return apply(fn, isBind ? thisArg : this, args);\n\t }\n\t return wrapper;\n\t }\n\n\t /**\n\t * Creates a `_.range` or `_.rangeRight` function.\n\t *\n\t * @private\n\t * @param {boolean} [fromRight] Specify iterating from right to left.\n\t * @returns {Function} Returns the new range function.\n\t */\n\t function createRange(fromRight) {\n\t return function(start, end, step) {\n\t if (step && typeof step != 'number' && isIterateeCall(start, end, step)) {\n\t end = step = undefined$1;\n\t }\n\t // Ensure the sign of `-0` is preserved.\n\t start = toFinite(start);\n\t if (end === undefined$1) {\n\t end = start;\n\t start = 0;\n\t } else {\n\t end = toFinite(end);\n\t }\n\t step = step === undefined$1 ? (start < end ? 1 : -1) : toFinite(step);\n\t return baseRange(start, end, step, fromRight);\n\t };\n\t }\n\n\t /**\n\t * Creates a function that performs a relational operation on two values.\n\t *\n\t * @private\n\t * @param {Function} operator The function to perform the operation.\n\t * @returns {Function} Returns the new relational operation function.\n\t */\n\t function createRelationalOperation(operator) {\n\t return function(value, other) {\n\t if (!(typeof value == 'string' && typeof other == 'string')) {\n\t value = toNumber(value);\n\t other = toNumber(other);\n\t }\n\t return operator(value, other);\n\t };\n\t }\n\n\t /**\n\t * Creates a function that wraps `func` to continue currying.\n\t *\n\t * @private\n\t * @param {Function} func The function to wrap.\n\t * @param {number} bitmask The bitmask flags. See `createWrap` for more details.\n\t * @param {Function} wrapFunc The function to create the `func` wrapper.\n\t * @param {*} placeholder The placeholder value.\n\t * @param {*} [thisArg] The `this` binding of `func`.\n\t * @param {Array} [partials] The arguments to prepend to those provided to\n\t * the new function.\n\t * @param {Array} [holders] The `partials` placeholder indexes.\n\t * @param {Array} [argPos] The argument positions of the new function.\n\t * @param {number} [ary] The arity cap of `func`.\n\t * @param {number} [arity] The arity of `func`.\n\t * @returns {Function} Returns the new wrapped function.\n\t */\n\t function createRecurry(func, bitmask, wrapFunc, placeholder, thisArg, partials, holders, argPos, ary, arity) {\n\t var isCurry = bitmask & WRAP_CURRY_FLAG,\n\t newHolders = isCurry ? holders : undefined$1,\n\t newHoldersRight = isCurry ? undefined$1 : holders,\n\t newPartials = isCurry ? partials : undefined$1,\n\t newPartialsRight = isCurry ? undefined$1 : partials;\n\n\t bitmask |= (isCurry ? WRAP_PARTIAL_FLAG : WRAP_PARTIAL_RIGHT_FLAG);\n\t bitmask &= ~(isCurry ? WRAP_PARTIAL_RIGHT_FLAG : WRAP_PARTIAL_FLAG);\n\n\t if (!(bitmask & WRAP_CURRY_BOUND_FLAG)) {\n\t bitmask &= ~(WRAP_BIND_FLAG | WRAP_BIND_KEY_FLAG);\n\t }\n\t var newData = [\n\t func, bitmask, thisArg, newPartials, newHolders, newPartialsRight,\n\t newHoldersRight, argPos, ary, arity\n\t ];\n\n\t var result = wrapFunc.apply(undefined$1, newData);\n\t if (isLaziable(func)) {\n\t setData(result, newData);\n\t }\n\t result.placeholder = placeholder;\n\t return setWrapToString(result, func, bitmask);\n\t }\n\n\t /**\n\t * Creates a function like `_.round`.\n\t *\n\t * @private\n\t * @param {string} methodName The name of the `Math` method to use when rounding.\n\t * @returns {Function} Returns the new round function.\n\t */\n\t function createRound(methodName) {\n\t var func = Math[methodName];\n\t return function(number, precision) {\n\t number = toNumber(number);\n\t precision = precision == null ? 0 : nativeMin(toInteger(precision), 292);\n\t if (precision && nativeIsFinite(number)) {\n\t // Shift with exponential notation to avoid floating-point issues.\n\t // See [MDN](https://mdn.io/round#Examples) for more details.\n\t var pair = (toString(number) + 'e').split('e'),\n\t value = func(pair[0] + 'e' + (+pair[1] + precision));\n\n\t pair = (toString(value) + 'e').split('e');\n\t return +(pair[0] + 'e' + (+pair[1] - precision));\n\t }\n\t return func(number);\n\t };\n\t }\n\n\t /**\n\t * Creates a set object of `values`.\n\t *\n\t * @private\n\t * @param {Array} values The values to add to the set.\n\t * @returns {Object} Returns the new set.\n\t */\n\t var createSet = !(Set && (1 / setToArray(new Set([,-0]))[1]) == INFINITY) ? noop : function(values) {\n\t return new Set(values);\n\t };\n\n\t /**\n\t * Creates a `_.toPairs` or `_.toPairsIn` function.\n\t *\n\t * @private\n\t * @param {Function} keysFunc The function to get the keys of a given object.\n\t * @returns {Function} Returns the new pairs function.\n\t */\n\t function createToPairs(keysFunc) {\n\t return function(object) {\n\t var tag = getTag(object);\n\t if (tag == mapTag) {\n\t return mapToArray(object);\n\t }\n\t if (tag == setTag) {\n\t return setToPairs(object);\n\t }\n\t return baseToPairs(object, keysFunc(object));\n\t };\n\t }\n\n\t /**\n\t * Creates a function that either curries or invokes `func` with optional\n\t * `this` binding and partially applied arguments.\n\t *\n\t * @private\n\t * @param {Function|string} func The function or method name to wrap.\n\t * @param {number} bitmask The bitmask flags.\n\t * 1 - `_.bind`\n\t * 2 - `_.bindKey`\n\t * 4 - `_.curry` or `_.curryRight` of a bound function\n\t * 8 - `_.curry`\n\t * 16 - `_.curryRight`\n\t * 32 - `_.partial`\n\t * 64 - `_.partialRight`\n\t * 128 - `_.rearg`\n\t * 256 - `_.ary`\n\t * 512 - `_.flip`\n\t * @param {*} [thisArg] The `this` binding of `func`.\n\t * @param {Array} [partials] The arguments to be partially applied.\n\t * @param {Array} [holders] The `partials` placeholder indexes.\n\t * @param {Array} [argPos] The argument positions of the new function.\n\t * @param {number} [ary] The arity cap of `func`.\n\t * @param {number} [arity] The arity of `func`.\n\t * @returns {Function} Returns the new wrapped function.\n\t */\n\t function createWrap(func, bitmask, thisArg, partials, holders, argPos, ary, arity) {\n\t var isBindKey = bitmask & WRAP_BIND_KEY_FLAG;\n\t if (!isBindKey && typeof func != 'function') {\n\t throw new TypeError(FUNC_ERROR_TEXT);\n\t }\n\t var length = partials ? partials.length : 0;\n\t if (!length) {\n\t bitmask &= ~(WRAP_PARTIAL_FLAG | WRAP_PARTIAL_RIGHT_FLAG);\n\t partials = holders = undefined$1;\n\t }\n\t ary = ary === undefined$1 ? ary : nativeMax(toInteger(ary), 0);\n\t arity = arity === undefined$1 ? arity : toInteger(arity);\n\t length -= holders ? holders.length : 0;\n\n\t if (bitmask & WRAP_PARTIAL_RIGHT_FLAG) {\n\t var partialsRight = partials,\n\t holdersRight = holders;\n\n\t partials = holders = undefined$1;\n\t }\n\t var data = isBindKey ? undefined$1 : getData(func);\n\n\t var newData = [\n\t func, bitmask, thisArg, partials, holders, partialsRight, holdersRight,\n\t argPos, ary, arity\n\t ];\n\n\t if (data) {\n\t mergeData(newData, data);\n\t }\n\t func = newData[0];\n\t bitmask = newData[1];\n\t thisArg = newData[2];\n\t partials = newData[3];\n\t holders = newData[4];\n\t arity = newData[9] = newData[9] === undefined$1\n\t ? (isBindKey ? 0 : func.length)\n\t : nativeMax(newData[9] - length, 0);\n\n\t if (!arity && bitmask & (WRAP_CURRY_FLAG | WRAP_CURRY_RIGHT_FLAG)) {\n\t bitmask &= ~(WRAP_CURRY_FLAG | WRAP_CURRY_RIGHT_FLAG);\n\t }\n\t if (!bitmask || bitmask == WRAP_BIND_FLAG) {\n\t var result = createBind(func, bitmask, thisArg);\n\t } else if (bitmask == WRAP_CURRY_FLAG || bitmask == WRAP_CURRY_RIGHT_FLAG) {\n\t result = createCurry(func, bitmask, arity);\n\t } else if ((bitmask == WRAP_PARTIAL_FLAG || bitmask == (WRAP_BIND_FLAG | WRAP_PARTIAL_FLAG)) && !holders.length) {\n\t result = createPartial(func, bitmask, thisArg, partials);\n\t } else {\n\t result = createHybrid.apply(undefined$1, newData);\n\t }\n\t var setter = data ? baseSetData : setData;\n\t return setWrapToString(setter(result, newData), func, bitmask);\n\t }\n\n\t /**\n\t * Used by `_.defaults` to customize its `_.assignIn` use to assign properties\n\t * of source objects to the destination object for all destination properties\n\t * that resolve to `undefined`.\n\t *\n\t * @private\n\t * @param {*} objValue The destination value.\n\t * @param {*} srcValue The source value.\n\t * @param {string} key The key of the property to assign.\n\t * @param {Object} object The parent object of `objValue`.\n\t * @returns {*} Returns the value to assign.\n\t */\n\t function customDefaultsAssignIn(objValue, srcValue, key, object) {\n\t if (objValue === undefined$1 ||\n\t (eq(objValue, objectProto[key]) && !hasOwnProperty.call(object, key))) {\n\t return srcValue;\n\t }\n\t return objValue;\n\t }\n\n\t /**\n\t * Used by `_.defaultsDeep` to customize its `_.merge` use to merge source\n\t * objects into destination objects that are passed thru.\n\t *\n\t * @private\n\t * @param {*} objValue The destination value.\n\t * @param {*} srcValue The source value.\n\t * @param {string} key The key of the property to merge.\n\t * @param {Object} object The parent object of `objValue`.\n\t * @param {Object} source The parent object of `srcValue`.\n\t * @param {Object} [stack] Tracks traversed source values and their merged\n\t * counterparts.\n\t * @returns {*} Returns the value to assign.\n\t */\n\t function customDefaultsMerge(objValue, srcValue, key, object, source, stack) {\n\t if (isObject(objValue) && isObject(srcValue)) {\n\t // Recursively merge objects and arrays (susceptible to call stack limits).\n\t stack.set(srcValue, objValue);\n\t baseMerge(objValue, srcValue, undefined$1, customDefaultsMerge, stack);\n\t stack['delete'](srcValue);\n\t }\n\t return objValue;\n\t }\n\n\t /**\n\t * Used by `_.omit` to customize its `_.cloneDeep` use to only clone plain\n\t * objects.\n\t *\n\t * @private\n\t * @param {*} value The value to inspect.\n\t * @param {string} key The key of the property to inspect.\n\t * @returns {*} Returns the uncloned value or `undefined` to defer cloning to `_.cloneDeep`.\n\t */\n\t function customOmitClone(value) {\n\t return isPlainObject(value) ? undefined$1 : value;\n\t }\n\n\t /**\n\t * A specialized version of `baseIsEqualDeep` for arrays with support for\n\t * partial deep comparisons.\n\t *\n\t * @private\n\t * @param {Array} array The array to compare.\n\t * @param {Array} other The other array to compare.\n\t * @param {number} bitmask The bitmask flags. See `baseIsEqual` for more details.\n\t * @param {Function} customizer The function to customize comparisons.\n\t * @param {Function} equalFunc The function to determine equivalents of values.\n\t * @param {Object} stack Tracks traversed `array` and `other` objects.\n\t * @returns {boolean} Returns `true` if the arrays are equivalent, else `false`.\n\t */\n\t function equalArrays(array, other, bitmask, customizer, equalFunc, stack) {\n\t var isPartial = bitmask & COMPARE_PARTIAL_FLAG,\n\t arrLength = array.length,\n\t othLength = other.length;\n\n\t if (arrLength != othLength && !(isPartial && othLength > arrLength)) {\n\t return false;\n\t }\n\t // Check that cyclic values are equal.\n\t var arrStacked = stack.get(array);\n\t var othStacked = stack.get(other);\n\t if (arrStacked && othStacked) {\n\t return arrStacked == other && othStacked == array;\n\t }\n\t var index = -1,\n\t result = true,\n\t seen = (bitmask & COMPARE_UNORDERED_FLAG) ? new SetCache : undefined$1;\n\n\t stack.set(array, other);\n\t stack.set(other, array);\n\n\t // Ignore non-index properties.\n\t while (++index < arrLength) {\n\t var arrValue = array[index],\n\t othValue = other[index];\n\n\t if (customizer) {\n\t var compared = isPartial\n\t ? customizer(othValue, arrValue, index, other, array, stack)\n\t : customizer(arrValue, othValue, index, array, other, stack);\n\t }\n\t if (compared !== undefined$1) {\n\t if (compared) {\n\t continue;\n\t }\n\t result = false;\n\t break;\n\t }\n\t // Recursively compare arrays (susceptible to call stack limits).\n\t if (seen) {\n\t if (!arraySome(other, function(othValue, othIndex) {\n\t if (!cacheHas(seen, othIndex) &&\n\t (arrValue === othValue || equalFunc(arrValue, othValue, bitmask, customizer, stack))) {\n\t return seen.push(othIndex);\n\t }\n\t })) {\n\t result = false;\n\t break;\n\t }\n\t } else if (!(\n\t arrValue === othValue ||\n\t equalFunc(arrValue, othValue, bitmask, customizer, stack)\n\t )) {\n\t result = false;\n\t break;\n\t }\n\t }\n\t stack['delete'](array);\n\t stack['delete'](other);\n\t return result;\n\t }\n\n\t /**\n\t * A specialized version of `baseIsEqualDeep` for comparing objects of\n\t * the same `toStringTag`.\n\t *\n\t * **Note:** This function only supports comparing values with tags of\n\t * `Boolean`, `Date`, `Error`, `Number`, `RegExp`, or `String`.\n\t *\n\t * @private\n\t * @param {Object} object The object to compare.\n\t * @param {Object} other The other object to compare.\n\t * @param {string} tag The `toStringTag` of the objects to compare.\n\t * @param {number} bitmask The bitmask flags. See `baseIsEqual` for more details.\n\t * @param {Function} customizer The function to customize comparisons.\n\t * @param {Function} equalFunc The function to determine equivalents of values.\n\t * @param {Object} stack Tracks traversed `object` and `other` objects.\n\t * @returns {boolean} Returns `true` if the objects are equivalent, else `false`.\n\t */\n\t function equalByTag(object, other, tag, bitmask, customizer, equalFunc, stack) {\n\t switch (tag) {\n\t case dataViewTag:\n\t if ((object.byteLength != other.byteLength) ||\n\t (object.byteOffset != other.byteOffset)) {\n\t return false;\n\t }\n\t object = object.buffer;\n\t other = other.buffer;\n\n\t case arrayBufferTag:\n\t if ((object.byteLength != other.byteLength) ||\n\t !equalFunc(new Uint8Array(object), new Uint8Array(other))) {\n\t return false;\n\t }\n\t return true;\n\n\t case boolTag:\n\t case dateTag:\n\t case numberTag:\n\t // Coerce booleans to `1` or `0` and dates to milliseconds.\n\t // Invalid dates are coerced to `NaN`.\n\t return eq(+object, +other);\n\n\t case errorTag:\n\t return object.name == other.name && object.message == other.message;\n\n\t case regexpTag:\n\t case stringTag:\n\t // Coerce regexes to strings and treat strings, primitives and objects,\n\t // as equal. See http://www.ecma-international.org/ecma-262/7.0/#sec-regexp.prototype.tostring\n\t // for more details.\n\t return object == (other + '');\n\n\t case mapTag:\n\t var convert = mapToArray;\n\n\t case setTag:\n\t var isPartial = bitmask & COMPARE_PARTIAL_FLAG;\n\t convert || (convert = setToArray);\n\n\t if (object.size != other.size && !isPartial) {\n\t return false;\n\t }\n\t // Assume cyclic values are equal.\n\t var stacked = stack.get(object);\n\t if (stacked) {\n\t return stacked == other;\n\t }\n\t bitmask |= COMPARE_UNORDERED_FLAG;\n\n\t // Recursively compare objects (susceptible to call stack limits).\n\t stack.set(object, other);\n\t var result = equalArrays(convert(object), convert(other), bitmask, customizer, equalFunc, stack);\n\t stack['delete'](object);\n\t return result;\n\n\t case symbolTag:\n\t if (symbolValueOf) {\n\t return symbolValueOf.call(object) == symbolValueOf.call(other);\n\t }\n\t }\n\t return false;\n\t }\n\n\t /**\n\t * A specialized version of `baseIsEqualDeep` for objects with support for\n\t * partial deep comparisons.\n\t *\n\t * @private\n\t * @param {Object} object The object to compare.\n\t * @param {Object} other The other object to compare.\n\t * @param {number} bitmask The bitmask flags. See `baseIsEqual` for more details.\n\t * @param {Function} customizer The function to customize comparisons.\n\t * @param {Function} equalFunc The function to determine equivalents of values.\n\t * @param {Object} stack Tracks traversed `object` and `other` objects.\n\t * @returns {boolean} Returns `true` if the objects are equivalent, else `false`.\n\t */\n\t function equalObjects(object, other, bitmask, customizer, equalFunc, stack) {\n\t var isPartial = bitmask & COMPARE_PARTIAL_FLAG,\n\t objProps = getAllKeys(object),\n\t objLength = objProps.length,\n\t othProps = getAllKeys(other),\n\t othLength = othProps.length;\n\n\t if (objLength != othLength && !isPartial) {\n\t return false;\n\t }\n\t var index = objLength;\n\t while (index--) {\n\t var key = objProps[index];\n\t if (!(isPartial ? key in other : hasOwnProperty.call(other, key))) {\n\t return false;\n\t }\n\t }\n\t // Check that cyclic values are equal.\n\t var objStacked = stack.get(object);\n\t var othStacked = stack.get(other);\n\t if (objStacked && othStacked) {\n\t return objStacked == other && othStacked == object;\n\t }\n\t var result = true;\n\t stack.set(object, other);\n\t stack.set(other, object);\n\n\t var skipCtor = isPartial;\n\t while (++index < objLength) {\n\t key = objProps[index];\n\t var objValue = object[key],\n\t othValue = other[key];\n\n\t if (customizer) {\n\t var compared = isPartial\n\t ? customizer(othValue, objValue, key, other, object, stack)\n\t : customizer(objValue, othValue, key, object, other, stack);\n\t }\n\t // Recursively compare objects (susceptible to call stack limits).\n\t if (!(compared === undefined$1\n\t ? (objValue === othValue || equalFunc(objValue, othValue, bitmask, customizer, stack))\n\t : compared\n\t )) {\n\t result = false;\n\t break;\n\t }\n\t skipCtor || (skipCtor = key == 'constructor');\n\t }\n\t if (result && !skipCtor) {\n\t var objCtor = object.constructor,\n\t othCtor = other.constructor;\n\n\t // Non `Object` object instances with different constructors are not equal.\n\t if (objCtor != othCtor &&\n\t ('constructor' in object && 'constructor' in other) &&\n\t !(typeof objCtor == 'function' && objCtor instanceof objCtor &&\n\t typeof othCtor == 'function' && othCtor instanceof othCtor)) {\n\t result = false;\n\t }\n\t }\n\t stack['delete'](object);\n\t stack['delete'](other);\n\t return result;\n\t }\n\n\t /**\n\t * A specialized version of `baseRest` which flattens the rest array.\n\t *\n\t * @private\n\t * @param {Function} func The function to apply a rest parameter to.\n\t * @returns {Function} Returns the new function.\n\t */\n\t function flatRest(func) {\n\t return setToString(overRest(func, undefined$1, flatten), func + '');\n\t }\n\n\t /**\n\t * Creates an array of own enumerable property names and symbols of `object`.\n\t *\n\t * @private\n\t * @param {Object} object The object to query.\n\t * @returns {Array} Returns the array of property names and symbols.\n\t */\n\t function getAllKeys(object) {\n\t return baseGetAllKeys(object, keys, getSymbols);\n\t }\n\n\t /**\n\t * Creates an array of own and inherited enumerable property names and\n\t * symbols of `object`.\n\t *\n\t * @private\n\t * @param {Object} object The object to query.\n\t * @returns {Array} Returns the array of property names and symbols.\n\t */\n\t function getAllKeysIn(object) {\n\t return baseGetAllKeys(object, keysIn, getSymbolsIn);\n\t }\n\n\t /**\n\t * Gets metadata for `func`.\n\t *\n\t * @private\n\t * @param {Function} func The function to query.\n\t * @returns {*} Returns the metadata for `func`.\n\t */\n\t var getData = !metaMap ? noop : function(func) {\n\t return metaMap.get(func);\n\t };\n\n\t /**\n\t * Gets the name of `func`.\n\t *\n\t * @private\n\t * @param {Function} func The function to query.\n\t * @returns {string} Returns the function name.\n\t */\n\t function getFuncName(func) {\n\t var result = (func.name + ''),\n\t array = realNames[result],\n\t length = hasOwnProperty.call(realNames, result) ? array.length : 0;\n\n\t while (length--) {\n\t var data = array[length],\n\t otherFunc = data.func;\n\t if (otherFunc == null || otherFunc == func) {\n\t return data.name;\n\t }\n\t }\n\t return result;\n\t }\n\n\t /**\n\t * Gets the argument placeholder value for `func`.\n\t *\n\t * @private\n\t * @param {Function} func The function to inspect.\n\t * @returns {*} Returns the placeholder value.\n\t */\n\t function getHolder(func) {\n\t var object = hasOwnProperty.call(lodash, 'placeholder') ? lodash : func;\n\t return object.placeholder;\n\t }\n\n\t /**\n\t * Gets the appropriate \"iteratee\" function. If `_.iteratee` is customized,\n\t * this function returns the custom method, otherwise it returns `baseIteratee`.\n\t * If arguments are provided, the chosen function is invoked with them and\n\t * its result is returned.\n\t *\n\t * @private\n\t * @param {*} [value] The value to convert to an iteratee.\n\t * @param {number} [arity] The arity of the created iteratee.\n\t * @returns {Function} Returns the chosen function or its result.\n\t */\n\t function getIteratee() {\n\t var result = lodash.iteratee || iteratee;\n\t result = result === iteratee ? baseIteratee : result;\n\t return arguments.length ? result(arguments[0], arguments[1]) : result;\n\t }\n\n\t /**\n\t * Gets the data for `map`.\n\t *\n\t * @private\n\t * @param {Object} map The map to query.\n\t * @param {string} key The reference key.\n\t * @returns {*} Returns the map data.\n\t */\n\t function getMapData(map, key) {\n\t var data = map.__data__;\n\t return isKeyable(key)\n\t ? data[typeof key == 'string' ? 'string' : 'hash']\n\t : data.map;\n\t }\n\n\t /**\n\t * Gets the property names, values, and compare flags of `object`.\n\t *\n\t * @private\n\t * @param {Object} object The object to query.\n\t * @returns {Array} Returns the match data of `object`.\n\t */\n\t function getMatchData(object) {\n\t var result = keys(object),\n\t length = result.length;\n\n\t while (length--) {\n\t var key = result[length],\n\t value = object[key];\n\n\t result[length] = [key, value, isStrictComparable(value)];\n\t }\n\t return result;\n\t }\n\n\t /**\n\t * Gets the native function at `key` of `object`.\n\t *\n\t * @private\n\t * @param {Object} object The object to query.\n\t * @param {string} key The key of the method to get.\n\t * @returns {*} Returns the function if it's native, else `undefined`.\n\t */\n\t function getNative(object, key) {\n\t var value = getValue(object, key);\n\t return baseIsNative(value) ? value : undefined$1;\n\t }\n\n\t /**\n\t * A specialized version of `baseGetTag` which ignores `Symbol.toStringTag` values.\n\t *\n\t * @private\n\t * @param {*} value The value to query.\n\t * @returns {string} Returns the raw `toStringTag`.\n\t */\n\t function getRawTag(value) {\n\t var isOwn = hasOwnProperty.call(value, symToStringTag),\n\t tag = value[symToStringTag];\n\n\t try {\n\t value[symToStringTag] = undefined$1;\n\t var unmasked = true;\n\t } catch (e) {}\n\n\t var result = nativeObjectToString.call(value);\n\t if (unmasked) {\n\t if (isOwn) {\n\t value[symToStringTag] = tag;\n\t } else {\n\t delete value[symToStringTag];\n\t }\n\t }\n\t return result;\n\t }\n\n\t /**\n\t * Creates an array of the own enumerable symbols of `object`.\n\t *\n\t * @private\n\t * @param {Object} object The object to query.\n\t * @returns {Array} Returns the array of symbols.\n\t */\n\t var getSymbols = !nativeGetSymbols ? stubArray : function(object) {\n\t if (object == null) {\n\t return [];\n\t }\n\t object = Object(object);\n\t return arrayFilter(nativeGetSymbols(object), function(symbol) {\n\t return propertyIsEnumerable.call(object, symbol);\n\t });\n\t };\n\n\t /**\n\t * Creates an array of the own and inherited enumerable symbols of `object`.\n\t *\n\t * @private\n\t * @param {Object} object The object to query.\n\t * @returns {Array} Returns the array of symbols.\n\t */\n\t var getSymbolsIn = !nativeGetSymbols ? stubArray : function(object) {\n\t var result = [];\n\t while (object) {\n\t arrayPush(result, getSymbols(object));\n\t object = getPrototype(object);\n\t }\n\t return result;\n\t };\n\n\t /**\n\t * Gets the `toStringTag` of `value`.\n\t *\n\t * @private\n\t * @param {*} value The value to query.\n\t * @returns {string} Returns the `toStringTag`.\n\t */\n\t var getTag = baseGetTag;\n\n\t // Fallback for data views, maps, sets, and weak maps in IE 11 and promises in Node.js < 6.\n\t if ((DataView && getTag(new DataView(new ArrayBuffer(1))) != dataViewTag) ||\n\t (Map && getTag(new Map) != mapTag) ||\n\t (Promise && getTag(Promise.resolve()) != promiseTag) ||\n\t (Set && getTag(new Set) != setTag) ||\n\t (WeakMap && getTag(new WeakMap) != weakMapTag)) {\n\t getTag = function(value) {\n\t var result = baseGetTag(value),\n\t Ctor = result == objectTag ? value.constructor : undefined$1,\n\t ctorString = Ctor ? toSource(Ctor) : '';\n\n\t if (ctorString) {\n\t switch (ctorString) {\n\t case dataViewCtorString: return dataViewTag;\n\t case mapCtorString: return mapTag;\n\t case promiseCtorString: return promiseTag;\n\t case setCtorString: return setTag;\n\t case weakMapCtorString: return weakMapTag;\n\t }\n\t }\n\t return result;\n\t };\n\t }\n\n\t /**\n\t * Gets the view, applying any `transforms` to the `start` and `end` positions.\n\t *\n\t * @private\n\t * @param {number} start The start of the view.\n\t * @param {number} end The end of the view.\n\t * @param {Array} transforms The transformations to apply to the view.\n\t * @returns {Object} Returns an object containing the `start` and `end`\n\t * positions of the view.\n\t */\n\t function getView(start, end, transforms) {\n\t var index = -1,\n\t length = transforms.length;\n\n\t while (++index < length) {\n\t var data = transforms[index],\n\t size = data.size;\n\n\t switch (data.type) {\n\t case 'drop': start += size; break;\n\t case 'dropRight': end -= size; break;\n\t case 'take': end = nativeMin(end, start + size); break;\n\t case 'takeRight': start = nativeMax(start, end - size); break;\n\t }\n\t }\n\t return { 'start': start, 'end': end };\n\t }\n\n\t /**\n\t * Extracts wrapper details from the `source` body comment.\n\t *\n\t * @private\n\t * @param {string} source The source to inspect.\n\t * @returns {Array} Returns the wrapper details.\n\t */\n\t function getWrapDetails(source) {\n\t var match = source.match(reWrapDetails);\n\t return match ? match[1].split(reSplitDetails) : [];\n\t }\n\n\t /**\n\t * Checks if `path` exists on `object`.\n\t *\n\t * @private\n\t * @param {Object} object The object to query.\n\t * @param {Array|string} path The path to check.\n\t * @param {Function} hasFunc The function to check properties.\n\t * @returns {boolean} Returns `true` if `path` exists, else `false`.\n\t */\n\t function hasPath(object, path, hasFunc) {\n\t path = castPath(path, object);\n\n\t var index = -1,\n\t length = path.length,\n\t result = false;\n\n\t while (++index < length) {\n\t var key = toKey(path[index]);\n\t if (!(result = object != null && hasFunc(object, key))) {\n\t break;\n\t }\n\t object = object[key];\n\t }\n\t if (result || ++index != length) {\n\t return result;\n\t }\n\t length = object == null ? 0 : object.length;\n\t return !!length && isLength(length) && isIndex(key, length) &&\n\t (isArray(object) || isArguments(object));\n\t }\n\n\t /**\n\t * Initializes an array clone.\n\t *\n\t * @private\n\t * @param {Array} array The array to clone.\n\t * @returns {Array} Returns the initialized clone.\n\t */\n\t function initCloneArray(array) {\n\t var length = array.length,\n\t result = new array.constructor(length);\n\n\t // Add properties assigned by `RegExp#exec`.\n\t if (length && typeof array[0] == 'string' && hasOwnProperty.call(array, 'index')) {\n\t result.index = array.index;\n\t result.input = array.input;\n\t }\n\t return result;\n\t }\n\n\t /**\n\t * Initializes an object clone.\n\t *\n\t * @private\n\t * @param {Object} object The object to clone.\n\t * @returns {Object} Returns the initialized clone.\n\t */\n\t function initCloneObject(object) {\n\t return (typeof object.constructor == 'function' && !isPrototype(object))\n\t ? baseCreate(getPrototype(object))\n\t : {};\n\t }\n\n\t /**\n\t * Initializes an object clone based on its `toStringTag`.\n\t *\n\t * **Note:** This function only supports cloning values with tags of\n\t * `Boolean`, `Date`, `Error`, `Map`, `Number`, `RegExp`, `Set`, or `String`.\n\t *\n\t * @private\n\t * @param {Object} object The object to clone.\n\t * @param {string} tag The `toStringTag` of the object to clone.\n\t * @param {boolean} [isDeep] Specify a deep clone.\n\t * @returns {Object} Returns the initialized clone.\n\t */\n\t function initCloneByTag(object, tag, isDeep) {\n\t var Ctor = object.constructor;\n\t switch (tag) {\n\t case arrayBufferTag:\n\t return cloneArrayBuffer(object);\n\n\t case boolTag:\n\t case dateTag:\n\t return new Ctor(+object);\n\n\t case dataViewTag:\n\t return cloneDataView(object, isDeep);\n\n\t case float32Tag: case float64Tag:\n\t case int8Tag: case int16Tag: case int32Tag:\n\t case uint8Tag: case uint8ClampedTag: case uint16Tag: case uint32Tag:\n\t return cloneTypedArray(object, isDeep);\n\n\t case mapTag:\n\t return new Ctor;\n\n\t case numberTag:\n\t case stringTag:\n\t return new Ctor(object);\n\n\t case regexpTag:\n\t return cloneRegExp(object);\n\n\t case setTag:\n\t return new Ctor;\n\n\t case symbolTag:\n\t return cloneSymbol(object);\n\t }\n\t }\n\n\t /**\n\t * Inserts wrapper `details` in a comment at the top of the `source` body.\n\t *\n\t * @private\n\t * @param {string} source The source to modify.\n\t * @returns {Array} details The details to insert.\n\t * @returns {string} Returns the modified source.\n\t */\n\t function insertWrapDetails(source, details) {\n\t var length = details.length;\n\t if (!length) {\n\t return source;\n\t }\n\t var lastIndex = length - 1;\n\t details[lastIndex] = (length > 1 ? '& ' : '') + details[lastIndex];\n\t details = details.join(length > 2 ? ', ' : ' ');\n\t return source.replace(reWrapComment, '{\\n/* [wrapped with ' + details + '] */\\n');\n\t }\n\n\t /**\n\t * Checks if `value` is a flattenable `arguments` object or array.\n\t *\n\t * @private\n\t * @param {*} value The value to check.\n\t * @returns {boolean} Returns `true` if `value` is flattenable, else `false`.\n\t */\n\t function isFlattenable(value) {\n\t return isArray(value) || isArguments(value) ||\n\t !!(spreadableSymbol && value && value[spreadableSymbol]);\n\t }\n\n\t /**\n\t * Checks if `value` is a valid array-like index.\n\t *\n\t * @private\n\t * @param {*} value The value to check.\n\t * @param {number} [length=MAX_SAFE_INTEGER] The upper bounds of a valid index.\n\t * @returns {boolean} Returns `true` if `value` is a valid index, else `false`.\n\t */\n\t function isIndex(value, length) {\n\t var type = typeof value;\n\t length = length == null ? MAX_SAFE_INTEGER : length;\n\n\t return !!length &&\n\t (type == 'number' ||\n\t (type != 'symbol' && reIsUint.test(value))) &&\n\t (value > -1 && value % 1 == 0 && value < length);\n\t }\n\n\t /**\n\t * Checks if the given arguments are from an iteratee call.\n\t *\n\t * @private\n\t * @param {*} value The potential iteratee value argument.\n\t * @param {*} index The potential iteratee index or key argument.\n\t * @param {*} object The potential iteratee object argument.\n\t * @returns {boolean} Returns `true` if the arguments are from an iteratee call,\n\t * else `false`.\n\t */\n\t function isIterateeCall(value, index, object) {\n\t if (!isObject(object)) {\n\t return false;\n\t }\n\t var type = typeof index;\n\t if (type == 'number'\n\t ? (isArrayLike(object) && isIndex(index, object.length))\n\t : (type == 'string' && index in object)\n\t ) {\n\t return eq(object[index], value);\n\t }\n\t return false;\n\t }\n\n\t /**\n\t * Checks if `value` is a property name and not a property path.\n\t *\n\t * @private\n\t * @param {*} value The value to check.\n\t * @param {Object} [object] The object to query keys on.\n\t * @returns {boolean} Returns `true` if `value` is a property name, else `false`.\n\t */\n\t function isKey(value, object) {\n\t if (isArray(value)) {\n\t return false;\n\t }\n\t var type = typeof value;\n\t if (type == 'number' || type == 'symbol' || type == 'boolean' ||\n\t value == null || isSymbol(value)) {\n\t return true;\n\t }\n\t return reIsPlainProp.test(value) || !reIsDeepProp.test(value) ||\n\t (object != null && value in Object(object));\n\t }\n\n\t /**\n\t * Checks if `value` is suitable for use as unique object key.\n\t *\n\t * @private\n\t * @param {*} value The value to check.\n\t * @returns {boolean} Returns `true` if `value` is suitable, else `false`.\n\t */\n\t function isKeyable(value) {\n\t var type = typeof value;\n\t return (type == 'string' || type == 'number' || type == 'symbol' || type == 'boolean')\n\t ? (value !== '__proto__')\n\t : (value === null);\n\t }\n\n\t /**\n\t * Checks if `func` has a lazy counterpart.\n\t *\n\t * @private\n\t * @param {Function} func The function to check.\n\t * @returns {boolean} Returns `true` if `func` has a lazy counterpart,\n\t * else `false`.\n\t */\n\t function isLaziable(func) {\n\t var funcName = getFuncName(func),\n\t other = lodash[funcName];\n\n\t if (typeof other != 'function' || !(funcName in LazyWrapper.prototype)) {\n\t return false;\n\t }\n\t if (func === other) {\n\t return true;\n\t }\n\t var data = getData(other);\n\t return !!data && func === data[0];\n\t }\n\n\t /**\n\t * Checks if `func` has its source masked.\n\t *\n\t * @private\n\t * @param {Function} func The function to check.\n\t * @returns {boolean} Returns `true` if `func` is masked, else `false`.\n\t */\n\t function isMasked(func) {\n\t return !!maskSrcKey && (maskSrcKey in func);\n\t }\n\n\t /**\n\t * Checks if `func` is capable of being masked.\n\t *\n\t * @private\n\t * @param {*} value The value to check.\n\t * @returns {boolean} Returns `true` if `func` is maskable, else `false`.\n\t */\n\t var isMaskable = coreJsData ? isFunction : stubFalse;\n\n\t /**\n\t * Checks if `value` is likely a prototype object.\n\t *\n\t * @private\n\t * @param {*} value The value to check.\n\t * @returns {boolean} Returns `true` if `value` is a prototype, else `false`.\n\t */\n\t function isPrototype(value) {\n\t var Ctor = value && value.constructor,\n\t proto = (typeof Ctor == 'function' && Ctor.prototype) || objectProto;\n\n\t return value === proto;\n\t }\n\n\t /**\n\t * Checks if `value` is suitable for strict equality comparisons, i.e. `===`.\n\t *\n\t * @private\n\t * @param {*} value The value to check.\n\t * @returns {boolean} Returns `true` if `value` if suitable for strict\n\t * equality comparisons, else `false`.\n\t */\n\t function isStrictComparable(value) {\n\t return value === value && !isObject(value);\n\t }\n\n\t /**\n\t * A specialized version of `matchesProperty` for source values suitable\n\t * for strict equality comparisons, i.e. `===`.\n\t *\n\t * @private\n\t * @param {string} key The key of the property to get.\n\t * @param {*} srcValue The value to match.\n\t * @returns {Function} Returns the new spec function.\n\t */\n\t function matchesStrictComparable(key, srcValue) {\n\t return function(object) {\n\t if (object == null) {\n\t return false;\n\t }\n\t return object[key] === srcValue &&\n\t (srcValue !== undefined$1 || (key in Object(object)));\n\t };\n\t }\n\n\t /**\n\t * A specialized version of `_.memoize` which clears the memoized function's\n\t * cache when it exceeds `MAX_MEMOIZE_SIZE`.\n\t *\n\t * @private\n\t * @param {Function} func The function to have its output memoized.\n\t * @returns {Function} Returns the new memoized function.\n\t */\n\t function memoizeCapped(func) {\n\t var result = memoize(func, function(key) {\n\t if (cache.size === MAX_MEMOIZE_SIZE) {\n\t cache.clear();\n\t }\n\t return key;\n\t });\n\n\t var cache = result.cache;\n\t return result;\n\t }\n\n\t /**\n\t * Merges the function metadata of `source` into `data`.\n\t *\n\t * Merging metadata reduces the number of wrappers used to invoke a function.\n\t * This is possible because methods like `_.bind`, `_.curry`, and `_.partial`\n\t * may be applied regardless of execution order. Methods like `_.ary` and\n\t * `_.rearg` modify function arguments, making the order in which they are\n\t * executed important, preventing the merging of metadata. However, we make\n\t * an exception for a safe combined case where curried functions have `_.ary`\n\t * and or `_.rearg` applied.\n\t *\n\t * @private\n\t * @param {Array} data The destination metadata.\n\t * @param {Array} source The source metadata.\n\t * @returns {Array} Returns `data`.\n\t */\n\t function mergeData(data, source) {\n\t var bitmask = data[1],\n\t srcBitmask = source[1],\n\t newBitmask = bitmask | srcBitmask,\n\t isCommon = newBitmask < (WRAP_BIND_FLAG | WRAP_BIND_KEY_FLAG | WRAP_ARY_FLAG);\n\n\t var isCombo =\n\t ((srcBitmask == WRAP_ARY_FLAG) && (bitmask == WRAP_CURRY_FLAG)) ||\n\t ((srcBitmask == WRAP_ARY_FLAG) && (bitmask == WRAP_REARG_FLAG) && (data[7].length <= source[8])) ||\n\t ((srcBitmask == (WRAP_ARY_FLAG | WRAP_REARG_FLAG)) && (source[7].length <= source[8]) && (bitmask == WRAP_CURRY_FLAG));\n\n\t // Exit early if metadata can't be merged.\n\t if (!(isCommon || isCombo)) {\n\t return data;\n\t }\n\t // Use source `thisArg` if available.\n\t if (srcBitmask & WRAP_BIND_FLAG) {\n\t data[2] = source[2];\n\t // Set when currying a bound function.\n\t newBitmask |= bitmask & WRAP_BIND_FLAG ? 0 : WRAP_CURRY_BOUND_FLAG;\n\t }\n\t // Compose partial arguments.\n\t var value = source[3];\n\t if (value) {\n\t var partials = data[3];\n\t data[3] = partials ? composeArgs(partials, value, source[4]) : value;\n\t data[4] = partials ? replaceHolders(data[3], PLACEHOLDER) : source[4];\n\t }\n\t // Compose partial right arguments.\n\t value = source[5];\n\t if (value) {\n\t partials = data[5];\n\t data[5] = partials ? composeArgsRight(partials, value, source[6]) : value;\n\t data[6] = partials ? replaceHolders(data[5], PLACEHOLDER) : source[6];\n\t }\n\t // Use source `argPos` if available.\n\t value = source[7];\n\t if (value) {\n\t data[7] = value;\n\t }\n\t // Use source `ary` if it's smaller.\n\t if (srcBitmask & WRAP_ARY_FLAG) {\n\t data[8] = data[8] == null ? source[8] : nativeMin(data[8], source[8]);\n\t }\n\t // Use source `arity` if one is not provided.\n\t if (data[9] == null) {\n\t data[9] = source[9];\n\t }\n\t // Use source `func` and merge bitmasks.\n\t data[0] = source[0];\n\t data[1] = newBitmask;\n\n\t return data;\n\t }\n\n\t /**\n\t * This function is like\n\t * [`Object.keys`](http://ecma-international.org/ecma-262/7.0/#sec-object.keys)\n\t * except that it includes inherited enumerable properties.\n\t *\n\t * @private\n\t * @param {Object} object The object to query.\n\t * @returns {Array} Returns the array of property names.\n\t */\n\t function nativeKeysIn(object) {\n\t var result = [];\n\t if (object != null) {\n\t for (var key in Object(object)) {\n\t result.push(key);\n\t }\n\t }\n\t return result;\n\t }\n\n\t /**\n\t * Converts `value` to a string using `Object.prototype.toString`.\n\t *\n\t * @private\n\t * @param {*} value The value to convert.\n\t * @returns {string} Returns the converted string.\n\t */\n\t function objectToString(value) {\n\t return nativeObjectToString.call(value);\n\t }\n\n\t /**\n\t * A specialized version of `baseRest` which transforms the rest array.\n\t *\n\t * @private\n\t * @param {Function} func The function to apply a rest parameter to.\n\t * @param {number} [start=func.length-1] The start position of the rest parameter.\n\t * @param {Function} transform The rest array transform.\n\t * @returns {Function} Returns the new function.\n\t */\n\t function overRest(func, start, transform) {\n\t start = nativeMax(start === undefined$1 ? (func.length - 1) : start, 0);\n\t return function() {\n\t var args = arguments,\n\t index = -1,\n\t length = nativeMax(args.length - start, 0),\n\t array = Array(length);\n\n\t while (++index < length) {\n\t array[index] = args[start + index];\n\t }\n\t index = -1;\n\t var otherArgs = Array(start + 1);\n\t while (++index < start) {\n\t otherArgs[index] = args[index];\n\t }\n\t otherArgs[start] = transform(array);\n\t return apply(func, this, otherArgs);\n\t };\n\t }\n\n\t /**\n\t * Gets the parent value at `path` of `object`.\n\t *\n\t * @private\n\t * @param {Object} object The object to query.\n\t * @param {Array} path The path to get the parent value of.\n\t * @returns {*} Returns the parent value.\n\t */\n\t function parent(object, path) {\n\t return path.length < 2 ? object : baseGet(object, baseSlice(path, 0, -1));\n\t }\n\n\t /**\n\t * Reorder `array` according to the specified indexes where the element at\n\t * the first index is assigned as the first element, the element at\n\t * the second index is assigned as the second element, and so on.\n\t *\n\t * @private\n\t * @param {Array} array The array to reorder.\n\t * @param {Array} indexes The arranged array indexes.\n\t * @returns {Array} Returns `array`.\n\t */\n\t function reorder(array, indexes) {\n\t var arrLength = array.length,\n\t length = nativeMin(indexes.length, arrLength),\n\t oldArray = copyArray(array);\n\n\t while (length--) {\n\t var index = indexes[length];\n\t array[length] = isIndex(index, arrLength) ? oldArray[index] : undefined$1;\n\t }\n\t return array;\n\t }\n\n\t /**\n\t * Gets the value at `key`, unless `key` is \"__proto__\" or \"constructor\".\n\t *\n\t * @private\n\t * @param {Object} object The object to query.\n\t * @param {string} key The key of the property to get.\n\t * @returns {*} Returns the property value.\n\t */\n\t function safeGet(object, key) {\n\t if (key === 'constructor' && typeof object[key] === 'function') {\n\t return;\n\t }\n\n\t if (key == '__proto__') {\n\t return;\n\t }\n\n\t return object[key];\n\t }\n\n\t /**\n\t * Sets metadata for `func`.\n\t *\n\t * **Note:** If this function becomes hot, i.e. is invoked a lot in a short\n\t * period of time, it will trip its breaker and transition to an identity\n\t * function to avoid garbage collection pauses in V8. See\n\t * [V8 issue 2070](https://bugs.chromium.org/p/v8/issues/detail?id=2070)\n\t * for more details.\n\t *\n\t * @private\n\t * @param {Function} func The function to associate metadata with.\n\t * @param {*} data The metadata.\n\t * @returns {Function} Returns `func`.\n\t */\n\t var setData = shortOut(baseSetData);\n\n\t /**\n\t * A simple wrapper around the global [`setTimeout`](https://mdn.io/setTimeout).\n\t *\n\t * @private\n\t * @param {Function} func The function to delay.\n\t * @param {number} wait The number of milliseconds to delay invocation.\n\t * @returns {number|Object} Returns the timer id or timeout object.\n\t */\n\t var setTimeout = ctxSetTimeout || function(func, wait) {\n\t return root.setTimeout(func, wait);\n\t };\n\n\t /**\n\t * Sets the `toString` method of `func` to return `string`.\n\t *\n\t * @private\n\t * @param {Function} func The function to modify.\n\t * @param {Function} string The `toString` result.\n\t * @returns {Function} Returns `func`.\n\t */\n\t var setToString = shortOut(baseSetToString);\n\n\t /**\n\t * Sets the `toString` method of `wrapper` to mimic the source of `reference`\n\t * with wrapper details in a comment at the top of the source body.\n\t *\n\t * @private\n\t * @param {Function} wrapper The function to modify.\n\t * @param {Function} reference The reference function.\n\t * @param {number} bitmask The bitmask flags. See `createWrap` for more details.\n\t * @returns {Function} Returns `wrapper`.\n\t */\n\t function setWrapToString(wrapper, reference, bitmask) {\n\t var source = (reference + '');\n\t return setToString(wrapper, insertWrapDetails(source, updateWrapDetails(getWrapDetails(source), bitmask)));\n\t }\n\n\t /**\n\t * Creates a function that'll short out and invoke `identity` instead\n\t * of `func` when it's called `HOT_COUNT` or more times in `HOT_SPAN`\n\t * milliseconds.\n\t *\n\t * @private\n\t * @param {Function} func The function to restrict.\n\t * @returns {Function} Returns the new shortable function.\n\t */\n\t function shortOut(func) {\n\t var count = 0,\n\t lastCalled = 0;\n\n\t return function() {\n\t var stamp = nativeNow(),\n\t remaining = HOT_SPAN - (stamp - lastCalled);\n\n\t lastCalled = stamp;\n\t if (remaining > 0) {\n\t if (++count >= HOT_COUNT) {\n\t return arguments[0];\n\t }\n\t } else {\n\t count = 0;\n\t }\n\t return func.apply(undefined$1, arguments);\n\t };\n\t }\n\n\t /**\n\t * A specialized version of `_.shuffle` which mutates and sets the size of `array`.\n\t *\n\t * @private\n\t * @param {Array} array The array to shuffle.\n\t * @param {number} [size=array.length] The size of `array`.\n\t * @returns {Array} Returns `array`.\n\t */\n\t function shuffleSelf(array, size) {\n\t var index = -1,\n\t length = array.length,\n\t lastIndex = length - 1;\n\n\t size = size === undefined$1 ? length : size;\n\t while (++index < size) {\n\t var rand = baseRandom(index, lastIndex),\n\t value = array[rand];\n\n\t array[rand] = array[index];\n\t array[index] = value;\n\t }\n\t array.length = size;\n\t return array;\n\t }\n\n\t /**\n\t * Converts `string` to a property path array.\n\t *\n\t * @private\n\t * @param {string} string The string to convert.\n\t * @returns {Array} Returns the property path array.\n\t */\n\t var stringToPath = memoizeCapped(function(string) {\n\t var result = [];\n\t if (string.charCodeAt(0) === 46 /* . */) {\n\t result.push('');\n\t }\n\t string.replace(rePropName, function(match, number, quote, subString) {\n\t result.push(quote ? subString.replace(reEscapeChar, '$1') : (number || match));\n\t });\n\t return result;\n\t });\n\n\t /**\n\t * Converts `value` to a string key if it's not a string or symbol.\n\t *\n\t * @private\n\t * @param {*} value The value to inspect.\n\t * @returns {string|symbol} Returns the key.\n\t */\n\t function toKey(value) {\n\t if (typeof value == 'string' || isSymbol(value)) {\n\t return value;\n\t }\n\t var result = (value + '');\n\t return (result == '0' && (1 / value) == -INFINITY) ? '-0' : result;\n\t }\n\n\t /**\n\t * Converts `func` to its source code.\n\t *\n\t * @private\n\t * @param {Function} func The function to convert.\n\t * @returns {string} Returns the source code.\n\t */\n\t function toSource(func) {\n\t if (func != null) {\n\t try {\n\t return funcToString.call(func);\n\t } catch (e) {}\n\t try {\n\t return (func + '');\n\t } catch (e) {}\n\t }\n\t return '';\n\t }\n\n\t /**\n\t * Updates wrapper `details` based on `bitmask` flags.\n\t *\n\t * @private\n\t * @returns {Array} details The details to modify.\n\t * @param {number} bitmask The bitmask flags. See `createWrap` for more details.\n\t * @returns {Array} Returns `details`.\n\t */\n\t function updateWrapDetails(details, bitmask) {\n\t arrayEach(wrapFlags, function(pair) {\n\t var value = '_.' + pair[0];\n\t if ((bitmask & pair[1]) && !arrayIncludes(details, value)) {\n\t details.push(value);\n\t }\n\t });\n\t return details.sort();\n\t }\n\n\t /**\n\t * Creates a clone of `wrapper`.\n\t *\n\t * @private\n\t * @param {Object} wrapper The wrapper to clone.\n\t * @returns {Object} Returns the cloned wrapper.\n\t */\n\t function wrapperClone(wrapper) {\n\t if (wrapper instanceof LazyWrapper) {\n\t return wrapper.clone();\n\t }\n\t var result = new LodashWrapper(wrapper.__wrapped__, wrapper.__chain__);\n\t result.__actions__ = copyArray(wrapper.__actions__);\n\t result.__index__ = wrapper.__index__;\n\t result.__values__ = wrapper.__values__;\n\t return result;\n\t }\n\n\t /*------------------------------------------------------------------------*/\n\n\t /**\n\t * Creates an array of elements split into groups the length of `size`.\n\t * If `array` can't be split evenly, the final chunk will be the remaining\n\t * elements.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 3.0.0\n\t * @category Array\n\t * @param {Array} array The array to process.\n\t * @param {number} [size=1] The length of each chunk\n\t * @param- {Object} [guard] Enables use as an iteratee for methods like `_.map`.\n\t * @returns {Array} Returns the new array of chunks.\n\t * @example\n\t *\n\t * _.chunk(['a', 'b', 'c', 'd'], 2);\n\t * // => [['a', 'b'], ['c', 'd']]\n\t *\n\t * _.chunk(['a', 'b', 'c', 'd'], 3);\n\t * // => [['a', 'b', 'c'], ['d']]\n\t */\n\t function chunk(array, size, guard) {\n\t if ((guard ? isIterateeCall(array, size, guard) : size === undefined$1)) {\n\t size = 1;\n\t } else {\n\t size = nativeMax(toInteger(size), 0);\n\t }\n\t var length = array == null ? 0 : array.length;\n\t if (!length || size < 1) {\n\t return [];\n\t }\n\t var index = 0,\n\t resIndex = 0,\n\t result = Array(nativeCeil(length / size));\n\n\t while (index < length) {\n\t result[resIndex++] = baseSlice(array, index, (index += size));\n\t }\n\t return result;\n\t }\n\n\t /**\n\t * Creates an array with all falsey values removed. The values `false`, `null`,\n\t * `0`, `\"\"`, `undefined`, and `NaN` are falsey.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 0.1.0\n\t * @category Array\n\t * @param {Array} array The array to compact.\n\t * @returns {Array} Returns the new array of filtered values.\n\t * @example\n\t *\n\t * _.compact([0, 1, false, 2, '', 3]);\n\t * // => [1, 2, 3]\n\t */\n\t function compact(array) {\n\t var index = -1,\n\t length = array == null ? 0 : array.length,\n\t resIndex = 0,\n\t result = [];\n\n\t while (++index < length) {\n\t var value = array[index];\n\t if (value) {\n\t result[resIndex++] = value;\n\t }\n\t }\n\t return result;\n\t }\n\n\t /**\n\t * Creates a new array concatenating `array` with any additional arrays\n\t * and/or values.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 4.0.0\n\t * @category Array\n\t * @param {Array} array The array to concatenate.\n\t * @param {...*} [values] The values to concatenate.\n\t * @returns {Array} Returns the new concatenated array.\n\t * @example\n\t *\n\t * var array = [1];\n\t * var other = _.concat(array, 2, [3], [[4]]);\n\t *\n\t * console.log(other);\n\t * // => [1, 2, 3, [4]]\n\t *\n\t * console.log(array);\n\t * // => [1]\n\t */\n\t function concat() {\n\t var length = arguments.length;\n\t if (!length) {\n\t return [];\n\t }\n\t var args = Array(length - 1),\n\t array = arguments[0],\n\t index = length;\n\n\t while (index--) {\n\t args[index - 1] = arguments[index];\n\t }\n\t return arrayPush(isArray(array) ? copyArray(array) : [array], baseFlatten(args, 1));\n\t }\n\n\t /**\n\t * Creates an array of `array` values not included in the other given arrays\n\t * using [`SameValueZero`](http://ecma-international.org/ecma-262/7.0/#sec-samevaluezero)\n\t * for equality comparisons. The order and references of result values are\n\t * determined by the first array.\n\t *\n\t * **Note:** Unlike `_.pullAll`, this method returns a new array.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 0.1.0\n\t * @category Array\n\t * @param {Array} array The array to inspect.\n\t * @param {...Array} [values] The values to exclude.\n\t * @returns {Array} Returns the new array of filtered values.\n\t * @see _.without, _.xor\n\t * @example\n\t *\n\t * _.difference([2, 1], [2, 3]);\n\t * // => [1]\n\t */\n\t var difference = baseRest(function(array, values) {\n\t return isArrayLikeObject(array)\n\t ? baseDifference(array, baseFlatten(values, 1, isArrayLikeObject, true))\n\t : [];\n\t });\n\n\t /**\n\t * This method is like `_.difference` except that it accepts `iteratee` which\n\t * is invoked for each element of `array` and `values` to generate the criterion\n\t * by which they're compared. The order and references of result values are\n\t * determined by the first array. The iteratee is invoked with one argument:\n\t * (value).\n\t *\n\t * **Note:** Unlike `_.pullAllBy`, this method returns a new array.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 4.0.0\n\t * @category Array\n\t * @param {Array} array The array to inspect.\n\t * @param {...Array} [values] The values to exclude.\n\t * @param {Function} [iteratee=_.identity] The iteratee invoked per element.\n\t * @returns {Array} Returns the new array of filtered values.\n\t * @example\n\t *\n\t * _.differenceBy([2.1, 1.2], [2.3, 3.4], Math.floor);\n\t * // => [1.2]\n\t *\n\t * // The `_.property` iteratee shorthand.\n\t * _.differenceBy([{ 'x': 2 }, { 'x': 1 }], [{ 'x': 1 }], 'x');\n\t * // => [{ 'x': 2 }]\n\t */\n\t var differenceBy = baseRest(function(array, values) {\n\t var iteratee = last(values);\n\t if (isArrayLikeObject(iteratee)) {\n\t iteratee = undefined$1;\n\t }\n\t return isArrayLikeObject(array)\n\t ? baseDifference(array, baseFlatten(values, 1, isArrayLikeObject, true), getIteratee(iteratee, 2))\n\t : [];\n\t });\n\n\t /**\n\t * This method is like `_.difference` except that it accepts `comparator`\n\t * which is invoked to compare elements of `array` to `values`. The order and\n\t * references of result values are determined by the first array. The comparator\n\t * is invoked with two arguments: (arrVal, othVal).\n\t *\n\t * **Note:** Unlike `_.pullAllWith`, this method returns a new array.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 4.0.0\n\t * @category Array\n\t * @param {Array} array The array to inspect.\n\t * @param {...Array} [values] The values to exclude.\n\t * @param {Function} [comparator] The comparator invoked per element.\n\t * @returns {Array} Returns the new array of filtered values.\n\t * @example\n\t *\n\t * var objects = [{ 'x': 1, 'y': 2 }, { 'x': 2, 'y': 1 }];\n\t *\n\t * _.differenceWith(objects, [{ 'x': 1, 'y': 2 }], _.isEqual);\n\t * // => [{ 'x': 2, 'y': 1 }]\n\t */\n\t var differenceWith = baseRest(function(array, values) {\n\t var comparator = last(values);\n\t if (isArrayLikeObject(comparator)) {\n\t comparator = undefined$1;\n\t }\n\t return isArrayLikeObject(array)\n\t ? baseDifference(array, baseFlatten(values, 1, isArrayLikeObject, true), undefined$1, comparator)\n\t : [];\n\t });\n\n\t /**\n\t * Creates a slice of `array` with `n` elements dropped from the beginning.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 0.5.0\n\t * @category Array\n\t * @param {Array} array The array to query.\n\t * @param {number} [n=1] The number of elements to drop.\n\t * @param- {Object} [guard] Enables use as an iteratee for methods like `_.map`.\n\t * @returns {Array} Returns the slice of `array`.\n\t * @example\n\t *\n\t * _.drop([1, 2, 3]);\n\t * // => [2, 3]\n\t *\n\t * _.drop([1, 2, 3], 2);\n\t * // => [3]\n\t *\n\t * _.drop([1, 2, 3], 5);\n\t * // => []\n\t *\n\t * _.drop([1, 2, 3], 0);\n\t * // => [1, 2, 3]\n\t */\n\t function drop(array, n, guard) {\n\t var length = array == null ? 0 : array.length;\n\t if (!length) {\n\t return [];\n\t }\n\t n = (guard || n === undefined$1) ? 1 : toInteger(n);\n\t return baseSlice(array, n < 0 ? 0 : n, length);\n\t }\n\n\t /**\n\t * Creates a slice of `array` with `n` elements dropped from the end.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 3.0.0\n\t * @category Array\n\t * @param {Array} array The array to query.\n\t * @param {number} [n=1] The number of elements to drop.\n\t * @param- {Object} [guard] Enables use as an iteratee for methods like `_.map`.\n\t * @returns {Array} Returns the slice of `array`.\n\t * @example\n\t *\n\t * _.dropRight([1, 2, 3]);\n\t * // => [1, 2]\n\t *\n\t * _.dropRight([1, 2, 3], 2);\n\t * // => [1]\n\t *\n\t * _.dropRight([1, 2, 3], 5);\n\t * // => []\n\t *\n\t * _.dropRight([1, 2, 3], 0);\n\t * // => [1, 2, 3]\n\t */\n\t function dropRight(array, n, guard) {\n\t var length = array == null ? 0 : array.length;\n\t if (!length) {\n\t return [];\n\t }\n\t n = (guard || n === undefined$1) ? 1 : toInteger(n);\n\t n = length - n;\n\t return baseSlice(array, 0, n < 0 ? 0 : n);\n\t }\n\n\t /**\n\t * Creates a slice of `array` excluding elements dropped from the end.\n\t * Elements are dropped until `predicate` returns falsey. The predicate is\n\t * invoked with three arguments: (value, index, array).\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 3.0.0\n\t * @category Array\n\t * @param {Array} array The array to query.\n\t * @param {Function} [predicate=_.identity] The function invoked per iteration.\n\t * @returns {Array} Returns the slice of `array`.\n\t * @example\n\t *\n\t * var users = [\n\t * { 'user': 'barney', 'active': true },\n\t * { 'user': 'fred', 'active': false },\n\t * { 'user': 'pebbles', 'active': false }\n\t * ];\n\t *\n\t * _.dropRightWhile(users, function(o) { return !o.active; });\n\t * // => objects for ['barney']\n\t *\n\t * // The `_.matches` iteratee shorthand.\n\t * _.dropRightWhile(users, { 'user': 'pebbles', 'active': false });\n\t * // => objects for ['barney', 'fred']\n\t *\n\t * // The `_.matchesProperty` iteratee shorthand.\n\t * _.dropRightWhile(users, ['active', false]);\n\t * // => objects for ['barney']\n\t *\n\t * // The `_.property` iteratee shorthand.\n\t * _.dropRightWhile(users, 'active');\n\t * // => objects for ['barney', 'fred', 'pebbles']\n\t */\n\t function dropRightWhile(array, predicate) {\n\t return (array && array.length)\n\t ? baseWhile(array, getIteratee(predicate, 3), true, true)\n\t : [];\n\t }\n\n\t /**\n\t * Creates a slice of `array` excluding elements dropped from the beginning.\n\t * Elements are dropped until `predicate` returns falsey. The predicate is\n\t * invoked with three arguments: (value, index, array).\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 3.0.0\n\t * @category Array\n\t * @param {Array} array The array to query.\n\t * @param {Function} [predicate=_.identity] The function invoked per iteration.\n\t * @returns {Array} Returns the slice of `array`.\n\t * @example\n\t *\n\t * var users = [\n\t * { 'user': 'barney', 'active': false },\n\t * { 'user': 'fred', 'active': false },\n\t * { 'user': 'pebbles', 'active': true }\n\t * ];\n\t *\n\t * _.dropWhile(users, function(o) { return !o.active; });\n\t * // => objects for ['pebbles']\n\t *\n\t * // The `_.matches` iteratee shorthand.\n\t * _.dropWhile(users, { 'user': 'barney', 'active': false });\n\t * // => objects for ['fred', 'pebbles']\n\t *\n\t * // The `_.matchesProperty` iteratee shorthand.\n\t * _.dropWhile(users, ['active', false]);\n\t * // => objects for ['pebbles']\n\t *\n\t * // The `_.property` iteratee shorthand.\n\t * _.dropWhile(users, 'active');\n\t * // => objects for ['barney', 'fred', 'pebbles']\n\t */\n\t function dropWhile(array, predicate) {\n\t return (array && array.length)\n\t ? baseWhile(array, getIteratee(predicate, 3), true)\n\t : [];\n\t }\n\n\t /**\n\t * Fills elements of `array` with `value` from `start` up to, but not\n\t * including, `end`.\n\t *\n\t * **Note:** This method mutates `array`.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 3.2.0\n\t * @category Array\n\t * @param {Array} array The array to fill.\n\t * @param {*} value The value to fill `array` with.\n\t * @param {number} [start=0] The start position.\n\t * @param {number} [end=array.length] The end position.\n\t * @returns {Array} Returns `array`.\n\t * @example\n\t *\n\t * var array = [1, 2, 3];\n\t *\n\t * _.fill(array, 'a');\n\t * console.log(array);\n\t * // => ['a', 'a', 'a']\n\t *\n\t * _.fill(Array(3), 2);\n\t * // => [2, 2, 2]\n\t *\n\t * _.fill([4, 6, 8, 10], '*', 1, 3);\n\t * // => [4, '*', '*', 10]\n\t */\n\t function fill(array, value, start, end) {\n\t var length = array == null ? 0 : array.length;\n\t if (!length) {\n\t return [];\n\t }\n\t if (start && typeof start != 'number' && isIterateeCall(array, value, start)) {\n\t start = 0;\n\t end = length;\n\t }\n\t return baseFill(array, value, start, end);\n\t }\n\n\t /**\n\t * This method is like `_.find` except that it returns the index of the first\n\t * element `predicate` returns truthy for instead of the element itself.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 1.1.0\n\t * @category Array\n\t * @param {Array} array The array to inspect.\n\t * @param {Function} [predicate=_.identity] The function invoked per iteration.\n\t * @param {number} [fromIndex=0] The index to search from.\n\t * @returns {number} Returns the index of the found element, else `-1`.\n\t * @example\n\t *\n\t * var users = [\n\t * { 'user': 'barney', 'active': false },\n\t * { 'user': 'fred', 'active': false },\n\t * { 'user': 'pebbles', 'active': true }\n\t * ];\n\t *\n\t * _.findIndex(users, function(o) { return o.user == 'barney'; });\n\t * // => 0\n\t *\n\t * // The `_.matches` iteratee shorthand.\n\t * _.findIndex(users, { 'user': 'fred', 'active': false });\n\t * // => 1\n\t *\n\t * // The `_.matchesProperty` iteratee shorthand.\n\t * _.findIndex(users, ['active', false]);\n\t * // => 0\n\t *\n\t * // The `_.property` iteratee shorthand.\n\t * _.findIndex(users, 'active');\n\t * // => 2\n\t */\n\t function findIndex(array, predicate, fromIndex) {\n\t var length = array == null ? 0 : array.length;\n\t if (!length) {\n\t return -1;\n\t }\n\t var index = fromIndex == null ? 0 : toInteger(fromIndex);\n\t if (index < 0) {\n\t index = nativeMax(length + index, 0);\n\t }\n\t return baseFindIndex(array, getIteratee(predicate, 3), index);\n\t }\n\n\t /**\n\t * This method is like `_.findIndex` except that it iterates over elements\n\t * of `collection` from right to left.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 2.0.0\n\t * @category Array\n\t * @param {Array} array The array to inspect.\n\t * @param {Function} [predicate=_.identity] The function invoked per iteration.\n\t * @param {number} [fromIndex=array.length-1] The index to search from.\n\t * @returns {number} Returns the index of the found element, else `-1`.\n\t * @example\n\t *\n\t * var users = [\n\t * { 'user': 'barney', 'active': true },\n\t * { 'user': 'fred', 'active': false },\n\t * { 'user': 'pebbles', 'active': false }\n\t * ];\n\t *\n\t * _.findLastIndex(users, function(o) { return o.user == 'pebbles'; });\n\t * // => 2\n\t *\n\t * // The `_.matches` iteratee shorthand.\n\t * _.findLastIndex(users, { 'user': 'barney', 'active': true });\n\t * // => 0\n\t *\n\t * // The `_.matchesProperty` iteratee shorthand.\n\t * _.findLastIndex(users, ['active', false]);\n\t * // => 2\n\t *\n\t * // The `_.property` iteratee shorthand.\n\t * _.findLastIndex(users, 'active');\n\t * // => 0\n\t */\n\t function findLastIndex(array, predicate, fromIndex) {\n\t var length = array == null ? 0 : array.length;\n\t if (!length) {\n\t return -1;\n\t }\n\t var index = length - 1;\n\t if (fromIndex !== undefined$1) {\n\t index = toInteger(fromIndex);\n\t index = fromIndex < 0\n\t ? nativeMax(length + index, 0)\n\t : nativeMin(index, length - 1);\n\t }\n\t return baseFindIndex(array, getIteratee(predicate, 3), index, true);\n\t }\n\n\t /**\n\t * Flattens `array` a single level deep.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 0.1.0\n\t * @category Array\n\t * @param {Array} array The array to flatten.\n\t * @returns {Array} Returns the new flattened array.\n\t * @example\n\t *\n\t * _.flatten([1, [2, [3, [4]], 5]]);\n\t * // => [1, 2, [3, [4]], 5]\n\t */\n\t function flatten(array) {\n\t var length = array == null ? 0 : array.length;\n\t return length ? baseFlatten(array, 1) : [];\n\t }\n\n\t /**\n\t * Recursively flattens `array`.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 3.0.0\n\t * @category Array\n\t * @param {Array} array The array to flatten.\n\t * @returns {Array} Returns the new flattened array.\n\t * @example\n\t *\n\t * _.flattenDeep([1, [2, [3, [4]], 5]]);\n\t * // => [1, 2, 3, 4, 5]\n\t */\n\t function flattenDeep(array) {\n\t var length = array == null ? 0 : array.length;\n\t return length ? baseFlatten(array, INFINITY) : [];\n\t }\n\n\t /**\n\t * Recursively flatten `array` up to `depth` times.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 4.4.0\n\t * @category Array\n\t * @param {Array} array The array to flatten.\n\t * @param {number} [depth=1] The maximum recursion depth.\n\t * @returns {Array} Returns the new flattened array.\n\t * @example\n\t *\n\t * var array = [1, [2, [3, [4]], 5]];\n\t *\n\t * _.flattenDepth(array, 1);\n\t * // => [1, 2, [3, [4]], 5]\n\t *\n\t * _.flattenDepth(array, 2);\n\t * // => [1, 2, 3, [4], 5]\n\t */\n\t function flattenDepth(array, depth) {\n\t var length = array == null ? 0 : array.length;\n\t if (!length) {\n\t return [];\n\t }\n\t depth = depth === undefined$1 ? 1 : toInteger(depth);\n\t return baseFlatten(array, depth);\n\t }\n\n\t /**\n\t * The inverse of `_.toPairs`; this method returns an object composed\n\t * from key-value `pairs`.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 4.0.0\n\t * @category Array\n\t * @param {Array} pairs The key-value pairs.\n\t * @returns {Object} Returns the new object.\n\t * @example\n\t *\n\t * _.fromPairs([['a', 1], ['b', 2]]);\n\t * // => { 'a': 1, 'b': 2 }\n\t */\n\t function fromPairs(pairs) {\n\t var index = -1,\n\t length = pairs == null ? 0 : pairs.length,\n\t result = {};\n\n\t while (++index < length) {\n\t var pair = pairs[index];\n\t result[pair[0]] = pair[1];\n\t }\n\t return result;\n\t }\n\n\t /**\n\t * Gets the first element of `array`.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 0.1.0\n\t * @alias first\n\t * @category Array\n\t * @param {Array} array The array to query.\n\t * @returns {*} Returns the first element of `array`.\n\t * @example\n\t *\n\t * _.head([1, 2, 3]);\n\t * // => 1\n\t *\n\t * _.head([]);\n\t * // => undefined\n\t */\n\t function head(array) {\n\t return (array && array.length) ? array[0] : undefined$1;\n\t }\n\n\t /**\n\t * Gets the index at which the first occurrence of `value` is found in `array`\n\t * using [`SameValueZero`](http://ecma-international.org/ecma-262/7.0/#sec-samevaluezero)\n\t * for equality comparisons. If `fromIndex` is negative, it's used as the\n\t * offset from the end of `array`.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 0.1.0\n\t * @category Array\n\t * @param {Array} array The array to inspect.\n\t * @param {*} value The value to search for.\n\t * @param {number} [fromIndex=0] The index to search from.\n\t * @returns {number} Returns the index of the matched value, else `-1`.\n\t * @example\n\t *\n\t * _.indexOf([1, 2, 1, 2], 2);\n\t * // => 1\n\t *\n\t * // Search from the `fromIndex`.\n\t * _.indexOf([1, 2, 1, 2], 2, 2);\n\t * // => 3\n\t */\n\t function indexOf(array, value, fromIndex) {\n\t var length = array == null ? 0 : array.length;\n\t if (!length) {\n\t return -1;\n\t }\n\t var index = fromIndex == null ? 0 : toInteger(fromIndex);\n\t if (index < 0) {\n\t index = nativeMax(length + index, 0);\n\t }\n\t return baseIndexOf(array, value, index);\n\t }\n\n\t /**\n\t * Gets all but the last element of `array`.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 0.1.0\n\t * @category Array\n\t * @param {Array} array The array to query.\n\t * @returns {Array} Returns the slice of `array`.\n\t * @example\n\t *\n\t * _.initial([1, 2, 3]);\n\t * // => [1, 2]\n\t */\n\t function initial(array) {\n\t var length = array == null ? 0 : array.length;\n\t return length ? baseSlice(array, 0, -1) : [];\n\t }\n\n\t /**\n\t * Creates an array of unique values that are included in all given arrays\n\t * using [`SameValueZero`](http://ecma-international.org/ecma-262/7.0/#sec-samevaluezero)\n\t * for equality comparisons. The order and references of result values are\n\t * determined by the first array.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 0.1.0\n\t * @category Array\n\t * @param {...Array} [arrays] The arrays to inspect.\n\t * @returns {Array} Returns the new array of intersecting values.\n\t * @example\n\t *\n\t * _.intersection([2, 1], [2, 3]);\n\t * // => [2]\n\t */\n\t var intersection = baseRest(function(arrays) {\n\t var mapped = arrayMap(arrays, castArrayLikeObject);\n\t return (mapped.length && mapped[0] === arrays[0])\n\t ? baseIntersection(mapped)\n\t : [];\n\t });\n\n\t /**\n\t * This method is like `_.intersection` except that it accepts `iteratee`\n\t * which is invoked for each element of each `arrays` to generate the criterion\n\t * by which they're compared. The order and references of result values are\n\t * determined by the first array. The iteratee is invoked with one argument:\n\t * (value).\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 4.0.0\n\t * @category Array\n\t * @param {...Array} [arrays] The arrays to inspect.\n\t * @param {Function} [iteratee=_.identity] The iteratee invoked per element.\n\t * @returns {Array} Returns the new array of intersecting values.\n\t * @example\n\t *\n\t * _.intersectionBy([2.1, 1.2], [2.3, 3.4], Math.floor);\n\t * // => [2.1]\n\t *\n\t * // The `_.property` iteratee shorthand.\n\t * _.intersectionBy([{ 'x': 1 }], [{ 'x': 2 }, { 'x': 1 }], 'x');\n\t * // => [{ 'x': 1 }]\n\t */\n\t var intersectionBy = baseRest(function(arrays) {\n\t var iteratee = last(arrays),\n\t mapped = arrayMap(arrays, castArrayLikeObject);\n\n\t if (iteratee === last(mapped)) {\n\t iteratee = undefined$1;\n\t } else {\n\t mapped.pop();\n\t }\n\t return (mapped.length && mapped[0] === arrays[0])\n\t ? baseIntersection(mapped, getIteratee(iteratee, 2))\n\t : [];\n\t });\n\n\t /**\n\t * This method is like `_.intersection` except that it accepts `comparator`\n\t * which is invoked to compare elements of `arrays`. The order and references\n\t * of result values are determined by the first array. The comparator is\n\t * invoked with two arguments: (arrVal, othVal).\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 4.0.0\n\t * @category Array\n\t * @param {...Array} [arrays] The arrays to inspect.\n\t * @param {Function} [comparator] The comparator invoked per element.\n\t * @returns {Array} Returns the new array of intersecting values.\n\t * @example\n\t *\n\t * var objects = [{ 'x': 1, 'y': 2 }, { 'x': 2, 'y': 1 }];\n\t * var others = [{ 'x': 1, 'y': 1 }, { 'x': 1, 'y': 2 }];\n\t *\n\t * _.intersectionWith(objects, others, _.isEqual);\n\t * // => [{ 'x': 1, 'y': 2 }]\n\t */\n\t var intersectionWith = baseRest(function(arrays) {\n\t var comparator = last(arrays),\n\t mapped = arrayMap(arrays, castArrayLikeObject);\n\n\t comparator = typeof comparator == 'function' ? comparator : undefined$1;\n\t if (comparator) {\n\t mapped.pop();\n\t }\n\t return (mapped.length && mapped[0] === arrays[0])\n\t ? baseIntersection(mapped, undefined$1, comparator)\n\t : [];\n\t });\n\n\t /**\n\t * Converts all elements in `array` into a string separated by `separator`.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 4.0.0\n\t * @category Array\n\t * @param {Array} array The array to convert.\n\t * @param {string} [separator=','] The element separator.\n\t * @returns {string} Returns the joined string.\n\t * @example\n\t *\n\t * _.join(['a', 'b', 'c'], '~');\n\t * // => 'a~b~c'\n\t */\n\t function join(array, separator) {\n\t return array == null ? '' : nativeJoin.call(array, separator);\n\t }\n\n\t /**\n\t * Gets the last element of `array`.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 0.1.0\n\t * @category Array\n\t * @param {Array} array The array to query.\n\t * @returns {*} Returns the last element of `array`.\n\t * @example\n\t *\n\t * _.last([1, 2, 3]);\n\t * // => 3\n\t */\n\t function last(array) {\n\t var length = array == null ? 0 : array.length;\n\t return length ? array[length - 1] : undefined$1;\n\t }\n\n\t /**\n\t * This method is like `_.indexOf` except that it iterates over elements of\n\t * `array` from right to left.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 0.1.0\n\t * @category Array\n\t * @param {Array} array The array to inspect.\n\t * @param {*} value The value to search for.\n\t * @param {number} [fromIndex=array.length-1] The index to search from.\n\t * @returns {number} Returns the index of the matched value, else `-1`.\n\t * @example\n\t *\n\t * _.lastIndexOf([1, 2, 1, 2], 2);\n\t * // => 3\n\t *\n\t * // Search from the `fromIndex`.\n\t * _.lastIndexOf([1, 2, 1, 2], 2, 2);\n\t * // => 1\n\t */\n\t function lastIndexOf(array, value, fromIndex) {\n\t var length = array == null ? 0 : array.length;\n\t if (!length) {\n\t return -1;\n\t }\n\t var index = length;\n\t if (fromIndex !== undefined$1) {\n\t index = toInteger(fromIndex);\n\t index = index < 0 ? nativeMax(length + index, 0) : nativeMin(index, length - 1);\n\t }\n\t return value === value\n\t ? strictLastIndexOf(array, value, index)\n\t : baseFindIndex(array, baseIsNaN, index, true);\n\t }\n\n\t /**\n\t * Gets the element at index `n` of `array`. If `n` is negative, the nth\n\t * element from the end is returned.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 4.11.0\n\t * @category Array\n\t * @param {Array} array The array to query.\n\t * @param {number} [n=0] The index of the element to return.\n\t * @returns {*} Returns the nth element of `array`.\n\t * @example\n\t *\n\t * var array = ['a', 'b', 'c', 'd'];\n\t *\n\t * _.nth(array, 1);\n\t * // => 'b'\n\t *\n\t * _.nth(array, -2);\n\t * // => 'c';\n\t */\n\t function nth(array, n) {\n\t return (array && array.length) ? baseNth(array, toInteger(n)) : undefined$1;\n\t }\n\n\t /**\n\t * Removes all given values from `array` using\n\t * [`SameValueZero`](http://ecma-international.org/ecma-262/7.0/#sec-samevaluezero)\n\t * for equality comparisons.\n\t *\n\t * **Note:** Unlike `_.without`, this method mutates `array`. Use `_.remove`\n\t * to remove elements from an array by predicate.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 2.0.0\n\t * @category Array\n\t * @param {Array} array The array to modify.\n\t * @param {...*} [values] The values to remove.\n\t * @returns {Array} Returns `array`.\n\t * @example\n\t *\n\t * var array = ['a', 'b', 'c', 'a', 'b', 'c'];\n\t *\n\t * _.pull(array, 'a', 'c');\n\t * console.log(array);\n\t * // => ['b', 'b']\n\t */\n\t var pull = baseRest(pullAll);\n\n\t /**\n\t * This method is like `_.pull` except that it accepts an array of values to remove.\n\t *\n\t * **Note:** Unlike `_.difference`, this method mutates `array`.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 4.0.0\n\t * @category Array\n\t * @param {Array} array The array to modify.\n\t * @param {Array} values The values to remove.\n\t * @returns {Array} Returns `array`.\n\t * @example\n\t *\n\t * var array = ['a', 'b', 'c', 'a', 'b', 'c'];\n\t *\n\t * _.pullAll(array, ['a', 'c']);\n\t * console.log(array);\n\t * // => ['b', 'b']\n\t */\n\t function pullAll(array, values) {\n\t return (array && array.length && values && values.length)\n\t ? basePullAll(array, values)\n\t : array;\n\t }\n\n\t /**\n\t * This method is like `_.pullAll` except that it accepts `iteratee` which is\n\t * invoked for each element of `array` and `values` to generate the criterion\n\t * by which they're compared. The iteratee is invoked with one argument: (value).\n\t *\n\t * **Note:** Unlike `_.differenceBy`, this method mutates `array`.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 4.0.0\n\t * @category Array\n\t * @param {Array} array The array to modify.\n\t * @param {Array} values The values to remove.\n\t * @param {Function} [iteratee=_.identity] The iteratee invoked per element.\n\t * @returns {Array} Returns `array`.\n\t * @example\n\t *\n\t * var array = [{ 'x': 1 }, { 'x': 2 }, { 'x': 3 }, { 'x': 1 }];\n\t *\n\t * _.pullAllBy(array, [{ 'x': 1 }, { 'x': 3 }], 'x');\n\t * console.log(array);\n\t * // => [{ 'x': 2 }]\n\t */\n\t function pullAllBy(array, values, iteratee) {\n\t return (array && array.length && values && values.length)\n\t ? basePullAll(array, values, getIteratee(iteratee, 2))\n\t : array;\n\t }\n\n\t /**\n\t * This method is like `_.pullAll` except that it accepts `comparator` which\n\t * is invoked to compare elements of `array` to `values`. The comparator is\n\t * invoked with two arguments: (arrVal, othVal).\n\t *\n\t * **Note:** Unlike `_.differenceWith`, this method mutates `array`.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 4.6.0\n\t * @category Array\n\t * @param {Array} array The array to modify.\n\t * @param {Array} values The values to remove.\n\t * @param {Function} [comparator] The comparator invoked per element.\n\t * @returns {Array} Returns `array`.\n\t * @example\n\t *\n\t * var array = [{ 'x': 1, 'y': 2 }, { 'x': 3, 'y': 4 }, { 'x': 5, 'y': 6 }];\n\t *\n\t * _.pullAllWith(array, [{ 'x': 3, 'y': 4 }], _.isEqual);\n\t * console.log(array);\n\t * // => [{ 'x': 1, 'y': 2 }, { 'x': 5, 'y': 6 }]\n\t */\n\t function pullAllWith(array, values, comparator) {\n\t return (array && array.length && values && values.length)\n\t ? basePullAll(array, values, undefined$1, comparator)\n\t : array;\n\t }\n\n\t /**\n\t * Removes elements from `array` corresponding to `indexes` and returns an\n\t * array of removed elements.\n\t *\n\t * **Note:** Unlike `_.at`, this method mutates `array`.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 3.0.0\n\t * @category Array\n\t * @param {Array} array The array to modify.\n\t * @param {...(number|number[])} [indexes] The indexes of elements to remove.\n\t * @returns {Array} Returns the new array of removed elements.\n\t * @example\n\t *\n\t * var array = ['a', 'b', 'c', 'd'];\n\t * var pulled = _.pullAt(array, [1, 3]);\n\t *\n\t * console.log(array);\n\t * // => ['a', 'c']\n\t *\n\t * console.log(pulled);\n\t * // => ['b', 'd']\n\t */\n\t var pullAt = flatRest(function(array, indexes) {\n\t var length = array == null ? 0 : array.length,\n\t result = baseAt(array, indexes);\n\n\t basePullAt(array, arrayMap(indexes, function(index) {\n\t return isIndex(index, length) ? +index : index;\n\t }).sort(compareAscending));\n\n\t return result;\n\t });\n\n\t /**\n\t * Removes all elements from `array` that `predicate` returns truthy for\n\t * and returns an array of the removed elements. The predicate is invoked\n\t * with three arguments: (value, index, array).\n\t *\n\t * **Note:** Unlike `_.filter`, this method mutates `array`. Use `_.pull`\n\t * to pull elements from an array by value.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 2.0.0\n\t * @category Array\n\t * @param {Array} array The array to modify.\n\t * @param {Function} [predicate=_.identity] The function invoked per iteration.\n\t * @returns {Array} Returns the new array of removed elements.\n\t * @example\n\t *\n\t * var array = [1, 2, 3, 4];\n\t * var evens = _.remove(array, function(n) {\n\t * return n % 2 == 0;\n\t * });\n\t *\n\t * console.log(array);\n\t * // => [1, 3]\n\t *\n\t * console.log(evens);\n\t * // => [2, 4]\n\t */\n\t function remove(array, predicate) {\n\t var result = [];\n\t if (!(array && array.length)) {\n\t return result;\n\t }\n\t var index = -1,\n\t indexes = [],\n\t length = array.length;\n\n\t predicate = getIteratee(predicate, 3);\n\t while (++index < length) {\n\t var value = array[index];\n\t if (predicate(value, index, array)) {\n\t result.push(value);\n\t indexes.push(index);\n\t }\n\t }\n\t basePullAt(array, indexes);\n\t return result;\n\t }\n\n\t /**\n\t * Reverses `array` so that the first element becomes the last, the second\n\t * element becomes the second to last, and so on.\n\t *\n\t * **Note:** This method mutates `array` and is based on\n\t * [`Array#reverse`](https://mdn.io/Array/reverse).\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 4.0.0\n\t * @category Array\n\t * @param {Array} array The array to modify.\n\t * @returns {Array} Returns `array`.\n\t * @example\n\t *\n\t * var array = [1, 2, 3];\n\t *\n\t * _.reverse(array);\n\t * // => [3, 2, 1]\n\t *\n\t * console.log(array);\n\t * // => [3, 2, 1]\n\t */\n\t function reverse(array) {\n\t return array == null ? array : nativeReverse.call(array);\n\t }\n\n\t /**\n\t * Creates a slice of `array` from `start` up to, but not including, `end`.\n\t *\n\t * **Note:** This method is used instead of\n\t * [`Array#slice`](https://mdn.io/Array/slice) to ensure dense arrays are\n\t * returned.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 3.0.0\n\t * @category Array\n\t * @param {Array} array The array to slice.\n\t * @param {number} [start=0] The start position.\n\t * @param {number} [end=array.length] The end position.\n\t * @returns {Array} Returns the slice of `array`.\n\t */\n\t function slice(array, start, end) {\n\t var length = array == null ? 0 : array.length;\n\t if (!length) {\n\t return [];\n\t }\n\t if (end && typeof end != 'number' && isIterateeCall(array, start, end)) {\n\t start = 0;\n\t end = length;\n\t }\n\t else {\n\t start = start == null ? 0 : toInteger(start);\n\t end = end === undefined$1 ? length : toInteger(end);\n\t }\n\t return baseSlice(array, start, end);\n\t }\n\n\t /**\n\t * Uses a binary search to determine the lowest index at which `value`\n\t * should be inserted into `array` in order to maintain its sort order.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 0.1.0\n\t * @category Array\n\t * @param {Array} array The sorted array to inspect.\n\t * @param {*} value The value to evaluate.\n\t * @returns {number} Returns the index at which `value` should be inserted\n\t * into `array`.\n\t * @example\n\t *\n\t * _.sortedIndex([30, 50], 40);\n\t * // => 1\n\t */\n\t function sortedIndex(array, value) {\n\t return baseSortedIndex(array, value);\n\t }\n\n\t /**\n\t * This method is like `_.sortedIndex` except that it accepts `iteratee`\n\t * which is invoked for `value` and each element of `array` to compute their\n\t * sort ranking. The iteratee is invoked with one argument: (value).\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 4.0.0\n\t * @category Array\n\t * @param {Array} array The sorted array to inspect.\n\t * @param {*} value The value to evaluate.\n\t * @param {Function} [iteratee=_.identity] The iteratee invoked per element.\n\t * @returns {number} Returns the index at which `value` should be inserted\n\t * into `array`.\n\t * @example\n\t *\n\t * var objects = [{ 'x': 4 }, { 'x': 5 }];\n\t *\n\t * _.sortedIndexBy(objects, { 'x': 4 }, function(o) { return o.x; });\n\t * // => 0\n\t *\n\t * // The `_.property` iteratee shorthand.\n\t * _.sortedIndexBy(objects, { 'x': 4 }, 'x');\n\t * // => 0\n\t */\n\t function sortedIndexBy(array, value, iteratee) {\n\t return baseSortedIndexBy(array, value, getIteratee(iteratee, 2));\n\t }\n\n\t /**\n\t * This method is like `_.indexOf` except that it performs a binary\n\t * search on a sorted `array`.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 4.0.0\n\t * @category Array\n\t * @param {Array} array The array to inspect.\n\t * @param {*} value The value to search for.\n\t * @returns {number} Returns the index of the matched value, else `-1`.\n\t * @example\n\t *\n\t * _.sortedIndexOf([4, 5, 5, 5, 6], 5);\n\t * // => 1\n\t */\n\t function sortedIndexOf(array, value) {\n\t var length = array == null ? 0 : array.length;\n\t if (length) {\n\t var index = baseSortedIndex(array, value);\n\t if (index < length && eq(array[index], value)) {\n\t return index;\n\t }\n\t }\n\t return -1;\n\t }\n\n\t /**\n\t * This method is like `_.sortedIndex` except that it returns the highest\n\t * index at which `value` should be inserted into `array` in order to\n\t * maintain its sort order.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 3.0.0\n\t * @category Array\n\t * @param {Array} array The sorted array to inspect.\n\t * @param {*} value The value to evaluate.\n\t * @returns {number} Returns the index at which `value` should be inserted\n\t * into `array`.\n\t * @example\n\t *\n\t * _.sortedLastIndex([4, 5, 5, 5, 6], 5);\n\t * // => 4\n\t */\n\t function sortedLastIndex(array, value) {\n\t return baseSortedIndex(array, value, true);\n\t }\n\n\t /**\n\t * This method is like `_.sortedLastIndex` except that it accepts `iteratee`\n\t * which is invoked for `value` and each element of `array` to compute their\n\t * sort ranking. The iteratee is invoked with one argument: (value).\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 4.0.0\n\t * @category Array\n\t * @param {Array} array The sorted array to inspect.\n\t * @param {*} value The value to evaluate.\n\t * @param {Function} [iteratee=_.identity] The iteratee invoked per element.\n\t * @returns {number} Returns the index at which `value` should be inserted\n\t * into `array`.\n\t * @example\n\t *\n\t * var objects = [{ 'x': 4 }, { 'x': 5 }];\n\t *\n\t * _.sortedLastIndexBy(objects, { 'x': 4 }, function(o) { return o.x; });\n\t * // => 1\n\t *\n\t * // The `_.property` iteratee shorthand.\n\t * _.sortedLastIndexBy(objects, { 'x': 4 }, 'x');\n\t * // => 1\n\t */\n\t function sortedLastIndexBy(array, value, iteratee) {\n\t return baseSortedIndexBy(array, value, getIteratee(iteratee, 2), true);\n\t }\n\n\t /**\n\t * This method is like `_.lastIndexOf` except that it performs a binary\n\t * search on a sorted `array`.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 4.0.0\n\t * @category Array\n\t * @param {Array} array The array to inspect.\n\t * @param {*} value The value to search for.\n\t * @returns {number} Returns the index of the matched value, else `-1`.\n\t * @example\n\t *\n\t * _.sortedLastIndexOf([4, 5, 5, 5, 6], 5);\n\t * // => 3\n\t */\n\t function sortedLastIndexOf(array, value) {\n\t var length = array == null ? 0 : array.length;\n\t if (length) {\n\t var index = baseSortedIndex(array, value, true) - 1;\n\t if (eq(array[index], value)) {\n\t return index;\n\t }\n\t }\n\t return -1;\n\t }\n\n\t /**\n\t * This method is like `_.uniq` except that it's designed and optimized\n\t * for sorted arrays.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 4.0.0\n\t * @category Array\n\t * @param {Array} array The array to inspect.\n\t * @returns {Array} Returns the new duplicate free array.\n\t * @example\n\t *\n\t * _.sortedUniq([1, 1, 2]);\n\t * // => [1, 2]\n\t */\n\t function sortedUniq(array) {\n\t return (array && array.length)\n\t ? baseSortedUniq(array)\n\t : [];\n\t }\n\n\t /**\n\t * This method is like `_.uniqBy` except that it's designed and optimized\n\t * for sorted arrays.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 4.0.0\n\t * @category Array\n\t * @param {Array} array The array to inspect.\n\t * @param {Function} [iteratee] The iteratee invoked per element.\n\t * @returns {Array} Returns the new duplicate free array.\n\t * @example\n\t *\n\t * _.sortedUniqBy([1.1, 1.2, 2.3, 2.4], Math.floor);\n\t * // => [1.1, 2.3]\n\t */\n\t function sortedUniqBy(array, iteratee) {\n\t return (array && array.length)\n\t ? baseSortedUniq(array, getIteratee(iteratee, 2))\n\t : [];\n\t }\n\n\t /**\n\t * Gets all but the first element of `array`.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 4.0.0\n\t * @category Array\n\t * @param {Array} array The array to query.\n\t * @returns {Array} Returns the slice of `array`.\n\t * @example\n\t *\n\t * _.tail([1, 2, 3]);\n\t * // => [2, 3]\n\t */\n\t function tail(array) {\n\t var length = array == null ? 0 : array.length;\n\t return length ? baseSlice(array, 1, length) : [];\n\t }\n\n\t /**\n\t * Creates a slice of `array` with `n` elements taken from the beginning.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 0.1.0\n\t * @category Array\n\t * @param {Array} array The array to query.\n\t * @param {number} [n=1] The number of elements to take.\n\t * @param- {Object} [guard] Enables use as an iteratee for methods like `_.map`.\n\t * @returns {Array} Returns the slice of `array`.\n\t * @example\n\t *\n\t * _.take([1, 2, 3]);\n\t * // => [1]\n\t *\n\t * _.take([1, 2, 3], 2);\n\t * // => [1, 2]\n\t *\n\t * _.take([1, 2, 3], 5);\n\t * // => [1, 2, 3]\n\t *\n\t * _.take([1, 2, 3], 0);\n\t * // => []\n\t */\n\t function take(array, n, guard) {\n\t if (!(array && array.length)) {\n\t return [];\n\t }\n\t n = (guard || n === undefined$1) ? 1 : toInteger(n);\n\t return baseSlice(array, 0, n < 0 ? 0 : n);\n\t }\n\n\t /**\n\t * Creates a slice of `array` with `n` elements taken from the end.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 3.0.0\n\t * @category Array\n\t * @param {Array} array The array to query.\n\t * @param {number} [n=1] The number of elements to take.\n\t * @param- {Object} [guard] Enables use as an iteratee for methods like `_.map`.\n\t * @returns {Array} Returns the slice of `array`.\n\t * @example\n\t *\n\t * _.takeRight([1, 2, 3]);\n\t * // => [3]\n\t *\n\t * _.takeRight([1, 2, 3], 2);\n\t * // => [2, 3]\n\t *\n\t * _.takeRight([1, 2, 3], 5);\n\t * // => [1, 2, 3]\n\t *\n\t * _.takeRight([1, 2, 3], 0);\n\t * // => []\n\t */\n\t function takeRight(array, n, guard) {\n\t var length = array == null ? 0 : array.length;\n\t if (!length) {\n\t return [];\n\t }\n\t n = (guard || n === undefined$1) ? 1 : toInteger(n);\n\t n = length - n;\n\t return baseSlice(array, n < 0 ? 0 : n, length);\n\t }\n\n\t /**\n\t * Creates a slice of `array` with elements taken from the end. Elements are\n\t * taken until `predicate` returns falsey. The predicate is invoked with\n\t * three arguments: (value, index, array).\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 3.0.0\n\t * @category Array\n\t * @param {Array} array The array to query.\n\t * @param {Function} [predicate=_.identity] The function invoked per iteration.\n\t * @returns {Array} Returns the slice of `array`.\n\t * @example\n\t *\n\t * var users = [\n\t * { 'user': 'barney', 'active': true },\n\t * { 'user': 'fred', 'active': false },\n\t * { 'user': 'pebbles', 'active': false }\n\t * ];\n\t *\n\t * _.takeRightWhile(users, function(o) { return !o.active; });\n\t * // => objects for ['fred', 'pebbles']\n\t *\n\t * // The `_.matches` iteratee shorthand.\n\t * _.takeRightWhile(users, { 'user': 'pebbles', 'active': false });\n\t * // => objects for ['pebbles']\n\t *\n\t * // The `_.matchesProperty` iteratee shorthand.\n\t * _.takeRightWhile(users, ['active', false]);\n\t * // => objects for ['fred', 'pebbles']\n\t *\n\t * // The `_.property` iteratee shorthand.\n\t * _.takeRightWhile(users, 'active');\n\t * // => []\n\t */\n\t function takeRightWhile(array, predicate) {\n\t return (array && array.length)\n\t ? baseWhile(array, getIteratee(predicate, 3), false, true)\n\t : [];\n\t }\n\n\t /**\n\t * Creates a slice of `array` with elements taken from the beginning. Elements\n\t * are taken until `predicate` returns falsey. The predicate is invoked with\n\t * three arguments: (value, index, array).\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 3.0.0\n\t * @category Array\n\t * @param {Array} array The array to query.\n\t * @param {Function} [predicate=_.identity] The function invoked per iteration.\n\t * @returns {Array} Returns the slice of `array`.\n\t * @example\n\t *\n\t * var users = [\n\t * { 'user': 'barney', 'active': false },\n\t * { 'user': 'fred', 'active': false },\n\t * { 'user': 'pebbles', 'active': true }\n\t * ];\n\t *\n\t * _.takeWhile(users, function(o) { return !o.active; });\n\t * // => objects for ['barney', 'fred']\n\t *\n\t * // The `_.matches` iteratee shorthand.\n\t * _.takeWhile(users, { 'user': 'barney', 'active': false });\n\t * // => objects for ['barney']\n\t *\n\t * // The `_.matchesProperty` iteratee shorthand.\n\t * _.takeWhile(users, ['active', false]);\n\t * // => objects for ['barney', 'fred']\n\t *\n\t * // The `_.property` iteratee shorthand.\n\t * _.takeWhile(users, 'active');\n\t * // => []\n\t */\n\t function takeWhile(array, predicate) {\n\t return (array && array.length)\n\t ? baseWhile(array, getIteratee(predicate, 3))\n\t : [];\n\t }\n\n\t /**\n\t * Creates an array of unique values, in order, from all given arrays using\n\t * [`SameValueZero`](http://ecma-international.org/ecma-262/7.0/#sec-samevaluezero)\n\t * for equality comparisons.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 0.1.0\n\t * @category Array\n\t * @param {...Array} [arrays] The arrays to inspect.\n\t * @returns {Array} Returns the new array of combined values.\n\t * @example\n\t *\n\t * _.union([2], [1, 2]);\n\t * // => [2, 1]\n\t */\n\t var union = baseRest(function(arrays) {\n\t return baseUniq(baseFlatten(arrays, 1, isArrayLikeObject, true));\n\t });\n\n\t /**\n\t * This method is like `_.union` except that it accepts `iteratee` which is\n\t * invoked for each element of each `arrays` to generate the criterion by\n\t * which uniqueness is computed. Result values are chosen from the first\n\t * array in which the value occurs. The iteratee is invoked with one argument:\n\t * (value).\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 4.0.0\n\t * @category Array\n\t * @param {...Array} [arrays] The arrays to inspect.\n\t * @param {Function} [iteratee=_.identity] The iteratee invoked per element.\n\t * @returns {Array} Returns the new array of combined values.\n\t * @example\n\t *\n\t * _.unionBy([2.1], [1.2, 2.3], Math.floor);\n\t * // => [2.1, 1.2]\n\t *\n\t * // The `_.property` iteratee shorthand.\n\t * _.unionBy([{ 'x': 1 }], [{ 'x': 2 }, { 'x': 1 }], 'x');\n\t * // => [{ 'x': 1 }, { 'x': 2 }]\n\t */\n\t var unionBy = baseRest(function(arrays) {\n\t var iteratee = last(arrays);\n\t if (isArrayLikeObject(iteratee)) {\n\t iteratee = undefined$1;\n\t }\n\t return baseUniq(baseFlatten(arrays, 1, isArrayLikeObject, true), getIteratee(iteratee, 2));\n\t });\n\n\t /**\n\t * This method is like `_.union` except that it accepts `comparator` which\n\t * is invoked to compare elements of `arrays`. Result values are chosen from\n\t * the first array in which the value occurs. The comparator is invoked\n\t * with two arguments: (arrVal, othVal).\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 4.0.0\n\t * @category Array\n\t * @param {...Array} [arrays] The arrays to inspect.\n\t * @param {Function} [comparator] The comparator invoked per element.\n\t * @returns {Array} Returns the new array of combined values.\n\t * @example\n\t *\n\t * var objects = [{ 'x': 1, 'y': 2 }, { 'x': 2, 'y': 1 }];\n\t * var others = [{ 'x': 1, 'y': 1 }, { 'x': 1, 'y': 2 }];\n\t *\n\t * _.unionWith(objects, others, _.isEqual);\n\t * // => [{ 'x': 1, 'y': 2 }, { 'x': 2, 'y': 1 }, { 'x': 1, 'y': 1 }]\n\t */\n\t var unionWith = baseRest(function(arrays) {\n\t var comparator = last(arrays);\n\t comparator = typeof comparator == 'function' ? comparator : undefined$1;\n\t return baseUniq(baseFlatten(arrays, 1, isArrayLikeObject, true), undefined$1, comparator);\n\t });\n\n\t /**\n\t * Creates a duplicate-free version of an array, using\n\t * [`SameValueZero`](http://ecma-international.org/ecma-262/7.0/#sec-samevaluezero)\n\t * for equality comparisons, in which only the first occurrence of each element\n\t * is kept. The order of result values is determined by the order they occur\n\t * in the array.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 0.1.0\n\t * @category Array\n\t * @param {Array} array The array to inspect.\n\t * @returns {Array} Returns the new duplicate free array.\n\t * @example\n\t *\n\t * _.uniq([2, 1, 2]);\n\t * // => [2, 1]\n\t */\n\t function uniq(array) {\n\t return (array && array.length) ? baseUniq(array) : [];\n\t }\n\n\t /**\n\t * This method is like `_.uniq` except that it accepts `iteratee` which is\n\t * invoked for each element in `array` to generate the criterion by which\n\t * uniqueness is computed. The order of result values is determined by the\n\t * order they occur in the array. The iteratee is invoked with one argument:\n\t * (value).\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 4.0.0\n\t * @category Array\n\t * @param {Array} array The array to inspect.\n\t * @param {Function} [iteratee=_.identity] The iteratee invoked per element.\n\t * @returns {Array} Returns the new duplicate free array.\n\t * @example\n\t *\n\t * _.uniqBy([2.1, 1.2, 2.3], Math.floor);\n\t * // => [2.1, 1.2]\n\t *\n\t * // The `_.property` iteratee shorthand.\n\t * _.uniqBy([{ 'x': 1 }, { 'x': 2 }, { 'x': 1 }], 'x');\n\t * // => [{ 'x': 1 }, { 'x': 2 }]\n\t */\n\t function uniqBy(array, iteratee) {\n\t return (array && array.length) ? baseUniq(array, getIteratee(iteratee, 2)) : [];\n\t }\n\n\t /**\n\t * This method is like `_.uniq` except that it accepts `comparator` which\n\t * is invoked to compare elements of `array`. The order of result values is\n\t * determined by the order they occur in the array.The comparator is invoked\n\t * with two arguments: (arrVal, othVal).\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 4.0.0\n\t * @category Array\n\t * @param {Array} array The array to inspect.\n\t * @param {Function} [comparator] The comparator invoked per element.\n\t * @returns {Array} Returns the new duplicate free array.\n\t * @example\n\t *\n\t * var objects = [{ 'x': 1, 'y': 2 }, { 'x': 2, 'y': 1 }, { 'x': 1, 'y': 2 }];\n\t *\n\t * _.uniqWith(objects, _.isEqual);\n\t * // => [{ 'x': 1, 'y': 2 }, { 'x': 2, 'y': 1 }]\n\t */\n\t function uniqWith(array, comparator) {\n\t comparator = typeof comparator == 'function' ? comparator : undefined$1;\n\t return (array && array.length) ? baseUniq(array, undefined$1, comparator) : [];\n\t }\n\n\t /**\n\t * This method is like `_.zip` except that it accepts an array of grouped\n\t * elements and creates an array regrouping the elements to their pre-zip\n\t * configuration.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 1.2.0\n\t * @category Array\n\t * @param {Array} array The array of grouped elements to process.\n\t * @returns {Array} Returns the new array of regrouped elements.\n\t * @example\n\t *\n\t * var zipped = _.zip(['a', 'b'], [1, 2], [true, false]);\n\t * // => [['a', 1, true], ['b', 2, false]]\n\t *\n\t * _.unzip(zipped);\n\t * // => [['a', 'b'], [1, 2], [true, false]]\n\t */\n\t function unzip(array) {\n\t if (!(array && array.length)) {\n\t return [];\n\t }\n\t var length = 0;\n\t array = arrayFilter(array, function(group) {\n\t if (isArrayLikeObject(group)) {\n\t length = nativeMax(group.length, length);\n\t return true;\n\t }\n\t });\n\t return baseTimes(length, function(index) {\n\t return arrayMap(array, baseProperty(index));\n\t });\n\t }\n\n\t /**\n\t * This method is like `_.unzip` except that it accepts `iteratee` to specify\n\t * how regrouped values should be combined. The iteratee is invoked with the\n\t * elements of each group: (...group).\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 3.8.0\n\t * @category Array\n\t * @param {Array} array The array of grouped elements to process.\n\t * @param {Function} [iteratee=_.identity] The function to combine\n\t * regrouped values.\n\t * @returns {Array} Returns the new array of regrouped elements.\n\t * @example\n\t *\n\t * var zipped = _.zip([1, 2], [10, 20], [100, 200]);\n\t * // => [[1, 10, 100], [2, 20, 200]]\n\t *\n\t * _.unzipWith(zipped, _.add);\n\t * // => [3, 30, 300]\n\t */\n\t function unzipWith(array, iteratee) {\n\t if (!(array && array.length)) {\n\t return [];\n\t }\n\t var result = unzip(array);\n\t if (iteratee == null) {\n\t return result;\n\t }\n\t return arrayMap(result, function(group) {\n\t return apply(iteratee, undefined$1, group);\n\t });\n\t }\n\n\t /**\n\t * Creates an array excluding all given values using\n\t * [`SameValueZero`](http://ecma-international.org/ecma-262/7.0/#sec-samevaluezero)\n\t * for equality comparisons.\n\t *\n\t * **Note:** Unlike `_.pull`, this method returns a new array.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 0.1.0\n\t * @category Array\n\t * @param {Array} array The array to inspect.\n\t * @param {...*} [values] The values to exclude.\n\t * @returns {Array} Returns the new array of filtered values.\n\t * @see _.difference, _.xor\n\t * @example\n\t *\n\t * _.without([2, 1, 2, 3], 1, 2);\n\t * // => [3]\n\t */\n\t var without = baseRest(function(array, values) {\n\t return isArrayLikeObject(array)\n\t ? baseDifference(array, values)\n\t : [];\n\t });\n\n\t /**\n\t * Creates an array of unique values that is the\n\t * [symmetric difference](https://en.wikipedia.org/wiki/Symmetric_difference)\n\t * of the given arrays. The order of result values is determined by the order\n\t * they occur in the arrays.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 2.4.0\n\t * @category Array\n\t * @param {...Array} [arrays] The arrays to inspect.\n\t * @returns {Array} Returns the new array of filtered values.\n\t * @see _.difference, _.without\n\t * @example\n\t *\n\t * _.xor([2, 1], [2, 3]);\n\t * // => [1, 3]\n\t */\n\t var xor = baseRest(function(arrays) {\n\t return baseXor(arrayFilter(arrays, isArrayLikeObject));\n\t });\n\n\t /**\n\t * This method is like `_.xor` except that it accepts `iteratee` which is\n\t * invoked for each element of each `arrays` to generate the criterion by\n\t * which by which they're compared. The order of result values is determined\n\t * by the order they occur in the arrays. The iteratee is invoked with one\n\t * argument: (value).\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 4.0.0\n\t * @category Array\n\t * @param {...Array} [arrays] The arrays to inspect.\n\t * @param {Function} [iteratee=_.identity] The iteratee invoked per element.\n\t * @returns {Array} Returns the new array of filtered values.\n\t * @example\n\t *\n\t * _.xorBy([2.1, 1.2], [2.3, 3.4], Math.floor);\n\t * // => [1.2, 3.4]\n\t *\n\t * // The `_.property` iteratee shorthand.\n\t * _.xorBy([{ 'x': 1 }], [{ 'x': 2 }, { 'x': 1 }], 'x');\n\t * // => [{ 'x': 2 }]\n\t */\n\t var xorBy = baseRest(function(arrays) {\n\t var iteratee = last(arrays);\n\t if (isArrayLikeObject(iteratee)) {\n\t iteratee = undefined$1;\n\t }\n\t return baseXor(arrayFilter(arrays, isArrayLikeObject), getIteratee(iteratee, 2));\n\t });\n\n\t /**\n\t * This method is like `_.xor` except that it accepts `comparator` which is\n\t * invoked to compare elements of `arrays`. The order of result values is\n\t * determined by the order they occur in the arrays. The comparator is invoked\n\t * with two arguments: (arrVal, othVal).\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 4.0.0\n\t * @category Array\n\t * @param {...Array} [arrays] The arrays to inspect.\n\t * @param {Function} [comparator] The comparator invoked per element.\n\t * @returns {Array} Returns the new array of filtered values.\n\t * @example\n\t *\n\t * var objects = [{ 'x': 1, 'y': 2 }, { 'x': 2, 'y': 1 }];\n\t * var others = [{ 'x': 1, 'y': 1 }, { 'x': 1, 'y': 2 }];\n\t *\n\t * _.xorWith(objects, others, _.isEqual);\n\t * // => [{ 'x': 2, 'y': 1 }, { 'x': 1, 'y': 1 }]\n\t */\n\t var xorWith = baseRest(function(arrays) {\n\t var comparator = last(arrays);\n\t comparator = typeof comparator == 'function' ? comparator : undefined$1;\n\t return baseXor(arrayFilter(arrays, isArrayLikeObject), undefined$1, comparator);\n\t });\n\n\t /**\n\t * Creates an array of grouped elements, the first of which contains the\n\t * first elements of the given arrays, the second of which contains the\n\t * second elements of the given arrays, and so on.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 0.1.0\n\t * @category Array\n\t * @param {...Array} [arrays] The arrays to process.\n\t * @returns {Array} Returns the new array of grouped elements.\n\t * @example\n\t *\n\t * _.zip(['a', 'b'], [1, 2], [true, false]);\n\t * // => [['a', 1, true], ['b', 2, false]]\n\t */\n\t var zip = baseRest(unzip);\n\n\t /**\n\t * This method is like `_.fromPairs` except that it accepts two arrays,\n\t * one of property identifiers and one of corresponding values.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 0.4.0\n\t * @category Array\n\t * @param {Array} [props=[]] The property identifiers.\n\t * @param {Array} [values=[]] The property values.\n\t * @returns {Object} Returns the new object.\n\t * @example\n\t *\n\t * _.zipObject(['a', 'b'], [1, 2]);\n\t * // => { 'a': 1, 'b': 2 }\n\t */\n\t function zipObject(props, values) {\n\t return baseZipObject(props || [], values || [], assignValue);\n\t }\n\n\t /**\n\t * This method is like `_.zipObject` except that it supports property paths.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 4.1.0\n\t * @category Array\n\t * @param {Array} [props=[]] The property identifiers.\n\t * @param {Array} [values=[]] The property values.\n\t * @returns {Object} Returns the new object.\n\t * @example\n\t *\n\t * _.zipObjectDeep(['a.b[0].c', 'a.b[1].d'], [1, 2]);\n\t * // => { 'a': { 'b': [{ 'c': 1 }, { 'd': 2 }] } }\n\t */\n\t function zipObjectDeep(props, values) {\n\t return baseZipObject(props || [], values || [], baseSet);\n\t }\n\n\t /**\n\t * This method is like `_.zip` except that it accepts `iteratee` to specify\n\t * how grouped values should be combined. The iteratee is invoked with the\n\t * elements of each group: (...group).\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 3.8.0\n\t * @category Array\n\t * @param {...Array} [arrays] The arrays to process.\n\t * @param {Function} [iteratee=_.identity] The function to combine\n\t * grouped values.\n\t * @returns {Array} Returns the new array of grouped elements.\n\t * @example\n\t *\n\t * _.zipWith([1, 2], [10, 20], [100, 200], function(a, b, c) {\n\t * return a + b + c;\n\t * });\n\t * // => [111, 222]\n\t */\n\t var zipWith = baseRest(function(arrays) {\n\t var length = arrays.length,\n\t iteratee = length > 1 ? arrays[length - 1] : undefined$1;\n\n\t iteratee = typeof iteratee == 'function' ? (arrays.pop(), iteratee) : undefined$1;\n\t return unzipWith(arrays, iteratee);\n\t });\n\n\t /*------------------------------------------------------------------------*/\n\n\t /**\n\t * Creates a `lodash` wrapper instance that wraps `value` with explicit method\n\t * chain sequences enabled. The result of such sequences must be unwrapped\n\t * with `_#value`.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 1.3.0\n\t * @category Seq\n\t * @param {*} value The value to wrap.\n\t * @returns {Object} Returns the new `lodash` wrapper instance.\n\t * @example\n\t *\n\t * var users = [\n\t * { 'user': 'barney', 'age': 36 },\n\t * { 'user': 'fred', 'age': 40 },\n\t * { 'user': 'pebbles', 'age': 1 }\n\t * ];\n\t *\n\t * var youngest = _\n\t * .chain(users)\n\t * .sortBy('age')\n\t * .map(function(o) {\n\t * return o.user + ' is ' + o.age;\n\t * })\n\t * .head()\n\t * .value();\n\t * // => 'pebbles is 1'\n\t */\n\t function chain(value) {\n\t var result = lodash(value);\n\t result.__chain__ = true;\n\t return result;\n\t }\n\n\t /**\n\t * This method invokes `interceptor` and returns `value`. The interceptor\n\t * is invoked with one argument; (value). The purpose of this method is to\n\t * \"tap into\" a method chain sequence in order to modify intermediate results.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 0.1.0\n\t * @category Seq\n\t * @param {*} value The value to provide to `interceptor`.\n\t * @param {Function} interceptor The function to invoke.\n\t * @returns {*} Returns `value`.\n\t * @example\n\t *\n\t * _([1, 2, 3])\n\t * .tap(function(array) {\n\t * // Mutate input array.\n\t * array.pop();\n\t * })\n\t * .reverse()\n\t * .value();\n\t * // => [2, 1]\n\t */\n\t function tap(value, interceptor) {\n\t interceptor(value);\n\t return value;\n\t }\n\n\t /**\n\t * This method is like `_.tap` except that it returns the result of `interceptor`.\n\t * The purpose of this method is to \"pass thru\" values replacing intermediate\n\t * results in a method chain sequence.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 3.0.0\n\t * @category Seq\n\t * @param {*} value The value to provide to `interceptor`.\n\t * @param {Function} interceptor The function to invoke.\n\t * @returns {*} Returns the result of `interceptor`.\n\t * @example\n\t *\n\t * _(' abc ')\n\t * .chain()\n\t * .trim()\n\t * .thru(function(value) {\n\t * return [value];\n\t * })\n\t * .value();\n\t * // => ['abc']\n\t */\n\t function thru(value, interceptor) {\n\t return interceptor(value);\n\t }\n\n\t /**\n\t * This method is the wrapper version of `_.at`.\n\t *\n\t * @name at\n\t * @memberOf _\n\t * @since 1.0.0\n\t * @category Seq\n\t * @param {...(string|string[])} [paths] The property paths to pick.\n\t * @returns {Object} Returns the new `lodash` wrapper instance.\n\t * @example\n\t *\n\t * var object = { 'a': [{ 'b': { 'c': 3 } }, 4] };\n\t *\n\t * _(object).at(['a[0].b.c', 'a[1]']).value();\n\t * // => [3, 4]\n\t */\n\t var wrapperAt = flatRest(function(paths) {\n\t var length = paths.length,\n\t start = length ? paths[0] : 0,\n\t value = this.__wrapped__,\n\t interceptor = function(object) { return baseAt(object, paths); };\n\n\t if (length > 1 || this.__actions__.length ||\n\t !(value instanceof LazyWrapper) || !isIndex(start)) {\n\t return this.thru(interceptor);\n\t }\n\t value = value.slice(start, +start + (length ? 1 : 0));\n\t value.__actions__.push({\n\t 'func': thru,\n\t 'args': [interceptor],\n\t 'thisArg': undefined$1\n\t });\n\t return new LodashWrapper(value, this.__chain__).thru(function(array) {\n\t if (length && !array.length) {\n\t array.push(undefined$1);\n\t }\n\t return array;\n\t });\n\t });\n\n\t /**\n\t * Creates a `lodash` wrapper instance with explicit method chain sequences enabled.\n\t *\n\t * @name chain\n\t * @memberOf _\n\t * @since 0.1.0\n\t * @category Seq\n\t * @returns {Object} Returns the new `lodash` wrapper instance.\n\t * @example\n\t *\n\t * var users = [\n\t * { 'user': 'barney', 'age': 36 },\n\t * { 'user': 'fred', 'age': 40 }\n\t * ];\n\t *\n\t * // A sequence without explicit chaining.\n\t * _(users).head();\n\t * // => { 'user': 'barney', 'age': 36 }\n\t *\n\t * // A sequence with explicit chaining.\n\t * _(users)\n\t * .chain()\n\t * .head()\n\t * .pick('user')\n\t * .value();\n\t * // => { 'user': 'barney' }\n\t */\n\t function wrapperChain() {\n\t return chain(this);\n\t }\n\n\t /**\n\t * Executes the chain sequence and returns the wrapped result.\n\t *\n\t * @name commit\n\t * @memberOf _\n\t * @since 3.2.0\n\t * @category Seq\n\t * @returns {Object} Returns the new `lodash` wrapper instance.\n\t * @example\n\t *\n\t * var array = [1, 2];\n\t * var wrapped = _(array).push(3);\n\t *\n\t * console.log(array);\n\t * // => [1, 2]\n\t *\n\t * wrapped = wrapped.commit();\n\t * console.log(array);\n\t * // => [1, 2, 3]\n\t *\n\t * wrapped.last();\n\t * // => 3\n\t *\n\t * console.log(array);\n\t * // => [1, 2, 3]\n\t */\n\t function wrapperCommit() {\n\t return new LodashWrapper(this.value(), this.__chain__);\n\t }\n\n\t /**\n\t * Gets the next value on a wrapped object following the\n\t * [iterator protocol](https://mdn.io/iteration_protocols#iterator).\n\t *\n\t * @name next\n\t * @memberOf _\n\t * @since 4.0.0\n\t * @category Seq\n\t * @returns {Object} Returns the next iterator value.\n\t * @example\n\t *\n\t * var wrapped = _([1, 2]);\n\t *\n\t * wrapped.next();\n\t * // => { 'done': false, 'value': 1 }\n\t *\n\t * wrapped.next();\n\t * // => { 'done': false, 'value': 2 }\n\t *\n\t * wrapped.next();\n\t * // => { 'done': true, 'value': undefined }\n\t */\n\t function wrapperNext() {\n\t if (this.__values__ === undefined$1) {\n\t this.__values__ = toArray(this.value());\n\t }\n\t var done = this.__index__ >= this.__values__.length,\n\t value = done ? undefined$1 : this.__values__[this.__index__++];\n\n\t return { 'done': done, 'value': value };\n\t }\n\n\t /**\n\t * Enables the wrapper to be iterable.\n\t *\n\t * @name Symbol.iterator\n\t * @memberOf _\n\t * @since 4.0.0\n\t * @category Seq\n\t * @returns {Object} Returns the wrapper object.\n\t * @example\n\t *\n\t * var wrapped = _([1, 2]);\n\t *\n\t * wrapped[Symbol.iterator]() === wrapped;\n\t * // => true\n\t *\n\t * Array.from(wrapped);\n\t * // => [1, 2]\n\t */\n\t function wrapperToIterator() {\n\t return this;\n\t }\n\n\t /**\n\t * Creates a clone of the chain sequence planting `value` as the wrapped value.\n\t *\n\t * @name plant\n\t * @memberOf _\n\t * @since 3.2.0\n\t * @category Seq\n\t * @param {*} value The value to plant.\n\t * @returns {Object} Returns the new `lodash` wrapper instance.\n\t * @example\n\t *\n\t * function square(n) {\n\t * return n * n;\n\t * }\n\t *\n\t * var wrapped = _([1, 2]).map(square);\n\t * var other = wrapped.plant([3, 4]);\n\t *\n\t * other.value();\n\t * // => [9, 16]\n\t *\n\t * wrapped.value();\n\t * // => [1, 4]\n\t */\n\t function wrapperPlant(value) {\n\t var result,\n\t parent = this;\n\n\t while (parent instanceof baseLodash) {\n\t var clone = wrapperClone(parent);\n\t clone.__index__ = 0;\n\t clone.__values__ = undefined$1;\n\t if (result) {\n\t previous.__wrapped__ = clone;\n\t } else {\n\t result = clone;\n\t }\n\t var previous = clone;\n\t parent = parent.__wrapped__;\n\t }\n\t previous.__wrapped__ = value;\n\t return result;\n\t }\n\n\t /**\n\t * This method is the wrapper version of `_.reverse`.\n\t *\n\t * **Note:** This method mutates the wrapped array.\n\t *\n\t * @name reverse\n\t * @memberOf _\n\t * @since 0.1.0\n\t * @category Seq\n\t * @returns {Object} Returns the new `lodash` wrapper instance.\n\t * @example\n\t *\n\t * var array = [1, 2, 3];\n\t *\n\t * _(array).reverse().value()\n\t * // => [3, 2, 1]\n\t *\n\t * console.log(array);\n\t * // => [3, 2, 1]\n\t */\n\t function wrapperReverse() {\n\t var value = this.__wrapped__;\n\t if (value instanceof LazyWrapper) {\n\t var wrapped = value;\n\t if (this.__actions__.length) {\n\t wrapped = new LazyWrapper(this);\n\t }\n\t wrapped = wrapped.reverse();\n\t wrapped.__actions__.push({\n\t 'func': thru,\n\t 'args': [reverse],\n\t 'thisArg': undefined$1\n\t });\n\t return new LodashWrapper(wrapped, this.__chain__);\n\t }\n\t return this.thru(reverse);\n\t }\n\n\t /**\n\t * Executes the chain sequence to resolve the unwrapped value.\n\t *\n\t * @name value\n\t * @memberOf _\n\t * @since 0.1.0\n\t * @alias toJSON, valueOf\n\t * @category Seq\n\t * @returns {*} Returns the resolved unwrapped value.\n\t * @example\n\t *\n\t * _([1, 2, 3]).value();\n\t * // => [1, 2, 3]\n\t */\n\t function wrapperValue() {\n\t return baseWrapperValue(this.__wrapped__, this.__actions__);\n\t }\n\n\t /*------------------------------------------------------------------------*/\n\n\t /**\n\t * Creates an object composed of keys generated from the results of running\n\t * each element of `collection` thru `iteratee`. The corresponding value of\n\t * each key is the number of times the key was returned by `iteratee`. The\n\t * iteratee is invoked with one argument: (value).\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 0.5.0\n\t * @category Collection\n\t * @param {Array|Object} collection The collection to iterate over.\n\t * @param {Function} [iteratee=_.identity] The iteratee to transform keys.\n\t * @returns {Object} Returns the composed aggregate object.\n\t * @example\n\t *\n\t * _.countBy([6.1, 4.2, 6.3], Math.floor);\n\t * // => { '4': 1, '6': 2 }\n\t *\n\t * // The `_.property` iteratee shorthand.\n\t * _.countBy(['one', 'two', 'three'], 'length');\n\t * // => { '3': 2, '5': 1 }\n\t */\n\t var countBy = createAggregator(function(result, value, key) {\n\t if (hasOwnProperty.call(result, key)) {\n\t ++result[key];\n\t } else {\n\t baseAssignValue(result, key, 1);\n\t }\n\t });\n\n\t /**\n\t * Checks if `predicate` returns truthy for **all** elements of `collection`.\n\t * Iteration is stopped once `predicate` returns falsey. The predicate is\n\t * invoked with three arguments: (value, index|key, collection).\n\t *\n\t * **Note:** This method returns `true` for\n\t * [empty collections](https://en.wikipedia.org/wiki/Empty_set) because\n\t * [everything is true](https://en.wikipedia.org/wiki/Vacuous_truth) of\n\t * elements of empty collections.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 0.1.0\n\t * @category Collection\n\t * @param {Array|Object} collection The collection to iterate over.\n\t * @param {Function} [predicate=_.identity] The function invoked per iteration.\n\t * @param- {Object} [guard] Enables use as an iteratee for methods like `_.map`.\n\t * @returns {boolean} Returns `true` if all elements pass the predicate check,\n\t * else `false`.\n\t * @example\n\t *\n\t * _.every([true, 1, null, 'yes'], Boolean);\n\t * // => false\n\t *\n\t * var users = [\n\t * { 'user': 'barney', 'age': 36, 'active': false },\n\t * { 'user': 'fred', 'age': 40, 'active': false }\n\t * ];\n\t *\n\t * // The `_.matches` iteratee shorthand.\n\t * _.every(users, { 'user': 'barney', 'active': false });\n\t * // => false\n\t *\n\t * // The `_.matchesProperty` iteratee shorthand.\n\t * _.every(users, ['active', false]);\n\t * // => true\n\t *\n\t * // The `_.property` iteratee shorthand.\n\t * _.every(users, 'active');\n\t * // => false\n\t */\n\t function every(collection, predicate, guard) {\n\t var func = isArray(collection) ? arrayEvery : baseEvery;\n\t if (guard && isIterateeCall(collection, predicate, guard)) {\n\t predicate = undefined$1;\n\t }\n\t return func(collection, getIteratee(predicate, 3));\n\t }\n\n\t /**\n\t * Iterates over elements of `collection`, returning an array of all elements\n\t * `predicate` returns truthy for. The predicate is invoked with three\n\t * arguments: (value, index|key, collection).\n\t *\n\t * **Note:** Unlike `_.remove`, this method returns a new array.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 0.1.0\n\t * @category Collection\n\t * @param {Array|Object} collection The collection to iterate over.\n\t * @param {Function} [predicate=_.identity] The function invoked per iteration.\n\t * @returns {Array} Returns the new filtered array.\n\t * @see _.reject\n\t * @example\n\t *\n\t * var users = [\n\t * { 'user': 'barney', 'age': 36, 'active': true },\n\t * { 'user': 'fred', 'age': 40, 'active': false }\n\t * ];\n\t *\n\t * _.filter(users, function(o) { return !o.active; });\n\t * // => objects for ['fred']\n\t *\n\t * // The `_.matches` iteratee shorthand.\n\t * _.filter(users, { 'age': 36, 'active': true });\n\t * // => objects for ['barney']\n\t *\n\t * // The `_.matchesProperty` iteratee shorthand.\n\t * _.filter(users, ['active', false]);\n\t * // => objects for ['fred']\n\t *\n\t * // The `_.property` iteratee shorthand.\n\t * _.filter(users, 'active');\n\t * // => objects for ['barney']\n\t *\n\t * // Combining several predicates using `_.overEvery` or `_.overSome`.\n\t * _.filter(users, _.overSome([{ 'age': 36 }, ['age', 40]]));\n\t * // => objects for ['fred', 'barney']\n\t */\n\t function filter(collection, predicate) {\n\t var func = isArray(collection) ? arrayFilter : baseFilter;\n\t return func(collection, getIteratee(predicate, 3));\n\t }\n\n\t /**\n\t * Iterates over elements of `collection`, returning the first element\n\t * `predicate` returns truthy for. The predicate is invoked with three\n\t * arguments: (value, index|key, collection).\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 0.1.0\n\t * @category Collection\n\t * @param {Array|Object} collection The collection to inspect.\n\t * @param {Function} [predicate=_.identity] The function invoked per iteration.\n\t * @param {number} [fromIndex=0] The index to search from.\n\t * @returns {*} Returns the matched element, else `undefined`.\n\t * @example\n\t *\n\t * var users = [\n\t * { 'user': 'barney', 'age': 36, 'active': true },\n\t * { 'user': 'fred', 'age': 40, 'active': false },\n\t * { 'user': 'pebbles', 'age': 1, 'active': true }\n\t * ];\n\t *\n\t * _.find(users, function(o) { return o.age < 40; });\n\t * // => object for 'barney'\n\t *\n\t * // The `_.matches` iteratee shorthand.\n\t * _.find(users, { 'age': 1, 'active': true });\n\t * // => object for 'pebbles'\n\t *\n\t * // The `_.matchesProperty` iteratee shorthand.\n\t * _.find(users, ['active', false]);\n\t * // => object for 'fred'\n\t *\n\t * // The `_.property` iteratee shorthand.\n\t * _.find(users, 'active');\n\t * // => object for 'barney'\n\t */\n\t var find = createFind(findIndex);\n\n\t /**\n\t * This method is like `_.find` except that it iterates over elements of\n\t * `collection` from right to left.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 2.0.0\n\t * @category Collection\n\t * @param {Array|Object} collection The collection to inspect.\n\t * @param {Function} [predicate=_.identity] The function invoked per iteration.\n\t * @param {number} [fromIndex=collection.length-1] The index to search from.\n\t * @returns {*} Returns the matched element, else `undefined`.\n\t * @example\n\t *\n\t * _.findLast([1, 2, 3, 4], function(n) {\n\t * return n % 2 == 1;\n\t * });\n\t * // => 3\n\t */\n\t var findLast = createFind(findLastIndex);\n\n\t /**\n\t * Creates a flattened array of values by running each element in `collection`\n\t * thru `iteratee` and flattening the mapped results. The iteratee is invoked\n\t * with three arguments: (value, index|key, collection).\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 4.0.0\n\t * @category Collection\n\t * @param {Array|Object} collection The collection to iterate over.\n\t * @param {Function} [iteratee=_.identity] The function invoked per iteration.\n\t * @returns {Array} Returns the new flattened array.\n\t * @example\n\t *\n\t * function duplicate(n) {\n\t * return [n, n];\n\t * }\n\t *\n\t * _.flatMap([1, 2], duplicate);\n\t * // => [1, 1, 2, 2]\n\t */\n\t function flatMap(collection, iteratee) {\n\t return baseFlatten(map(collection, iteratee), 1);\n\t }\n\n\t /**\n\t * This method is like `_.flatMap` except that it recursively flattens the\n\t * mapped results.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 4.7.0\n\t * @category Collection\n\t * @param {Array|Object} collection The collection to iterate over.\n\t * @param {Function} [iteratee=_.identity] The function invoked per iteration.\n\t * @returns {Array} Returns the new flattened array.\n\t * @example\n\t *\n\t * function duplicate(n) {\n\t * return [[[n, n]]];\n\t * }\n\t *\n\t * _.flatMapDeep([1, 2], duplicate);\n\t * // => [1, 1, 2, 2]\n\t */\n\t function flatMapDeep(collection, iteratee) {\n\t return baseFlatten(map(collection, iteratee), INFINITY);\n\t }\n\n\t /**\n\t * This method is like `_.flatMap` except that it recursively flattens the\n\t * mapped results up to `depth` times.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 4.7.0\n\t * @category Collection\n\t * @param {Array|Object} collection The collection to iterate over.\n\t * @param {Function} [iteratee=_.identity] The function invoked per iteration.\n\t * @param {number} [depth=1] The maximum recursion depth.\n\t * @returns {Array} Returns the new flattened array.\n\t * @example\n\t *\n\t * function duplicate(n) {\n\t * return [[[n, n]]];\n\t * }\n\t *\n\t * _.flatMapDepth([1, 2], duplicate, 2);\n\t * // => [[1, 1], [2, 2]]\n\t */\n\t function flatMapDepth(collection, iteratee, depth) {\n\t depth = depth === undefined$1 ? 1 : toInteger(depth);\n\t return baseFlatten(map(collection, iteratee), depth);\n\t }\n\n\t /**\n\t * Iterates over elements of `collection` and invokes `iteratee` for each element.\n\t * The iteratee is invoked with three arguments: (value, index|key, collection).\n\t * Iteratee functions may exit iteration early by explicitly returning `false`.\n\t *\n\t * **Note:** As with other \"Collections\" methods, objects with a \"length\"\n\t * property are iterated like arrays. To avoid this behavior use `_.forIn`\n\t * or `_.forOwn` for object iteration.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 0.1.0\n\t * @alias each\n\t * @category Collection\n\t * @param {Array|Object} collection The collection to iterate over.\n\t * @param {Function} [iteratee=_.identity] The function invoked per iteration.\n\t * @returns {Array|Object} Returns `collection`.\n\t * @see _.forEachRight\n\t * @example\n\t *\n\t * _.forEach([1, 2], function(value) {\n\t * console.log(value);\n\t * });\n\t * // => Logs `1` then `2`.\n\t *\n\t * _.forEach({ 'a': 1, 'b': 2 }, function(value, key) {\n\t * console.log(key);\n\t * });\n\t * // => Logs 'a' then 'b' (iteration order is not guaranteed).\n\t */\n\t function forEach(collection, iteratee) {\n\t var func = isArray(collection) ? arrayEach : baseEach;\n\t return func(collection, getIteratee(iteratee, 3));\n\t }\n\n\t /**\n\t * This method is like `_.forEach` except that it iterates over elements of\n\t * `collection` from right to left.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 2.0.0\n\t * @alias eachRight\n\t * @category Collection\n\t * @param {Array|Object} collection The collection to iterate over.\n\t * @param {Function} [iteratee=_.identity] The function invoked per iteration.\n\t * @returns {Array|Object} Returns `collection`.\n\t * @see _.forEach\n\t * @example\n\t *\n\t * _.forEachRight([1, 2], function(value) {\n\t * console.log(value);\n\t * });\n\t * // => Logs `2` then `1`.\n\t */\n\t function forEachRight(collection, iteratee) {\n\t var func = isArray(collection) ? arrayEachRight : baseEachRight;\n\t return func(collection, getIteratee(iteratee, 3));\n\t }\n\n\t /**\n\t * Creates an object composed of keys generated from the results of running\n\t * each element of `collection` thru `iteratee`. The order of grouped values\n\t * is determined by the order they occur in `collection`. The corresponding\n\t * value of each key is an array of elements responsible for generating the\n\t * key. The iteratee is invoked with one argument: (value).\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 0.1.0\n\t * @category Collection\n\t * @param {Array|Object} collection The collection to iterate over.\n\t * @param {Function} [iteratee=_.identity] The iteratee to transform keys.\n\t * @returns {Object} Returns the composed aggregate object.\n\t * @example\n\t *\n\t * _.groupBy([6.1, 4.2, 6.3], Math.floor);\n\t * // => { '4': [4.2], '6': [6.1, 6.3] }\n\t *\n\t * // The `_.property` iteratee shorthand.\n\t * _.groupBy(['one', 'two', 'three'], 'length');\n\t * // => { '3': ['one', 'two'], '5': ['three'] }\n\t */\n\t var groupBy = createAggregator(function(result, value, key) {\n\t if (hasOwnProperty.call(result, key)) {\n\t result[key].push(value);\n\t } else {\n\t baseAssignValue(result, key, [value]);\n\t }\n\t });\n\n\t /**\n\t * Checks if `value` is in `collection`. If `collection` is a string, it's\n\t * checked for a substring of `value`, otherwise\n\t * [`SameValueZero`](http://ecma-international.org/ecma-262/7.0/#sec-samevaluezero)\n\t * is used for equality comparisons. If `fromIndex` is negative, it's used as\n\t * the offset from the end of `collection`.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 0.1.0\n\t * @category Collection\n\t * @param {Array|Object|string} collection The collection to inspect.\n\t * @param {*} value The value to search for.\n\t * @param {number} [fromIndex=0] The index to search from.\n\t * @param- {Object} [guard] Enables use as an iteratee for methods like `_.reduce`.\n\t * @returns {boolean} Returns `true` if `value` is found, else `false`.\n\t * @example\n\t *\n\t * _.includes([1, 2, 3], 1);\n\t * // => true\n\t *\n\t * _.includes([1, 2, 3], 1, 2);\n\t * // => false\n\t *\n\t * _.includes({ 'a': 1, 'b': 2 }, 1);\n\t * // => true\n\t *\n\t * _.includes('abcd', 'bc');\n\t * // => true\n\t */\n\t function includes(collection, value, fromIndex, guard) {\n\t collection = isArrayLike(collection) ? collection : values(collection);\n\t fromIndex = (fromIndex && !guard) ? toInteger(fromIndex) : 0;\n\n\t var length = collection.length;\n\t if (fromIndex < 0) {\n\t fromIndex = nativeMax(length + fromIndex, 0);\n\t }\n\t return isString(collection)\n\t ? (fromIndex <= length && collection.indexOf(value, fromIndex) > -1)\n\t : (!!length && baseIndexOf(collection, value, fromIndex) > -1);\n\t }\n\n\t /**\n\t * Invokes the method at `path` of each element in `collection`, returning\n\t * an array of the results of each invoked method. Any additional arguments\n\t * are provided to each invoked method. If `path` is a function, it's invoked\n\t * for, and `this` bound to, each element in `collection`.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 4.0.0\n\t * @category Collection\n\t * @param {Array|Object} collection The collection to iterate over.\n\t * @param {Array|Function|string} path The path of the method to invoke or\n\t * the function invoked per iteration.\n\t * @param {...*} [args] The arguments to invoke each method with.\n\t * @returns {Array} Returns the array of results.\n\t * @example\n\t *\n\t * _.invokeMap([[5, 1, 7], [3, 2, 1]], 'sort');\n\t * // => [[1, 5, 7], [1, 2, 3]]\n\t *\n\t * _.invokeMap([123, 456], String.prototype.split, '');\n\t * // => [['1', '2', '3'], ['4', '5', '6']]\n\t */\n\t var invokeMap = baseRest(function(collection, path, args) {\n\t var index = -1,\n\t isFunc = typeof path == 'function',\n\t result = isArrayLike(collection) ? Array(collection.length) : [];\n\n\t baseEach(collection, function(value) {\n\t result[++index] = isFunc ? apply(path, value, args) : baseInvoke(value, path, args);\n\t });\n\t return result;\n\t });\n\n\t /**\n\t * Creates an object composed of keys generated from the results of running\n\t * each element of `collection` thru `iteratee`. The corresponding value of\n\t * each key is the last element responsible for generating the key. The\n\t * iteratee is invoked with one argument: (value).\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 4.0.0\n\t * @category Collection\n\t * @param {Array|Object} collection The collection to iterate over.\n\t * @param {Function} [iteratee=_.identity] The iteratee to transform keys.\n\t * @returns {Object} Returns the composed aggregate object.\n\t * @example\n\t *\n\t * var array = [\n\t * { 'dir': 'left', 'code': 97 },\n\t * { 'dir': 'right', 'code': 100 }\n\t * ];\n\t *\n\t * _.keyBy(array, function(o) {\n\t * return String.fromCharCode(o.code);\n\t * });\n\t * // => { 'a': { 'dir': 'left', 'code': 97 }, 'd': { 'dir': 'right', 'code': 100 } }\n\t *\n\t * _.keyBy(array, 'dir');\n\t * // => { 'left': { 'dir': 'left', 'code': 97 }, 'right': { 'dir': 'right', 'code': 100 } }\n\t */\n\t var keyBy = createAggregator(function(result, value, key) {\n\t baseAssignValue(result, key, value);\n\t });\n\n\t /**\n\t * Creates an array of values by running each element in `collection` thru\n\t * `iteratee`. The iteratee is invoked with three arguments:\n\t * (value, index|key, collection).\n\t *\n\t * Many lodash methods are guarded to work as iteratees for methods like\n\t * `_.every`, `_.filter`, `_.map`, `_.mapValues`, `_.reject`, and `_.some`.\n\t *\n\t * The guarded methods are:\n\t * `ary`, `chunk`, `curry`, `curryRight`, `drop`, `dropRight`, `every`,\n\t * `fill`, `invert`, `parseInt`, `random`, `range`, `rangeRight`, `repeat`,\n\t * `sampleSize`, `slice`, `some`, `sortBy`, `split`, `take`, `takeRight`,\n\t * `template`, `trim`, `trimEnd`, `trimStart`, and `words`\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 0.1.0\n\t * @category Collection\n\t * @param {Array|Object} collection The collection to iterate over.\n\t * @param {Function} [iteratee=_.identity] The function invoked per iteration.\n\t * @returns {Array} Returns the new mapped array.\n\t * @example\n\t *\n\t * function square(n) {\n\t * return n * n;\n\t * }\n\t *\n\t * _.map([4, 8], square);\n\t * // => [16, 64]\n\t *\n\t * _.map({ 'a': 4, 'b': 8 }, square);\n\t * // => [16, 64] (iteration order is not guaranteed)\n\t *\n\t * var users = [\n\t * { 'user': 'barney' },\n\t * { 'user': 'fred' }\n\t * ];\n\t *\n\t * // The `_.property` iteratee shorthand.\n\t * _.map(users, 'user');\n\t * // => ['barney', 'fred']\n\t */\n\t function map(collection, iteratee) {\n\t var func = isArray(collection) ? arrayMap : baseMap;\n\t return func(collection, getIteratee(iteratee, 3));\n\t }\n\n\t /**\n\t * This method is like `_.sortBy` except that it allows specifying the sort\n\t * orders of the iteratees to sort by. If `orders` is unspecified, all values\n\t * are sorted in ascending order. Otherwise, specify an order of \"desc\" for\n\t * descending or \"asc\" for ascending sort order of corresponding values.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 4.0.0\n\t * @category Collection\n\t * @param {Array|Object} collection The collection to iterate over.\n\t * @param {Array[]|Function[]|Object[]|string[]} [iteratees=[_.identity]]\n\t * The iteratees to sort by.\n\t * @param {string[]} [orders] The sort orders of `iteratees`.\n\t * @param- {Object} [guard] Enables use as an iteratee for methods like `_.reduce`.\n\t * @returns {Array} Returns the new sorted array.\n\t * @example\n\t *\n\t * var users = [\n\t * { 'user': 'fred', 'age': 48 },\n\t * { 'user': 'barney', 'age': 34 },\n\t * { 'user': 'fred', 'age': 40 },\n\t * { 'user': 'barney', 'age': 36 }\n\t * ];\n\t *\n\t * // Sort by `user` in ascending order and by `age` in descending order.\n\t * _.orderBy(users, ['user', 'age'], ['asc', 'desc']);\n\t * // => objects for [['barney', 36], ['barney', 34], ['fred', 48], ['fred', 40]]\n\t */\n\t function orderBy(collection, iteratees, orders, guard) {\n\t if (collection == null) {\n\t return [];\n\t }\n\t if (!isArray(iteratees)) {\n\t iteratees = iteratees == null ? [] : [iteratees];\n\t }\n\t orders = guard ? undefined$1 : orders;\n\t if (!isArray(orders)) {\n\t orders = orders == null ? [] : [orders];\n\t }\n\t return baseOrderBy(collection, iteratees, orders);\n\t }\n\n\t /**\n\t * Creates an array of elements split into two groups, the first of which\n\t * contains elements `predicate` returns truthy for, the second of which\n\t * contains elements `predicate` returns falsey for. The predicate is\n\t * invoked with one argument: (value).\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 3.0.0\n\t * @category Collection\n\t * @param {Array|Object} collection The collection to iterate over.\n\t * @param {Function} [predicate=_.identity] The function invoked per iteration.\n\t * @returns {Array} Returns the array of grouped elements.\n\t * @example\n\t *\n\t * var users = [\n\t * { 'user': 'barney', 'age': 36, 'active': false },\n\t * { 'user': 'fred', 'age': 40, 'active': true },\n\t * { 'user': 'pebbles', 'age': 1, 'active': false }\n\t * ];\n\t *\n\t * _.partition(users, function(o) { return o.active; });\n\t * // => objects for [['fred'], ['barney', 'pebbles']]\n\t *\n\t * // The `_.matches` iteratee shorthand.\n\t * _.partition(users, { 'age': 1, 'active': false });\n\t * // => objects for [['pebbles'], ['barney', 'fred']]\n\t *\n\t * // The `_.matchesProperty` iteratee shorthand.\n\t * _.partition(users, ['active', false]);\n\t * // => objects for [['barney', 'pebbles'], ['fred']]\n\t *\n\t * // The `_.property` iteratee shorthand.\n\t * _.partition(users, 'active');\n\t * // => objects for [['fred'], ['barney', 'pebbles']]\n\t */\n\t var partition = createAggregator(function(result, value, key) {\n\t result[key ? 0 : 1].push(value);\n\t }, function() { return [[], []]; });\n\n\t /**\n\t * Reduces `collection` to a value which is the accumulated result of running\n\t * each element in `collection` thru `iteratee`, where each successive\n\t * invocation is supplied the return value of the previous. If `accumulator`\n\t * is not given, the first element of `collection` is used as the initial\n\t * value. The iteratee is invoked with four arguments:\n\t * (accumulator, value, index|key, collection).\n\t *\n\t * Many lodash methods are guarded to work as iteratees for methods like\n\t * `_.reduce`, `_.reduceRight`, and `_.transform`.\n\t *\n\t * The guarded methods are:\n\t * `assign`, `defaults`, `defaultsDeep`, `includes`, `merge`, `orderBy`,\n\t * and `sortBy`\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 0.1.0\n\t * @category Collection\n\t * @param {Array|Object} collection The collection to iterate over.\n\t * @param {Function} [iteratee=_.identity] The function invoked per iteration.\n\t * @param {*} [accumulator] The initial value.\n\t * @returns {*} Returns the accumulated value.\n\t * @see _.reduceRight\n\t * @example\n\t *\n\t * _.reduce([1, 2], function(sum, n) {\n\t * return sum + n;\n\t * }, 0);\n\t * // => 3\n\t *\n\t * _.reduce({ 'a': 1, 'b': 2, 'c': 1 }, function(result, value, key) {\n\t * (result[value] || (result[value] = [])).push(key);\n\t * return result;\n\t * }, {});\n\t * // => { '1': ['a', 'c'], '2': ['b'] } (iteration order is not guaranteed)\n\t */\n\t function reduce(collection, iteratee, accumulator) {\n\t var func = isArray(collection) ? arrayReduce : baseReduce,\n\t initAccum = arguments.length < 3;\n\n\t return func(collection, getIteratee(iteratee, 4), accumulator, initAccum, baseEach);\n\t }\n\n\t /**\n\t * This method is like `_.reduce` except that it iterates over elements of\n\t * `collection` from right to left.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 0.1.0\n\t * @category Collection\n\t * @param {Array|Object} collection The collection to iterate over.\n\t * @param {Function} [iteratee=_.identity] The function invoked per iteration.\n\t * @param {*} [accumulator] The initial value.\n\t * @returns {*} Returns the accumulated value.\n\t * @see _.reduce\n\t * @example\n\t *\n\t * var array = [[0, 1], [2, 3], [4, 5]];\n\t *\n\t * _.reduceRight(array, function(flattened, other) {\n\t * return flattened.concat(other);\n\t * }, []);\n\t * // => [4, 5, 2, 3, 0, 1]\n\t */\n\t function reduceRight(collection, iteratee, accumulator) {\n\t var func = isArray(collection) ? arrayReduceRight : baseReduce,\n\t initAccum = arguments.length < 3;\n\n\t return func(collection, getIteratee(iteratee, 4), accumulator, initAccum, baseEachRight);\n\t }\n\n\t /**\n\t * The opposite of `_.filter`; this method returns the elements of `collection`\n\t * that `predicate` does **not** return truthy for.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 0.1.0\n\t * @category Collection\n\t * @param {Array|Object} collection The collection to iterate over.\n\t * @param {Function} [predicate=_.identity] The function invoked per iteration.\n\t * @returns {Array} Returns the new filtered array.\n\t * @see _.filter\n\t * @example\n\t *\n\t * var users = [\n\t * { 'user': 'barney', 'age': 36, 'active': false },\n\t * { 'user': 'fred', 'age': 40, 'active': true }\n\t * ];\n\t *\n\t * _.reject(users, function(o) { return !o.active; });\n\t * // => objects for ['fred']\n\t *\n\t * // The `_.matches` iteratee shorthand.\n\t * _.reject(users, { 'age': 40, 'active': true });\n\t * // => objects for ['barney']\n\t *\n\t * // The `_.matchesProperty` iteratee shorthand.\n\t * _.reject(users, ['active', false]);\n\t * // => objects for ['fred']\n\t *\n\t * // The `_.property` iteratee shorthand.\n\t * _.reject(users, 'active');\n\t * // => objects for ['barney']\n\t */\n\t function reject(collection, predicate) {\n\t var func = isArray(collection) ? arrayFilter : baseFilter;\n\t return func(collection, negate(getIteratee(predicate, 3)));\n\t }\n\n\t /**\n\t * Gets a random element from `collection`.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 2.0.0\n\t * @category Collection\n\t * @param {Array|Object} collection The collection to sample.\n\t * @returns {*} Returns the random element.\n\t * @example\n\t *\n\t * _.sample([1, 2, 3, 4]);\n\t * // => 2\n\t */\n\t function sample(collection) {\n\t var func = isArray(collection) ? arraySample : baseSample;\n\t return func(collection);\n\t }\n\n\t /**\n\t * Gets `n` random elements at unique keys from `collection` up to the\n\t * size of `collection`.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 4.0.0\n\t * @category Collection\n\t * @param {Array|Object} collection The collection to sample.\n\t * @param {number} [n=1] The number of elements to sample.\n\t * @param- {Object} [guard] Enables use as an iteratee for methods like `_.map`.\n\t * @returns {Array} Returns the random elements.\n\t * @example\n\t *\n\t * _.sampleSize([1, 2, 3], 2);\n\t * // => [3, 1]\n\t *\n\t * _.sampleSize([1, 2, 3], 4);\n\t * // => [2, 3, 1]\n\t */\n\t function sampleSize(collection, n, guard) {\n\t if ((guard ? isIterateeCall(collection, n, guard) : n === undefined$1)) {\n\t n = 1;\n\t } else {\n\t n = toInteger(n);\n\t }\n\t var func = isArray(collection) ? arraySampleSize : baseSampleSize;\n\t return func(collection, n);\n\t }\n\n\t /**\n\t * Creates an array of shuffled values, using a version of the\n\t * [Fisher-Yates shuffle](https://en.wikipedia.org/wiki/Fisher-Yates_shuffle).\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 0.1.0\n\t * @category Collection\n\t * @param {Array|Object} collection The collection to shuffle.\n\t * @returns {Array} Returns the new shuffled array.\n\t * @example\n\t *\n\t * _.shuffle([1, 2, 3, 4]);\n\t * // => [4, 1, 3, 2]\n\t */\n\t function shuffle(collection) {\n\t var func = isArray(collection) ? arrayShuffle : baseShuffle;\n\t return func(collection);\n\t }\n\n\t /**\n\t * Gets the size of `collection` by returning its length for array-like\n\t * values or the number of own enumerable string keyed properties for objects.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 0.1.0\n\t * @category Collection\n\t * @param {Array|Object|string} collection The collection to inspect.\n\t * @returns {number} Returns the collection size.\n\t * @example\n\t *\n\t * _.size([1, 2, 3]);\n\t * // => 3\n\t *\n\t * _.size({ 'a': 1, 'b': 2 });\n\t * // => 2\n\t *\n\t * _.size('pebbles');\n\t * // => 7\n\t */\n\t function size(collection) {\n\t if (collection == null) {\n\t return 0;\n\t }\n\t if (isArrayLike(collection)) {\n\t return isString(collection) ? stringSize(collection) : collection.length;\n\t }\n\t var tag = getTag(collection);\n\t if (tag == mapTag || tag == setTag) {\n\t return collection.size;\n\t }\n\t return baseKeys(collection).length;\n\t }\n\n\t /**\n\t * Checks if `predicate` returns truthy for **any** element of `collection`.\n\t * Iteration is stopped once `predicate` returns truthy. The predicate is\n\t * invoked with three arguments: (value, index|key, collection).\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 0.1.0\n\t * @category Collection\n\t * @param {Array|Object} collection The collection to iterate over.\n\t * @param {Function} [predicate=_.identity] The function invoked per iteration.\n\t * @param- {Object} [guard] Enables use as an iteratee for methods like `_.map`.\n\t * @returns {boolean} Returns `true` if any element passes the predicate check,\n\t * else `false`.\n\t * @example\n\t *\n\t * _.some([null, 0, 'yes', false], Boolean);\n\t * // => true\n\t *\n\t * var users = [\n\t * { 'user': 'barney', 'active': true },\n\t * { 'user': 'fred', 'active': false }\n\t * ];\n\t *\n\t * // The `_.matches` iteratee shorthand.\n\t * _.some(users, { 'user': 'barney', 'active': false });\n\t * // => false\n\t *\n\t * // The `_.matchesProperty` iteratee shorthand.\n\t * _.some(users, ['active', false]);\n\t * // => true\n\t *\n\t * // The `_.property` iteratee shorthand.\n\t * _.some(users, 'active');\n\t * // => true\n\t */\n\t function some(collection, predicate, guard) {\n\t var func = isArray(collection) ? arraySome : baseSome;\n\t if (guard && isIterateeCall(collection, predicate, guard)) {\n\t predicate = undefined$1;\n\t }\n\t return func(collection, getIteratee(predicate, 3));\n\t }\n\n\t /**\n\t * Creates an array of elements, sorted in ascending order by the results of\n\t * running each element in a collection thru each iteratee. This method\n\t * performs a stable sort, that is, it preserves the original sort order of\n\t * equal elements. The iteratees are invoked with one argument: (value).\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 0.1.0\n\t * @category Collection\n\t * @param {Array|Object} collection The collection to iterate over.\n\t * @param {...(Function|Function[])} [iteratees=[_.identity]]\n\t * The iteratees to sort by.\n\t * @returns {Array} Returns the new sorted array.\n\t * @example\n\t *\n\t * var users = [\n\t * { 'user': 'fred', 'age': 48 },\n\t * { 'user': 'barney', 'age': 36 },\n\t * { 'user': 'fred', 'age': 30 },\n\t * { 'user': 'barney', 'age': 34 }\n\t * ];\n\t *\n\t * _.sortBy(users, [function(o) { return o.user; }]);\n\t * // => objects for [['barney', 36], ['barney', 34], ['fred', 48], ['fred', 30]]\n\t *\n\t * _.sortBy(users, ['user', 'age']);\n\t * // => objects for [['barney', 34], ['barney', 36], ['fred', 30], ['fred', 48]]\n\t */\n\t var sortBy = baseRest(function(collection, iteratees) {\n\t if (collection == null) {\n\t return [];\n\t }\n\t var length = iteratees.length;\n\t if (length > 1 && isIterateeCall(collection, iteratees[0], iteratees[1])) {\n\t iteratees = [];\n\t } else if (length > 2 && isIterateeCall(iteratees[0], iteratees[1], iteratees[2])) {\n\t iteratees = [iteratees[0]];\n\t }\n\t return baseOrderBy(collection, baseFlatten(iteratees, 1), []);\n\t });\n\n\t /*------------------------------------------------------------------------*/\n\n\t /**\n\t * Gets the timestamp of the number of milliseconds that have elapsed since\n\t * the Unix epoch (1 January 1970 00:00:00 UTC).\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 2.4.0\n\t * @category Date\n\t * @returns {number} Returns the timestamp.\n\t * @example\n\t *\n\t * _.defer(function(stamp) {\n\t * console.log(_.now() - stamp);\n\t * }, _.now());\n\t * // => Logs the number of milliseconds it took for the deferred invocation.\n\t */\n\t var now = ctxNow || function() {\n\t return root.Date.now();\n\t };\n\n\t /*------------------------------------------------------------------------*/\n\n\t /**\n\t * The opposite of `_.before`; this method creates a function that invokes\n\t * `func` once it's called `n` or more times.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 0.1.0\n\t * @category Function\n\t * @param {number} n The number of calls before `func` is invoked.\n\t * @param {Function} func The function to restrict.\n\t * @returns {Function} Returns the new restricted function.\n\t * @example\n\t *\n\t * var saves = ['profile', 'settings'];\n\t *\n\t * var done = _.after(saves.length, function() {\n\t * console.log('done saving!');\n\t * });\n\t *\n\t * _.forEach(saves, function(type) {\n\t * asyncSave({ 'type': type, 'complete': done });\n\t * });\n\t * // => Logs 'done saving!' after the two async saves have completed.\n\t */\n\t function after(n, func) {\n\t if (typeof func != 'function') {\n\t throw new TypeError(FUNC_ERROR_TEXT);\n\t }\n\t n = toInteger(n);\n\t return function() {\n\t if (--n < 1) {\n\t return func.apply(this, arguments);\n\t }\n\t };\n\t }\n\n\t /**\n\t * Creates a function that invokes `func`, with up to `n` arguments,\n\t * ignoring any additional arguments.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 3.0.0\n\t * @category Function\n\t * @param {Function} func The function to cap arguments for.\n\t * @param {number} [n=func.length] The arity cap.\n\t * @param- {Object} [guard] Enables use as an iteratee for methods like `_.map`.\n\t * @returns {Function} Returns the new capped function.\n\t * @example\n\t *\n\t * _.map(['6', '8', '10'], _.ary(parseInt, 1));\n\t * // => [6, 8, 10]\n\t */\n\t function ary(func, n, guard) {\n\t n = guard ? undefined$1 : n;\n\t n = (func && n == null) ? func.length : n;\n\t return createWrap(func, WRAP_ARY_FLAG, undefined$1, undefined$1, undefined$1, undefined$1, n);\n\t }\n\n\t /**\n\t * Creates a function that invokes `func`, with the `this` binding and arguments\n\t * of the created function, while it's called less than `n` times. Subsequent\n\t * calls to the created function return the result of the last `func` invocation.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 3.0.0\n\t * @category Function\n\t * @param {number} n The number of calls at which `func` is no longer invoked.\n\t * @param {Function} func The function to restrict.\n\t * @returns {Function} Returns the new restricted function.\n\t * @example\n\t *\n\t * jQuery(element).on('click', _.before(5, addContactToList));\n\t * // => Allows adding up to 4 contacts to the list.\n\t */\n\t function before(n, func) {\n\t var result;\n\t if (typeof func != 'function') {\n\t throw new TypeError(FUNC_ERROR_TEXT);\n\t }\n\t n = toInteger(n);\n\t return function() {\n\t if (--n > 0) {\n\t result = func.apply(this, arguments);\n\t }\n\t if (n <= 1) {\n\t func = undefined$1;\n\t }\n\t return result;\n\t };\n\t }\n\n\t /**\n\t * Creates a function that invokes `func` with the `this` binding of `thisArg`\n\t * and `partials` prepended to the arguments it receives.\n\t *\n\t * The `_.bind.placeholder` value, which defaults to `_` in monolithic builds,\n\t * may be used as a placeholder for partially applied arguments.\n\t *\n\t * **Note:** Unlike native `Function#bind`, this method doesn't set the \"length\"\n\t * property of bound functions.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 0.1.0\n\t * @category Function\n\t * @param {Function} func The function to bind.\n\t * @param {*} thisArg The `this` binding of `func`.\n\t * @param {...*} [partials] The arguments to be partially applied.\n\t * @returns {Function} Returns the new bound function.\n\t * @example\n\t *\n\t * function greet(greeting, punctuation) {\n\t * return greeting + ' ' + this.user + punctuation;\n\t * }\n\t *\n\t * var object = { 'user': 'fred' };\n\t *\n\t * var bound = _.bind(greet, object, 'hi');\n\t * bound('!');\n\t * // => 'hi fred!'\n\t *\n\t * // Bound with placeholders.\n\t * var bound = _.bind(greet, object, _, '!');\n\t * bound('hi');\n\t * // => 'hi fred!'\n\t */\n\t var bind = baseRest(function(func, thisArg, partials) {\n\t var bitmask = WRAP_BIND_FLAG;\n\t if (partials.length) {\n\t var holders = replaceHolders(partials, getHolder(bind));\n\t bitmask |= WRAP_PARTIAL_FLAG;\n\t }\n\t return createWrap(func, bitmask, thisArg, partials, holders);\n\t });\n\n\t /**\n\t * Creates a function that invokes the method at `object[key]` with `partials`\n\t * prepended to the arguments it receives.\n\t *\n\t * This method differs from `_.bind` by allowing bound functions to reference\n\t * methods that may be redefined or don't yet exist. See\n\t * [Peter Michaux's article](http://peter.michaux.ca/articles/lazy-function-definition-pattern)\n\t * for more details.\n\t *\n\t * The `_.bindKey.placeholder` value, which defaults to `_` in monolithic\n\t * builds, may be used as a placeholder for partially applied arguments.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 0.10.0\n\t * @category Function\n\t * @param {Object} object The object to invoke the method on.\n\t * @param {string} key The key of the method.\n\t * @param {...*} [partials] The arguments to be partially applied.\n\t * @returns {Function} Returns the new bound function.\n\t * @example\n\t *\n\t * var object = {\n\t * 'user': 'fred',\n\t * 'greet': function(greeting, punctuation) {\n\t * return greeting + ' ' + this.user + punctuation;\n\t * }\n\t * };\n\t *\n\t * var bound = _.bindKey(object, 'greet', 'hi');\n\t * bound('!');\n\t * // => 'hi fred!'\n\t *\n\t * object.greet = function(greeting, punctuation) {\n\t * return greeting + 'ya ' + this.user + punctuation;\n\t * };\n\t *\n\t * bound('!');\n\t * // => 'hiya fred!'\n\t *\n\t * // Bound with placeholders.\n\t * var bound = _.bindKey(object, 'greet', _, '!');\n\t * bound('hi');\n\t * // => 'hiya fred!'\n\t */\n\t var bindKey = baseRest(function(object, key, partials) {\n\t var bitmask = WRAP_BIND_FLAG | WRAP_BIND_KEY_FLAG;\n\t if (partials.length) {\n\t var holders = replaceHolders(partials, getHolder(bindKey));\n\t bitmask |= WRAP_PARTIAL_FLAG;\n\t }\n\t return createWrap(key, bitmask, object, partials, holders);\n\t });\n\n\t /**\n\t * Creates a function that accepts arguments of `func` and either invokes\n\t * `func` returning its result, if at least `arity` number of arguments have\n\t * been provided, or returns a function that accepts the remaining `func`\n\t * arguments, and so on. The arity of `func` may be specified if `func.length`\n\t * is not sufficient.\n\t *\n\t * The `_.curry.placeholder` value, which defaults to `_` in monolithic builds,\n\t * may be used as a placeholder for provided arguments.\n\t *\n\t * **Note:** This method doesn't set the \"length\" property of curried functions.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 2.0.0\n\t * @category Function\n\t * @param {Function} func The function to curry.\n\t * @param {number} [arity=func.length] The arity of `func`.\n\t * @param- {Object} [guard] Enables use as an iteratee for methods like `_.map`.\n\t * @returns {Function} Returns the new curried function.\n\t * @example\n\t *\n\t * var abc = function(a, b, c) {\n\t * return [a, b, c];\n\t * };\n\t *\n\t * var curried = _.curry(abc);\n\t *\n\t * curried(1)(2)(3);\n\t * // => [1, 2, 3]\n\t *\n\t * curried(1, 2)(3);\n\t * // => [1, 2, 3]\n\t *\n\t * curried(1, 2, 3);\n\t * // => [1, 2, 3]\n\t *\n\t * // Curried with placeholders.\n\t * curried(1)(_, 3)(2);\n\t * // => [1, 2, 3]\n\t */\n\t function curry(func, arity, guard) {\n\t arity = guard ? undefined$1 : arity;\n\t var result = createWrap(func, WRAP_CURRY_FLAG, undefined$1, undefined$1, undefined$1, undefined$1, undefined$1, arity);\n\t result.placeholder = curry.placeholder;\n\t return result;\n\t }\n\n\t /**\n\t * This method is like `_.curry` except that arguments are applied to `func`\n\t * in the manner of `_.partialRight` instead of `_.partial`.\n\t *\n\t * The `_.curryRight.placeholder` value, which defaults to `_` in monolithic\n\t * builds, may be used as a placeholder for provided arguments.\n\t *\n\t * **Note:** This method doesn't set the \"length\" property of curried functions.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 3.0.0\n\t * @category Function\n\t * @param {Function} func The function to curry.\n\t * @param {number} [arity=func.length] The arity of `func`.\n\t * @param- {Object} [guard] Enables use as an iteratee for methods like `_.map`.\n\t * @returns {Function} Returns the new curried function.\n\t * @example\n\t *\n\t * var abc = function(a, b, c) {\n\t * return [a, b, c];\n\t * };\n\t *\n\t * var curried = _.curryRight(abc);\n\t *\n\t * curried(3)(2)(1);\n\t * // => [1, 2, 3]\n\t *\n\t * curried(2, 3)(1);\n\t * // => [1, 2, 3]\n\t *\n\t * curried(1, 2, 3);\n\t * // => [1, 2, 3]\n\t *\n\t * // Curried with placeholders.\n\t * curried(3)(1, _)(2);\n\t * // => [1, 2, 3]\n\t */\n\t function curryRight(func, arity, guard) {\n\t arity = guard ? undefined$1 : arity;\n\t var result = createWrap(func, WRAP_CURRY_RIGHT_FLAG, undefined$1, undefined$1, undefined$1, undefined$1, undefined$1, arity);\n\t result.placeholder = curryRight.placeholder;\n\t return result;\n\t }\n\n\t /**\n\t * Creates a debounced function that delays invoking `func` until after `wait`\n\t * milliseconds have elapsed since the last time the debounced function was\n\t * invoked. The debounced function comes with a `cancel` method to cancel\n\t * delayed `func` invocations and a `flush` method to immediately invoke them.\n\t * Provide `options` to indicate whether `func` should be invoked on the\n\t * leading and/or trailing edge of the `wait` timeout. The `func` is invoked\n\t * with the last arguments provided to the debounced function. Subsequent\n\t * calls to the debounced function return the result of the last `func`\n\t * invocation.\n\t *\n\t * **Note:** If `leading` and `trailing` options are `true`, `func` is\n\t * invoked on the trailing edge of the timeout only if the debounced function\n\t * is invoked more than once during the `wait` timeout.\n\t *\n\t * If `wait` is `0` and `leading` is `false`, `func` invocation is deferred\n\t * until to the next tick, similar to `setTimeout` with a timeout of `0`.\n\t *\n\t * See [David Corbacho's article](https://css-tricks.com/debouncing-throttling-explained-examples/)\n\t * for details over the differences between `_.debounce` and `_.throttle`.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 0.1.0\n\t * @category Function\n\t * @param {Function} func The function to debounce.\n\t * @param {number} [wait=0] The number of milliseconds to delay.\n\t * @param {Object} [options={}] The options object.\n\t * @param {boolean} [options.leading=false]\n\t * Specify invoking on the leading edge of the timeout.\n\t * @param {number} [options.maxWait]\n\t * The maximum time `func` is allowed to be delayed before it's invoked.\n\t * @param {boolean} [options.trailing=true]\n\t * Specify invoking on the trailing edge of the timeout.\n\t * @returns {Function} Returns the new debounced function.\n\t * @example\n\t *\n\t * // Avoid costly calculations while the window size is in flux.\n\t * jQuery(window).on('resize', _.debounce(calculateLayout, 150));\n\t *\n\t * // Invoke `sendMail` when clicked, debouncing subsequent calls.\n\t * jQuery(element).on('click', _.debounce(sendMail, 300, {\n\t * 'leading': true,\n\t * 'trailing': false\n\t * }));\n\t *\n\t * // Ensure `batchLog` is invoked once after 1 second of debounced calls.\n\t * var debounced = _.debounce(batchLog, 250, { 'maxWait': 1000 });\n\t * var source = new EventSource('/stream');\n\t * jQuery(source).on('message', debounced);\n\t *\n\t * // Cancel the trailing debounced invocation.\n\t * jQuery(window).on('popstate', debounced.cancel);\n\t */\n\t function debounce(func, wait, options) {\n\t var lastArgs,\n\t lastThis,\n\t maxWait,\n\t result,\n\t timerId,\n\t lastCallTime,\n\t lastInvokeTime = 0,\n\t leading = false,\n\t maxing = false,\n\t trailing = true;\n\n\t if (typeof func != 'function') {\n\t throw new TypeError(FUNC_ERROR_TEXT);\n\t }\n\t wait = toNumber(wait) || 0;\n\t if (isObject(options)) {\n\t leading = !!options.leading;\n\t maxing = 'maxWait' in options;\n\t maxWait = maxing ? nativeMax(toNumber(options.maxWait) || 0, wait) : maxWait;\n\t trailing = 'trailing' in options ? !!options.trailing : trailing;\n\t }\n\n\t function invokeFunc(time) {\n\t var args = lastArgs,\n\t thisArg = lastThis;\n\n\t lastArgs = lastThis = undefined$1;\n\t lastInvokeTime = time;\n\t result = func.apply(thisArg, args);\n\t return result;\n\t }\n\n\t function leadingEdge(time) {\n\t // Reset any `maxWait` timer.\n\t lastInvokeTime = time;\n\t // Start the timer for the trailing edge.\n\t timerId = setTimeout(timerExpired, wait);\n\t // Invoke the leading edge.\n\t return leading ? invokeFunc(time) : result;\n\t }\n\n\t function remainingWait(time) {\n\t var timeSinceLastCall = time - lastCallTime,\n\t timeSinceLastInvoke = time - lastInvokeTime,\n\t timeWaiting = wait - timeSinceLastCall;\n\n\t return maxing\n\t ? nativeMin(timeWaiting, maxWait - timeSinceLastInvoke)\n\t : timeWaiting;\n\t }\n\n\t function shouldInvoke(time) {\n\t var timeSinceLastCall = time - lastCallTime,\n\t timeSinceLastInvoke = time - lastInvokeTime;\n\n\t // Either this is the first call, activity has stopped and we're at the\n\t // trailing edge, the system time has gone backwards and we're treating\n\t // it as the trailing edge, or we've hit the `maxWait` limit.\n\t return (lastCallTime === undefined$1 || (timeSinceLastCall >= wait) ||\n\t (timeSinceLastCall < 0) || (maxing && timeSinceLastInvoke >= maxWait));\n\t }\n\n\t function timerExpired() {\n\t var time = now();\n\t if (shouldInvoke(time)) {\n\t return trailingEdge(time);\n\t }\n\t // Restart the timer.\n\t timerId = setTimeout(timerExpired, remainingWait(time));\n\t }\n\n\t function trailingEdge(time) {\n\t timerId = undefined$1;\n\n\t // Only invoke if we have `lastArgs` which means `func` has been\n\t // debounced at least once.\n\t if (trailing && lastArgs) {\n\t return invokeFunc(time);\n\t }\n\t lastArgs = lastThis = undefined$1;\n\t return result;\n\t }\n\n\t function cancel() {\n\t if (timerId !== undefined$1) {\n\t clearTimeout(timerId);\n\t }\n\t lastInvokeTime = 0;\n\t lastArgs = lastCallTime = lastThis = timerId = undefined$1;\n\t }\n\n\t function flush() {\n\t return timerId === undefined$1 ? result : trailingEdge(now());\n\t }\n\n\t function debounced() {\n\t var time = now(),\n\t isInvoking = shouldInvoke(time);\n\n\t lastArgs = arguments;\n\t lastThis = this;\n\t lastCallTime = time;\n\n\t if (isInvoking) {\n\t if (timerId === undefined$1) {\n\t return leadingEdge(lastCallTime);\n\t }\n\t if (maxing) {\n\t // Handle invocations in a tight loop.\n\t clearTimeout(timerId);\n\t timerId = setTimeout(timerExpired, wait);\n\t return invokeFunc(lastCallTime);\n\t }\n\t }\n\t if (timerId === undefined$1) {\n\t timerId = setTimeout(timerExpired, wait);\n\t }\n\t return result;\n\t }\n\t debounced.cancel = cancel;\n\t debounced.flush = flush;\n\t return debounced;\n\t }\n\n\t /**\n\t * Defers invoking the `func` until the current call stack has cleared. Any\n\t * additional arguments are provided to `func` when it's invoked.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 0.1.0\n\t * @category Function\n\t * @param {Function} func The function to defer.\n\t * @param {...*} [args] The arguments to invoke `func` with.\n\t * @returns {number} Returns the timer id.\n\t * @example\n\t *\n\t * _.defer(function(text) {\n\t * console.log(text);\n\t * }, 'deferred');\n\t * // => Logs 'deferred' after one millisecond.\n\t */\n\t var defer = baseRest(function(func, args) {\n\t return baseDelay(func, 1, args);\n\t });\n\n\t /**\n\t * Invokes `func` after `wait` milliseconds. Any additional arguments are\n\t * provided to `func` when it's invoked.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 0.1.0\n\t * @category Function\n\t * @param {Function} func The function to delay.\n\t * @param {number} wait The number of milliseconds to delay invocation.\n\t * @param {...*} [args] The arguments to invoke `func` with.\n\t * @returns {number} Returns the timer id.\n\t * @example\n\t *\n\t * _.delay(function(text) {\n\t * console.log(text);\n\t * }, 1000, 'later');\n\t * // => Logs 'later' after one second.\n\t */\n\t var delay = baseRest(function(func, wait, args) {\n\t return baseDelay(func, toNumber(wait) || 0, args);\n\t });\n\n\t /**\n\t * Creates a function that invokes `func` with arguments reversed.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 4.0.0\n\t * @category Function\n\t * @param {Function} func The function to flip arguments for.\n\t * @returns {Function} Returns the new flipped function.\n\t * @example\n\t *\n\t * var flipped = _.flip(function() {\n\t * return _.toArray(arguments);\n\t * });\n\t *\n\t * flipped('a', 'b', 'c', 'd');\n\t * // => ['d', 'c', 'b', 'a']\n\t */\n\t function flip(func) {\n\t return createWrap(func, WRAP_FLIP_FLAG);\n\t }\n\n\t /**\n\t * Creates a function that memoizes the result of `func`. If `resolver` is\n\t * provided, it determines the cache key for storing the result based on the\n\t * arguments provided to the memoized function. By default, the first argument\n\t * provided to the memoized function is used as the map cache key. The `func`\n\t * is invoked with the `this` binding of the memoized function.\n\t *\n\t * **Note:** The cache is exposed as the `cache` property on the memoized\n\t * function. Its creation may be customized by replacing the `_.memoize.Cache`\n\t * constructor with one whose instances implement the\n\t * [`Map`](http://ecma-international.org/ecma-262/7.0/#sec-properties-of-the-map-prototype-object)\n\t * method interface of `clear`, `delete`, `get`, `has`, and `set`.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 0.1.0\n\t * @category Function\n\t * @param {Function} func The function to have its output memoized.\n\t * @param {Function} [resolver] The function to resolve the cache key.\n\t * @returns {Function} Returns the new memoized function.\n\t * @example\n\t *\n\t * var object = { 'a': 1, 'b': 2 };\n\t * var other = { 'c': 3, 'd': 4 };\n\t *\n\t * var values = _.memoize(_.values);\n\t * values(object);\n\t * // => [1, 2]\n\t *\n\t * values(other);\n\t * // => [3, 4]\n\t *\n\t * object.a = 2;\n\t * values(object);\n\t * // => [1, 2]\n\t *\n\t * // Modify the result cache.\n\t * values.cache.set(object, ['a', 'b']);\n\t * values(object);\n\t * // => ['a', 'b']\n\t *\n\t * // Replace `_.memoize.Cache`.\n\t * _.memoize.Cache = WeakMap;\n\t */\n\t function memoize(func, resolver) {\n\t if (typeof func != 'function' || (resolver != null && typeof resolver != 'function')) {\n\t throw new TypeError(FUNC_ERROR_TEXT);\n\t }\n\t var memoized = function() {\n\t var args = arguments,\n\t key = resolver ? resolver.apply(this, args) : args[0],\n\t cache = memoized.cache;\n\n\t if (cache.has(key)) {\n\t return cache.get(key);\n\t }\n\t var result = func.apply(this, args);\n\t memoized.cache = cache.set(key, result) || cache;\n\t return result;\n\t };\n\t memoized.cache = new (memoize.Cache || MapCache);\n\t return memoized;\n\t }\n\n\t // Expose `MapCache`.\n\t memoize.Cache = MapCache;\n\n\t /**\n\t * Creates a function that negates the result of the predicate `func`. The\n\t * `func` predicate is invoked with the `this` binding and arguments of the\n\t * created function.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 3.0.0\n\t * @category Function\n\t * @param {Function} predicate The predicate to negate.\n\t * @returns {Function} Returns the new negated function.\n\t * @example\n\t *\n\t * function isEven(n) {\n\t * return n % 2 == 0;\n\t * }\n\t *\n\t * _.filter([1, 2, 3, 4, 5, 6], _.negate(isEven));\n\t * // => [1, 3, 5]\n\t */\n\t function negate(predicate) {\n\t if (typeof predicate != 'function') {\n\t throw new TypeError(FUNC_ERROR_TEXT);\n\t }\n\t return function() {\n\t var args = arguments;\n\t switch (args.length) {\n\t case 0: return !predicate.call(this);\n\t case 1: return !predicate.call(this, args[0]);\n\t case 2: return !predicate.call(this, args[0], args[1]);\n\t case 3: return !predicate.call(this, args[0], args[1], args[2]);\n\t }\n\t return !predicate.apply(this, args);\n\t };\n\t }\n\n\t /**\n\t * Creates a function that is restricted to invoking `func` once. Repeat calls\n\t * to the function return the value of the first invocation. The `func` is\n\t * invoked with the `this` binding and arguments of the created function.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 0.1.0\n\t * @category Function\n\t * @param {Function} func The function to restrict.\n\t * @returns {Function} Returns the new restricted function.\n\t * @example\n\t *\n\t * var initialize = _.once(createApplication);\n\t * initialize();\n\t * initialize();\n\t * // => `createApplication` is invoked once\n\t */\n\t function once(func) {\n\t return before(2, func);\n\t }\n\n\t /**\n\t * Creates a function that invokes `func` with its arguments transformed.\n\t *\n\t * @static\n\t * @since 4.0.0\n\t * @memberOf _\n\t * @category Function\n\t * @param {Function} func The function to wrap.\n\t * @param {...(Function|Function[])} [transforms=[_.identity]]\n\t * The argument transforms.\n\t * @returns {Function} Returns the new function.\n\t * @example\n\t *\n\t * function doubled(n) {\n\t * return n * 2;\n\t * }\n\t *\n\t * function square(n) {\n\t * return n * n;\n\t * }\n\t *\n\t * var func = _.overArgs(function(x, y) {\n\t * return [x, y];\n\t * }, [square, doubled]);\n\t *\n\t * func(9, 3);\n\t * // => [81, 6]\n\t *\n\t * func(10, 5);\n\t * // => [100, 10]\n\t */\n\t var overArgs = castRest(function(func, transforms) {\n\t transforms = (transforms.length == 1 && isArray(transforms[0]))\n\t ? arrayMap(transforms[0], baseUnary(getIteratee()))\n\t : arrayMap(baseFlatten(transforms, 1), baseUnary(getIteratee()));\n\n\t var funcsLength = transforms.length;\n\t return baseRest(function(args) {\n\t var index = -1,\n\t length = nativeMin(args.length, funcsLength);\n\n\t while (++index < length) {\n\t args[index] = transforms[index].call(this, args[index]);\n\t }\n\t return apply(func, this, args);\n\t });\n\t });\n\n\t /**\n\t * Creates a function that invokes `func` with `partials` prepended to the\n\t * arguments it receives. This method is like `_.bind` except it does **not**\n\t * alter the `this` binding.\n\t *\n\t * The `_.partial.placeholder` value, which defaults to `_` in monolithic\n\t * builds, may be used as a placeholder for partially applied arguments.\n\t *\n\t * **Note:** This method doesn't set the \"length\" property of partially\n\t * applied functions.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 0.2.0\n\t * @category Function\n\t * @param {Function} func The function to partially apply arguments to.\n\t * @param {...*} [partials] The arguments to be partially applied.\n\t * @returns {Function} Returns the new partially applied function.\n\t * @example\n\t *\n\t * function greet(greeting, name) {\n\t * return greeting + ' ' + name;\n\t * }\n\t *\n\t * var sayHelloTo = _.partial(greet, 'hello');\n\t * sayHelloTo('fred');\n\t * // => 'hello fred'\n\t *\n\t * // Partially applied with placeholders.\n\t * var greetFred = _.partial(greet, _, 'fred');\n\t * greetFred('hi');\n\t * // => 'hi fred'\n\t */\n\t var partial = baseRest(function(func, partials) {\n\t var holders = replaceHolders(partials, getHolder(partial));\n\t return createWrap(func, WRAP_PARTIAL_FLAG, undefined$1, partials, holders);\n\t });\n\n\t /**\n\t * This method is like `_.partial` except that partially applied arguments\n\t * are appended to the arguments it receives.\n\t *\n\t * The `_.partialRight.placeholder` value, which defaults to `_` in monolithic\n\t * builds, may be used as a placeholder for partially applied arguments.\n\t *\n\t * **Note:** This method doesn't set the \"length\" property of partially\n\t * applied functions.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 1.0.0\n\t * @category Function\n\t * @param {Function} func The function to partially apply arguments to.\n\t * @param {...*} [partials] The arguments to be partially applied.\n\t * @returns {Function} Returns the new partially applied function.\n\t * @example\n\t *\n\t * function greet(greeting, name) {\n\t * return greeting + ' ' + name;\n\t * }\n\t *\n\t * var greetFred = _.partialRight(greet, 'fred');\n\t * greetFred('hi');\n\t * // => 'hi fred'\n\t *\n\t * // Partially applied with placeholders.\n\t * var sayHelloTo = _.partialRight(greet, 'hello', _);\n\t * sayHelloTo('fred');\n\t * // => 'hello fred'\n\t */\n\t var partialRight = baseRest(function(func, partials) {\n\t var holders = replaceHolders(partials, getHolder(partialRight));\n\t return createWrap(func, WRAP_PARTIAL_RIGHT_FLAG, undefined$1, partials, holders);\n\t });\n\n\t /**\n\t * Creates a function that invokes `func` with arguments arranged according\n\t * to the specified `indexes` where the argument value at the first index is\n\t * provided as the first argument, the argument value at the second index is\n\t * provided as the second argument, and so on.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 3.0.0\n\t * @category Function\n\t * @param {Function} func The function to rearrange arguments for.\n\t * @param {...(number|number[])} indexes The arranged argument indexes.\n\t * @returns {Function} Returns the new function.\n\t * @example\n\t *\n\t * var rearged = _.rearg(function(a, b, c) {\n\t * return [a, b, c];\n\t * }, [2, 0, 1]);\n\t *\n\t * rearged('b', 'c', 'a')\n\t * // => ['a', 'b', 'c']\n\t */\n\t var rearg = flatRest(function(func, indexes) {\n\t return createWrap(func, WRAP_REARG_FLAG, undefined$1, undefined$1, undefined$1, indexes);\n\t });\n\n\t /**\n\t * Creates a function that invokes `func` with the `this` binding of the\n\t * created function and arguments from `start` and beyond provided as\n\t * an array.\n\t *\n\t * **Note:** This method is based on the\n\t * [rest parameter](https://mdn.io/rest_parameters).\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 4.0.0\n\t * @category Function\n\t * @param {Function} func The function to apply a rest parameter to.\n\t * @param {number} [start=func.length-1] The start position of the rest parameter.\n\t * @returns {Function} Returns the new function.\n\t * @example\n\t *\n\t * var say = _.rest(function(what, names) {\n\t * return what + ' ' + _.initial(names).join(', ') +\n\t * (_.size(names) > 1 ? ', & ' : '') + _.last(names);\n\t * });\n\t *\n\t * say('hello', 'fred', 'barney', 'pebbles');\n\t * // => 'hello fred, barney, & pebbles'\n\t */\n\t function rest(func, start) {\n\t if (typeof func != 'function') {\n\t throw new TypeError(FUNC_ERROR_TEXT);\n\t }\n\t start = start === undefined$1 ? start : toInteger(start);\n\t return baseRest(func, start);\n\t }\n\n\t /**\n\t * Creates a function that invokes `func` with the `this` binding of the\n\t * create function and an array of arguments much like\n\t * [`Function#apply`](http://www.ecma-international.org/ecma-262/7.0/#sec-function.prototype.apply).\n\t *\n\t * **Note:** This method is based on the\n\t * [spread operator](https://mdn.io/spread_operator).\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 3.2.0\n\t * @category Function\n\t * @param {Function} func The function to spread arguments over.\n\t * @param {number} [start=0] The start position of the spread.\n\t * @returns {Function} Returns the new function.\n\t * @example\n\t *\n\t * var say = _.spread(function(who, what) {\n\t * return who + ' says ' + what;\n\t * });\n\t *\n\t * say(['fred', 'hello']);\n\t * // => 'fred says hello'\n\t *\n\t * var numbers = Promise.all([\n\t * Promise.resolve(40),\n\t * Promise.resolve(36)\n\t * ]);\n\t *\n\t * numbers.then(_.spread(function(x, y) {\n\t * return x + y;\n\t * }));\n\t * // => a Promise of 76\n\t */\n\t function spread(func, start) {\n\t if (typeof func != 'function') {\n\t throw new TypeError(FUNC_ERROR_TEXT);\n\t }\n\t start = start == null ? 0 : nativeMax(toInteger(start), 0);\n\t return baseRest(function(args) {\n\t var array = args[start],\n\t otherArgs = castSlice(args, 0, start);\n\n\t if (array) {\n\t arrayPush(otherArgs, array);\n\t }\n\t return apply(func, this, otherArgs);\n\t });\n\t }\n\n\t /**\n\t * Creates a throttled function that only invokes `func` at most once per\n\t * every `wait` milliseconds. The throttled function comes with a `cancel`\n\t * method to cancel delayed `func` invocations and a `flush` method to\n\t * immediately invoke them. Provide `options` to indicate whether `func`\n\t * should be invoked on the leading and/or trailing edge of the `wait`\n\t * timeout. The `func` is invoked with the last arguments provided to the\n\t * throttled function. Subsequent calls to the throttled function return the\n\t * result of the last `func` invocation.\n\t *\n\t * **Note:** If `leading` and `trailing` options are `true`, `func` is\n\t * invoked on the trailing edge of the timeout only if the throttled function\n\t * is invoked more than once during the `wait` timeout.\n\t *\n\t * If `wait` is `0` and `leading` is `false`, `func` invocation is deferred\n\t * until to the next tick, similar to `setTimeout` with a timeout of `0`.\n\t *\n\t * See [David Corbacho's article](https://css-tricks.com/debouncing-throttling-explained-examples/)\n\t * for details over the differences between `_.throttle` and `_.debounce`.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 0.1.0\n\t * @category Function\n\t * @param {Function} func The function to throttle.\n\t * @param {number} [wait=0] The number of milliseconds to throttle invocations to.\n\t * @param {Object} [options={}] The options object.\n\t * @param {boolean} [options.leading=true]\n\t * Specify invoking on the leading edge of the timeout.\n\t * @param {boolean} [options.trailing=true]\n\t * Specify invoking on the trailing edge of the timeout.\n\t * @returns {Function} Returns the new throttled function.\n\t * @example\n\t *\n\t * // Avoid excessively updating the position while scrolling.\n\t * jQuery(window).on('scroll', _.throttle(updatePosition, 100));\n\t *\n\t * // Invoke `renewToken` when the click event is fired, but not more than once every 5 minutes.\n\t * var throttled = _.throttle(renewToken, 300000, { 'trailing': false });\n\t * jQuery(element).on('click', throttled);\n\t *\n\t * // Cancel the trailing throttled invocation.\n\t * jQuery(window).on('popstate', throttled.cancel);\n\t */\n\t function throttle(func, wait, options) {\n\t var leading = true,\n\t trailing = true;\n\n\t if (typeof func != 'function') {\n\t throw new TypeError(FUNC_ERROR_TEXT);\n\t }\n\t if (isObject(options)) {\n\t leading = 'leading' in options ? !!options.leading : leading;\n\t trailing = 'trailing' in options ? !!options.trailing : trailing;\n\t }\n\t return debounce(func, wait, {\n\t 'leading': leading,\n\t 'maxWait': wait,\n\t 'trailing': trailing\n\t });\n\t }\n\n\t /**\n\t * Creates a function that accepts up to one argument, ignoring any\n\t * additional arguments.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 4.0.0\n\t * @category Function\n\t * @param {Function} func The function to cap arguments for.\n\t * @returns {Function} Returns the new capped function.\n\t * @example\n\t *\n\t * _.map(['6', '8', '10'], _.unary(parseInt));\n\t * // => [6, 8, 10]\n\t */\n\t function unary(func) {\n\t return ary(func, 1);\n\t }\n\n\t /**\n\t * Creates a function that provides `value` to `wrapper` as its first\n\t * argument. Any additional arguments provided to the function are appended\n\t * to those provided to the `wrapper`. The wrapper is invoked with the `this`\n\t * binding of the created function.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 0.1.0\n\t * @category Function\n\t * @param {*} value The value to wrap.\n\t * @param {Function} [wrapper=identity] The wrapper function.\n\t * @returns {Function} Returns the new function.\n\t * @example\n\t *\n\t * var p = _.wrap(_.escape, function(func, text) {\n\t * return '' + func(text) + '
';\n\t * });\n\t *\n\t * p('fred, barney, & pebbles');\n\t * // => 'fred, barney, & pebbles
'\n\t */\n\t function wrap(value, wrapper) {\n\t return partial(castFunction(wrapper), value);\n\t }\n\n\t /*------------------------------------------------------------------------*/\n\n\t /**\n\t * Casts `value` as an array if it's not one.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 4.4.0\n\t * @category Lang\n\t * @param {*} value The value to inspect.\n\t * @returns {Array} Returns the cast array.\n\t * @example\n\t *\n\t * _.castArray(1);\n\t * // => [1]\n\t *\n\t * _.castArray({ 'a': 1 });\n\t * // => [{ 'a': 1 }]\n\t *\n\t * _.castArray('abc');\n\t * // => ['abc']\n\t *\n\t * _.castArray(null);\n\t * // => [null]\n\t *\n\t * _.castArray(undefined);\n\t * // => [undefined]\n\t *\n\t * _.castArray();\n\t * // => []\n\t *\n\t * var array = [1, 2, 3];\n\t * console.log(_.castArray(array) === array);\n\t * // => true\n\t */\n\t function castArray() {\n\t if (!arguments.length) {\n\t return [];\n\t }\n\t var value = arguments[0];\n\t return isArray(value) ? value : [value];\n\t }\n\n\t /**\n\t * Creates a shallow clone of `value`.\n\t *\n\t * **Note:** This method is loosely based on the\n\t * [structured clone algorithm](https://mdn.io/Structured_clone_algorithm)\n\t * and supports cloning arrays, array buffers, booleans, date objects, maps,\n\t * numbers, `Object` objects, regexes, sets, strings, symbols, and typed\n\t * arrays. The own enumerable properties of `arguments` objects are cloned\n\t * as plain objects. An empty object is returned for uncloneable values such\n\t * as error objects, functions, DOM nodes, and WeakMaps.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 0.1.0\n\t * @category Lang\n\t * @param {*} value The value to clone.\n\t * @returns {*} Returns the cloned value.\n\t * @see _.cloneDeep\n\t * @example\n\t *\n\t * var objects = [{ 'a': 1 }, { 'b': 2 }];\n\t *\n\t * var shallow = _.clone(objects);\n\t * console.log(shallow[0] === objects[0]);\n\t * // => true\n\t */\n\t function clone(value) {\n\t return baseClone(value, CLONE_SYMBOLS_FLAG);\n\t }\n\n\t /**\n\t * This method is like `_.clone` except that it accepts `customizer` which\n\t * is invoked to produce the cloned value. If `customizer` returns `undefined`,\n\t * cloning is handled by the method instead. The `customizer` is invoked with\n\t * up to four arguments; (value [, index|key, object, stack]).\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 4.0.0\n\t * @category Lang\n\t * @param {*} value The value to clone.\n\t * @param {Function} [customizer] The function to customize cloning.\n\t * @returns {*} Returns the cloned value.\n\t * @see _.cloneDeepWith\n\t * @example\n\t *\n\t * function customizer(value) {\n\t * if (_.isElement(value)) {\n\t * return value.cloneNode(false);\n\t * }\n\t * }\n\t *\n\t * var el = _.cloneWith(document.body, customizer);\n\t *\n\t * console.log(el === document.body);\n\t * // => false\n\t * console.log(el.nodeName);\n\t * // => 'BODY'\n\t * console.log(el.childNodes.length);\n\t * // => 0\n\t */\n\t function cloneWith(value, customizer) {\n\t customizer = typeof customizer == 'function' ? customizer : undefined$1;\n\t return baseClone(value, CLONE_SYMBOLS_FLAG, customizer);\n\t }\n\n\t /**\n\t * This method is like `_.clone` except that it recursively clones `value`.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 1.0.0\n\t * @category Lang\n\t * @param {*} value The value to recursively clone.\n\t * @returns {*} Returns the deep cloned value.\n\t * @see _.clone\n\t * @example\n\t *\n\t * var objects = [{ 'a': 1 }, { 'b': 2 }];\n\t *\n\t * var deep = _.cloneDeep(objects);\n\t * console.log(deep[0] === objects[0]);\n\t * // => false\n\t */\n\t function cloneDeep(value) {\n\t return baseClone(value, CLONE_DEEP_FLAG | CLONE_SYMBOLS_FLAG);\n\t }\n\n\t /**\n\t * This method is like `_.cloneWith` except that it recursively clones `value`.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 4.0.0\n\t * @category Lang\n\t * @param {*} value The value to recursively clone.\n\t * @param {Function} [customizer] The function to customize cloning.\n\t * @returns {*} Returns the deep cloned value.\n\t * @see _.cloneWith\n\t * @example\n\t *\n\t * function customizer(value) {\n\t * if (_.isElement(value)) {\n\t * return value.cloneNode(true);\n\t * }\n\t * }\n\t *\n\t * var el = _.cloneDeepWith(document.body, customizer);\n\t *\n\t * console.log(el === document.body);\n\t * // => false\n\t * console.log(el.nodeName);\n\t * // => 'BODY'\n\t * console.log(el.childNodes.length);\n\t * // => 20\n\t */\n\t function cloneDeepWith(value, customizer) {\n\t customizer = typeof customizer == 'function' ? customizer : undefined$1;\n\t return baseClone(value, CLONE_DEEP_FLAG | CLONE_SYMBOLS_FLAG, customizer);\n\t }\n\n\t /**\n\t * Checks if `object` conforms to `source` by invoking the predicate\n\t * properties of `source` with the corresponding property values of `object`.\n\t *\n\t * **Note:** This method is equivalent to `_.conforms` when `source` is\n\t * partially applied.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 4.14.0\n\t * @category Lang\n\t * @param {Object} object The object to inspect.\n\t * @param {Object} source The object of property predicates to conform to.\n\t * @returns {boolean} Returns `true` if `object` conforms, else `false`.\n\t * @example\n\t *\n\t * var object = { 'a': 1, 'b': 2 };\n\t *\n\t * _.conformsTo(object, { 'b': function(n) { return n > 1; } });\n\t * // => true\n\t *\n\t * _.conformsTo(object, { 'b': function(n) { return n > 2; } });\n\t * // => false\n\t */\n\t function conformsTo(object, source) {\n\t return source == null || baseConformsTo(object, source, keys(source));\n\t }\n\n\t /**\n\t * Performs a\n\t * [`SameValueZero`](http://ecma-international.org/ecma-262/7.0/#sec-samevaluezero)\n\t * comparison between two values to determine if they are equivalent.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 4.0.0\n\t * @category Lang\n\t * @param {*} value The value to compare.\n\t * @param {*} other The other value to compare.\n\t * @returns {boolean} Returns `true` if the values are equivalent, else `false`.\n\t * @example\n\t *\n\t * var object = { 'a': 1 };\n\t * var other = { 'a': 1 };\n\t *\n\t * _.eq(object, object);\n\t * // => true\n\t *\n\t * _.eq(object, other);\n\t * // => false\n\t *\n\t * _.eq('a', 'a');\n\t * // => true\n\t *\n\t * _.eq('a', Object('a'));\n\t * // => false\n\t *\n\t * _.eq(NaN, NaN);\n\t * // => true\n\t */\n\t function eq(value, other) {\n\t return value === other || (value !== value && other !== other);\n\t }\n\n\t /**\n\t * Checks if `value` is greater than `other`.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 3.9.0\n\t * @category Lang\n\t * @param {*} value The value to compare.\n\t * @param {*} other The other value to compare.\n\t * @returns {boolean} Returns `true` if `value` is greater than `other`,\n\t * else `false`.\n\t * @see _.lt\n\t * @example\n\t *\n\t * _.gt(3, 1);\n\t * // => true\n\t *\n\t * _.gt(3, 3);\n\t * // => false\n\t *\n\t * _.gt(1, 3);\n\t * // => false\n\t */\n\t var gt = createRelationalOperation(baseGt);\n\n\t /**\n\t * Checks if `value` is greater than or equal to `other`.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 3.9.0\n\t * @category Lang\n\t * @param {*} value The value to compare.\n\t * @param {*} other The other value to compare.\n\t * @returns {boolean} Returns `true` if `value` is greater than or equal to\n\t * `other`, else `false`.\n\t * @see _.lte\n\t * @example\n\t *\n\t * _.gte(3, 1);\n\t * // => true\n\t *\n\t * _.gte(3, 3);\n\t * // => true\n\t *\n\t * _.gte(1, 3);\n\t * // => false\n\t */\n\t var gte = createRelationalOperation(function(value, other) {\n\t return value >= other;\n\t });\n\n\t /**\n\t * Checks if `value` is likely an `arguments` object.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 0.1.0\n\t * @category Lang\n\t * @param {*} value The value to check.\n\t * @returns {boolean} Returns `true` if `value` is an `arguments` object,\n\t * else `false`.\n\t * @example\n\t *\n\t * _.isArguments(function() { return arguments; }());\n\t * // => true\n\t *\n\t * _.isArguments([1, 2, 3]);\n\t * // => false\n\t */\n\t var isArguments = baseIsArguments(function() { return arguments; }()) ? baseIsArguments : function(value) {\n\t return isObjectLike(value) && hasOwnProperty.call(value, 'callee') &&\n\t !propertyIsEnumerable.call(value, 'callee');\n\t };\n\n\t /**\n\t * Checks if `value` is classified as an `Array` object.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 0.1.0\n\t * @category Lang\n\t * @param {*} value The value to check.\n\t * @returns {boolean} Returns `true` if `value` is an array, else `false`.\n\t * @example\n\t *\n\t * _.isArray([1, 2, 3]);\n\t * // => true\n\t *\n\t * _.isArray(document.body.children);\n\t * // => false\n\t *\n\t * _.isArray('abc');\n\t * // => false\n\t *\n\t * _.isArray(_.noop);\n\t * // => false\n\t */\n\t var isArray = Array.isArray;\n\n\t /**\n\t * Checks if `value` is classified as an `ArrayBuffer` object.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 4.3.0\n\t * @category Lang\n\t * @param {*} value The value to check.\n\t * @returns {boolean} Returns `true` if `value` is an array buffer, else `false`.\n\t * @example\n\t *\n\t * _.isArrayBuffer(new ArrayBuffer(2));\n\t * // => true\n\t *\n\t * _.isArrayBuffer(new Array(2));\n\t * // => false\n\t */\n\t var isArrayBuffer = nodeIsArrayBuffer ? baseUnary(nodeIsArrayBuffer) : baseIsArrayBuffer;\n\n\t /**\n\t * Checks if `value` is array-like. A value is considered array-like if it's\n\t * not a function and has a `value.length` that's an integer greater than or\n\t * equal to `0` and less than or equal to `Number.MAX_SAFE_INTEGER`.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 4.0.0\n\t * @category Lang\n\t * @param {*} value The value to check.\n\t * @returns {boolean} Returns `true` if `value` is array-like, else `false`.\n\t * @example\n\t *\n\t * _.isArrayLike([1, 2, 3]);\n\t * // => true\n\t *\n\t * _.isArrayLike(document.body.children);\n\t * // => true\n\t *\n\t * _.isArrayLike('abc');\n\t * // => true\n\t *\n\t * _.isArrayLike(_.noop);\n\t * // => false\n\t */\n\t function isArrayLike(value) {\n\t return value != null && isLength(value.length) && !isFunction(value);\n\t }\n\n\t /**\n\t * This method is like `_.isArrayLike` except that it also checks if `value`\n\t * is an object.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 4.0.0\n\t * @category Lang\n\t * @param {*} value The value to check.\n\t * @returns {boolean} Returns `true` if `value` is an array-like object,\n\t * else `false`.\n\t * @example\n\t *\n\t * _.isArrayLikeObject([1, 2, 3]);\n\t * // => true\n\t *\n\t * _.isArrayLikeObject(document.body.children);\n\t * // => true\n\t *\n\t * _.isArrayLikeObject('abc');\n\t * // => false\n\t *\n\t * _.isArrayLikeObject(_.noop);\n\t * // => false\n\t */\n\t function isArrayLikeObject(value) {\n\t return isObjectLike(value) && isArrayLike(value);\n\t }\n\n\t /**\n\t * Checks if `value` is classified as a boolean primitive or object.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 0.1.0\n\t * @category Lang\n\t * @param {*} value The value to check.\n\t * @returns {boolean} Returns `true` if `value` is a boolean, else `false`.\n\t * @example\n\t *\n\t * _.isBoolean(false);\n\t * // => true\n\t *\n\t * _.isBoolean(null);\n\t * // => false\n\t */\n\t function isBoolean(value) {\n\t return value === true || value === false ||\n\t (isObjectLike(value) && baseGetTag(value) == boolTag);\n\t }\n\n\t /**\n\t * Checks if `value` is a buffer.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 4.3.0\n\t * @category Lang\n\t * @param {*} value The value to check.\n\t * @returns {boolean} Returns `true` if `value` is a buffer, else `false`.\n\t * @example\n\t *\n\t * _.isBuffer(new Buffer(2));\n\t * // => true\n\t *\n\t * _.isBuffer(new Uint8Array(2));\n\t * // => false\n\t */\n\t var isBuffer = nativeIsBuffer || stubFalse;\n\n\t /**\n\t * Checks if `value` is classified as a `Date` object.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 0.1.0\n\t * @category Lang\n\t * @param {*} value The value to check.\n\t * @returns {boolean} Returns `true` if `value` is a date object, else `false`.\n\t * @example\n\t *\n\t * _.isDate(new Date);\n\t * // => true\n\t *\n\t * _.isDate('Mon April 23 2012');\n\t * // => false\n\t */\n\t var isDate = nodeIsDate ? baseUnary(nodeIsDate) : baseIsDate;\n\n\t /**\n\t * Checks if `value` is likely a DOM element.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 0.1.0\n\t * @category Lang\n\t * @param {*} value The value to check.\n\t * @returns {boolean} Returns `true` if `value` is a DOM element, else `false`.\n\t * @example\n\t *\n\t * _.isElement(document.body);\n\t * // => true\n\t *\n\t * _.isElement('');\n\t * // => false\n\t */\n\t function isElement(value) {\n\t return isObjectLike(value) && value.nodeType === 1 && !isPlainObject(value);\n\t }\n\n\t /**\n\t * Checks if `value` is an empty object, collection, map, or set.\n\t *\n\t * Objects are considered empty if they have no own enumerable string keyed\n\t * properties.\n\t *\n\t * Array-like values such as `arguments` objects, arrays, buffers, strings, or\n\t * jQuery-like collections are considered empty if they have a `length` of `0`.\n\t * Similarly, maps and sets are considered empty if they have a `size` of `0`.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 0.1.0\n\t * @category Lang\n\t * @param {*} value The value to check.\n\t * @returns {boolean} Returns `true` if `value` is empty, else `false`.\n\t * @example\n\t *\n\t * _.isEmpty(null);\n\t * // => true\n\t *\n\t * _.isEmpty(true);\n\t * // => true\n\t *\n\t * _.isEmpty(1);\n\t * // => true\n\t *\n\t * _.isEmpty([1, 2, 3]);\n\t * // => false\n\t *\n\t * _.isEmpty({ 'a': 1 });\n\t * // => false\n\t */\n\t function isEmpty(value) {\n\t if (value == null) {\n\t return true;\n\t }\n\t if (isArrayLike(value) &&\n\t (isArray(value) || typeof value == 'string' || typeof value.splice == 'function' ||\n\t isBuffer(value) || isTypedArray(value) || isArguments(value))) {\n\t return !value.length;\n\t }\n\t var tag = getTag(value);\n\t if (tag == mapTag || tag == setTag) {\n\t return !value.size;\n\t }\n\t if (isPrototype(value)) {\n\t return !baseKeys(value).length;\n\t }\n\t for (var key in value) {\n\t if (hasOwnProperty.call(value, key)) {\n\t return false;\n\t }\n\t }\n\t return true;\n\t }\n\n\t /**\n\t * Performs a deep comparison between two values to determine if they are\n\t * equivalent.\n\t *\n\t * **Note:** This method supports comparing arrays, array buffers, booleans,\n\t * date objects, error objects, maps, numbers, `Object` objects, regexes,\n\t * sets, strings, symbols, and typed arrays. `Object` objects are compared\n\t * by their own, not inherited, enumerable properties. Functions and DOM\n\t * nodes are compared by strict equality, i.e. `===`.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 0.1.0\n\t * @category Lang\n\t * @param {*} value The value to compare.\n\t * @param {*} other The other value to compare.\n\t * @returns {boolean} Returns `true` if the values are equivalent, else `false`.\n\t * @example\n\t *\n\t * var object = { 'a': 1 };\n\t * var other = { 'a': 1 };\n\t *\n\t * _.isEqual(object, other);\n\t * // => true\n\t *\n\t * object === other;\n\t * // => false\n\t */\n\t function isEqual(value, other) {\n\t return baseIsEqual(value, other);\n\t }\n\n\t /**\n\t * This method is like `_.isEqual` except that it accepts `customizer` which\n\t * is invoked to compare values. If `customizer` returns `undefined`, comparisons\n\t * are handled by the method instead. The `customizer` is invoked with up to\n\t * six arguments: (objValue, othValue [, index|key, object, other, stack]).\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 4.0.0\n\t * @category Lang\n\t * @param {*} value The value to compare.\n\t * @param {*} other The other value to compare.\n\t * @param {Function} [customizer] The function to customize comparisons.\n\t * @returns {boolean} Returns `true` if the values are equivalent, else `false`.\n\t * @example\n\t *\n\t * function isGreeting(value) {\n\t * return /^h(?:i|ello)$/.test(value);\n\t * }\n\t *\n\t * function customizer(objValue, othValue) {\n\t * if (isGreeting(objValue) && isGreeting(othValue)) {\n\t * return true;\n\t * }\n\t * }\n\t *\n\t * var array = ['hello', 'goodbye'];\n\t * var other = ['hi', 'goodbye'];\n\t *\n\t * _.isEqualWith(array, other, customizer);\n\t * // => true\n\t */\n\t function isEqualWith(value, other, customizer) {\n\t customizer = typeof customizer == 'function' ? customizer : undefined$1;\n\t var result = customizer ? customizer(value, other) : undefined$1;\n\t return result === undefined$1 ? baseIsEqual(value, other, undefined$1, customizer) : !!result;\n\t }\n\n\t /**\n\t * Checks if `value` is an `Error`, `EvalError`, `RangeError`, `ReferenceError`,\n\t * `SyntaxError`, `TypeError`, or `URIError` object.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 3.0.0\n\t * @category Lang\n\t * @param {*} value The value to check.\n\t * @returns {boolean} Returns `true` if `value` is an error object, else `false`.\n\t * @example\n\t *\n\t * _.isError(new Error);\n\t * // => true\n\t *\n\t * _.isError(Error);\n\t * // => false\n\t */\n\t function isError(value) {\n\t if (!isObjectLike(value)) {\n\t return false;\n\t }\n\t var tag = baseGetTag(value);\n\t return tag == errorTag || tag == domExcTag ||\n\t (typeof value.message == 'string' && typeof value.name == 'string' && !isPlainObject(value));\n\t }\n\n\t /**\n\t * Checks if `value` is a finite primitive number.\n\t *\n\t * **Note:** This method is based on\n\t * [`Number.isFinite`](https://mdn.io/Number/isFinite).\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 0.1.0\n\t * @category Lang\n\t * @param {*} value The value to check.\n\t * @returns {boolean} Returns `true` if `value` is a finite number, else `false`.\n\t * @example\n\t *\n\t * _.isFinite(3);\n\t * // => true\n\t *\n\t * _.isFinite(Number.MIN_VALUE);\n\t * // => true\n\t *\n\t * _.isFinite(Infinity);\n\t * // => false\n\t *\n\t * _.isFinite('3');\n\t * // => false\n\t */\n\t function isFinite(value) {\n\t return typeof value == 'number' && nativeIsFinite(value);\n\t }\n\n\t /**\n\t * Checks if `value` is classified as a `Function` object.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 0.1.0\n\t * @category Lang\n\t * @param {*} value The value to check.\n\t * @returns {boolean} Returns `true` if `value` is a function, else `false`.\n\t * @example\n\t *\n\t * _.isFunction(_);\n\t * // => true\n\t *\n\t * _.isFunction(/abc/);\n\t * // => false\n\t */\n\t function isFunction(value) {\n\t if (!isObject(value)) {\n\t return false;\n\t }\n\t // The use of `Object#toString` avoids issues with the `typeof` operator\n\t // in Safari 9 which returns 'object' for typed arrays and other constructors.\n\t var tag = baseGetTag(value);\n\t return tag == funcTag || tag == genTag || tag == asyncTag || tag == proxyTag;\n\t }\n\n\t /**\n\t * Checks if `value` is an integer.\n\t *\n\t * **Note:** This method is based on\n\t * [`Number.isInteger`](https://mdn.io/Number/isInteger).\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 4.0.0\n\t * @category Lang\n\t * @param {*} value The value to check.\n\t * @returns {boolean} Returns `true` if `value` is an integer, else `false`.\n\t * @example\n\t *\n\t * _.isInteger(3);\n\t * // => true\n\t *\n\t * _.isInteger(Number.MIN_VALUE);\n\t * // => false\n\t *\n\t * _.isInteger(Infinity);\n\t * // => false\n\t *\n\t * _.isInteger('3');\n\t * // => false\n\t */\n\t function isInteger(value) {\n\t return typeof value == 'number' && value == toInteger(value);\n\t }\n\n\t /**\n\t * Checks if `value` is a valid array-like length.\n\t *\n\t * **Note:** This method is loosely based on\n\t * [`ToLength`](http://ecma-international.org/ecma-262/7.0/#sec-tolength).\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 4.0.0\n\t * @category Lang\n\t * @param {*} value The value to check.\n\t * @returns {boolean} Returns `true` if `value` is a valid length, else `false`.\n\t * @example\n\t *\n\t * _.isLength(3);\n\t * // => true\n\t *\n\t * _.isLength(Number.MIN_VALUE);\n\t * // => false\n\t *\n\t * _.isLength(Infinity);\n\t * // => false\n\t *\n\t * _.isLength('3');\n\t * // => false\n\t */\n\t function isLength(value) {\n\t return typeof value == 'number' &&\n\t value > -1 && value % 1 == 0 && value <= MAX_SAFE_INTEGER;\n\t }\n\n\t /**\n\t * Checks if `value` is the\n\t * [language type](http://www.ecma-international.org/ecma-262/7.0/#sec-ecmascript-language-types)\n\t * of `Object`. (e.g. arrays, functions, objects, regexes, `new Number(0)`, and `new String('')`)\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 0.1.0\n\t * @category Lang\n\t * @param {*} value The value to check.\n\t * @returns {boolean} Returns `true` if `value` is an object, else `false`.\n\t * @example\n\t *\n\t * _.isObject({});\n\t * // => true\n\t *\n\t * _.isObject([1, 2, 3]);\n\t * // => true\n\t *\n\t * _.isObject(_.noop);\n\t * // => true\n\t *\n\t * _.isObject(null);\n\t * // => false\n\t */\n\t function isObject(value) {\n\t var type = typeof value;\n\t return value != null && (type == 'object' || type == 'function');\n\t }\n\n\t /**\n\t * Checks if `value` is object-like. A value is object-like if it's not `null`\n\t * and has a `typeof` result of \"object\".\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 4.0.0\n\t * @category Lang\n\t * @param {*} value The value to check.\n\t * @returns {boolean} Returns `true` if `value` is object-like, else `false`.\n\t * @example\n\t *\n\t * _.isObjectLike({});\n\t * // => true\n\t *\n\t * _.isObjectLike([1, 2, 3]);\n\t * // => true\n\t *\n\t * _.isObjectLike(_.noop);\n\t * // => false\n\t *\n\t * _.isObjectLike(null);\n\t * // => false\n\t */\n\t function isObjectLike(value) {\n\t return value != null && typeof value == 'object';\n\t }\n\n\t /**\n\t * Checks if `value` is classified as a `Map` object.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 4.3.0\n\t * @category Lang\n\t * @param {*} value The value to check.\n\t * @returns {boolean} Returns `true` if `value` is a map, else `false`.\n\t * @example\n\t *\n\t * _.isMap(new Map);\n\t * // => true\n\t *\n\t * _.isMap(new WeakMap);\n\t * // => false\n\t */\n\t var isMap = nodeIsMap ? baseUnary(nodeIsMap) : baseIsMap;\n\n\t /**\n\t * Performs a partial deep comparison between `object` and `source` to\n\t * determine if `object` contains equivalent property values.\n\t *\n\t * **Note:** This method is equivalent to `_.matches` when `source` is\n\t * partially applied.\n\t *\n\t * Partial comparisons will match empty array and empty object `source`\n\t * values against any array or object value, respectively. See `_.isEqual`\n\t * for a list of supported value comparisons.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 3.0.0\n\t * @category Lang\n\t * @param {Object} object The object to inspect.\n\t * @param {Object} source The object of property values to match.\n\t * @returns {boolean} Returns `true` if `object` is a match, else `false`.\n\t * @example\n\t *\n\t * var object = { 'a': 1, 'b': 2 };\n\t *\n\t * _.isMatch(object, { 'b': 2 });\n\t * // => true\n\t *\n\t * _.isMatch(object, { 'b': 1 });\n\t * // => false\n\t */\n\t function isMatch(object, source) {\n\t return object === source || baseIsMatch(object, source, getMatchData(source));\n\t }\n\n\t /**\n\t * This method is like `_.isMatch` except that it accepts `customizer` which\n\t * is invoked to compare values. If `customizer` returns `undefined`, comparisons\n\t * are handled by the method instead. The `customizer` is invoked with five\n\t * arguments: (objValue, srcValue, index|key, object, source).\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 4.0.0\n\t * @category Lang\n\t * @param {Object} object The object to inspect.\n\t * @param {Object} source The object of property values to match.\n\t * @param {Function} [customizer] The function to customize comparisons.\n\t * @returns {boolean} Returns `true` if `object` is a match, else `false`.\n\t * @example\n\t *\n\t * function isGreeting(value) {\n\t * return /^h(?:i|ello)$/.test(value);\n\t * }\n\t *\n\t * function customizer(objValue, srcValue) {\n\t * if (isGreeting(objValue) && isGreeting(srcValue)) {\n\t * return true;\n\t * }\n\t * }\n\t *\n\t * var object = { 'greeting': 'hello' };\n\t * var source = { 'greeting': 'hi' };\n\t *\n\t * _.isMatchWith(object, source, customizer);\n\t * // => true\n\t */\n\t function isMatchWith(object, source, customizer) {\n\t customizer = typeof customizer == 'function' ? customizer : undefined$1;\n\t return baseIsMatch(object, source, getMatchData(source), customizer);\n\t }\n\n\t /**\n\t * Checks if `value` is `NaN`.\n\t *\n\t * **Note:** This method is based on\n\t * [`Number.isNaN`](https://mdn.io/Number/isNaN) and is not the same as\n\t * global [`isNaN`](https://mdn.io/isNaN) which returns `true` for\n\t * `undefined` and other non-number values.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 0.1.0\n\t * @category Lang\n\t * @param {*} value The value to check.\n\t * @returns {boolean} Returns `true` if `value` is `NaN`, else `false`.\n\t * @example\n\t *\n\t * _.isNaN(NaN);\n\t * // => true\n\t *\n\t * _.isNaN(new Number(NaN));\n\t * // => true\n\t *\n\t * isNaN(undefined);\n\t * // => true\n\t *\n\t * _.isNaN(undefined);\n\t * // => false\n\t */\n\t function isNaN(value) {\n\t // An `NaN` primitive is the only value that is not equal to itself.\n\t // Perform the `toStringTag` check first to avoid errors with some\n\t // ActiveX objects in IE.\n\t return isNumber(value) && value != +value;\n\t }\n\n\t /**\n\t * Checks if `value` is a pristine native function.\n\t *\n\t * **Note:** This method can't reliably detect native functions in the presence\n\t * of the core-js package because core-js circumvents this kind of detection.\n\t * Despite multiple requests, the core-js maintainer has made it clear: any\n\t * attempt to fix the detection will be obstructed. As a result, we're left\n\t * with little choice but to throw an error. Unfortunately, this also affects\n\t * packages, like [babel-polyfill](https://www.npmjs.com/package/babel-polyfill),\n\t * which rely on core-js.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 3.0.0\n\t * @category Lang\n\t * @param {*} value The value to check.\n\t * @returns {boolean} Returns `true` if `value` is a native function,\n\t * else `false`.\n\t * @example\n\t *\n\t * _.isNative(Array.prototype.push);\n\t * // => true\n\t *\n\t * _.isNative(_);\n\t * // => false\n\t */\n\t function isNative(value) {\n\t if (isMaskable(value)) {\n\t throw new Error(CORE_ERROR_TEXT);\n\t }\n\t return baseIsNative(value);\n\t }\n\n\t /**\n\t * Checks if `value` is `null`.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 0.1.0\n\t * @category Lang\n\t * @param {*} value The value to check.\n\t * @returns {boolean} Returns `true` if `value` is `null`, else `false`.\n\t * @example\n\t *\n\t * _.isNull(null);\n\t * // => true\n\t *\n\t * _.isNull(void 0);\n\t * // => false\n\t */\n\t function isNull(value) {\n\t return value === null;\n\t }\n\n\t /**\n\t * Checks if `value` is `null` or `undefined`.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 4.0.0\n\t * @category Lang\n\t * @param {*} value The value to check.\n\t * @returns {boolean} Returns `true` if `value` is nullish, else `false`.\n\t * @example\n\t *\n\t * _.isNil(null);\n\t * // => true\n\t *\n\t * _.isNil(void 0);\n\t * // => true\n\t *\n\t * _.isNil(NaN);\n\t * // => false\n\t */\n\t function isNil(value) {\n\t return value == null;\n\t }\n\n\t /**\n\t * Checks if `value` is classified as a `Number` primitive or object.\n\t *\n\t * **Note:** To exclude `Infinity`, `-Infinity`, and `NaN`, which are\n\t * classified as numbers, use the `_.isFinite` method.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 0.1.0\n\t * @category Lang\n\t * @param {*} value The value to check.\n\t * @returns {boolean} Returns `true` if `value` is a number, else `false`.\n\t * @example\n\t *\n\t * _.isNumber(3);\n\t * // => true\n\t *\n\t * _.isNumber(Number.MIN_VALUE);\n\t * // => true\n\t *\n\t * _.isNumber(Infinity);\n\t * // => true\n\t *\n\t * _.isNumber('3');\n\t * // => false\n\t */\n\t function isNumber(value) {\n\t return typeof value == 'number' ||\n\t (isObjectLike(value) && baseGetTag(value) == numberTag);\n\t }\n\n\t /**\n\t * Checks if `value` is a plain object, that is, an object created by the\n\t * `Object` constructor or one with a `[[Prototype]]` of `null`.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 0.8.0\n\t * @category Lang\n\t * @param {*} value The value to check.\n\t * @returns {boolean} Returns `true` if `value` is a plain object, else `false`.\n\t * @example\n\t *\n\t * function Foo() {\n\t * this.a = 1;\n\t * }\n\t *\n\t * _.isPlainObject(new Foo);\n\t * // => false\n\t *\n\t * _.isPlainObject([1, 2, 3]);\n\t * // => false\n\t *\n\t * _.isPlainObject({ 'x': 0, 'y': 0 });\n\t * // => true\n\t *\n\t * _.isPlainObject(Object.create(null));\n\t * // => true\n\t */\n\t function isPlainObject(value) {\n\t if (!isObjectLike(value) || baseGetTag(value) != objectTag) {\n\t return false;\n\t }\n\t var proto = getPrototype(value);\n\t if (proto === null) {\n\t return true;\n\t }\n\t var Ctor = hasOwnProperty.call(proto, 'constructor') && proto.constructor;\n\t return typeof Ctor == 'function' && Ctor instanceof Ctor &&\n\t funcToString.call(Ctor) == objectCtorString;\n\t }\n\n\t /**\n\t * Checks if `value` is classified as a `RegExp` object.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 0.1.0\n\t * @category Lang\n\t * @param {*} value The value to check.\n\t * @returns {boolean} Returns `true` if `value` is a regexp, else `false`.\n\t * @example\n\t *\n\t * _.isRegExp(/abc/);\n\t * // => true\n\t *\n\t * _.isRegExp('/abc/');\n\t * // => false\n\t */\n\t var isRegExp = nodeIsRegExp ? baseUnary(nodeIsRegExp) : baseIsRegExp;\n\n\t /**\n\t * Checks if `value` is a safe integer. An integer is safe if it's an IEEE-754\n\t * double precision number which isn't the result of a rounded unsafe integer.\n\t *\n\t * **Note:** This method is based on\n\t * [`Number.isSafeInteger`](https://mdn.io/Number/isSafeInteger).\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 4.0.0\n\t * @category Lang\n\t * @param {*} value The value to check.\n\t * @returns {boolean} Returns `true` if `value` is a safe integer, else `false`.\n\t * @example\n\t *\n\t * _.isSafeInteger(3);\n\t * // => true\n\t *\n\t * _.isSafeInteger(Number.MIN_VALUE);\n\t * // => false\n\t *\n\t * _.isSafeInteger(Infinity);\n\t * // => false\n\t *\n\t * _.isSafeInteger('3');\n\t * // => false\n\t */\n\t function isSafeInteger(value) {\n\t return isInteger(value) && value >= -MAX_SAFE_INTEGER && value <= MAX_SAFE_INTEGER;\n\t }\n\n\t /**\n\t * Checks if `value` is classified as a `Set` object.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 4.3.0\n\t * @category Lang\n\t * @param {*} value The value to check.\n\t * @returns {boolean} Returns `true` if `value` is a set, else `false`.\n\t * @example\n\t *\n\t * _.isSet(new Set);\n\t * // => true\n\t *\n\t * _.isSet(new WeakSet);\n\t * // => false\n\t */\n\t var isSet = nodeIsSet ? baseUnary(nodeIsSet) : baseIsSet;\n\n\t /**\n\t * Checks if `value` is classified as a `String` primitive or object.\n\t *\n\t * @static\n\t * @since 0.1.0\n\t * @memberOf _\n\t * @category Lang\n\t * @param {*} value The value to check.\n\t * @returns {boolean} Returns `true` if `value` is a string, else `false`.\n\t * @example\n\t *\n\t * _.isString('abc');\n\t * // => true\n\t *\n\t * _.isString(1);\n\t * // => false\n\t */\n\t function isString(value) {\n\t return typeof value == 'string' ||\n\t (!isArray(value) && isObjectLike(value) && baseGetTag(value) == stringTag);\n\t }\n\n\t /**\n\t * Checks if `value` is classified as a `Symbol` primitive or object.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 4.0.0\n\t * @category Lang\n\t * @param {*} value The value to check.\n\t * @returns {boolean} Returns `true` if `value` is a symbol, else `false`.\n\t * @example\n\t *\n\t * _.isSymbol(Symbol.iterator);\n\t * // => true\n\t *\n\t * _.isSymbol('abc');\n\t * // => false\n\t */\n\t function isSymbol(value) {\n\t return typeof value == 'symbol' ||\n\t (isObjectLike(value) && baseGetTag(value) == symbolTag);\n\t }\n\n\t /**\n\t * Checks if `value` is classified as a typed array.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 3.0.0\n\t * @category Lang\n\t * @param {*} value The value to check.\n\t * @returns {boolean} Returns `true` if `value` is a typed array, else `false`.\n\t * @example\n\t *\n\t * _.isTypedArray(new Uint8Array);\n\t * // => true\n\t *\n\t * _.isTypedArray([]);\n\t * // => false\n\t */\n\t var isTypedArray = nodeIsTypedArray ? baseUnary(nodeIsTypedArray) : baseIsTypedArray;\n\n\t /**\n\t * Checks if `value` is `undefined`.\n\t *\n\t * @static\n\t * @since 0.1.0\n\t * @memberOf _\n\t * @category Lang\n\t * @param {*} value The value to check.\n\t * @returns {boolean} Returns `true` if `value` is `undefined`, else `false`.\n\t * @example\n\t *\n\t * _.isUndefined(void 0);\n\t * // => true\n\t *\n\t * _.isUndefined(null);\n\t * // => false\n\t */\n\t function isUndefined(value) {\n\t return value === undefined$1;\n\t }\n\n\t /**\n\t * Checks if `value` is classified as a `WeakMap` object.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 4.3.0\n\t * @category Lang\n\t * @param {*} value The value to check.\n\t * @returns {boolean} Returns `true` if `value` is a weak map, else `false`.\n\t * @example\n\t *\n\t * _.isWeakMap(new WeakMap);\n\t * // => true\n\t *\n\t * _.isWeakMap(new Map);\n\t * // => false\n\t */\n\t function isWeakMap(value) {\n\t return isObjectLike(value) && getTag(value) == weakMapTag;\n\t }\n\n\t /**\n\t * Checks if `value` is classified as a `WeakSet` object.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 4.3.0\n\t * @category Lang\n\t * @param {*} value The value to check.\n\t * @returns {boolean} Returns `true` if `value` is a weak set, else `false`.\n\t * @example\n\t *\n\t * _.isWeakSet(new WeakSet);\n\t * // => true\n\t *\n\t * _.isWeakSet(new Set);\n\t * // => false\n\t */\n\t function isWeakSet(value) {\n\t return isObjectLike(value) && baseGetTag(value) == weakSetTag;\n\t }\n\n\t /**\n\t * Checks if `value` is less than `other`.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 3.9.0\n\t * @category Lang\n\t * @param {*} value The value to compare.\n\t * @param {*} other The other value to compare.\n\t * @returns {boolean} Returns `true` if `value` is less than `other`,\n\t * else `false`.\n\t * @see _.gt\n\t * @example\n\t *\n\t * _.lt(1, 3);\n\t * // => true\n\t *\n\t * _.lt(3, 3);\n\t * // => false\n\t *\n\t * _.lt(3, 1);\n\t * // => false\n\t */\n\t var lt = createRelationalOperation(baseLt);\n\n\t /**\n\t * Checks if `value` is less than or equal to `other`.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 3.9.0\n\t * @category Lang\n\t * @param {*} value The value to compare.\n\t * @param {*} other The other value to compare.\n\t * @returns {boolean} Returns `true` if `value` is less than or equal to\n\t * `other`, else `false`.\n\t * @see _.gte\n\t * @example\n\t *\n\t * _.lte(1, 3);\n\t * // => true\n\t *\n\t * _.lte(3, 3);\n\t * // => true\n\t *\n\t * _.lte(3, 1);\n\t * // => false\n\t */\n\t var lte = createRelationalOperation(function(value, other) {\n\t return value <= other;\n\t });\n\n\t /**\n\t * Converts `value` to an array.\n\t *\n\t * @static\n\t * @since 0.1.0\n\t * @memberOf _\n\t * @category Lang\n\t * @param {*} value The value to convert.\n\t * @returns {Array} Returns the converted array.\n\t * @example\n\t *\n\t * _.toArray({ 'a': 1, 'b': 2 });\n\t * // => [1, 2]\n\t *\n\t * _.toArray('abc');\n\t * // => ['a', 'b', 'c']\n\t *\n\t * _.toArray(1);\n\t * // => []\n\t *\n\t * _.toArray(null);\n\t * // => []\n\t */\n\t function toArray(value) {\n\t if (!value) {\n\t return [];\n\t }\n\t if (isArrayLike(value)) {\n\t return isString(value) ? stringToArray(value) : copyArray(value);\n\t }\n\t if (symIterator && value[symIterator]) {\n\t return iteratorToArray(value[symIterator]());\n\t }\n\t var tag = getTag(value),\n\t func = tag == mapTag ? mapToArray : (tag == setTag ? setToArray : values);\n\n\t return func(value);\n\t }\n\n\t /**\n\t * Converts `value` to a finite number.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 4.12.0\n\t * @category Lang\n\t * @param {*} value The value to convert.\n\t * @returns {number} Returns the converted number.\n\t * @example\n\t *\n\t * _.toFinite(3.2);\n\t * // => 3.2\n\t *\n\t * _.toFinite(Number.MIN_VALUE);\n\t * // => 5e-324\n\t *\n\t * _.toFinite(Infinity);\n\t * // => 1.7976931348623157e+308\n\t *\n\t * _.toFinite('3.2');\n\t * // => 3.2\n\t */\n\t function toFinite(value) {\n\t if (!value) {\n\t return value === 0 ? value : 0;\n\t }\n\t value = toNumber(value);\n\t if (value === INFINITY || value === -INFINITY) {\n\t var sign = (value < 0 ? -1 : 1);\n\t return sign * MAX_INTEGER;\n\t }\n\t return value === value ? value : 0;\n\t }\n\n\t /**\n\t * Converts `value` to an integer.\n\t *\n\t * **Note:** This method is loosely based on\n\t * [`ToInteger`](http://www.ecma-international.org/ecma-262/7.0/#sec-tointeger).\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 4.0.0\n\t * @category Lang\n\t * @param {*} value The value to convert.\n\t * @returns {number} Returns the converted integer.\n\t * @example\n\t *\n\t * _.toInteger(3.2);\n\t * // => 3\n\t *\n\t * _.toInteger(Number.MIN_VALUE);\n\t * // => 0\n\t *\n\t * _.toInteger(Infinity);\n\t * // => 1.7976931348623157e+308\n\t *\n\t * _.toInteger('3.2');\n\t * // => 3\n\t */\n\t function toInteger(value) {\n\t var result = toFinite(value),\n\t remainder = result % 1;\n\n\t return result === result ? (remainder ? result - remainder : result) : 0;\n\t }\n\n\t /**\n\t * Converts `value` to an integer suitable for use as the length of an\n\t * array-like object.\n\t *\n\t * **Note:** This method is based on\n\t * [`ToLength`](http://ecma-international.org/ecma-262/7.0/#sec-tolength).\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 4.0.0\n\t * @category Lang\n\t * @param {*} value The value to convert.\n\t * @returns {number} Returns the converted integer.\n\t * @example\n\t *\n\t * _.toLength(3.2);\n\t * // => 3\n\t *\n\t * _.toLength(Number.MIN_VALUE);\n\t * // => 0\n\t *\n\t * _.toLength(Infinity);\n\t * // => 4294967295\n\t *\n\t * _.toLength('3.2');\n\t * // => 3\n\t */\n\t function toLength(value) {\n\t return value ? baseClamp(toInteger(value), 0, MAX_ARRAY_LENGTH) : 0;\n\t }\n\n\t /**\n\t * Converts `value` to a number.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 4.0.0\n\t * @category Lang\n\t * @param {*} value The value to process.\n\t * @returns {number} Returns the number.\n\t * @example\n\t *\n\t * _.toNumber(3.2);\n\t * // => 3.2\n\t *\n\t * _.toNumber(Number.MIN_VALUE);\n\t * // => 5e-324\n\t *\n\t * _.toNumber(Infinity);\n\t * // => Infinity\n\t *\n\t * _.toNumber('3.2');\n\t * // => 3.2\n\t */\n\t function toNumber(value) {\n\t if (typeof value == 'number') {\n\t return value;\n\t }\n\t if (isSymbol(value)) {\n\t return NAN;\n\t }\n\t if (isObject(value)) {\n\t var other = typeof value.valueOf == 'function' ? value.valueOf() : value;\n\t value = isObject(other) ? (other + '') : other;\n\t }\n\t if (typeof value != 'string') {\n\t return value === 0 ? value : +value;\n\t }\n\t value = baseTrim(value);\n\t var isBinary = reIsBinary.test(value);\n\t return (isBinary || reIsOctal.test(value))\n\t ? freeParseInt(value.slice(2), isBinary ? 2 : 8)\n\t : (reIsBadHex.test(value) ? NAN : +value);\n\t }\n\n\t /**\n\t * Converts `value` to a plain object flattening inherited enumerable string\n\t * keyed properties of `value` to own properties of the plain object.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 3.0.0\n\t * @category Lang\n\t * @param {*} value The value to convert.\n\t * @returns {Object} Returns the converted plain object.\n\t * @example\n\t *\n\t * function Foo() {\n\t * this.b = 2;\n\t * }\n\t *\n\t * Foo.prototype.c = 3;\n\t *\n\t * _.assign({ 'a': 1 }, new Foo);\n\t * // => { 'a': 1, 'b': 2 }\n\t *\n\t * _.assign({ 'a': 1 }, _.toPlainObject(new Foo));\n\t * // => { 'a': 1, 'b': 2, 'c': 3 }\n\t */\n\t function toPlainObject(value) {\n\t return copyObject(value, keysIn(value));\n\t }\n\n\t /**\n\t * Converts `value` to a safe integer. A safe integer can be compared and\n\t * represented correctly.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 4.0.0\n\t * @category Lang\n\t * @param {*} value The value to convert.\n\t * @returns {number} Returns the converted integer.\n\t * @example\n\t *\n\t * _.toSafeInteger(3.2);\n\t * // => 3\n\t *\n\t * _.toSafeInteger(Number.MIN_VALUE);\n\t * // => 0\n\t *\n\t * _.toSafeInteger(Infinity);\n\t * // => 9007199254740991\n\t *\n\t * _.toSafeInteger('3.2');\n\t * // => 3\n\t */\n\t function toSafeInteger(value) {\n\t return value\n\t ? baseClamp(toInteger(value), -MAX_SAFE_INTEGER, MAX_SAFE_INTEGER)\n\t : (value === 0 ? value : 0);\n\t }\n\n\t /**\n\t * Converts `value` to a string. An empty string is returned for `null`\n\t * and `undefined` values. The sign of `-0` is preserved.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 4.0.0\n\t * @category Lang\n\t * @param {*} value The value to convert.\n\t * @returns {string} Returns the converted string.\n\t * @example\n\t *\n\t * _.toString(null);\n\t * // => ''\n\t *\n\t * _.toString(-0);\n\t * // => '-0'\n\t *\n\t * _.toString([1, 2, 3]);\n\t * // => '1,2,3'\n\t */\n\t function toString(value) {\n\t return value == null ? '' : baseToString(value);\n\t }\n\n\t /*------------------------------------------------------------------------*/\n\n\t /**\n\t * Assigns own enumerable string keyed properties of source objects to the\n\t * destination object. Source objects are applied from left to right.\n\t * Subsequent sources overwrite property assignments of previous sources.\n\t *\n\t * **Note:** This method mutates `object` and is loosely based on\n\t * [`Object.assign`](https://mdn.io/Object/assign).\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 0.10.0\n\t * @category Object\n\t * @param {Object} object The destination object.\n\t * @param {...Object} [sources] The source objects.\n\t * @returns {Object} Returns `object`.\n\t * @see _.assignIn\n\t * @example\n\t *\n\t * function Foo() {\n\t * this.a = 1;\n\t * }\n\t *\n\t * function Bar() {\n\t * this.c = 3;\n\t * }\n\t *\n\t * Foo.prototype.b = 2;\n\t * Bar.prototype.d = 4;\n\t *\n\t * _.assign({ 'a': 0 }, new Foo, new Bar);\n\t * // => { 'a': 1, 'c': 3 }\n\t */\n\t var assign = createAssigner(function(object, source) {\n\t if (isPrototype(source) || isArrayLike(source)) {\n\t copyObject(source, keys(source), object);\n\t return;\n\t }\n\t for (var key in source) {\n\t if (hasOwnProperty.call(source, key)) {\n\t assignValue(object, key, source[key]);\n\t }\n\t }\n\t });\n\n\t /**\n\t * This method is like `_.assign` except that it iterates over own and\n\t * inherited source properties.\n\t *\n\t * **Note:** This method mutates `object`.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 4.0.0\n\t * @alias extend\n\t * @category Object\n\t * @param {Object} object The destination object.\n\t * @param {...Object} [sources] The source objects.\n\t * @returns {Object} Returns `object`.\n\t * @see _.assign\n\t * @example\n\t *\n\t * function Foo() {\n\t * this.a = 1;\n\t * }\n\t *\n\t * function Bar() {\n\t * this.c = 3;\n\t * }\n\t *\n\t * Foo.prototype.b = 2;\n\t * Bar.prototype.d = 4;\n\t *\n\t * _.assignIn({ 'a': 0 }, new Foo, new Bar);\n\t * // => { 'a': 1, 'b': 2, 'c': 3, 'd': 4 }\n\t */\n\t var assignIn = createAssigner(function(object, source) {\n\t copyObject(source, keysIn(source), object);\n\t });\n\n\t /**\n\t * This method is like `_.assignIn` except that it accepts `customizer`\n\t * which is invoked to produce the assigned values. If `customizer` returns\n\t * `undefined`, assignment is handled by the method instead. The `customizer`\n\t * is invoked with five arguments: (objValue, srcValue, key, object, source).\n\t *\n\t * **Note:** This method mutates `object`.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 4.0.0\n\t * @alias extendWith\n\t * @category Object\n\t * @param {Object} object The destination object.\n\t * @param {...Object} sources The source objects.\n\t * @param {Function} [customizer] The function to customize assigned values.\n\t * @returns {Object} Returns `object`.\n\t * @see _.assignWith\n\t * @example\n\t *\n\t * function customizer(objValue, srcValue) {\n\t * return _.isUndefined(objValue) ? srcValue : objValue;\n\t * }\n\t *\n\t * var defaults = _.partialRight(_.assignInWith, customizer);\n\t *\n\t * defaults({ 'a': 1 }, { 'b': 2 }, { 'a': 3 });\n\t * // => { 'a': 1, 'b': 2 }\n\t */\n\t var assignInWith = createAssigner(function(object, source, srcIndex, customizer) {\n\t copyObject(source, keysIn(source), object, customizer);\n\t });\n\n\t /**\n\t * This method is like `_.assign` except that it accepts `customizer`\n\t * which is invoked to produce the assigned values. If `customizer` returns\n\t * `undefined`, assignment is handled by the method instead. The `customizer`\n\t * is invoked with five arguments: (objValue, srcValue, key, object, source).\n\t *\n\t * **Note:** This method mutates `object`.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 4.0.0\n\t * @category Object\n\t * @param {Object} object The destination object.\n\t * @param {...Object} sources The source objects.\n\t * @param {Function} [customizer] The function to customize assigned values.\n\t * @returns {Object} Returns `object`.\n\t * @see _.assignInWith\n\t * @example\n\t *\n\t * function customizer(objValue, srcValue) {\n\t * return _.isUndefined(objValue) ? srcValue : objValue;\n\t * }\n\t *\n\t * var defaults = _.partialRight(_.assignWith, customizer);\n\t *\n\t * defaults({ 'a': 1 }, { 'b': 2 }, { 'a': 3 });\n\t * // => { 'a': 1, 'b': 2 }\n\t */\n\t var assignWith = createAssigner(function(object, source, srcIndex, customizer) {\n\t copyObject(source, keys(source), object, customizer);\n\t });\n\n\t /**\n\t * Creates an array of values corresponding to `paths` of `object`.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 1.0.0\n\t * @category Object\n\t * @param {Object} object The object to iterate over.\n\t * @param {...(string|string[])} [paths] The property paths to pick.\n\t * @returns {Array} Returns the picked values.\n\t * @example\n\t *\n\t * var object = { 'a': [{ 'b': { 'c': 3 } }, 4] };\n\t *\n\t * _.at(object, ['a[0].b.c', 'a[1]']);\n\t * // => [3, 4]\n\t */\n\t var at = flatRest(baseAt);\n\n\t /**\n\t * Creates an object that inherits from the `prototype` object. If a\n\t * `properties` object is given, its own enumerable string keyed properties\n\t * are assigned to the created object.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 2.3.0\n\t * @category Object\n\t * @param {Object} prototype The object to inherit from.\n\t * @param {Object} [properties] The properties to assign to the object.\n\t * @returns {Object} Returns the new object.\n\t * @example\n\t *\n\t * function Shape() {\n\t * this.x = 0;\n\t * this.y = 0;\n\t * }\n\t *\n\t * function Circle() {\n\t * Shape.call(this);\n\t * }\n\t *\n\t * Circle.prototype = _.create(Shape.prototype, {\n\t * 'constructor': Circle\n\t * });\n\t *\n\t * var circle = new Circle;\n\t * circle instanceof Circle;\n\t * // => true\n\t *\n\t * circle instanceof Shape;\n\t * // => true\n\t */\n\t function create(prototype, properties) {\n\t var result = baseCreate(prototype);\n\t return properties == null ? result : baseAssign(result, properties);\n\t }\n\n\t /**\n\t * Assigns own and inherited enumerable string keyed properties of source\n\t * objects to the destination object for all destination properties that\n\t * resolve to `undefined`. Source objects are applied from left to right.\n\t * Once a property is set, additional values of the same property are ignored.\n\t *\n\t * **Note:** This method mutates `object`.\n\t *\n\t * @static\n\t * @since 0.1.0\n\t * @memberOf _\n\t * @category Object\n\t * @param {Object} object The destination object.\n\t * @param {...Object} [sources] The source objects.\n\t * @returns {Object} Returns `object`.\n\t * @see _.defaultsDeep\n\t * @example\n\t *\n\t * _.defaults({ 'a': 1 }, { 'b': 2 }, { 'a': 3 });\n\t * // => { 'a': 1, 'b': 2 }\n\t */\n\t var defaults = baseRest(function(object, sources) {\n\t object = Object(object);\n\n\t var index = -1;\n\t var length = sources.length;\n\t var guard = length > 2 ? sources[2] : undefined$1;\n\n\t if (guard && isIterateeCall(sources[0], sources[1], guard)) {\n\t length = 1;\n\t }\n\n\t while (++index < length) {\n\t var source = sources[index];\n\t var props = keysIn(source);\n\t var propsIndex = -1;\n\t var propsLength = props.length;\n\n\t while (++propsIndex < propsLength) {\n\t var key = props[propsIndex];\n\t var value = object[key];\n\n\t if (value === undefined$1 ||\n\t (eq(value, objectProto[key]) && !hasOwnProperty.call(object, key))) {\n\t object[key] = source[key];\n\t }\n\t }\n\t }\n\n\t return object;\n\t });\n\n\t /**\n\t * This method is like `_.defaults` except that it recursively assigns\n\t * default properties.\n\t *\n\t * **Note:** This method mutates `object`.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 3.10.0\n\t * @category Object\n\t * @param {Object} object The destination object.\n\t * @param {...Object} [sources] The source objects.\n\t * @returns {Object} Returns `object`.\n\t * @see _.defaults\n\t * @example\n\t *\n\t * _.defaultsDeep({ 'a': { 'b': 2 } }, { 'a': { 'b': 1, 'c': 3 } });\n\t * // => { 'a': { 'b': 2, 'c': 3 } }\n\t */\n\t var defaultsDeep = baseRest(function(args) {\n\t args.push(undefined$1, customDefaultsMerge);\n\t return apply(mergeWith, undefined$1, args);\n\t });\n\n\t /**\n\t * This method is like `_.find` except that it returns the key of the first\n\t * element `predicate` returns truthy for instead of the element itself.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 1.1.0\n\t * @category Object\n\t * @param {Object} object The object to inspect.\n\t * @param {Function} [predicate=_.identity] The function invoked per iteration.\n\t * @returns {string|undefined} Returns the key of the matched element,\n\t * else `undefined`.\n\t * @example\n\t *\n\t * var users = {\n\t * 'barney': { 'age': 36, 'active': true },\n\t * 'fred': { 'age': 40, 'active': false },\n\t * 'pebbles': { 'age': 1, 'active': true }\n\t * };\n\t *\n\t * _.findKey(users, function(o) { return o.age < 40; });\n\t * // => 'barney' (iteration order is not guaranteed)\n\t *\n\t * // The `_.matches` iteratee shorthand.\n\t * _.findKey(users, { 'age': 1, 'active': true });\n\t * // => 'pebbles'\n\t *\n\t * // The `_.matchesProperty` iteratee shorthand.\n\t * _.findKey(users, ['active', false]);\n\t * // => 'fred'\n\t *\n\t * // The `_.property` iteratee shorthand.\n\t * _.findKey(users, 'active');\n\t * // => 'barney'\n\t */\n\t function findKey(object, predicate) {\n\t return baseFindKey(object, getIteratee(predicate, 3), baseForOwn);\n\t }\n\n\t /**\n\t * This method is like `_.findKey` except that it iterates over elements of\n\t * a collection in the opposite order.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 2.0.0\n\t * @category Object\n\t * @param {Object} object The object to inspect.\n\t * @param {Function} [predicate=_.identity] The function invoked per iteration.\n\t * @returns {string|undefined} Returns the key of the matched element,\n\t * else `undefined`.\n\t * @example\n\t *\n\t * var users = {\n\t * 'barney': { 'age': 36, 'active': true },\n\t * 'fred': { 'age': 40, 'active': false },\n\t * 'pebbles': { 'age': 1, 'active': true }\n\t * };\n\t *\n\t * _.findLastKey(users, function(o) { return o.age < 40; });\n\t * // => returns 'pebbles' assuming `_.findKey` returns 'barney'\n\t *\n\t * // The `_.matches` iteratee shorthand.\n\t * _.findLastKey(users, { 'age': 36, 'active': true });\n\t * // => 'barney'\n\t *\n\t * // The `_.matchesProperty` iteratee shorthand.\n\t * _.findLastKey(users, ['active', false]);\n\t * // => 'fred'\n\t *\n\t * // The `_.property` iteratee shorthand.\n\t * _.findLastKey(users, 'active');\n\t * // => 'pebbles'\n\t */\n\t function findLastKey(object, predicate) {\n\t return baseFindKey(object, getIteratee(predicate, 3), baseForOwnRight);\n\t }\n\n\t /**\n\t * Iterates over own and inherited enumerable string keyed properties of an\n\t * object and invokes `iteratee` for each property. The iteratee is invoked\n\t * with three arguments: (value, key, object). Iteratee functions may exit\n\t * iteration early by explicitly returning `false`.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 0.3.0\n\t * @category Object\n\t * @param {Object} object The object to iterate over.\n\t * @param {Function} [iteratee=_.identity] The function invoked per iteration.\n\t * @returns {Object} Returns `object`.\n\t * @see _.forInRight\n\t * @example\n\t *\n\t * function Foo() {\n\t * this.a = 1;\n\t * this.b = 2;\n\t * }\n\t *\n\t * Foo.prototype.c = 3;\n\t *\n\t * _.forIn(new Foo, function(value, key) {\n\t * console.log(key);\n\t * });\n\t * // => Logs 'a', 'b', then 'c' (iteration order is not guaranteed).\n\t */\n\t function forIn(object, iteratee) {\n\t return object == null\n\t ? object\n\t : baseFor(object, getIteratee(iteratee, 3), keysIn);\n\t }\n\n\t /**\n\t * This method is like `_.forIn` except that it iterates over properties of\n\t * `object` in the opposite order.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 2.0.0\n\t * @category Object\n\t * @param {Object} object The object to iterate over.\n\t * @param {Function} [iteratee=_.identity] The function invoked per iteration.\n\t * @returns {Object} Returns `object`.\n\t * @see _.forIn\n\t * @example\n\t *\n\t * function Foo() {\n\t * this.a = 1;\n\t * this.b = 2;\n\t * }\n\t *\n\t * Foo.prototype.c = 3;\n\t *\n\t * _.forInRight(new Foo, function(value, key) {\n\t * console.log(key);\n\t * });\n\t * // => Logs 'c', 'b', then 'a' assuming `_.forIn` logs 'a', 'b', then 'c'.\n\t */\n\t function forInRight(object, iteratee) {\n\t return object == null\n\t ? object\n\t : baseForRight(object, getIteratee(iteratee, 3), keysIn);\n\t }\n\n\t /**\n\t * Iterates over own enumerable string keyed properties of an object and\n\t * invokes `iteratee` for each property. The iteratee is invoked with three\n\t * arguments: (value, key, object). Iteratee functions may exit iteration\n\t * early by explicitly returning `false`.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 0.3.0\n\t * @category Object\n\t * @param {Object} object The object to iterate over.\n\t * @param {Function} [iteratee=_.identity] The function invoked per iteration.\n\t * @returns {Object} Returns `object`.\n\t * @see _.forOwnRight\n\t * @example\n\t *\n\t * function Foo() {\n\t * this.a = 1;\n\t * this.b = 2;\n\t * }\n\t *\n\t * Foo.prototype.c = 3;\n\t *\n\t * _.forOwn(new Foo, function(value, key) {\n\t * console.log(key);\n\t * });\n\t * // => Logs 'a' then 'b' (iteration order is not guaranteed).\n\t */\n\t function forOwn(object, iteratee) {\n\t return object && baseForOwn(object, getIteratee(iteratee, 3));\n\t }\n\n\t /**\n\t * This method is like `_.forOwn` except that it iterates over properties of\n\t * `object` in the opposite order.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 2.0.0\n\t * @category Object\n\t * @param {Object} object The object to iterate over.\n\t * @param {Function} [iteratee=_.identity] The function invoked per iteration.\n\t * @returns {Object} Returns `object`.\n\t * @see _.forOwn\n\t * @example\n\t *\n\t * function Foo() {\n\t * this.a = 1;\n\t * this.b = 2;\n\t * }\n\t *\n\t * Foo.prototype.c = 3;\n\t *\n\t * _.forOwnRight(new Foo, function(value, key) {\n\t * console.log(key);\n\t * });\n\t * // => Logs 'b' then 'a' assuming `_.forOwn` logs 'a' then 'b'.\n\t */\n\t function forOwnRight(object, iteratee) {\n\t return object && baseForOwnRight(object, getIteratee(iteratee, 3));\n\t }\n\n\t /**\n\t * Creates an array of function property names from own enumerable properties\n\t * of `object`.\n\t *\n\t * @static\n\t * @since 0.1.0\n\t * @memberOf _\n\t * @category Object\n\t * @param {Object} object The object to inspect.\n\t * @returns {Array} Returns the function names.\n\t * @see _.functionsIn\n\t * @example\n\t *\n\t * function Foo() {\n\t * this.a = _.constant('a');\n\t * this.b = _.constant('b');\n\t * }\n\t *\n\t * Foo.prototype.c = _.constant('c');\n\t *\n\t * _.functions(new Foo);\n\t * // => ['a', 'b']\n\t */\n\t function functions(object) {\n\t return object == null ? [] : baseFunctions(object, keys(object));\n\t }\n\n\t /**\n\t * Creates an array of function property names from own and inherited\n\t * enumerable properties of `object`.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 4.0.0\n\t * @category Object\n\t * @param {Object} object The object to inspect.\n\t * @returns {Array} Returns the function names.\n\t * @see _.functions\n\t * @example\n\t *\n\t * function Foo() {\n\t * this.a = _.constant('a');\n\t * this.b = _.constant('b');\n\t * }\n\t *\n\t * Foo.prototype.c = _.constant('c');\n\t *\n\t * _.functionsIn(new Foo);\n\t * // => ['a', 'b', 'c']\n\t */\n\t function functionsIn(object) {\n\t return object == null ? [] : baseFunctions(object, keysIn(object));\n\t }\n\n\t /**\n\t * Gets the value at `path` of `object`. If the resolved value is\n\t * `undefined`, the `defaultValue` is returned in its place.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 3.7.0\n\t * @category Object\n\t * @param {Object} object The object to query.\n\t * @param {Array|string} path The path of the property to get.\n\t * @param {*} [defaultValue] The value returned for `undefined` resolved values.\n\t * @returns {*} Returns the resolved value.\n\t * @example\n\t *\n\t * var object = { 'a': [{ 'b': { 'c': 3 } }] };\n\t *\n\t * _.get(object, 'a[0].b.c');\n\t * // => 3\n\t *\n\t * _.get(object, ['a', '0', 'b', 'c']);\n\t * // => 3\n\t *\n\t * _.get(object, 'a.b.c', 'default');\n\t * // => 'default'\n\t */\n\t function get(object, path, defaultValue) {\n\t var result = object == null ? undefined$1 : baseGet(object, path);\n\t return result === undefined$1 ? defaultValue : result;\n\t }\n\n\t /**\n\t * Checks if `path` is a direct property of `object`.\n\t *\n\t * @static\n\t * @since 0.1.0\n\t * @memberOf _\n\t * @category Object\n\t * @param {Object} object The object to query.\n\t * @param {Array|string} path The path to check.\n\t * @returns {boolean} Returns `true` if `path` exists, else `false`.\n\t * @example\n\t *\n\t * var object = { 'a': { 'b': 2 } };\n\t * var other = _.create({ 'a': _.create({ 'b': 2 }) });\n\t *\n\t * _.has(object, 'a');\n\t * // => true\n\t *\n\t * _.has(object, 'a.b');\n\t * // => true\n\t *\n\t * _.has(object, ['a', 'b']);\n\t * // => true\n\t *\n\t * _.has(other, 'a');\n\t * // => false\n\t */\n\t function has(object, path) {\n\t return object != null && hasPath(object, path, baseHas);\n\t }\n\n\t /**\n\t * Checks if `path` is a direct or inherited property of `object`.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 4.0.0\n\t * @category Object\n\t * @param {Object} object The object to query.\n\t * @param {Array|string} path The path to check.\n\t * @returns {boolean} Returns `true` if `path` exists, else `false`.\n\t * @example\n\t *\n\t * var object = _.create({ 'a': _.create({ 'b': 2 }) });\n\t *\n\t * _.hasIn(object, 'a');\n\t * // => true\n\t *\n\t * _.hasIn(object, 'a.b');\n\t * // => true\n\t *\n\t * _.hasIn(object, ['a', 'b']);\n\t * // => true\n\t *\n\t * _.hasIn(object, 'b');\n\t * // => false\n\t */\n\t function hasIn(object, path) {\n\t return object != null && hasPath(object, path, baseHasIn);\n\t }\n\n\t /**\n\t * Creates an object composed of the inverted keys and values of `object`.\n\t * If `object` contains duplicate values, subsequent values overwrite\n\t * property assignments of previous values.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 0.7.0\n\t * @category Object\n\t * @param {Object} object The object to invert.\n\t * @returns {Object} Returns the new inverted object.\n\t * @example\n\t *\n\t * var object = { 'a': 1, 'b': 2, 'c': 1 };\n\t *\n\t * _.invert(object);\n\t * // => { '1': 'c', '2': 'b' }\n\t */\n\t var invert = createInverter(function(result, value, key) {\n\t if (value != null &&\n\t typeof value.toString != 'function') {\n\t value = nativeObjectToString.call(value);\n\t }\n\n\t result[value] = key;\n\t }, constant(identity));\n\n\t /**\n\t * This method is like `_.invert` except that the inverted object is generated\n\t * from the results of running each element of `object` thru `iteratee`. The\n\t * corresponding inverted value of each inverted key is an array of keys\n\t * responsible for generating the inverted value. The iteratee is invoked\n\t * with one argument: (value).\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 4.1.0\n\t * @category Object\n\t * @param {Object} object The object to invert.\n\t * @param {Function} [iteratee=_.identity] The iteratee invoked per element.\n\t * @returns {Object} Returns the new inverted object.\n\t * @example\n\t *\n\t * var object = { 'a': 1, 'b': 2, 'c': 1 };\n\t *\n\t * _.invertBy(object);\n\t * // => { '1': ['a', 'c'], '2': ['b'] }\n\t *\n\t * _.invertBy(object, function(value) {\n\t * return 'group' + value;\n\t * });\n\t * // => { 'group1': ['a', 'c'], 'group2': ['b'] }\n\t */\n\t var invertBy = createInverter(function(result, value, key) {\n\t if (value != null &&\n\t typeof value.toString != 'function') {\n\t value = nativeObjectToString.call(value);\n\t }\n\n\t if (hasOwnProperty.call(result, value)) {\n\t result[value].push(key);\n\t } else {\n\t result[value] = [key];\n\t }\n\t }, getIteratee);\n\n\t /**\n\t * Invokes the method at `path` of `object`.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 4.0.0\n\t * @category Object\n\t * @param {Object} object The object to query.\n\t * @param {Array|string} path The path of the method to invoke.\n\t * @param {...*} [args] The arguments to invoke the method with.\n\t * @returns {*} Returns the result of the invoked method.\n\t * @example\n\t *\n\t * var object = { 'a': [{ 'b': { 'c': [1, 2, 3, 4] } }] };\n\t *\n\t * _.invoke(object, 'a[0].b.c.slice', 1, 3);\n\t * // => [2, 3]\n\t */\n\t var invoke = baseRest(baseInvoke);\n\n\t /**\n\t * Creates an array of the own enumerable property names of `object`.\n\t *\n\t * **Note:** Non-object values are coerced to objects. See the\n\t * [ES spec](http://ecma-international.org/ecma-262/7.0/#sec-object.keys)\n\t * for more details.\n\t *\n\t * @static\n\t * @since 0.1.0\n\t * @memberOf _\n\t * @category Object\n\t * @param {Object} object The object to query.\n\t * @returns {Array} Returns the array of property names.\n\t * @example\n\t *\n\t * function Foo() {\n\t * this.a = 1;\n\t * this.b = 2;\n\t * }\n\t *\n\t * Foo.prototype.c = 3;\n\t *\n\t * _.keys(new Foo);\n\t * // => ['a', 'b'] (iteration order is not guaranteed)\n\t *\n\t * _.keys('hi');\n\t * // => ['0', '1']\n\t */\n\t function keys(object) {\n\t return isArrayLike(object) ? arrayLikeKeys(object) : baseKeys(object);\n\t }\n\n\t /**\n\t * Creates an array of the own and inherited enumerable property names of `object`.\n\t *\n\t * **Note:** Non-object values are coerced to objects.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 3.0.0\n\t * @category Object\n\t * @param {Object} object The object to query.\n\t * @returns {Array} Returns the array of property names.\n\t * @example\n\t *\n\t * function Foo() {\n\t * this.a = 1;\n\t * this.b = 2;\n\t * }\n\t *\n\t * Foo.prototype.c = 3;\n\t *\n\t * _.keysIn(new Foo);\n\t * // => ['a', 'b', 'c'] (iteration order is not guaranteed)\n\t */\n\t function keysIn(object) {\n\t return isArrayLike(object) ? arrayLikeKeys(object, true) : baseKeysIn(object);\n\t }\n\n\t /**\n\t * The opposite of `_.mapValues`; this method creates an object with the\n\t * same values as `object` and keys generated by running each own enumerable\n\t * string keyed property of `object` thru `iteratee`. The iteratee is invoked\n\t * with three arguments: (value, key, object).\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 3.8.0\n\t * @category Object\n\t * @param {Object} object The object to iterate over.\n\t * @param {Function} [iteratee=_.identity] The function invoked per iteration.\n\t * @returns {Object} Returns the new mapped object.\n\t * @see _.mapValues\n\t * @example\n\t *\n\t * _.mapKeys({ 'a': 1, 'b': 2 }, function(value, key) {\n\t * return key + value;\n\t * });\n\t * // => { 'a1': 1, 'b2': 2 }\n\t */\n\t function mapKeys(object, iteratee) {\n\t var result = {};\n\t iteratee = getIteratee(iteratee, 3);\n\n\t baseForOwn(object, function(value, key, object) {\n\t baseAssignValue(result, iteratee(value, key, object), value);\n\t });\n\t return result;\n\t }\n\n\t /**\n\t * Creates an object with the same keys as `object` and values generated\n\t * by running each own enumerable string keyed property of `object` thru\n\t * `iteratee`. The iteratee is invoked with three arguments:\n\t * (value, key, object).\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 2.4.0\n\t * @category Object\n\t * @param {Object} object The object to iterate over.\n\t * @param {Function} [iteratee=_.identity] The function invoked per iteration.\n\t * @returns {Object} Returns the new mapped object.\n\t * @see _.mapKeys\n\t * @example\n\t *\n\t * var users = {\n\t * 'fred': { 'user': 'fred', 'age': 40 },\n\t * 'pebbles': { 'user': 'pebbles', 'age': 1 }\n\t * };\n\t *\n\t * _.mapValues(users, function(o) { return o.age; });\n\t * // => { 'fred': 40, 'pebbles': 1 } (iteration order is not guaranteed)\n\t *\n\t * // The `_.property` iteratee shorthand.\n\t * _.mapValues(users, 'age');\n\t * // => { 'fred': 40, 'pebbles': 1 } (iteration order is not guaranteed)\n\t */\n\t function mapValues(object, iteratee) {\n\t var result = {};\n\t iteratee = getIteratee(iteratee, 3);\n\n\t baseForOwn(object, function(value, key, object) {\n\t baseAssignValue(result, key, iteratee(value, key, object));\n\t });\n\t return result;\n\t }\n\n\t /**\n\t * This method is like `_.assign` except that it recursively merges own and\n\t * inherited enumerable string keyed properties of source objects into the\n\t * destination object. Source properties that resolve to `undefined` are\n\t * skipped if a destination value exists. Array and plain object properties\n\t * are merged recursively. Other objects and value types are overridden by\n\t * assignment. Source objects are applied from left to right. Subsequent\n\t * sources overwrite property assignments of previous sources.\n\t *\n\t * **Note:** This method mutates `object`.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 0.5.0\n\t * @category Object\n\t * @param {Object} object The destination object.\n\t * @param {...Object} [sources] The source objects.\n\t * @returns {Object} Returns `object`.\n\t * @example\n\t *\n\t * var object = {\n\t * 'a': [{ 'b': 2 }, { 'd': 4 }]\n\t * };\n\t *\n\t * var other = {\n\t * 'a': [{ 'c': 3 }, { 'e': 5 }]\n\t * };\n\t *\n\t * _.merge(object, other);\n\t * // => { 'a': [{ 'b': 2, 'c': 3 }, { 'd': 4, 'e': 5 }] }\n\t */\n\t var merge = createAssigner(function(object, source, srcIndex) {\n\t baseMerge(object, source, srcIndex);\n\t });\n\n\t /**\n\t * This method is like `_.merge` except that it accepts `customizer` which\n\t * is invoked to produce the merged values of the destination and source\n\t * properties. If `customizer` returns `undefined`, merging is handled by the\n\t * method instead. The `customizer` is invoked with six arguments:\n\t * (objValue, srcValue, key, object, source, stack).\n\t *\n\t * **Note:** This method mutates `object`.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 4.0.0\n\t * @category Object\n\t * @param {Object} object The destination object.\n\t * @param {...Object} sources The source objects.\n\t * @param {Function} customizer The function to customize assigned values.\n\t * @returns {Object} Returns `object`.\n\t * @example\n\t *\n\t * function customizer(objValue, srcValue) {\n\t * if (_.isArray(objValue)) {\n\t * return objValue.concat(srcValue);\n\t * }\n\t * }\n\t *\n\t * var object = { 'a': [1], 'b': [2] };\n\t * var other = { 'a': [3], 'b': [4] };\n\t *\n\t * _.mergeWith(object, other, customizer);\n\t * // => { 'a': [1, 3], 'b': [2, 4] }\n\t */\n\t var mergeWith = createAssigner(function(object, source, srcIndex, customizer) {\n\t baseMerge(object, source, srcIndex, customizer);\n\t });\n\n\t /**\n\t * The opposite of `_.pick`; this method creates an object composed of the\n\t * own and inherited enumerable property paths of `object` that are not omitted.\n\t *\n\t * **Note:** This method is considerably slower than `_.pick`.\n\t *\n\t * @static\n\t * @since 0.1.0\n\t * @memberOf _\n\t * @category Object\n\t * @param {Object} object The source object.\n\t * @param {...(string|string[])} [paths] The property paths to omit.\n\t * @returns {Object} Returns the new object.\n\t * @example\n\t *\n\t * var object = { 'a': 1, 'b': '2', 'c': 3 };\n\t *\n\t * _.omit(object, ['a', 'c']);\n\t * // => { 'b': '2' }\n\t */\n\t var omit = flatRest(function(object, paths) {\n\t var result = {};\n\t if (object == null) {\n\t return result;\n\t }\n\t var isDeep = false;\n\t paths = arrayMap(paths, function(path) {\n\t path = castPath(path, object);\n\t isDeep || (isDeep = path.length > 1);\n\t return path;\n\t });\n\t copyObject(object, getAllKeysIn(object), result);\n\t if (isDeep) {\n\t result = baseClone(result, CLONE_DEEP_FLAG | CLONE_FLAT_FLAG | CLONE_SYMBOLS_FLAG, customOmitClone);\n\t }\n\t var length = paths.length;\n\t while (length--) {\n\t baseUnset(result, paths[length]);\n\t }\n\t return result;\n\t });\n\n\t /**\n\t * The opposite of `_.pickBy`; this method creates an object composed of\n\t * the own and inherited enumerable string keyed properties of `object` that\n\t * `predicate` doesn't return truthy for. The predicate is invoked with two\n\t * arguments: (value, key).\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 4.0.0\n\t * @category Object\n\t * @param {Object} object The source object.\n\t * @param {Function} [predicate=_.identity] The function invoked per property.\n\t * @returns {Object} Returns the new object.\n\t * @example\n\t *\n\t * var object = { 'a': 1, 'b': '2', 'c': 3 };\n\t *\n\t * _.omitBy(object, _.isNumber);\n\t * // => { 'b': '2' }\n\t */\n\t function omitBy(object, predicate) {\n\t return pickBy(object, negate(getIteratee(predicate)));\n\t }\n\n\t /**\n\t * Creates an object composed of the picked `object` properties.\n\t *\n\t * @static\n\t * @since 0.1.0\n\t * @memberOf _\n\t * @category Object\n\t * @param {Object} object The source object.\n\t * @param {...(string|string[])} [paths] The property paths to pick.\n\t * @returns {Object} Returns the new object.\n\t * @example\n\t *\n\t * var object = { 'a': 1, 'b': '2', 'c': 3 };\n\t *\n\t * _.pick(object, ['a', 'c']);\n\t * // => { 'a': 1, 'c': 3 }\n\t */\n\t var pick = flatRest(function(object, paths) {\n\t return object == null ? {} : basePick(object, paths);\n\t });\n\n\t /**\n\t * Creates an object composed of the `object` properties `predicate` returns\n\t * truthy for. The predicate is invoked with two arguments: (value, key).\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 4.0.0\n\t * @category Object\n\t * @param {Object} object The source object.\n\t * @param {Function} [predicate=_.identity] The function invoked per property.\n\t * @returns {Object} Returns the new object.\n\t * @example\n\t *\n\t * var object = { 'a': 1, 'b': '2', 'c': 3 };\n\t *\n\t * _.pickBy(object, _.isNumber);\n\t * // => { 'a': 1, 'c': 3 }\n\t */\n\t function pickBy(object, predicate) {\n\t if (object == null) {\n\t return {};\n\t }\n\t var props = arrayMap(getAllKeysIn(object), function(prop) {\n\t return [prop];\n\t });\n\t predicate = getIteratee(predicate);\n\t return basePickBy(object, props, function(value, path) {\n\t return predicate(value, path[0]);\n\t });\n\t }\n\n\t /**\n\t * This method is like `_.get` except that if the resolved value is a\n\t * function it's invoked with the `this` binding of its parent object and\n\t * its result is returned.\n\t *\n\t * @static\n\t * @since 0.1.0\n\t * @memberOf _\n\t * @category Object\n\t * @param {Object} object The object to query.\n\t * @param {Array|string} path The path of the property to resolve.\n\t * @param {*} [defaultValue] The value returned for `undefined` resolved values.\n\t * @returns {*} Returns the resolved value.\n\t * @example\n\t *\n\t * var object = { 'a': [{ 'b': { 'c1': 3, 'c2': _.constant(4) } }] };\n\t *\n\t * _.result(object, 'a[0].b.c1');\n\t * // => 3\n\t *\n\t * _.result(object, 'a[0].b.c2');\n\t * // => 4\n\t *\n\t * _.result(object, 'a[0].b.c3', 'default');\n\t * // => 'default'\n\t *\n\t * _.result(object, 'a[0].b.c3', _.constant('default'));\n\t * // => 'default'\n\t */\n\t function result(object, path, defaultValue) {\n\t path = castPath(path, object);\n\n\t var index = -1,\n\t length = path.length;\n\n\t // Ensure the loop is entered when path is empty.\n\t if (!length) {\n\t length = 1;\n\t object = undefined$1;\n\t }\n\t while (++index < length) {\n\t var value = object == null ? undefined$1 : object[toKey(path[index])];\n\t if (value === undefined$1) {\n\t index = length;\n\t value = defaultValue;\n\t }\n\t object = isFunction(value) ? value.call(object) : value;\n\t }\n\t return object;\n\t }\n\n\t /**\n\t * Sets the value at `path` of `object`. If a portion of `path` doesn't exist,\n\t * it's created. Arrays are created for missing index properties while objects\n\t * are created for all other missing properties. Use `_.setWith` to customize\n\t * `path` creation.\n\t *\n\t * **Note:** This method mutates `object`.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 3.7.0\n\t * @category Object\n\t * @param {Object} object The object to modify.\n\t * @param {Array|string} path The path of the property to set.\n\t * @param {*} value The value to set.\n\t * @returns {Object} Returns `object`.\n\t * @example\n\t *\n\t * var object = { 'a': [{ 'b': { 'c': 3 } }] };\n\t *\n\t * _.set(object, 'a[0].b.c', 4);\n\t * console.log(object.a[0].b.c);\n\t * // => 4\n\t *\n\t * _.set(object, ['x', '0', 'y', 'z'], 5);\n\t * console.log(object.x[0].y.z);\n\t * // => 5\n\t */\n\t function set(object, path, value) {\n\t return object == null ? object : baseSet(object, path, value);\n\t }\n\n\t /**\n\t * This method is like `_.set` except that it accepts `customizer` which is\n\t * invoked to produce the objects of `path`. If `customizer` returns `undefined`\n\t * path creation is handled by the method instead. The `customizer` is invoked\n\t * with three arguments: (nsValue, key, nsObject).\n\t *\n\t * **Note:** This method mutates `object`.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 4.0.0\n\t * @category Object\n\t * @param {Object} object The object to modify.\n\t * @param {Array|string} path The path of the property to set.\n\t * @param {*} value The value to set.\n\t * @param {Function} [customizer] The function to customize assigned values.\n\t * @returns {Object} Returns `object`.\n\t * @example\n\t *\n\t * var object = {};\n\t *\n\t * _.setWith(object, '[0][1]', 'a', Object);\n\t * // => { '0': { '1': 'a' } }\n\t */\n\t function setWith(object, path, value, customizer) {\n\t customizer = typeof customizer == 'function' ? customizer : undefined$1;\n\t return object == null ? object : baseSet(object, path, value, customizer);\n\t }\n\n\t /**\n\t * Creates an array of own enumerable string keyed-value pairs for `object`\n\t * which can be consumed by `_.fromPairs`. If `object` is a map or set, its\n\t * entries are returned.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 4.0.0\n\t * @alias entries\n\t * @category Object\n\t * @param {Object} object The object to query.\n\t * @returns {Array} Returns the key-value pairs.\n\t * @example\n\t *\n\t * function Foo() {\n\t * this.a = 1;\n\t * this.b = 2;\n\t * }\n\t *\n\t * Foo.prototype.c = 3;\n\t *\n\t * _.toPairs(new Foo);\n\t * // => [['a', 1], ['b', 2]] (iteration order is not guaranteed)\n\t */\n\t var toPairs = createToPairs(keys);\n\n\t /**\n\t * Creates an array of own and inherited enumerable string keyed-value pairs\n\t * for `object` which can be consumed by `_.fromPairs`. If `object` is a map\n\t * or set, its entries are returned.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 4.0.0\n\t * @alias entriesIn\n\t * @category Object\n\t * @param {Object} object The object to query.\n\t * @returns {Array} Returns the key-value pairs.\n\t * @example\n\t *\n\t * function Foo() {\n\t * this.a = 1;\n\t * this.b = 2;\n\t * }\n\t *\n\t * Foo.prototype.c = 3;\n\t *\n\t * _.toPairsIn(new Foo);\n\t * // => [['a', 1], ['b', 2], ['c', 3]] (iteration order is not guaranteed)\n\t */\n\t var toPairsIn = createToPairs(keysIn);\n\n\t /**\n\t * An alternative to `_.reduce`; this method transforms `object` to a new\n\t * `accumulator` object which is the result of running each of its own\n\t * enumerable string keyed properties thru `iteratee`, with each invocation\n\t * potentially mutating the `accumulator` object. If `accumulator` is not\n\t * provided, a new object with the same `[[Prototype]]` will be used. The\n\t * iteratee is invoked with four arguments: (accumulator, value, key, object).\n\t * Iteratee functions may exit iteration early by explicitly returning `false`.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 1.3.0\n\t * @category Object\n\t * @param {Object} object The object to iterate over.\n\t * @param {Function} [iteratee=_.identity] The function invoked per iteration.\n\t * @param {*} [accumulator] The custom accumulator value.\n\t * @returns {*} Returns the accumulated value.\n\t * @example\n\t *\n\t * _.transform([2, 3, 4], function(result, n) {\n\t * result.push(n *= n);\n\t * return n % 2 == 0;\n\t * }, []);\n\t * // => [4, 9]\n\t *\n\t * _.transform({ 'a': 1, 'b': 2, 'c': 1 }, function(result, value, key) {\n\t * (result[value] || (result[value] = [])).push(key);\n\t * }, {});\n\t * // => { '1': ['a', 'c'], '2': ['b'] }\n\t */\n\t function transform(object, iteratee, accumulator) {\n\t var isArr = isArray(object),\n\t isArrLike = isArr || isBuffer(object) || isTypedArray(object);\n\n\t iteratee = getIteratee(iteratee, 4);\n\t if (accumulator == null) {\n\t var Ctor = object && object.constructor;\n\t if (isArrLike) {\n\t accumulator = isArr ? new Ctor : [];\n\t }\n\t else if (isObject(object)) {\n\t accumulator = isFunction(Ctor) ? baseCreate(getPrototype(object)) : {};\n\t }\n\t else {\n\t accumulator = {};\n\t }\n\t }\n\t (isArrLike ? arrayEach : baseForOwn)(object, function(value, index, object) {\n\t return iteratee(accumulator, value, index, object);\n\t });\n\t return accumulator;\n\t }\n\n\t /**\n\t * Removes the property at `path` of `object`.\n\t *\n\t * **Note:** This method mutates `object`.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 4.0.0\n\t * @category Object\n\t * @param {Object} object The object to modify.\n\t * @param {Array|string} path The path of the property to unset.\n\t * @returns {boolean} Returns `true` if the property is deleted, else `false`.\n\t * @example\n\t *\n\t * var object = { 'a': [{ 'b': { 'c': 7 } }] };\n\t * _.unset(object, 'a[0].b.c');\n\t * // => true\n\t *\n\t * console.log(object);\n\t * // => { 'a': [{ 'b': {} }] };\n\t *\n\t * _.unset(object, ['a', '0', 'b', 'c']);\n\t * // => true\n\t *\n\t * console.log(object);\n\t * // => { 'a': [{ 'b': {} }] };\n\t */\n\t function unset(object, path) {\n\t return object == null ? true : baseUnset(object, path);\n\t }\n\n\t /**\n\t * This method is like `_.set` except that accepts `updater` to produce the\n\t * value to set. Use `_.updateWith` to customize `path` creation. The `updater`\n\t * is invoked with one argument: (value).\n\t *\n\t * **Note:** This method mutates `object`.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 4.6.0\n\t * @category Object\n\t * @param {Object} object The object to modify.\n\t * @param {Array|string} path The path of the property to set.\n\t * @param {Function} updater The function to produce the updated value.\n\t * @returns {Object} Returns `object`.\n\t * @example\n\t *\n\t * var object = { 'a': [{ 'b': { 'c': 3 } }] };\n\t *\n\t * _.update(object, 'a[0].b.c', function(n) { return n * n; });\n\t * console.log(object.a[0].b.c);\n\t * // => 9\n\t *\n\t * _.update(object, 'x[0].y.z', function(n) { return n ? n + 1 : 0; });\n\t * console.log(object.x[0].y.z);\n\t * // => 0\n\t */\n\t function update(object, path, updater) {\n\t return object == null ? object : baseUpdate(object, path, castFunction(updater));\n\t }\n\n\t /**\n\t * This method is like `_.update` except that it accepts `customizer` which is\n\t * invoked to produce the objects of `path`. If `customizer` returns `undefined`\n\t * path creation is handled by the method instead. The `customizer` is invoked\n\t * with three arguments: (nsValue, key, nsObject).\n\t *\n\t * **Note:** This method mutates `object`.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 4.6.0\n\t * @category Object\n\t * @param {Object} object The object to modify.\n\t * @param {Array|string} path The path of the property to set.\n\t * @param {Function} updater The function to produce the updated value.\n\t * @param {Function} [customizer] The function to customize assigned values.\n\t * @returns {Object} Returns `object`.\n\t * @example\n\t *\n\t * var object = {};\n\t *\n\t * _.updateWith(object, '[0][1]', _.constant('a'), Object);\n\t * // => { '0': { '1': 'a' } }\n\t */\n\t function updateWith(object, path, updater, customizer) {\n\t customizer = typeof customizer == 'function' ? customizer : undefined$1;\n\t return object == null ? object : baseUpdate(object, path, castFunction(updater), customizer);\n\t }\n\n\t /**\n\t * Creates an array of the own enumerable string keyed property values of `object`.\n\t *\n\t * **Note:** Non-object values are coerced to objects.\n\t *\n\t * @static\n\t * @since 0.1.0\n\t * @memberOf _\n\t * @category Object\n\t * @param {Object} object The object to query.\n\t * @returns {Array} Returns the array of property values.\n\t * @example\n\t *\n\t * function Foo() {\n\t * this.a = 1;\n\t * this.b = 2;\n\t * }\n\t *\n\t * Foo.prototype.c = 3;\n\t *\n\t * _.values(new Foo);\n\t * // => [1, 2] (iteration order is not guaranteed)\n\t *\n\t * _.values('hi');\n\t * // => ['h', 'i']\n\t */\n\t function values(object) {\n\t return object == null ? [] : baseValues(object, keys(object));\n\t }\n\n\t /**\n\t * Creates an array of the own and inherited enumerable string keyed property\n\t * values of `object`.\n\t *\n\t * **Note:** Non-object values are coerced to objects.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 3.0.0\n\t * @category Object\n\t * @param {Object} object The object to query.\n\t * @returns {Array} Returns the array of property values.\n\t * @example\n\t *\n\t * function Foo() {\n\t * this.a = 1;\n\t * this.b = 2;\n\t * }\n\t *\n\t * Foo.prototype.c = 3;\n\t *\n\t * _.valuesIn(new Foo);\n\t * // => [1, 2, 3] (iteration order is not guaranteed)\n\t */\n\t function valuesIn(object) {\n\t return object == null ? [] : baseValues(object, keysIn(object));\n\t }\n\n\t /*------------------------------------------------------------------------*/\n\n\t /**\n\t * Clamps `number` within the inclusive `lower` and `upper` bounds.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 4.0.0\n\t * @category Number\n\t * @param {number} number The number to clamp.\n\t * @param {number} [lower] The lower bound.\n\t * @param {number} upper The upper bound.\n\t * @returns {number} Returns the clamped number.\n\t * @example\n\t *\n\t * _.clamp(-10, -5, 5);\n\t * // => -5\n\t *\n\t * _.clamp(10, -5, 5);\n\t * // => 5\n\t */\n\t function clamp(number, lower, upper) {\n\t if (upper === undefined$1) {\n\t upper = lower;\n\t lower = undefined$1;\n\t }\n\t if (upper !== undefined$1) {\n\t upper = toNumber(upper);\n\t upper = upper === upper ? upper : 0;\n\t }\n\t if (lower !== undefined$1) {\n\t lower = toNumber(lower);\n\t lower = lower === lower ? lower : 0;\n\t }\n\t return baseClamp(toNumber(number), lower, upper);\n\t }\n\n\t /**\n\t * Checks if `n` is between `start` and up to, but not including, `end`. If\n\t * `end` is not specified, it's set to `start` with `start` then set to `0`.\n\t * If `start` is greater than `end` the params are swapped to support\n\t * negative ranges.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 3.3.0\n\t * @category Number\n\t * @param {number} number The number to check.\n\t * @param {number} [start=0] The start of the range.\n\t * @param {number} end The end of the range.\n\t * @returns {boolean} Returns `true` if `number` is in the range, else `false`.\n\t * @see _.range, _.rangeRight\n\t * @example\n\t *\n\t * _.inRange(3, 2, 4);\n\t * // => true\n\t *\n\t * _.inRange(4, 8);\n\t * // => true\n\t *\n\t * _.inRange(4, 2);\n\t * // => false\n\t *\n\t * _.inRange(2, 2);\n\t * // => false\n\t *\n\t * _.inRange(1.2, 2);\n\t * // => true\n\t *\n\t * _.inRange(5.2, 4);\n\t * // => false\n\t *\n\t * _.inRange(-3, -2, -6);\n\t * // => true\n\t */\n\t function inRange(number, start, end) {\n\t start = toFinite(start);\n\t if (end === undefined$1) {\n\t end = start;\n\t start = 0;\n\t } else {\n\t end = toFinite(end);\n\t }\n\t number = toNumber(number);\n\t return baseInRange(number, start, end);\n\t }\n\n\t /**\n\t * Produces a random number between the inclusive `lower` and `upper` bounds.\n\t * If only one argument is provided a number between `0` and the given number\n\t * is returned. If `floating` is `true`, or either `lower` or `upper` are\n\t * floats, a floating-point number is returned instead of an integer.\n\t *\n\t * **Note:** JavaScript follows the IEEE-754 standard for resolving\n\t * floating-point values which can produce unexpected results.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 0.7.0\n\t * @category Number\n\t * @param {number} [lower=0] The lower bound.\n\t * @param {number} [upper=1] The upper bound.\n\t * @param {boolean} [floating] Specify returning a floating-point number.\n\t * @returns {number} Returns the random number.\n\t * @example\n\t *\n\t * _.random(0, 5);\n\t * // => an integer between 0 and 5\n\t *\n\t * _.random(5);\n\t * // => also an integer between 0 and 5\n\t *\n\t * _.random(5, true);\n\t * // => a floating-point number between 0 and 5\n\t *\n\t * _.random(1.2, 5.2);\n\t * // => a floating-point number between 1.2 and 5.2\n\t */\n\t function random(lower, upper, floating) {\n\t if (floating && typeof floating != 'boolean' && isIterateeCall(lower, upper, floating)) {\n\t upper = floating = undefined$1;\n\t }\n\t if (floating === undefined$1) {\n\t if (typeof upper == 'boolean') {\n\t floating = upper;\n\t upper = undefined$1;\n\t }\n\t else if (typeof lower == 'boolean') {\n\t floating = lower;\n\t lower = undefined$1;\n\t }\n\t }\n\t if (lower === undefined$1 && upper === undefined$1) {\n\t lower = 0;\n\t upper = 1;\n\t }\n\t else {\n\t lower = toFinite(lower);\n\t if (upper === undefined$1) {\n\t upper = lower;\n\t lower = 0;\n\t } else {\n\t upper = toFinite(upper);\n\t }\n\t }\n\t if (lower > upper) {\n\t var temp = lower;\n\t lower = upper;\n\t upper = temp;\n\t }\n\t if (floating || lower % 1 || upper % 1) {\n\t var rand = nativeRandom();\n\t return nativeMin(lower + (rand * (upper - lower + freeParseFloat('1e-' + ((rand + '').length - 1)))), upper);\n\t }\n\t return baseRandom(lower, upper);\n\t }\n\n\t /*------------------------------------------------------------------------*/\n\n\t /**\n\t * Converts `string` to [camel case](https://en.wikipedia.org/wiki/CamelCase).\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 3.0.0\n\t * @category String\n\t * @param {string} [string=''] The string to convert.\n\t * @returns {string} Returns the camel cased string.\n\t * @example\n\t *\n\t * _.camelCase('Foo Bar');\n\t * // => 'fooBar'\n\t *\n\t * _.camelCase('--foo-bar--');\n\t * // => 'fooBar'\n\t *\n\t * _.camelCase('__FOO_BAR__');\n\t * // => 'fooBar'\n\t */\n\t var camelCase = createCompounder(function(result, word, index) {\n\t word = word.toLowerCase();\n\t return result + (index ? capitalize(word) : word);\n\t });\n\n\t /**\n\t * Converts the first character of `string` to upper case and the remaining\n\t * to lower case.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 3.0.0\n\t * @category String\n\t * @param {string} [string=''] The string to capitalize.\n\t * @returns {string} Returns the capitalized string.\n\t * @example\n\t *\n\t * _.capitalize('FRED');\n\t * // => 'Fred'\n\t */\n\t function capitalize(string) {\n\t return upperFirst(toString(string).toLowerCase());\n\t }\n\n\t /**\n\t * Deburrs `string` by converting\n\t * [Latin-1 Supplement](https://en.wikipedia.org/wiki/Latin-1_Supplement_(Unicode_block)#Character_table)\n\t * and [Latin Extended-A](https://en.wikipedia.org/wiki/Latin_Extended-A)\n\t * letters to basic Latin letters and removing\n\t * [combining diacritical marks](https://en.wikipedia.org/wiki/Combining_Diacritical_Marks).\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 3.0.0\n\t * @category String\n\t * @param {string} [string=''] The string to deburr.\n\t * @returns {string} Returns the deburred string.\n\t * @example\n\t *\n\t * _.deburr('déjà vu');\n\t * // => 'deja vu'\n\t */\n\t function deburr(string) {\n\t string = toString(string);\n\t return string && string.replace(reLatin, deburrLetter).replace(reComboMark, '');\n\t }\n\n\t /**\n\t * Checks if `string` ends with the given target string.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 3.0.0\n\t * @category String\n\t * @param {string} [string=''] The string to inspect.\n\t * @param {string} [target] The string to search for.\n\t * @param {number} [position=string.length] The position to search up to.\n\t * @returns {boolean} Returns `true` if `string` ends with `target`,\n\t * else `false`.\n\t * @example\n\t *\n\t * _.endsWith('abc', 'c');\n\t * // => true\n\t *\n\t * _.endsWith('abc', 'b');\n\t * // => false\n\t *\n\t * _.endsWith('abc', 'b', 2);\n\t * // => true\n\t */\n\t function endsWith(string, target, position) {\n\t string = toString(string);\n\t target = baseToString(target);\n\n\t var length = string.length;\n\t position = position === undefined$1\n\t ? length\n\t : baseClamp(toInteger(position), 0, length);\n\n\t var end = position;\n\t position -= target.length;\n\t return position >= 0 && string.slice(position, end) == target;\n\t }\n\n\t /**\n\t * Converts the characters \"&\", \"<\", \">\", '\"', and \"'\" in `string` to their\n\t * corresponding HTML entities.\n\t *\n\t * **Note:** No other characters are escaped. To escape additional\n\t * characters use a third-party library like [_he_](https://mths.be/he).\n\t *\n\t * Though the \">\" character is escaped for symmetry, characters like\n\t * \">\" and \"/\" don't need escaping in HTML and have no special meaning\n\t * unless they're part of a tag or unquoted attribute value. See\n\t * [Mathias Bynens's article](https://mathiasbynens.be/notes/ambiguous-ampersands)\n\t * (under \"semi-related fun fact\") for more details.\n\t *\n\t * When working with HTML you should always\n\t * [quote attribute values](http://wonko.com/post/html-escaping) to reduce\n\t * XSS vectors.\n\t *\n\t * @static\n\t * @since 0.1.0\n\t * @memberOf _\n\t * @category String\n\t * @param {string} [string=''] The string to escape.\n\t * @returns {string} Returns the escaped string.\n\t * @example\n\t *\n\t * _.escape('fred, barney, & pebbles');\n\t * // => 'fred, barney, & pebbles'\n\t */\n\t function escape(string) {\n\t string = toString(string);\n\t return (string && reHasUnescapedHtml.test(string))\n\t ? string.replace(reUnescapedHtml, escapeHtmlChar)\n\t : string;\n\t }\n\n\t /**\n\t * Escapes the `RegExp` special characters \"^\", \"$\", \"\\\", \".\", \"*\", \"+\",\n\t * \"?\", \"(\", \")\", \"[\", \"]\", \"{\", \"}\", and \"|\" in `string`.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 3.0.0\n\t * @category String\n\t * @param {string} [string=''] The string to escape.\n\t * @returns {string} Returns the escaped string.\n\t * @example\n\t *\n\t * _.escapeRegExp('[lodash](https://lodash.com/)');\n\t * // => '\\[lodash\\]\\(https://lodash\\.com/\\)'\n\t */\n\t function escapeRegExp(string) {\n\t string = toString(string);\n\t return (string && reHasRegExpChar.test(string))\n\t ? string.replace(reRegExpChar, '\\\\$&')\n\t : string;\n\t }\n\n\t /**\n\t * Converts `string` to\n\t * [kebab case](https://en.wikipedia.org/wiki/Letter_case#Special_case_styles).\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 3.0.0\n\t * @category String\n\t * @param {string} [string=''] The string to convert.\n\t * @returns {string} Returns the kebab cased string.\n\t * @example\n\t *\n\t * _.kebabCase('Foo Bar');\n\t * // => 'foo-bar'\n\t *\n\t * _.kebabCase('fooBar');\n\t * // => 'foo-bar'\n\t *\n\t * _.kebabCase('__FOO_BAR__');\n\t * // => 'foo-bar'\n\t */\n\t var kebabCase = createCompounder(function(result, word, index) {\n\t return result + (index ? '-' : '') + word.toLowerCase();\n\t });\n\n\t /**\n\t * Converts `string`, as space separated words, to lower case.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 4.0.0\n\t * @category String\n\t * @param {string} [string=''] The string to convert.\n\t * @returns {string} Returns the lower cased string.\n\t * @example\n\t *\n\t * _.lowerCase('--Foo-Bar--');\n\t * // => 'foo bar'\n\t *\n\t * _.lowerCase('fooBar');\n\t * // => 'foo bar'\n\t *\n\t * _.lowerCase('__FOO_BAR__');\n\t * // => 'foo bar'\n\t */\n\t var lowerCase = createCompounder(function(result, word, index) {\n\t return result + (index ? ' ' : '') + word.toLowerCase();\n\t });\n\n\t /**\n\t * Converts the first character of `string` to lower case.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 4.0.0\n\t * @category String\n\t * @param {string} [string=''] The string to convert.\n\t * @returns {string} Returns the converted string.\n\t * @example\n\t *\n\t * _.lowerFirst('Fred');\n\t * // => 'fred'\n\t *\n\t * _.lowerFirst('FRED');\n\t * // => 'fRED'\n\t */\n\t var lowerFirst = createCaseFirst('toLowerCase');\n\n\t /**\n\t * Pads `string` on the left and right sides if it's shorter than `length`.\n\t * Padding characters are truncated if they can't be evenly divided by `length`.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 3.0.0\n\t * @category String\n\t * @param {string} [string=''] The string to pad.\n\t * @param {number} [length=0] The padding length.\n\t * @param {string} [chars=' '] The string used as padding.\n\t * @returns {string} Returns the padded string.\n\t * @example\n\t *\n\t * _.pad('abc', 8);\n\t * // => ' abc '\n\t *\n\t * _.pad('abc', 8, '_-');\n\t * // => '_-abc_-_'\n\t *\n\t * _.pad('abc', 3);\n\t * // => 'abc'\n\t */\n\t function pad(string, length, chars) {\n\t string = toString(string);\n\t length = toInteger(length);\n\n\t var strLength = length ? stringSize(string) : 0;\n\t if (!length || strLength >= length) {\n\t return string;\n\t }\n\t var mid = (length - strLength) / 2;\n\t return (\n\t createPadding(nativeFloor(mid), chars) +\n\t string +\n\t createPadding(nativeCeil(mid), chars)\n\t );\n\t }\n\n\t /**\n\t * Pads `string` on the right side if it's shorter than `length`. Padding\n\t * characters are truncated if they exceed `length`.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 4.0.0\n\t * @category String\n\t * @param {string} [string=''] The string to pad.\n\t * @param {number} [length=0] The padding length.\n\t * @param {string} [chars=' '] The string used as padding.\n\t * @returns {string} Returns the padded string.\n\t * @example\n\t *\n\t * _.padEnd('abc', 6);\n\t * // => 'abc '\n\t *\n\t * _.padEnd('abc', 6, '_-');\n\t * // => 'abc_-_'\n\t *\n\t * _.padEnd('abc', 3);\n\t * // => 'abc'\n\t */\n\t function padEnd(string, length, chars) {\n\t string = toString(string);\n\t length = toInteger(length);\n\n\t var strLength = length ? stringSize(string) : 0;\n\t return (length && strLength < length)\n\t ? (string + createPadding(length - strLength, chars))\n\t : string;\n\t }\n\n\t /**\n\t * Pads `string` on the left side if it's shorter than `length`. Padding\n\t * characters are truncated if they exceed `length`.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 4.0.0\n\t * @category String\n\t * @param {string} [string=''] The string to pad.\n\t * @param {number} [length=0] The padding length.\n\t * @param {string} [chars=' '] The string used as padding.\n\t * @returns {string} Returns the padded string.\n\t * @example\n\t *\n\t * _.padStart('abc', 6);\n\t * // => ' abc'\n\t *\n\t * _.padStart('abc', 6, '_-');\n\t * // => '_-_abc'\n\t *\n\t * _.padStart('abc', 3);\n\t * // => 'abc'\n\t */\n\t function padStart(string, length, chars) {\n\t string = toString(string);\n\t length = toInteger(length);\n\n\t var strLength = length ? stringSize(string) : 0;\n\t return (length && strLength < length)\n\t ? (createPadding(length - strLength, chars) + string)\n\t : string;\n\t }\n\n\t /**\n\t * Converts `string` to an integer of the specified radix. If `radix` is\n\t * `undefined` or `0`, a `radix` of `10` is used unless `value` is a\n\t * hexadecimal, in which case a `radix` of `16` is used.\n\t *\n\t * **Note:** This method aligns with the\n\t * [ES5 implementation](https://es5.github.io/#x15.1.2.2) of `parseInt`.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 1.1.0\n\t * @category String\n\t * @param {string} string The string to convert.\n\t * @param {number} [radix=10] The radix to interpret `value` by.\n\t * @param- {Object} [guard] Enables use as an iteratee for methods like `_.map`.\n\t * @returns {number} Returns the converted integer.\n\t * @example\n\t *\n\t * _.parseInt('08');\n\t * // => 8\n\t *\n\t * _.map(['6', '08', '10'], _.parseInt);\n\t * // => [6, 8, 10]\n\t */\n\t function parseInt(string, radix, guard) {\n\t if (guard || radix == null) {\n\t radix = 0;\n\t } else if (radix) {\n\t radix = +radix;\n\t }\n\t return nativeParseInt(toString(string).replace(reTrimStart, ''), radix || 0);\n\t }\n\n\t /**\n\t * Repeats the given string `n` times.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 3.0.0\n\t * @category String\n\t * @param {string} [string=''] The string to repeat.\n\t * @param {number} [n=1] The number of times to repeat the string.\n\t * @param- {Object} [guard] Enables use as an iteratee for methods like `_.map`.\n\t * @returns {string} Returns the repeated string.\n\t * @example\n\t *\n\t * _.repeat('*', 3);\n\t * // => '***'\n\t *\n\t * _.repeat('abc', 2);\n\t * // => 'abcabc'\n\t *\n\t * _.repeat('abc', 0);\n\t * // => ''\n\t */\n\t function repeat(string, n, guard) {\n\t if ((guard ? isIterateeCall(string, n, guard) : n === undefined$1)) {\n\t n = 1;\n\t } else {\n\t n = toInteger(n);\n\t }\n\t return baseRepeat(toString(string), n);\n\t }\n\n\t /**\n\t * Replaces matches for `pattern` in `string` with `replacement`.\n\t *\n\t * **Note:** This method is based on\n\t * [`String#replace`](https://mdn.io/String/replace).\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 4.0.0\n\t * @category String\n\t * @param {string} [string=''] The string to modify.\n\t * @param {RegExp|string} pattern The pattern to replace.\n\t * @param {Function|string} replacement The match replacement.\n\t * @returns {string} Returns the modified string.\n\t * @example\n\t *\n\t * _.replace('Hi Fred', 'Fred', 'Barney');\n\t * // => 'Hi Barney'\n\t */\n\t function replace() {\n\t var args = arguments,\n\t string = toString(args[0]);\n\n\t return args.length < 3 ? string : string.replace(args[1], args[2]);\n\t }\n\n\t /**\n\t * Converts `string` to\n\t * [snake case](https://en.wikipedia.org/wiki/Snake_case).\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 3.0.0\n\t * @category String\n\t * @param {string} [string=''] The string to convert.\n\t * @returns {string} Returns the snake cased string.\n\t * @example\n\t *\n\t * _.snakeCase('Foo Bar');\n\t * // => 'foo_bar'\n\t *\n\t * _.snakeCase('fooBar');\n\t * // => 'foo_bar'\n\t *\n\t * _.snakeCase('--FOO-BAR--');\n\t * // => 'foo_bar'\n\t */\n\t var snakeCase = createCompounder(function(result, word, index) {\n\t return result + (index ? '_' : '') + word.toLowerCase();\n\t });\n\n\t /**\n\t * Splits `string` by `separator`.\n\t *\n\t * **Note:** This method is based on\n\t * [`String#split`](https://mdn.io/String/split).\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 4.0.0\n\t * @category String\n\t * @param {string} [string=''] The string to split.\n\t * @param {RegExp|string} separator The separator pattern to split by.\n\t * @param {number} [limit] The length to truncate results to.\n\t * @returns {Array} Returns the string segments.\n\t * @example\n\t *\n\t * _.split('a-b-c', '-', 2);\n\t * // => ['a', 'b']\n\t */\n\t function split(string, separator, limit) {\n\t if (limit && typeof limit != 'number' && isIterateeCall(string, separator, limit)) {\n\t separator = limit = undefined$1;\n\t }\n\t limit = limit === undefined$1 ? MAX_ARRAY_LENGTH : limit >>> 0;\n\t if (!limit) {\n\t return [];\n\t }\n\t string = toString(string);\n\t if (string && (\n\t typeof separator == 'string' ||\n\t (separator != null && !isRegExp(separator))\n\t )) {\n\t separator = baseToString(separator);\n\t if (!separator && hasUnicode(string)) {\n\t return castSlice(stringToArray(string), 0, limit);\n\t }\n\t }\n\t return string.split(separator, limit);\n\t }\n\n\t /**\n\t * Converts `string` to\n\t * [start case](https://en.wikipedia.org/wiki/Letter_case#Stylistic_or_specialised_usage).\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 3.1.0\n\t * @category String\n\t * @param {string} [string=''] The string to convert.\n\t * @returns {string} Returns the start cased string.\n\t * @example\n\t *\n\t * _.startCase('--foo-bar--');\n\t * // => 'Foo Bar'\n\t *\n\t * _.startCase('fooBar');\n\t * // => 'Foo Bar'\n\t *\n\t * _.startCase('__FOO_BAR__');\n\t * // => 'FOO BAR'\n\t */\n\t var startCase = createCompounder(function(result, word, index) {\n\t return result + (index ? ' ' : '') + upperFirst(word);\n\t });\n\n\t /**\n\t * Checks if `string` starts with the given target string.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 3.0.0\n\t * @category String\n\t * @param {string} [string=''] The string to inspect.\n\t * @param {string} [target] The string to search for.\n\t * @param {number} [position=0] The position to search from.\n\t * @returns {boolean} Returns `true` if `string` starts with `target`,\n\t * else `false`.\n\t * @example\n\t *\n\t * _.startsWith('abc', 'a');\n\t * // => true\n\t *\n\t * _.startsWith('abc', 'b');\n\t * // => false\n\t *\n\t * _.startsWith('abc', 'b', 1);\n\t * // => true\n\t */\n\t function startsWith(string, target, position) {\n\t string = toString(string);\n\t position = position == null\n\t ? 0\n\t : baseClamp(toInteger(position), 0, string.length);\n\n\t target = baseToString(target);\n\t return string.slice(position, position + target.length) == target;\n\t }\n\n\t /**\n\t * Creates a compiled template function that can interpolate data properties\n\t * in \"interpolate\" delimiters, HTML-escape interpolated data properties in\n\t * \"escape\" delimiters, and execute JavaScript in \"evaluate\" delimiters. Data\n\t * properties may be accessed as free variables in the template. If a setting\n\t * object is given, it takes precedence over `_.templateSettings` values.\n\t *\n\t * **Note:** In the development build `_.template` utilizes\n\t * [sourceURLs](http://www.html5rocks.com/en/tutorials/developertools/sourcemaps/#toc-sourceurl)\n\t * for easier debugging.\n\t *\n\t * For more information on precompiling templates see\n\t * [lodash's custom builds documentation](https://lodash.com/custom-builds).\n\t *\n\t * For more information on Chrome extension sandboxes see\n\t * [Chrome's extensions documentation](https://developer.chrome.com/extensions/sandboxingEval).\n\t *\n\t * @static\n\t * @since 0.1.0\n\t * @memberOf _\n\t * @category String\n\t * @param {string} [string=''] The template string.\n\t * @param {Object} [options={}] The options object.\n\t * @param {RegExp} [options.escape=_.templateSettings.escape]\n\t * The HTML \"escape\" delimiter.\n\t * @param {RegExp} [options.evaluate=_.templateSettings.evaluate]\n\t * The \"evaluate\" delimiter.\n\t * @param {Object} [options.imports=_.templateSettings.imports]\n\t * An object to import into the template as free variables.\n\t * @param {RegExp} [options.interpolate=_.templateSettings.interpolate]\n\t * The \"interpolate\" delimiter.\n\t * @param {string} [options.sourceURL='lodash.templateSources[n]']\n\t * The sourceURL of the compiled template.\n\t * @param {string} [options.variable='obj']\n\t * The data object variable name.\n\t * @param- {Object} [guard] Enables use as an iteratee for methods like `_.map`.\n\t * @returns {Function} Returns the compiled template function.\n\t * @example\n\t *\n\t * // Use the \"interpolate\" delimiter to create a compiled template.\n\t * var compiled = _.template('hello <%= user %>!');\n\t * compiled({ 'user': 'fred' });\n\t * // => 'hello fred!'\n\t *\n\t * // Use the HTML \"escape\" delimiter to escape data property values.\n\t * var compiled = _.template('<%- value %> ');\n\t * compiled({ 'value': '`.\n this.sequenceIndex = Number(c === CharCodes.Lt);\n }\n };\n Tokenizer.prototype.stateCDATASequence = function (c) {\n if (c === Sequences.Cdata[this.sequenceIndex]) {\n if (++this.sequenceIndex === Sequences.Cdata.length) {\n this.state = State.InCommentLike;\n this.currentSequence = Sequences.CdataEnd;\n this.sequenceIndex = 0;\n this.sectionStart = this.index + 1;\n }\n }\n else {\n this.sequenceIndex = 0;\n this.state = State.InDeclaration;\n this.stateInDeclaration(c); // Reconsume the character\n }\n };\n /**\n * When we wait for one specific character, we can speed things up\n * by skipping through the buffer until we find it.\n *\n * @returns Whether the character was found.\n */\n Tokenizer.prototype.fastForwardTo = function (c) {\n while (++this.index < this.buffer.length + this.offset) {\n if (this.buffer.charCodeAt(this.index - this.offset) === c) {\n return true;\n }\n }\n /*\n * We increment the index at the end of the `parse` loop,\n * so set it to `buffer.length - 1` here.\n *\n * TODO: Refactor `parse` to increment index before calling states.\n */\n this.index = this.buffer.length + this.offset - 1;\n return false;\n };\n /**\n * Comments and CDATA end with `-->` and `]]>`.\n *\n * Their common qualities are:\n * - Their end sequences have a distinct character they start with.\n * - That character is then repeated, so we have to check multiple repeats.\n * - All characters but the start character of the sequence can be skipped.\n */\n Tokenizer.prototype.stateInCommentLike = function (c) {\n if (c === this.currentSequence[this.sequenceIndex]) {\n if (++this.sequenceIndex === this.currentSequence.length) {\n if (this.currentSequence === Sequences.CdataEnd) {\n this.cbs.oncdata(this.sectionStart, this.index, 2);\n }\n else {\n this.cbs.oncomment(this.sectionStart, this.index, 2);\n }\n this.sequenceIndex = 0;\n this.sectionStart = this.index + 1;\n this.state = State.Text;\n }\n }\n else if (this.sequenceIndex === 0) {\n // Fast-forward to the first character of the sequence\n if (this.fastForwardTo(this.currentSequence[0])) {\n this.sequenceIndex = 1;\n }\n }\n else if (c !== this.currentSequence[this.sequenceIndex - 1]) {\n // Allow long sequences, eg. --->, ]]]>\n this.sequenceIndex = 0;\n }\n };\n /**\n * HTML only allows ASCII alpha characters (a-z and A-Z) at the beginning of a tag name.\n *\n * XML allows a lot more characters here (@see https://www.w3.org/TR/REC-xml/#NT-NameStartChar).\n * We allow anything that wouldn't end the tag.\n */\n Tokenizer.prototype.isTagStartChar = function (c) {\n return this.xmlMode ? !isEndOfTagSection(c) : isASCIIAlpha(c);\n };\n Tokenizer.prototype.startSpecial = function (sequence, offset) {\n this.isSpecial = true;\n this.currentSequence = sequence;\n this.sequenceIndex = offset;\n this.state = State.SpecialStartSequence;\n };\n Tokenizer.prototype.stateBeforeTagName = function (c) {\n if (c === CharCodes.ExclamationMark) {\n this.state = State.BeforeDeclaration;\n this.sectionStart = this.index + 1;\n }\n else if (c === CharCodes.Questionmark) {\n this.state = State.InProcessingInstruction;\n this.sectionStart = this.index + 1;\n }\n else if (this.isTagStartChar(c)) {\n var lower = c | 0x20;\n this.sectionStart = this.index;\n if (!this.xmlMode && lower === Sequences.TitleEnd[2]) {\n this.startSpecial(Sequences.TitleEnd, 3);\n }\n else {\n this.state =\n !this.xmlMode && lower === Sequences.ScriptEnd[2]\n ? State.BeforeSpecialS\n : State.InTagName;\n }\n }\n else if (c === CharCodes.Slash) {\n this.state = State.BeforeClosingTagName;\n }\n else {\n this.state = State.Text;\n this.stateText(c);\n }\n };\n Tokenizer.prototype.stateInTagName = function (c) {\n if (isEndOfTagSection(c)) {\n this.cbs.onopentagname(this.sectionStart, this.index);\n this.sectionStart = -1;\n this.state = State.BeforeAttributeName;\n this.stateBeforeAttributeName(c);\n }\n };\n Tokenizer.prototype.stateBeforeClosingTagName = function (c) {\n if (isWhitespace(c)) {\n // Ignore\n }\n else if (c === CharCodes.Gt) {\n this.state = State.Text;\n }\n else {\n this.state = this.isTagStartChar(c)\n ? State.InClosingTagName\n : State.InSpecialComment;\n this.sectionStart = this.index;\n }\n };\n Tokenizer.prototype.stateInClosingTagName = function (c) {\n if (c === CharCodes.Gt || isWhitespace(c)) {\n this.cbs.onclosetag(this.sectionStart, this.index);\n this.sectionStart = -1;\n this.state = State.AfterClosingTagName;\n this.stateAfterClosingTagName(c);\n }\n };\n Tokenizer.prototype.stateAfterClosingTagName = function (c) {\n // Skip everything until \">\"\n if (c === CharCodes.Gt || this.fastForwardTo(CharCodes.Gt)) {\n this.state = State.Text;\n this.baseState = State.Text;\n this.sectionStart = this.index + 1;\n }\n };\n Tokenizer.prototype.stateBeforeAttributeName = function (c) {\n if (c === CharCodes.Gt) {\n this.cbs.onopentagend(this.index);\n if (this.isSpecial) {\n this.state = State.InSpecialTag;\n this.sequenceIndex = 0;\n }\n else {\n this.state = State.Text;\n }\n this.baseState = this.state;\n this.sectionStart = this.index + 1;\n }\n else if (c === CharCodes.Slash) {\n this.state = State.InSelfClosingTag;\n }\n else if (!isWhitespace(c)) {\n this.state = State.InAttributeName;\n this.sectionStart = this.index;\n }\n };\n Tokenizer.prototype.stateInSelfClosingTag = function (c) {\n if (c === CharCodes.Gt) {\n this.cbs.onselfclosingtag(this.index);\n this.state = State.Text;\n this.baseState = State.Text;\n this.sectionStart = this.index + 1;\n this.isSpecial = false; // Reset special state, in case of self-closing special tags\n }\n else if (!isWhitespace(c)) {\n this.state = State.BeforeAttributeName;\n this.stateBeforeAttributeName(c);\n }\n };\n Tokenizer.prototype.stateInAttributeName = function (c) {\n if (c === CharCodes.Eq || isEndOfTagSection(c)) {\n this.cbs.onattribname(this.sectionStart, this.index);\n this.sectionStart = -1;\n this.state = State.AfterAttributeName;\n this.stateAfterAttributeName(c);\n }\n };\n Tokenizer.prototype.stateAfterAttributeName = function (c) {\n if (c === CharCodes.Eq) {\n this.state = State.BeforeAttributeValue;\n }\n else if (c === CharCodes.Slash || c === CharCodes.Gt) {\n this.cbs.onattribend(QuoteType.NoValue, this.index);\n this.state = State.BeforeAttributeName;\n this.stateBeforeAttributeName(c);\n }\n else if (!isWhitespace(c)) {\n this.cbs.onattribend(QuoteType.NoValue, this.index);\n this.state = State.InAttributeName;\n this.sectionStart = this.index;\n }\n };\n Tokenizer.prototype.stateBeforeAttributeValue = function (c) {\n if (c === CharCodes.DoubleQuote) {\n this.state = State.InAttributeValueDq;\n this.sectionStart = this.index + 1;\n }\n else if (c === CharCodes.SingleQuote) {\n this.state = State.InAttributeValueSq;\n this.sectionStart = this.index + 1;\n }\n else if (!isWhitespace(c)) {\n this.sectionStart = this.index;\n this.state = State.InAttributeValueNq;\n this.stateInAttributeValueNoQuotes(c); // Reconsume token\n }\n };\n Tokenizer.prototype.handleInAttributeValue = function (c, quote) {\n if (c === quote ||\n (!this.decodeEntities && this.fastForwardTo(quote))) {\n this.cbs.onattribdata(this.sectionStart, this.index);\n this.sectionStart = -1;\n this.cbs.onattribend(quote === CharCodes.DoubleQuote\n ? QuoteType.Double\n : QuoteType.Single, this.index);\n this.state = State.BeforeAttributeName;\n }\n else if (this.decodeEntities && c === CharCodes.Amp) {\n this.baseState = this.state;\n this.state = State.BeforeEntity;\n }\n };\n Tokenizer.prototype.stateInAttributeValueDoubleQuotes = function (c) {\n this.handleInAttributeValue(c, CharCodes.DoubleQuote);\n };\n Tokenizer.prototype.stateInAttributeValueSingleQuotes = function (c) {\n this.handleInAttributeValue(c, CharCodes.SingleQuote);\n };\n Tokenizer.prototype.stateInAttributeValueNoQuotes = function (c) {\n if (isWhitespace(c) || c === CharCodes.Gt) {\n this.cbs.onattribdata(this.sectionStart, this.index);\n this.sectionStart = -1;\n this.cbs.onattribend(QuoteType.Unquoted, this.index);\n this.state = State.BeforeAttributeName;\n this.stateBeforeAttributeName(c);\n }\n else if (this.decodeEntities && c === CharCodes.Amp) {\n this.baseState = this.state;\n this.state = State.BeforeEntity;\n }\n };\n Tokenizer.prototype.stateBeforeDeclaration = function (c) {\n if (c === CharCodes.OpeningSquareBracket) {\n this.state = State.CDATASequence;\n this.sequenceIndex = 0;\n }\n else {\n this.state =\n c === CharCodes.Dash\n ? State.BeforeComment\n : State.InDeclaration;\n }\n };\n Tokenizer.prototype.stateInDeclaration = function (c) {\n if (c === CharCodes.Gt || this.fastForwardTo(CharCodes.Gt)) {\n this.cbs.ondeclaration(this.sectionStart, this.index);\n this.state = State.Text;\n this.sectionStart = this.index + 1;\n }\n };\n Tokenizer.prototype.stateInProcessingInstruction = function (c) {\n if (c === CharCodes.Gt || this.fastForwardTo(CharCodes.Gt)) {\n this.cbs.onprocessinginstruction(this.sectionStart, this.index);\n this.state = State.Text;\n this.sectionStart = this.index + 1;\n }\n };\n Tokenizer.prototype.stateBeforeComment = function (c) {\n if (c === CharCodes.Dash) {\n this.state = State.InCommentLike;\n this.currentSequence = Sequences.CommentEnd;\n // Allow short comments (eg. )\n this.sequenceIndex = 2;\n this.sectionStart = this.index + 1;\n }\n else {\n this.state = State.InDeclaration;\n }\n };\n Tokenizer.prototype.stateInSpecialComment = function (c) {\n if (c === CharCodes.Gt || this.fastForwardTo(CharCodes.Gt)) {\n this.cbs.oncomment(this.sectionStart, this.index, 0);\n this.state = State.Text;\n this.sectionStart = this.index + 1;\n }\n };\n Tokenizer.prototype.stateBeforeSpecialS = function (c) {\n var lower = c | 0x20;\n if (lower === Sequences.ScriptEnd[3]) {\n this.startSpecial(Sequences.ScriptEnd, 4);\n }\n else if (lower === Sequences.StyleEnd[3]) {\n this.startSpecial(Sequences.StyleEnd, 4);\n }\n else {\n this.state = State.InTagName;\n this.stateInTagName(c); // Consume the token again\n }\n };\n Tokenizer.prototype.stateBeforeEntity = function (c) {\n // Start excess with 1 to include the '&'\n this.entityExcess = 1;\n this.entityResult = 0;\n if (c === CharCodes.Number) {\n this.state = State.BeforeNumericEntity;\n }\n else if (c === CharCodes.Amp) {\n // We have two `&` characters in a row. Stay in the current state.\n }\n else {\n this.trieIndex = 0;\n this.trieCurrent = this.entityTrie[0];\n this.state = State.InNamedEntity;\n this.stateInNamedEntity(c);\n }\n };\n Tokenizer.prototype.stateInNamedEntity = function (c) {\n this.entityExcess += 1;\n this.trieIndex = (0, decode_js_1.determineBranch)(this.entityTrie, this.trieCurrent, this.trieIndex + 1, c);\n if (this.trieIndex < 0) {\n this.emitNamedEntity();\n this.index--;\n return;\n }\n this.trieCurrent = this.entityTrie[this.trieIndex];\n var masked = this.trieCurrent & decode_js_1.BinTrieFlags.VALUE_LENGTH;\n // If the branch is a value, store it and continue\n if (masked) {\n // The mask is the number of bytes of the value, including the current byte.\n var valueLength = (masked >> 14) - 1;\n // If we have a legacy entity while parsing strictly, just skip the number of bytes\n if (!this.allowLegacyEntity() && c !== CharCodes.Semi) {\n this.trieIndex += valueLength;\n }\n else {\n // Add 1 as we have already incremented the excess\n var entityStart = this.index - this.entityExcess + 1;\n if (entityStart > this.sectionStart) {\n this.emitPartial(this.sectionStart, entityStart);\n }\n // If this is a surrogate pair, consume the next two bytes\n this.entityResult = this.trieIndex;\n this.trieIndex += valueLength;\n this.entityExcess = 0;\n this.sectionStart = this.index + 1;\n if (valueLength === 0) {\n this.emitNamedEntity();\n }\n }\n }\n };\n Tokenizer.prototype.emitNamedEntity = function () {\n this.state = this.baseState;\n if (this.entityResult === 0) {\n return;\n }\n var valueLength = (this.entityTrie[this.entityResult] & decode_js_1.BinTrieFlags.VALUE_LENGTH) >>\n 14;\n switch (valueLength) {\n case 1: {\n this.emitCodePoint(this.entityTrie[this.entityResult] &\n ~decode_js_1.BinTrieFlags.VALUE_LENGTH);\n break;\n }\n case 2: {\n this.emitCodePoint(this.entityTrie[this.entityResult + 1]);\n break;\n }\n case 3: {\n this.emitCodePoint(this.entityTrie[this.entityResult + 1]);\n this.emitCodePoint(this.entityTrie[this.entityResult + 2]);\n }\n }\n };\n Tokenizer.prototype.stateBeforeNumericEntity = function (c) {\n if ((c | 0x20) === CharCodes.LowerX) {\n this.entityExcess++;\n this.state = State.InHexEntity;\n }\n else {\n this.state = State.InNumericEntity;\n this.stateInNumericEntity(c);\n }\n };\n Tokenizer.prototype.emitNumericEntity = function (strict) {\n var entityStart = this.index - this.entityExcess - 1;\n var numberStart = entityStart + 2 + Number(this.state === State.InHexEntity);\n if (numberStart !== this.index) {\n // Emit leading data if any\n if (entityStart > this.sectionStart) {\n this.emitPartial(this.sectionStart, entityStart);\n }\n this.sectionStart = this.index + Number(strict);\n this.emitCodePoint((0, decode_js_1.replaceCodePoint)(this.entityResult));\n }\n this.state = this.baseState;\n };\n Tokenizer.prototype.stateInNumericEntity = function (c) {\n if (c === CharCodes.Semi) {\n this.emitNumericEntity(true);\n }\n else if (isNumber(c)) {\n this.entityResult = this.entityResult * 10 + (c - CharCodes.Zero);\n this.entityExcess++;\n }\n else {\n if (this.allowLegacyEntity()) {\n this.emitNumericEntity(false);\n }\n else {\n this.state = this.baseState;\n }\n this.index--;\n }\n };\n Tokenizer.prototype.stateInHexEntity = function (c) {\n if (c === CharCodes.Semi) {\n this.emitNumericEntity(true);\n }\n else if (isNumber(c)) {\n this.entityResult = this.entityResult * 16 + (c - CharCodes.Zero);\n this.entityExcess++;\n }\n else if (isHexDigit(c)) {\n this.entityResult =\n this.entityResult * 16 + ((c | 0x20) - CharCodes.LowerA + 10);\n this.entityExcess++;\n }\n else {\n if (this.allowLegacyEntity()) {\n this.emitNumericEntity(false);\n }\n else {\n this.state = this.baseState;\n }\n this.index--;\n }\n };\n Tokenizer.prototype.allowLegacyEntity = function () {\n return (!this.xmlMode &&\n (this.baseState === State.Text ||\n this.baseState === State.InSpecialTag));\n };\n /**\n * Remove data that has already been consumed from the buffer.\n */\n Tokenizer.prototype.cleanup = function () {\n // If we are inside of text or attributes, emit what we already have.\n if (this.running && this.sectionStart !== this.index) {\n if (this.state === State.Text ||\n (this.state === State.InSpecialTag && this.sequenceIndex === 0)) {\n this.cbs.ontext(this.sectionStart, this.index);\n this.sectionStart = this.index;\n }\n else if (this.state === State.InAttributeValueDq ||\n this.state === State.InAttributeValueSq ||\n this.state === State.InAttributeValueNq) {\n this.cbs.onattribdata(this.sectionStart, this.index);\n this.sectionStart = this.index;\n }\n }\n };\n Tokenizer.prototype.shouldContinue = function () {\n return this.index < this.buffer.length + this.offset && this.running;\n };\n /**\n * Iterates through the buffer, calling the function corresponding to the current state.\n *\n * States that are more likely to be hit are higher up, as a performance improvement.\n */\n Tokenizer.prototype.parse = function () {\n while (this.shouldContinue()) {\n var c = this.buffer.charCodeAt(this.index - this.offset);\n switch (this.state) {\n case State.Text: {\n this.stateText(c);\n break;\n }\n case State.SpecialStartSequence: {\n this.stateSpecialStartSequence(c);\n break;\n }\n case State.InSpecialTag: {\n this.stateInSpecialTag(c);\n break;\n }\n case State.CDATASequence: {\n this.stateCDATASequence(c);\n break;\n }\n case State.InAttributeValueDq: {\n this.stateInAttributeValueDoubleQuotes(c);\n break;\n }\n case State.InAttributeName: {\n this.stateInAttributeName(c);\n break;\n }\n case State.InCommentLike: {\n this.stateInCommentLike(c);\n break;\n }\n case State.InSpecialComment: {\n this.stateInSpecialComment(c);\n break;\n }\n case State.BeforeAttributeName: {\n this.stateBeforeAttributeName(c);\n break;\n }\n case State.InTagName: {\n this.stateInTagName(c);\n break;\n }\n case State.InClosingTagName: {\n this.stateInClosingTagName(c);\n break;\n }\n case State.BeforeTagName: {\n this.stateBeforeTagName(c);\n break;\n }\n case State.AfterAttributeName: {\n this.stateAfterAttributeName(c);\n break;\n }\n case State.InAttributeValueSq: {\n this.stateInAttributeValueSingleQuotes(c);\n break;\n }\n case State.BeforeAttributeValue: {\n this.stateBeforeAttributeValue(c);\n break;\n }\n case State.BeforeClosingTagName: {\n this.stateBeforeClosingTagName(c);\n break;\n }\n case State.AfterClosingTagName: {\n this.stateAfterClosingTagName(c);\n break;\n }\n case State.BeforeSpecialS: {\n this.stateBeforeSpecialS(c);\n break;\n }\n case State.InAttributeValueNq: {\n this.stateInAttributeValueNoQuotes(c);\n break;\n }\n case State.InSelfClosingTag: {\n this.stateInSelfClosingTag(c);\n break;\n }\n case State.InDeclaration: {\n this.stateInDeclaration(c);\n break;\n }\n case State.BeforeDeclaration: {\n this.stateBeforeDeclaration(c);\n break;\n }\n case State.BeforeComment: {\n this.stateBeforeComment(c);\n break;\n }\n case State.InProcessingInstruction: {\n this.stateInProcessingInstruction(c);\n break;\n }\n case State.InNamedEntity: {\n this.stateInNamedEntity(c);\n break;\n }\n case State.BeforeEntity: {\n this.stateBeforeEntity(c);\n break;\n }\n case State.InHexEntity: {\n this.stateInHexEntity(c);\n break;\n }\n case State.InNumericEntity: {\n this.stateInNumericEntity(c);\n break;\n }\n default: {\n // `this._state === State.BeforeNumericEntity`\n this.stateBeforeNumericEntity(c);\n }\n }\n this.index++;\n }\n this.cleanup();\n };\n Tokenizer.prototype.finish = function () {\n if (this.state === State.InNamedEntity) {\n this.emitNamedEntity();\n }\n // If there is remaining data, emit it in a reasonable way\n if (this.sectionStart < this.index) {\n this.handleTrailingData();\n }\n this.cbs.onend();\n };\n /** Handle any trailing data. */\n Tokenizer.prototype.handleTrailingData = function () {\n var endIndex = this.buffer.length + this.offset;\n if (this.state === State.InCommentLike) {\n if (this.currentSequence === Sequences.CdataEnd) {\n this.cbs.oncdata(this.sectionStart, endIndex, 0);\n }\n else {\n this.cbs.oncomment(this.sectionStart, endIndex, 0);\n }\n }\n else if (this.state === State.InNumericEntity &&\n this.allowLegacyEntity()) {\n this.emitNumericEntity(false);\n // All trailing data will have been consumed\n }\n else if (this.state === State.InHexEntity &&\n this.allowLegacyEntity()) {\n this.emitNumericEntity(false);\n // All trailing data will have been consumed\n }\n else if (this.state === State.InTagName ||\n this.state === State.BeforeAttributeName ||\n this.state === State.BeforeAttributeValue ||\n this.state === State.AfterAttributeName ||\n this.state === State.InAttributeName ||\n this.state === State.InAttributeValueSq ||\n this.state === State.InAttributeValueDq ||\n this.state === State.InAttributeValueNq ||\n this.state === State.InClosingTagName) {\n /*\n * If we are currently in an opening or closing tag, us not calling the\n * respective callback signals that the tag should be ignored.\n */\n }\n else {\n this.cbs.ontext(this.sectionStart, endIndex);\n }\n };\n Tokenizer.prototype.emitPartial = function (start, endIndex) {\n if (this.baseState !== State.Text &&\n this.baseState !== State.InSpecialTag) {\n this.cbs.onattribdata(start, endIndex);\n }\n else {\n this.cbs.ontext(start, endIndex);\n }\n };\n Tokenizer.prototype.emitCodePoint = function (cp) {\n if (this.baseState !== State.Text &&\n this.baseState !== State.InSpecialTag) {\n this.cbs.onattribentity(cp);\n }\n else {\n this.cbs.ontextentity(cp);\n }\n };\n return Tokenizer;\n}());\nexports.default = Tokenizer;\n//# sourceMappingURL=Tokenizer.js.map","\"use strict\";\nvar __createBinding = (this && this.__createBinding) || (Object.create ? (function(o, m, k, k2) {\n if (k2 === undefined) k2 = k;\n var desc = Object.getOwnPropertyDescriptor(m, k);\n if (!desc || (\"get\" in desc ? !m.__esModule : desc.writable || desc.configurable)) {\n desc = { enumerable: true, get: function() { return m[k]; } };\n }\n Object.defineProperty(o, k2, desc);\n}) : (function(o, m, k, k2) {\n if (k2 === undefined) k2 = k;\n o[k2] = m[k];\n}));\nvar __setModuleDefault = (this && this.__setModuleDefault) || (Object.create ? (function(o, v) {\n Object.defineProperty(o, \"default\", { enumerable: true, value: v });\n}) : function(o, v) {\n o[\"default\"] = v;\n});\nvar __importStar = (this && this.__importStar) || function (mod) {\n if (mod && mod.__esModule) return mod;\n var result = {};\n if (mod != null) for (var k in mod) if (k !== \"default\" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding(result, mod, k);\n __setModuleDefault(result, mod);\n return result;\n};\nvar __importDefault = (this && this.__importDefault) || function (mod) {\n return (mod && mod.__esModule) ? mod : { \"default\": mod };\n};\nObject.defineProperty(exports, \"__esModule\", { value: true });\nexports.DomUtils = exports.parseFeed = exports.getFeed = exports.ElementType = exports.Tokenizer = exports.createDomStream = exports.parseDOM = exports.parseDocument = exports.DefaultHandler = exports.DomHandler = exports.Parser = void 0;\nvar Parser_js_1 = require(\"./Parser.js\");\nvar Parser_js_2 = require(\"./Parser.js\");\nObject.defineProperty(exports, \"Parser\", { enumerable: true, get: function () { return Parser_js_2.Parser; } });\nvar domhandler_1 = require(\"domhandler\");\nvar domhandler_2 = require(\"domhandler\");\nObject.defineProperty(exports, \"DomHandler\", { enumerable: true, get: function () { return domhandler_2.DomHandler; } });\n// Old name for DomHandler\nObject.defineProperty(exports, \"DefaultHandler\", { enumerable: true, get: function () { return domhandler_2.DomHandler; } });\n// Helper methods\n/**\n * Parses the data, returns the resulting document.\n *\n * @param data The data that should be parsed.\n * @param options Optional options for the parser and DOM builder.\n */\nfunction parseDocument(data, options) {\n var handler = new domhandler_1.DomHandler(undefined, options);\n new Parser_js_1.Parser(handler, options).end(data);\n return handler.root;\n}\nexports.parseDocument = parseDocument;\n/**\n * Parses data, returns an array of the root nodes.\n *\n * Note that the root nodes still have a `Document` node as their parent.\n * Use `parseDocument` to get the `Document` node instead.\n *\n * @param data The data that should be parsed.\n * @param options Optional options for the parser and DOM builder.\n * @deprecated Use `parseDocument` instead.\n */\nfunction parseDOM(data, options) {\n return parseDocument(data, options).children;\n}\nexports.parseDOM = parseDOM;\n/**\n * Creates a parser instance, with an attached DOM handler.\n *\n * @param callback A callback that will be called once parsing has been completed.\n * @param options Optional options for the parser and DOM builder.\n * @param elementCallback An optional callback that will be called every time a tag has been completed inside of the DOM.\n */\nfunction createDomStream(callback, options, elementCallback) {\n var handler = new domhandler_1.DomHandler(callback, options, elementCallback);\n return new Parser_js_1.Parser(handler, options);\n}\nexports.createDomStream = createDomStream;\nvar Tokenizer_js_1 = require(\"./Tokenizer.js\");\nObject.defineProperty(exports, \"Tokenizer\", { enumerable: true, get: function () { return __importDefault(Tokenizer_js_1).default; } });\n/*\n * All of the following exports exist for backwards-compatibility.\n * They should probably be removed eventually.\n */\nexports.ElementType = __importStar(require(\"domelementtype\"));\nvar domutils_1 = require(\"domutils\");\nvar domutils_2 = require(\"domutils\");\nObject.defineProperty(exports, \"getFeed\", { enumerable: true, get: function () { return domutils_2.getFeed; } });\nvar parseFeedDefaultOptions = { xmlMode: true };\n/**\n * Parse a feed.\n *\n * @param feed The feed that should be parsed, as a string.\n * @param options Optionally, options for parsing. When using this, you should set `xmlMode` to `true`.\n */\nfunction parseFeed(feed, options) {\n if (options === void 0) { options = parseFeedDefaultOptions; }\n return (0, domutils_1.getFeed)(parseDOM(feed, options));\n}\nexports.parseFeed = parseFeed;\nexports.DomUtils = __importStar(require(\"domutils\"));\n//# sourceMappingURL=index.js.map","\"use strict\";\nObject.defineProperty(exports, \"__esModule\", { value: true });\nexports.attributeNames = exports.elementNames = void 0;\nexports.elementNames = new Map([\n \"altGlyph\",\n \"altGlyphDef\",\n \"altGlyphItem\",\n \"animateColor\",\n \"animateMotion\",\n \"animateTransform\",\n \"clipPath\",\n \"feBlend\",\n \"feColorMatrix\",\n \"feComponentTransfer\",\n \"feComposite\",\n \"feConvolveMatrix\",\n \"feDiffuseLighting\",\n \"feDisplacementMap\",\n \"feDistantLight\",\n \"feDropShadow\",\n \"feFlood\",\n \"feFuncA\",\n \"feFuncB\",\n \"feFuncG\",\n \"feFuncR\",\n \"feGaussianBlur\",\n \"feImage\",\n \"feMerge\",\n \"feMergeNode\",\n \"feMorphology\",\n \"feOffset\",\n \"fePointLight\",\n \"feSpecularLighting\",\n \"feSpotLight\",\n \"feTile\",\n \"feTurbulence\",\n \"foreignObject\",\n \"glyphRef\",\n \"linearGradient\",\n \"radialGradient\",\n \"textPath\",\n].map(function (val) { return [val.toLowerCase(), val]; }));\nexports.attributeNames = new Map([\n \"definitionURL\",\n \"attributeName\",\n \"attributeType\",\n \"baseFrequency\",\n \"baseProfile\",\n \"calcMode\",\n \"clipPathUnits\",\n \"diffuseConstant\",\n \"edgeMode\",\n \"filterUnits\",\n \"glyphRef\",\n \"gradientTransform\",\n \"gradientUnits\",\n \"kernelMatrix\",\n \"kernelUnitLength\",\n \"keyPoints\",\n \"keySplines\",\n \"keyTimes\",\n \"lengthAdjust\",\n \"limitingConeAngle\",\n \"markerHeight\",\n \"markerUnits\",\n \"markerWidth\",\n \"maskContentUnits\",\n \"maskUnits\",\n \"numOctaves\",\n \"pathLength\",\n \"patternContentUnits\",\n \"patternTransform\",\n \"patternUnits\",\n \"pointsAtX\",\n \"pointsAtY\",\n \"pointsAtZ\",\n \"preserveAlpha\",\n \"preserveAspectRatio\",\n \"primitiveUnits\",\n \"refX\",\n \"refY\",\n \"repeatCount\",\n \"repeatDur\",\n \"requiredExtensions\",\n \"requiredFeatures\",\n \"specularConstant\",\n \"specularExponent\",\n \"spreadMethod\",\n \"startOffset\",\n \"stdDeviation\",\n \"stitchTiles\",\n \"surfaceScale\",\n \"systemLanguage\",\n \"tableValues\",\n \"targetX\",\n \"targetY\",\n \"textLength\",\n \"viewBox\",\n \"viewTarget\",\n \"xChannelSelector\",\n \"yChannelSelector\",\n \"zoomAndPan\",\n].map(function (val) { return [val.toLowerCase(), val]; }));\n","\"use strict\";\nvar __assign = (this && this.__assign) || function () {\n __assign = Object.assign || function(t) {\n for (var s, i = 1, n = arguments.length; i < n; i++) {\n s = arguments[i];\n for (var p in s) if (Object.prototype.hasOwnProperty.call(s, p))\n t[p] = s[p];\n }\n return t;\n };\n return __assign.apply(this, arguments);\n};\nvar __createBinding = (this && this.__createBinding) || (Object.create ? (function(o, m, k, k2) {\n if (k2 === undefined) k2 = k;\n var desc = Object.getOwnPropertyDescriptor(m, k);\n if (!desc || (\"get\" in desc ? !m.__esModule : desc.writable || desc.configurable)) {\n desc = { enumerable: true, get: function() { return m[k]; } };\n }\n Object.defineProperty(o, k2, desc);\n}) : (function(o, m, k, k2) {\n if (k2 === undefined) k2 = k;\n o[k2] = m[k];\n}));\nvar __setModuleDefault = (this && this.__setModuleDefault) || (Object.create ? (function(o, v) {\n Object.defineProperty(o, \"default\", { enumerable: true, value: v });\n}) : function(o, v) {\n o[\"default\"] = v;\n});\nvar __importStar = (this && this.__importStar) || function (mod) {\n if (mod && mod.__esModule) return mod;\n var result = {};\n if (mod != null) for (var k in mod) if (k !== \"default\" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding(result, mod, k);\n __setModuleDefault(result, mod);\n return result;\n};\nObject.defineProperty(exports, \"__esModule\", { value: true });\nexports.render = void 0;\n/*\n * Module dependencies\n */\nvar ElementType = __importStar(require(\"domelementtype\"));\nvar entities_1 = require(\"entities\");\n/**\n * Mixed-case SVG and MathML tags & attributes\n * recognized by the HTML parser.\n *\n * @see https://html.spec.whatwg.org/multipage/parsing.html#parsing-main-inforeign\n */\nvar foreignNames_js_1 = require(\"./foreignNames.js\");\nvar unencodedElements = new Set([\n \"style\",\n \"script\",\n \"xmp\",\n \"iframe\",\n \"noembed\",\n \"noframes\",\n \"plaintext\",\n \"noscript\",\n]);\nfunction replaceQuotes(value) {\n return value.replace(/\"/g, \""\");\n}\n/**\n * Format attributes\n */\nfunction formatAttributes(attributes, opts) {\n var _a;\n if (!attributes)\n return;\n var encode = ((_a = opts.encodeEntities) !== null && _a !== void 0 ? _a : opts.decodeEntities) === false\n ? replaceQuotes\n : opts.xmlMode || opts.encodeEntities !== \"utf8\"\n ? entities_1.encodeXML\n : entities_1.escapeAttribute;\n return Object.keys(attributes)\n .map(function (key) {\n var _a, _b;\n var value = (_a = attributes[key]) !== null && _a !== void 0 ? _a : \"\";\n if (opts.xmlMode === \"foreign\") {\n /* Fix up mixed-case attribute names */\n key = (_b = foreignNames_js_1.attributeNames.get(key)) !== null && _b !== void 0 ? _b : key;\n }\n if (!opts.emptyAttrs && !opts.xmlMode && value === \"\") {\n return key;\n }\n return \"\".concat(key, \"=\\\"\").concat(encode(value), \"\\\"\");\n })\n .join(\" \");\n}\n/**\n * Self-enclosing tags\n */\nvar singleTag = new Set([\n \"area\",\n \"base\",\n \"basefont\",\n \"br\",\n \"col\",\n \"command\",\n \"embed\",\n \"frame\",\n \"hr\",\n \"img\",\n \"input\",\n \"isindex\",\n \"keygen\",\n \"link\",\n \"meta\",\n \"param\",\n \"source\",\n \"track\",\n \"wbr\",\n]);\n/**\n * Renders a DOM node or an array of DOM nodes to a string.\n *\n * Can be thought of as the equivalent of the `outerHTML` of the passed node(s).\n *\n * @param node Node to be rendered.\n * @param options Changes serialization behavior\n */\nfunction render(node, options) {\n if (options === void 0) { options = {}; }\n var nodes = \"length\" in node ? node : [node];\n var output = \"\";\n for (var i = 0; i < nodes.length; i++) {\n output += renderNode(nodes[i], options);\n }\n return output;\n}\nexports.render = render;\nexports.default = render;\nfunction renderNode(node, options) {\n switch (node.type) {\n case ElementType.Root:\n return render(node.children, options);\n // @ts-expect-error We don't use `Doctype` yet\n case ElementType.Doctype:\n case ElementType.Directive:\n return renderDirective(node);\n case ElementType.Comment:\n return renderComment(node);\n case ElementType.CDATA:\n return renderCdata(node);\n case ElementType.Script:\n case ElementType.Style:\n case ElementType.Tag:\n return renderTag(node, options);\n case ElementType.Text:\n return renderText(node, options);\n }\n}\nvar foreignModeIntegrationPoints = new Set([\n \"mi\",\n \"mo\",\n \"mn\",\n \"ms\",\n \"mtext\",\n \"annotation-xml\",\n \"foreignObject\",\n \"desc\",\n \"title\",\n]);\nvar foreignElements = new Set([\"svg\", \"math\"]);\nfunction renderTag(elem, opts) {\n var _a;\n // Handle SVG / MathML in HTML\n if (opts.xmlMode === \"foreign\") {\n /* Fix up mixed-case element names */\n elem.name = (_a = foreignNames_js_1.elementNames.get(elem.name)) !== null && _a !== void 0 ? _a : elem.name;\n /* Exit foreign mode at integration points */\n if (elem.parent &&\n foreignModeIntegrationPoints.has(elem.parent.name)) {\n opts = __assign(__assign({}, opts), { xmlMode: false });\n }\n }\n if (!opts.xmlMode && foreignElements.has(elem.name)) {\n opts = __assign(__assign({}, opts), { xmlMode: \"foreign\" });\n }\n var tag = \"<\".concat(elem.name);\n var attribs = formatAttributes(elem.attribs, opts);\n if (attribs) {\n tag += \" \".concat(attribs);\n }\n if (elem.children.length === 0 &&\n (opts.xmlMode\n ? // In XML mode or foreign mode, and user hasn't explicitly turned off self-closing tags\n opts.selfClosingTags !== false\n : // User explicitly asked for self-closing tags, even in HTML mode\n opts.selfClosingTags && singleTag.has(elem.name))) {\n if (!opts.xmlMode)\n tag += \" \";\n tag += \"/>\";\n }\n else {\n tag += \">\";\n if (elem.children.length > 0) {\n tag += render(elem.children, opts);\n }\n if (opts.xmlMode || !singleTag.has(elem.name)) {\n tag += \"\".concat(elem.name, \">\");\n }\n }\n return tag;\n}\nfunction renderDirective(elem) {\n return \"<\".concat(elem.data, \">\");\n}\nfunction renderText(elem, opts) {\n var _a;\n var data = elem.data || \"\";\n // If entities weren't decoded, no need to encode them back\n if (((_a = opts.encodeEntities) !== null && _a !== void 0 ? _a : opts.decodeEntities) !== false &&\n !(!opts.xmlMode &&\n elem.parent &&\n unencodedElements.has(elem.parent.name))) {\n data =\n opts.xmlMode || opts.encodeEntities !== \"utf8\"\n ? (0, entities_1.encodeXML)(data)\n : (0, entities_1.escapeText)(data);\n }\n return data;\n}\nfunction renderCdata(elem) {\n return \"\");\n}\nfunction renderComment(elem) {\n return \"\");\n}\n","\"use strict\";\nObject.defineProperty(exports, \"__esModule\", { value: true });\nexports.Doctype = exports.CDATA = exports.Tag = exports.Style = exports.Script = exports.Comment = exports.Directive = exports.Text = exports.Root = exports.isTag = exports.ElementType = void 0;\n/** Types of elements found in htmlparser2's DOM */\nvar ElementType;\n(function (ElementType) {\n /** Type for the root element of a document */\n ElementType[\"Root\"] = \"root\";\n /** Type for Text */\n ElementType[\"Text\"] = \"text\";\n /** Type for ... ?> */\n ElementType[\"Directive\"] = \"directive\";\n /** Type for */\n ElementType[\"Comment\"] = \"comment\";\n /** Type for