From f8874ea532445a386478f2ce45b0e0cd186c26e7 Mon Sep 17 00:00:00 2001 From: Lena Morita Date: Sat, 10 Jul 2021 06:34:21 +0900 Subject: [PATCH 01/53] Fix prettier support in IDEs --- package.json | 4 ++-- yarn.lock | 2 +- 2 files changed, 3 insertions(+), 3 deletions(-) diff --git a/package.json b/package.json index b7431d514..7910d5bbe 100644 --- a/package.json +++ b/package.json @@ -111,12 +111,12 @@ "eslint-plugin-react": "^7.24.0", "eslint-plugin-wpcalypso": "^5.0.0", "mini-css-extract-plugin": "^1.6.2", + "prettier": "npm:wp-prettier@2.2.1-beta-1", "release-it": "^14.10.0", "sass-loader": "^12.1.0", "typescript": "^4.3.4", "webpack": "^5.41.0", - "webpack-cli": "^4.7.2", - "wp-prettier": "npm:wp-prettier@2.2.1-beta-1" + "webpack-cli": "^4.7.2" }, "release-it": { "github": { diff --git a/yarn.lock b/yarn.lock index 00b00e057..865f0ded8 100644 --- a/yarn.lock +++ b/yarn.lock @@ -10071,7 +10071,7 @@ prettier-linter-helpers@^1.0.0: dependencies: fast-diff "^1.1.2" -"prettier@npm:wp-prettier@2.2.1-beta-1", "wp-prettier@npm:wp-prettier@2.2.1-beta-1": +"prettier@npm:wp-prettier@2.2.1-beta-1": version "2.2.1-beta-1" resolved "https://registry.yarnpkg.com/wp-prettier/-/wp-prettier-2.2.1-beta-1.tgz#8afb761f83426bde870f692edc49adbd3e265118" integrity sha512-+JHkqs9LC/JPp51yy1hzs3lQ7qeuWCwOcSzpQNeeY/G7oSpnF61vxt7hRh87zNRTr6ob2ndy0W8rVzhgrcA+Gw== From ad2262eb8c8d5f347fa90b258f9cdc8ab7e190d7 Mon Sep 17 00:00:00 2001 From: Lena Morita Date: Wed, 14 Jul 2021 22:22:04 +0900 Subject: [PATCH 02/53] Start passing messages --- package.json | 1 + src/components/block-editor-contents/index.js | 74 +- yarn.lock | 742 +++++++++++++++++- 3 files changed, 792 insertions(+), 25 deletions(-) diff --git a/package.json b/package.json index 7910d5bbe..64b482774 100644 --- a/package.json +++ b/package.json @@ -81,6 +81,7 @@ "@wordpress/viewport": "^3.1.2", "@wordpress/warning": "^2.1.1", "@wordpress/wordcount": "^3.1.1", + "asblocks": "git+https://github.com/youknowriad/asblocks", "classnames": "^2.3.1", "react": "17.0.2", "react-autosize-textarea": "^7.1.0", diff --git a/src/components/block-editor-contents/index.js b/src/components/block-editor-contents/index.js index 93cb18f7c..4601e1316 100644 --- a/src/components/block-editor-contents/index.js +++ b/src/components/block-editor-contents/index.js @@ -1,11 +1,16 @@ /** - * WordPress dependencies + * External dependencies */ +import { createDocument } from 'asblocks/src/lib/yjs-doc'; +import { postDocToObject, updatePostDoc } from 'asblocks/src/components/editor/sync/algorithms/yjs'; +/** + * WordPress dependencies + */ import { Popover } from '@wordpress/components'; import { withDispatch, withSelect } from '@wordpress/data'; import { compose } from '@wordpress/compose'; -import { useEffect } from '@wordpress/element'; +import { useEffect, useRef } from '@wordpress/element'; import { parse, rawHandler } from '@wordpress/blocks'; /** @@ -41,6 +46,44 @@ function getInitialContent( settings, content ) { ); } +let nextDocId = 1; + +function initYDoc( blocks, blocksUpdater ) { + const id = nextDocId++; + const doc = createDocument( { + identity: id, + applyDataChanges: updatePostDoc, + getData: postDocToObject, + sendMessage: ( message ) => window.localStorage.setItem( 'isoEditorYjsMessage', JSON.stringify( message ) ), + } ); + + window.localStorage.setItem( + 'isoEditorClients', + ( parseInt( window.localStorage.getItem( 'isoEditorClients' ) || '0' ) + 1 ).toString() + ); + doc.id = id; + + window.addEventListener( 'storage', ( event ) => { + if ( event.storageArea !== localStorage ) return; + if ( event.key === 'isoEditorYjsMessage' && event.newValue ) { + doc.receiveMessage( JSON.parse( event.newValue ) ); + } + } ); + + doc.onRemoteDataChange( ( changes ) => { + console.log( `remotechange received by ${ id }` ); + blocksUpdater( changes.blocks ); + } ); + + if ( window.localStorage.getItem( 'isoEditorClients' ) ) { + doc.startSharing( { title: '', blocks } ); + } else { + doc.connect(); + } + + return doc; +} + /** * The editor itself, including toolbar * @@ -57,14 +100,7 @@ function getInitialContent( settings, content ) { * @param {OnLoad} props.onLoad - Load initial blocks */ function BlockEditorContents( props ) { - const { - blocks, - updateBlocksWithoutUndo, - updateBlocksWithUndo, - selection, - isEditing, - editorMode, - } = props; + const { blocks, updateBlocksWithoutUndo, updateBlocksWithUndo, selection, isEditing, editorMode } = props; const { children, settings, renderMoreMenu, onLoad } = props; // Set initial content, if we have any, but only if there is no existing data in the editor (from elsewhere) @@ -76,11 +112,20 @@ function BlockEditorContents( props ) { } }, [] ); + const ydoc = useRef(); + + useEffect( () => { + ydoc.current = initYDoc( blocks, ( blocks ) => updateBlocksWithoutUndo( blocks ) ); + }, [] ); + return ( { + updateBlocksWithUndo( blocks, options ); + ydoc.current.applyDataChanges( { blocks } ); + } } useSubRegistry={ false } selection={ selection } settings={ settings.editor } @@ -97,12 +142,7 @@ function BlockEditorContents( props ) { export default compose( [ withSelect( ( select ) => { - const { - getBlocks, - getEditorSelection, - getEditorMode, - isEditing, - } = select( 'isolated/editor' ); + const { getBlocks, getEditorSelection, getEditorMode, isEditing } = select( 'isolated/editor' ); return { blocks: getBlocks(), diff --git a/yarn.lock b/yarn.lock index 865f0ded8..1454d7895 100644 --- a/yarn.lock +++ b/yarn.lock @@ -970,7 +970,7 @@ core-js-pure "^3.15.0" regenerator-runtime "^0.13.4" -"@babel/runtime@^7.10.2", "@babel/runtime@^7.11.2", "@babel/runtime@^7.13.10", "@babel/runtime@^7.3.1", "@babel/runtime@^7.5.5", "@babel/runtime@^7.7.2", "@babel/runtime@^7.8.4", "@babel/runtime@^7.9.2": +"@babel/runtime@^7.1.2", "@babel/runtime@^7.10.2", "@babel/runtime@^7.11.2", "@babel/runtime@^7.12.1", "@babel/runtime@^7.13.10", "@babel/runtime@^7.3.1", "@babel/runtime@^7.5.5", "@babel/runtime@^7.7.2", "@babel/runtime@^7.8.4", "@babel/runtime@^7.9.2": version "7.14.6" resolved "https://registry.yarnpkg.com/@babel/runtime/-/runtime-7.14.6.tgz#535203bc0892efc7dec60bdc27b2ecf6e409062d" integrity sha512-/PCB2uJ7oM44tz8YhC4Z/6PeOKXp4K588f+5M3clr1M4zbqztlo0XEfJ2LEzj/FgwfgGcIdl8n7YYjTCI0BYwg== @@ -1534,6 +1534,58 @@ resolved "https://registry.yarnpkg.com/@popperjs/core/-/core-2.9.2.tgz#adea7b6953cbb34651766b0548468e743c6a2353" integrity sha512-VZMYa7+fXHdwIq1TDhSXoVmSPEGM/aa+6Aiq3nVVJ9bXr24zScr+NlKFKC3iPljA7ho/GAZr+d2jOf5GIRC30Q== +"@sentry/browser@^5.29.0": + version "5.30.0" + resolved "https://registry.yarnpkg.com/@sentry/browser/-/browser-5.30.0.tgz#c28f49d551db3172080caef9f18791a7fd39e3b3" + integrity sha512-rOb58ZNVJWh1VuMuBG1mL9r54nZqKeaIlwSlvzJfc89vyfd7n6tQ1UXMN383QBz/MS5H5z44Hy5eE+7pCrYAfw== + dependencies: + "@sentry/core" "5.30.0" + "@sentry/types" "5.30.0" + "@sentry/utils" "5.30.0" + tslib "^1.9.3" + +"@sentry/core@5.30.0": + version "5.30.0" + resolved "https://registry.yarnpkg.com/@sentry/core/-/core-5.30.0.tgz#6b203664f69e75106ee8b5a2fe1d717379b331f3" + integrity sha512-TmfrII8w1PQZSZgPpUESqjB+jC6MvZJZdLtE/0hZ+SrnKhW3x5WlYLvTXZpcWePYBku7rl2wn1RZu6uT0qCTeg== + dependencies: + "@sentry/hub" "5.30.0" + "@sentry/minimal" "5.30.0" + "@sentry/types" "5.30.0" + "@sentry/utils" "5.30.0" + tslib "^1.9.3" + +"@sentry/hub@5.30.0": + version "5.30.0" + resolved "https://registry.yarnpkg.com/@sentry/hub/-/hub-5.30.0.tgz#2453be9b9cb903404366e198bd30c7ca74cdc100" + integrity sha512-2tYrGnzb1gKz2EkMDQcfLrDTvmGcQPuWxLnJKXJvYTQDGLlEvi2tWz1VIHjunmOvJrB5aIQLhm+dcMRwFZDCqQ== + dependencies: + "@sentry/types" "5.30.0" + "@sentry/utils" "5.30.0" + tslib "^1.9.3" + +"@sentry/minimal@5.30.0": + version "5.30.0" + resolved "https://registry.yarnpkg.com/@sentry/minimal/-/minimal-5.30.0.tgz#ce3d3a6a273428e0084adcb800bc12e72d34637b" + integrity sha512-BwWb/owZKtkDX+Sc4zCSTNcvZUq7YcH3uAVlmh/gtR9rmUvbzAA3ewLuB3myi4wWRAMEtny6+J/FN/x+2wn9Xw== + dependencies: + "@sentry/hub" "5.30.0" + "@sentry/types" "5.30.0" + tslib "^1.9.3" + +"@sentry/types@5.30.0": + version "5.30.0" + resolved "https://registry.yarnpkg.com/@sentry/types/-/types-5.30.0.tgz#19709bbe12a1a0115bc790b8942917da5636f402" + integrity sha512-R8xOqlSTZ+htqrfteCWU5Nk0CDN5ApUTvrlvBuiH1DyP6czDZ4ktbZB0hAgBlVcK0U+qpD3ag3Tqqpa5Q67rPw== + +"@sentry/utils@5.30.0": + version "5.30.0" + resolved "https://registry.yarnpkg.com/@sentry/utils/-/utils-5.30.0.tgz#9a5bd7ccff85ccfe7856d493bffa64cabc41e980" + integrity sha512-zaYmoH0NWWtvnJjC9/CBseXMtKHm/tm40sz3YfJRxeQjyzRqNQPgivpd9R/oDJCYj999mzdW382p/qi2ypjLww== + dependencies: + "@sentry/types" "5.30.0" + tslib "^1.9.3" + "@sindresorhus/is@^0.14.0": version "0.14.0" resolved "https://registry.yarnpkg.com/@sindresorhus/is/-/is-0.14.0.tgz#9fb3a3cf3132328151f353de4632e01e52102bea" @@ -2415,6 +2467,50 @@ dependencies: "@babel/runtime" "^7.13.10" +"@wordpress/block-editor@^6.1.10", "@wordpress/block-editor@^6.1.9": + version "6.1.10" + resolved "https://registry.yarnpkg.com/@wordpress/block-editor/-/block-editor-6.1.10.tgz#e62377ae8b4484fe8eeab6e44ca63c96e4ea6118" + integrity sha512-bf/Gi8ONn39bSdHY1W1UV5m64hG/ldJxebAk7t/ArlNlsmGvCr1XbgMJKYroYbGZXBrPomlP/RvKaJkkzfsOxg== + dependencies: + "@babel/runtime" "^7.13.10" + "@wordpress/a11y" "^3.1.1" + "@wordpress/blob" "^3.1.1" + "@wordpress/block-serialization-default-parser" "^4.1.1" + "@wordpress/blocks" "^9.1.5" + "@wordpress/components" "^14.1.7" + "@wordpress/compose" "^4.1.3" + "@wordpress/data" "^5.1.3" + "@wordpress/data-controls" "^2.1.3" + "@wordpress/deprecated" "^3.1.1" + "@wordpress/dom" "^3.1.2" + "@wordpress/element" "^3.1.1" + "@wordpress/hooks" "^3.1.1" + "@wordpress/html-entities" "^3.1.1" + "@wordpress/i18n" "^4.1.1" + "@wordpress/icons" "^4.0.2" + "@wordpress/is-shallow-equal" "^4.1.1" + "@wordpress/keyboard-shortcuts" "^2.1.3" + "@wordpress/keycodes" "^3.1.1" + "@wordpress/notices" "^3.1.3" + "@wordpress/rich-text" "^4.1.3" + "@wordpress/shortcode" "^3.1.1" + "@wordpress/token-list" "^2.1.1" + "@wordpress/url" "^3.1.1" + "@wordpress/wordcount" "^3.1.1" + classnames "^2.2.5" + css-mediaquery "^0.1.2" + diff "^4.0.2" + dom-scroll-into-view "^1.2.1" + inherits "^2.0.3" + lodash "^4.17.21" + memize "^1.1.0" + react-autosize-textarea "^7.1.0" + react-spring "^8.0.19" + redux-multi "^0.1.12" + rememo "^3.0.0" + tinycolor2 "^1.4.2" + traverse "^0.6.6" + "@wordpress/block-editor@^6.1.8": version "6.1.8" resolved "https://registry.yarnpkg.com/@wordpress/block-editor/-/block-editor-6.1.8.tgz#6742679fc9131181d63c63b0c25f039170d1c4e3" @@ -2501,6 +2597,48 @@ react-easy-crop "^3.0.0" tinycolor2 "^1.4.2" +"@wordpress/block-library@^3.2.13": + version "3.2.15" + resolved "https://registry.yarnpkg.com/@wordpress/block-library/-/block-library-3.2.15.tgz#01ead94e9bf323a7615a0d988e59f7e541e48da1" + integrity sha512-JIetVoIfgWCYWlOiPwqnVI3CIdAYjVgFh7k+bPzouCE981quFZdUqU6PTVE0TfNg5veyLOuTu3Pw661ivuzkog== + dependencies: + "@babel/runtime" "^7.13.10" + "@wordpress/a11y" "^3.1.1" + "@wordpress/api-fetch" "^5.1.1" + "@wordpress/autop" "^3.1.1" + "@wordpress/blob" "^3.1.1" + "@wordpress/block-editor" "^6.1.10" + "@wordpress/blocks" "^9.1.5" + "@wordpress/components" "^14.1.7" + "@wordpress/compose" "^4.1.3" + "@wordpress/core-data" "^3.1.9" + "@wordpress/data" "^5.1.3" + "@wordpress/date" "^4.1.1" + "@wordpress/deprecated" "^3.1.1" + "@wordpress/dom" "^3.1.2" + "@wordpress/element" "^3.1.1" + "@wordpress/escape-html" "^2.1.1" + "@wordpress/hooks" "^3.1.1" + "@wordpress/i18n" "^4.1.1" + "@wordpress/icons" "^4.0.2" + "@wordpress/is-shallow-equal" "^4.1.1" + "@wordpress/keycodes" "^3.1.1" + "@wordpress/notices" "^3.1.3" + "@wordpress/primitives" "^2.1.1" + "@wordpress/reusable-blocks" "^2.1.13" + "@wordpress/rich-text" "^4.1.3" + "@wordpress/server-side-render" "^2.1.8" + "@wordpress/url" "^3.1.1" + "@wordpress/viewport" "^3.1.3" + classnames "^2.2.5" + fast-average-color "4.3.0" + lodash "^4.17.21" + memize "^1.1.0" + micromodal "^0.4.6" + moment "^2.22.1" + react-easy-crop "^3.0.0" + tinycolor2 "^1.4.2" + "@wordpress/block-serialization-default-parser@^4.1.1": version "4.1.1" resolved "https://registry.yarnpkg.com/@wordpress/block-serialization-default-parser/-/block-serialization-default-parser-4.1.1.tgz#169562114ee81b58e96599c969b71a390019b4e3" @@ -2544,6 +2682,34 @@ tinycolor2 "^1.4.2" uuid "^8.3.0" +"@wordpress/blocks@^9.1.5": + version "9.1.5" + resolved "https://registry.yarnpkg.com/@wordpress/blocks/-/blocks-9.1.5.tgz#9a2acaafd5f7d473b32cba5e4b722e166d2575a7" + integrity sha512-cdYEVt96vsodYKTLX9XiM3kO45NvCYHMEMEBZpiGmgrLsd61m2yjNtWwAHaLMqSZuNmXsB62rGC+bTdmzznEAA== + dependencies: + "@babel/runtime" "^7.13.10" + "@wordpress/autop" "^3.1.1" + "@wordpress/blob" "^3.1.1" + "@wordpress/block-serialization-default-parser" "^4.1.1" + "@wordpress/compose" "^4.1.3" + "@wordpress/data" "^5.1.3" + "@wordpress/deprecated" "^3.1.1" + "@wordpress/dom" "^3.1.2" + "@wordpress/element" "^3.1.1" + "@wordpress/hooks" "^3.1.1" + "@wordpress/html-entities" "^3.1.1" + "@wordpress/i18n" "^4.1.1" + "@wordpress/icons" "^4.0.2" + "@wordpress/is-shallow-equal" "^4.1.1" + "@wordpress/shortcode" "^3.1.1" + hpq "^1.3.0" + lodash "^4.17.21" + rememo "^3.0.0" + showdown "^1.9.1" + simple-html-tokenizer "^0.5.7" + tinycolor2 "^1.4.2" + uuid "^8.3.0" + "@wordpress/browserslist-config@^4.0.1": version "4.0.1" resolved "https://registry.yarnpkg.com/@wordpress/browserslist-config/-/browserslist-config-4.0.1.tgz#dcb1b4bcef1224c5a6c814a8e8ea4be83baa7740" @@ -2592,6 +2758,49 @@ tinycolor2 "^1.4.2" uuid "^8.3.0" +"@wordpress/components@^14.1.6", "@wordpress/components@^14.1.7": + version "14.1.7" + resolved "https://registry.yarnpkg.com/@wordpress/components/-/components-14.1.7.tgz#0477c39ace84ee0a06ff994b2c5fb1769bae5d4b" + integrity sha512-sB6Wm6JQ0yR8JAamnaz+CBczOslJBl5JWN1g4WhIG3sjgc6tFKbDefwey9U8sOa4e17AJhr4V762srUZ8ffAWw== + dependencies: + "@babel/runtime" "^7.13.10" + "@emotion/cache" "^10.0.27" + "@emotion/core" "^10.1.1" + "@emotion/css" "^10.0.22" + "@emotion/styled" "^10.0.23" + "@wordpress/a11y" "^3.1.1" + "@wordpress/compose" "^4.1.3" + "@wordpress/date" "^4.1.1" + "@wordpress/deprecated" "^3.1.1" + "@wordpress/dom" "^3.1.2" + "@wordpress/element" "^3.1.1" + "@wordpress/hooks" "^3.1.1" + "@wordpress/i18n" "^4.1.1" + "@wordpress/icons" "^4.0.2" + "@wordpress/is-shallow-equal" "^4.1.1" + "@wordpress/keycodes" "^3.1.1" + "@wordpress/primitives" "^2.1.1" + "@wordpress/rich-text" "^4.1.3" + "@wordpress/warning" "^2.1.1" + classnames "^2.2.5" + dom-scroll-into-view "^1.2.1" + downshift "^6.0.15" + emotion "^10.0.23" + gradient-parser "^0.1.5" + highlight-words-core "^1.2.2" + lodash "^4.17.21" + memize "^1.1.0" + moment "^2.22.1" + re-resizable "^6.4.0" + react-dates "^17.1.1" + react-resize-aware "^3.1.0" + react-spring "^8.0.20" + react-use-gesture "^9.0.0" + reakit "^1.3.5" + rememo "^3.0.0" + tinycolor2 "^1.4.2" + uuid "^8.3.0" + "@wordpress/compose@^4.1.2": version "4.1.2" resolved "https://registry.yarnpkg.com/@wordpress/compose/-/compose-4.1.2.tgz#af8a0fee25ca8fff8405e3ac8e3e16aeed8feb89" @@ -2611,6 +2820,25 @@ react-resize-aware "^3.1.0" use-memo-one "^1.1.1" +"@wordpress/compose@^4.1.3": + version "4.1.3" + resolved "https://registry.yarnpkg.com/@wordpress/compose/-/compose-4.1.3.tgz#4f145cc7dfdae399eaebb46be1b6c8f2227bc23c" + integrity sha512-tu+SsKxsJ+wiFcudu+uPvbE8hTl/Ft8j960vDx5sz4UhtIwOEYIANCW7h5v3EykbSQrig4Dw3NqJ2LYiU4OMYQ== + dependencies: + "@babel/runtime" "^7.13.10" + "@wordpress/deprecated" "^3.1.1" + "@wordpress/dom" "^3.1.2" + "@wordpress/element" "^3.1.1" + "@wordpress/is-shallow-equal" "^4.1.1" + "@wordpress/keycodes" "^3.1.1" + "@wordpress/priority-queue" "^2.1.1" + clipboard "^2.0.1" + lodash "^4.17.21" + memize "^1.1.0" + mousetrap "^1.6.5" + react-resize-aware "^3.1.0" + use-memo-one "^1.1.1" + "@wordpress/core-data@^3.1.8": version "3.1.8" resolved "https://registry.yarnpkg.com/@wordpress/core-data/-/core-data-3.1.8.tgz#d9e58ac7906f69db9cc3a8efeef14c01f148d302" @@ -2631,6 +2859,26 @@ rememo "^3.0.0" uuid "^8.3.0" +"@wordpress/core-data@^3.1.9": + version "3.1.9" + resolved "https://registry.yarnpkg.com/@wordpress/core-data/-/core-data-3.1.9.tgz#b582d47dfaea876176c0e687b2484acdb422c5a6" + integrity sha512-I8w+S5r0RJTbqeBkXyZwwPgh/+/1CLmLm9Lg5RveeDTL62KqLOjpi7d0WRk2WCSEREVHTrfRNI4JrB4WbO8jhw== + dependencies: + "@babel/runtime" "^7.13.10" + "@wordpress/api-fetch" "^5.1.1" + "@wordpress/blocks" "^9.1.5" + "@wordpress/data" "^5.1.3" + "@wordpress/data-controls" "^2.1.3" + "@wordpress/element" "^3.1.1" + "@wordpress/html-entities" "^3.1.1" + "@wordpress/i18n" "^4.1.1" + "@wordpress/is-shallow-equal" "^4.1.1" + "@wordpress/url" "^3.1.1" + equivalent-key-map "^0.2.2" + lodash "^4.17.21" + rememo "^3.0.0" + uuid "^8.3.0" + "@wordpress/data-controls@^2.1.2": version "2.1.2" resolved "https://registry.yarnpkg.com/@wordpress/data-controls/-/data-controls-2.1.2.tgz#567deef0947dd64e63d3698e7209bb3fac1990a4" @@ -2641,6 +2889,16 @@ "@wordpress/data" "^5.1.2" "@wordpress/deprecated" "^3.1.1" +"@wordpress/data-controls@^2.1.3": + version "2.1.3" + resolved "https://registry.yarnpkg.com/@wordpress/data-controls/-/data-controls-2.1.3.tgz#3d8e90f08abb84fa75360d104e42839168aefd0e" + integrity sha512-gDNufBbLiGhoIMIcNCL9seKP4ZVuDiO/Fx479RwAWSWdSdUFgJtvwkzdVUF5zFZwLIaeMXTPwrNWV97zl7rDtQ== + dependencies: + "@babel/runtime" "^7.13.10" + "@wordpress/api-fetch" "^5.1.1" + "@wordpress/data" "^5.1.3" + "@wordpress/deprecated" "^3.1.1" + "@wordpress/data@^5.1.2": version "5.1.2" resolved "https://registry.yarnpkg.com/@wordpress/data/-/data-5.1.2.tgz#cf19428006a54ab214945cf44c2d0a86420a73f3" @@ -2661,6 +2919,26 @@ turbo-combine-reducers "^1.0.2" use-memo-one "^1.1.1" +"@wordpress/data@^5.1.3": + version "5.1.3" + resolved "https://registry.yarnpkg.com/@wordpress/data/-/data-5.1.3.tgz#01cba921e338deac71eebf5cdfcb209dac4adc34" + integrity sha512-yzQya3A+bRbOMzZrsjolcmTq/Fe0Hg1eH06dHBAlHkbXfGEg7lfIFlp0yM934BCfOwTl6gRi1HACvcCAvBtUrQ== + dependencies: + "@babel/runtime" "^7.13.10" + "@wordpress/compose" "^4.1.3" + "@wordpress/deprecated" "^3.1.1" + "@wordpress/element" "^3.1.1" + "@wordpress/is-shallow-equal" "^4.1.1" + "@wordpress/priority-queue" "^2.1.1" + "@wordpress/redux-routine" "^4.1.1" + equivalent-key-map "^0.2.2" + is-promise "^4.0.0" + lodash "^4.17.21" + memize "^1.1.0" + redux "^4.1.0" + turbo-combine-reducers "^1.0.2" + use-memo-one "^1.1.1" + "@wordpress/date@^4.1.1": version "4.1.1" resolved "https://registry.yarnpkg.com/@wordpress/date/-/date-4.1.1.tgz#409866d8d524a613a3c9d1f2cb9c8ebf428dc30e" @@ -2701,6 +2979,14 @@ "@babel/runtime" "^7.13.10" lodash "^4.17.21" +"@wordpress/dom@^3.1.2": + version "3.1.2" + resolved "https://registry.yarnpkg.com/@wordpress/dom/-/dom-3.1.2.tgz#c4e86885d0210aeeb7d094b6d3357af953e70e45" + integrity sha512-ahY2nFqX7dktTHbuSyxnx3uz3LC5Y3g5Ji4mkoJZsA2BVAJFc8Vj7dGWnSstcPnuECGlkcEXF5FvMpIgsJB20Q== + dependencies: + "@babel/runtime" "^7.13.10" + lodash "^4.17.21" + "@wordpress/editor@^10.1.11": version "10.1.11" resolved "https://registry.yarnpkg.com/@wordpress/editor/-/editor-10.1.11.tgz#239358b793ffa1f971499e3d508bebcc4d3259eb" @@ -2803,6 +3089,27 @@ "@wordpress/url" "^3.1.1" lodash "^4.17.21" +"@wordpress/format-library@^2.1.9": + version "2.1.10" + resolved "https://registry.yarnpkg.com/@wordpress/format-library/-/format-library-2.1.10.tgz#9562c38fe884a791d69f2b463ee336ac00e55c1a" + integrity sha512-cLF6REIuIi/Fjou++FMmKtEEI4QVxJiO4CVxH4MHc5Xd5QSMuUT4AbfqFgyJv9pYOqHMFIx7wgVCSeTEECTx8A== + dependencies: + "@babel/runtime" "^7.13.10" + "@wordpress/a11y" "^3.1.1" + "@wordpress/block-editor" "^6.1.10" + "@wordpress/components" "^14.1.7" + "@wordpress/compose" "^4.1.3" + "@wordpress/data" "^5.1.3" + "@wordpress/dom" "^3.1.2" + "@wordpress/element" "^3.1.1" + "@wordpress/html-entities" "^3.1.1" + "@wordpress/i18n" "^4.1.1" + "@wordpress/icons" "^4.0.2" + "@wordpress/keycodes" "^3.1.1" + "@wordpress/rich-text" "^4.1.3" + "@wordpress/url" "^3.1.1" + lodash "^4.17.21" + "@wordpress/hooks@^3.1.1": version "3.1.1" resolved "https://registry.yarnpkg.com/@wordpress/hooks/-/hooks-3.1.1.tgz#be9be2abbe97ad8c0bee52c96381e5a46e559963" @@ -2839,6 +3146,15 @@ "@wordpress/element" "^3.1.1" "@wordpress/primitives" "^2.1.1" +"@wordpress/icons@^4.0.2": + version "4.0.2" + resolved "https://registry.yarnpkg.com/@wordpress/icons/-/icons-4.0.2.tgz#b35bb01058a5341874e1022f48bb46acb3ece2f9" + integrity sha512-WAD6RDbxtutbm2p+Hwe4zc5nl2fiVZSMIj4f6VUqWaVjAdSjy9NxMsUtum6OmyYwRNSvPLFyYUlRfdUJ4AVCaA== + dependencies: + "@babel/runtime" "^7.13.10" + "@wordpress/element" "^3.1.1" + "@wordpress/primitives" "^2.1.1" + "@wordpress/interface@^3.1.6": version "3.1.6" resolved "https://registry.yarnpkg.com/@wordpress/interface/-/interface-3.1.6.tgz#2643a510a8936359e1beea9322515338b2bfb203" @@ -2897,6 +3213,19 @@ lodash "^4.17.21" rememo "^3.0.0" +"@wordpress/keyboard-shortcuts@^2.1.3": + version "2.1.3" + resolved "https://registry.yarnpkg.com/@wordpress/keyboard-shortcuts/-/keyboard-shortcuts-2.1.3.tgz#06c24cf6806e75c9969e13a86661f53ffb34b9ea" + integrity sha512-5CacYrHgGNCtCk3Q399PUn0lebj6vRyFQ9fvIojD7Ak58I4TSiPX4XEB9wmD72lRh8255EYJn/Bx7oGHuSyK1Q== + dependencies: + "@babel/runtime" "^7.13.10" + "@wordpress/compose" "^4.1.3" + "@wordpress/data" "^5.1.3" + "@wordpress/element" "^3.1.1" + "@wordpress/keycodes" "^3.1.1" + lodash "^4.17.21" + rememo "^3.0.0" + "@wordpress/keycodes@^3.1.1": version "3.1.1" resolved "https://registry.yarnpkg.com/@wordpress/keycodes/-/keycodes-3.1.1.tgz#d842167401967908713d2f43b3ff9f53cbef2bf8" @@ -2941,6 +3270,16 @@ "@wordpress/data" "^5.1.2" lodash "^4.17.21" +"@wordpress/notices@^3.1.3": + version "3.1.3" + resolved "https://registry.yarnpkg.com/@wordpress/notices/-/notices-3.1.3.tgz#becc537ed128da0056564e0b271aa15cc82001c7" + integrity sha512-4GphhTgUfOp1A6t+2GaICZpGjYxz200aXol+/AyG1QPZE1MZ4ANRI0bxYYmbWKNS5w60sZXxN3X65z6V6LIGsw== + dependencies: + "@babel/runtime" "^7.13.10" + "@wordpress/a11y" "^3.1.1" + "@wordpress/data" "^5.1.3" + lodash "^4.17.21" + "@wordpress/npm-package-json-lint-config@^4.0.5": version "4.0.5" resolved "https://registry.yarnpkg.com/@wordpress/npm-package-json-lint-config/-/npm-package-json-lint-config-4.0.5.tgz#68033f730c06ba0f0e2f7e68ef9deeeef56a6ac8" @@ -3026,6 +3365,24 @@ "@wordpress/url" "^3.1.1" lodash "^4.17.21" +"@wordpress/reusable-blocks@^2.1.13": + version "2.1.13" + resolved "https://registry.yarnpkg.com/@wordpress/reusable-blocks/-/reusable-blocks-2.1.13.tgz#d43f9cb54b1a444b7cfd04a7bb39b7293803b629" + integrity sha512-e8+gv0Ne9ZWbnK9F17vLDmZycBXtF4Q9Jcl2WGlwl7N/QN6xVCvm2QT2T3TAD0BgervliHbi4Os5gJZC/NECQA== + dependencies: + "@wordpress/block-editor" "^6.1.10" + "@wordpress/blocks" "^9.1.5" + "@wordpress/components" "^14.1.7" + "@wordpress/compose" "^4.1.3" + "@wordpress/core-data" "^3.1.9" + "@wordpress/data" "^5.1.3" + "@wordpress/element" "^3.1.1" + "@wordpress/i18n" "^4.1.1" + "@wordpress/icons" "^4.0.2" + "@wordpress/notices" "^3.1.3" + "@wordpress/url" "^3.1.1" + lodash "^4.17.21" + "@wordpress/rich-text@^4.1.2": version "4.1.2" resolved "https://registry.yarnpkg.com/@wordpress/rich-text/-/rich-text-4.1.2.tgz#305a399f9a1836262eb8ea7cc2a2991130373ad2" @@ -3044,6 +3401,24 @@ memize "^1.1.0" rememo "^3.0.0" +"@wordpress/rich-text@^4.1.3": + version "4.1.3" + resolved "https://registry.yarnpkg.com/@wordpress/rich-text/-/rich-text-4.1.3.tgz#ae9e0d831f917ee39b9402d726831cdade603726" + integrity sha512-b5bd1OdxXBikY4asmXEacTgjJDgHoPJL09IKvdQ7Iq0z5w+LzTm4LoAnWJgYpVeHUqXGxzg9Z7W1ucka/qosmQ== + dependencies: + "@babel/runtime" "^7.13.10" + "@wordpress/compose" "^4.1.3" + "@wordpress/data" "^5.1.3" + "@wordpress/dom" "^3.1.2" + "@wordpress/element" "^3.1.1" + "@wordpress/escape-html" "^2.1.1" + "@wordpress/is-shallow-equal" "^4.1.1" + "@wordpress/keycodes" "^3.1.1" + classnames "^2.2.5" + lodash "^4.17.21" + memize "^1.1.0" + rememo "^3.0.0" + "@wordpress/scripts@^16.1.3": version "16.1.3" resolved "https://registry.yarnpkg.com/@wordpress/scripts/-/scripts-16.1.3.tgz#7aba9a6b84bb314d201dd398244e2e981743b703" @@ -3119,6 +3494,23 @@ "@wordpress/url" "^3.1.1" lodash "^4.17.21" +"@wordpress/server-side-render@^2.1.8": + version "2.1.8" + resolved "https://registry.yarnpkg.com/@wordpress/server-side-render/-/server-side-render-2.1.8.tgz#3ea9a63302ccde1793d8d5c88f91c2717f4e5a84" + integrity sha512-Pn/FlSAgbIYU78oXA23d7DqB7TzN2YolqfVp0GBy25gCT1PtvyoJtSdhkQanckKnAuazvyIna54Eaqlm/i8ebQ== + dependencies: + "@babel/runtime" "^7.13.10" + "@wordpress/api-fetch" "^5.1.1" + "@wordpress/blocks" "^9.1.5" + "@wordpress/components" "^14.1.7" + "@wordpress/compose" "^4.1.3" + "@wordpress/data" "^5.1.3" + "@wordpress/deprecated" "^3.1.1" + "@wordpress/element" "^3.1.1" + "@wordpress/i18n" "^4.1.1" + "@wordpress/url" "^3.1.1" + lodash "^4.17.21" + "@wordpress/shortcode@^3.1.1": version "3.1.1" resolved "https://registry.yarnpkg.com/@wordpress/shortcode/-/shortcode-3.1.1.tgz#da9b6e50c55b3aab58a12bf20cdd2ef57e909a0d" @@ -3164,6 +3556,16 @@ "@wordpress/data" "^5.1.2" lodash "^4.17.21" +"@wordpress/viewport@^3.1.3": + version "3.1.3" + resolved "https://registry.yarnpkg.com/@wordpress/viewport/-/viewport-3.1.3.tgz#5ef692ca69b869351298c8e5243184f4c3a9ba29" + integrity sha512-5qRKUjrI2H+cJaJYbIY1Dm2NA7DLVU2D/qqxErPTuZNSliypLINP0uzhHkvaDT7GOCv3J99/m0ajavrXusdPtQ== + dependencies: + "@babel/runtime" "^7.13.10" + "@wordpress/compose" "^4.1.3" + "@wordpress/data" "^5.1.3" + lodash "^4.17.21" + "@wordpress/warning@^2.1.1": version "2.1.1" resolved "https://registry.yarnpkg.com/@wordpress/warning/-/warning-2.1.1.tgz#9f7ea1b9e054b0190c3203eb596f5fd025e0577b" @@ -3230,6 +3632,11 @@ acorn@^8.0.4, acorn@^8.2.1, acorn@^8.2.4: resolved "https://registry.yarnpkg.com/acorn/-/acorn-8.4.1.tgz#56c36251fc7cabc7096adc18f05afe814321a28c" integrity sha512-asabaBSkEKosYKMITunzX177CXxQ4Q8BSSzMTKD+FefUhipQC70gfW5SiUDhYQ3vk8G+81HqQk7Fv9OXwwn9KA== +after@0.8.2: + version "0.8.2" + resolved "https://registry.yarnpkg.com/after/-/after-0.8.2.tgz#fedb394f9f0e02aa9768e702bda23b505fae7e1f" + integrity sha1-/ts5T58OAqqXaOcCvaI7UF+ufh8= + agent-base@6: version "6.0.2" resolved "https://registry.yarnpkg.com/agent-base/-/agent-base-6.0.2.tgz#49fff58577cfee3f37176feab4c22e00f86d7f77" @@ -3455,11 +3862,52 @@ array.prototype.flatmap@^1.2.4: es-abstract "^1.18.0-next.1" function-bind "^1.1.1" +arraybuffer.slice@~0.0.7: + version "0.0.7" + resolved "https://registry.yarnpkg.com/arraybuffer.slice/-/arraybuffer.slice-0.0.7.tgz#3bbc4275dd584cc1b10809b89d4e8b63a69e7675" + integrity sha512-wGUIVQXuehL5TCqQun8OW81jGzAWycqzFF8lFp+GOM5BXLYj3bKNsYC4daB7n6XjCqxQA/qgTJ+8ANR3acjrog== + arrify@^1.0.1: version "1.0.1" resolved "https://registry.yarnpkg.com/arrify/-/arrify-1.0.1.tgz#898508da2226f380df904728456849c1501a4b0d" integrity sha1-iYUI2iIm84DfkEcoRWhJwVAaSw0= +"asblocks@git+https://github.com/youknowriad/asblocks": + version "1.2.0" + resolved "git+https://github.com/youknowriad/asblocks#48f351f9be9a1041dca0e99b033d119d9f797ddf" + dependencies: + "@sentry/browser" "^5.29.0" + "@wordpress/block-editor" "^6.1.9" + "@wordpress/block-library" "^3.2.13" + "@wordpress/blocks" "^9.1.5" + "@wordpress/components" "^14.1.6" + "@wordpress/compose" "^4.1.3" + "@wordpress/data" "^5.1.3" + "@wordpress/data-controls" "^2.1.3" + "@wordpress/element" "^3.1.1" + "@wordpress/format-library" "^2.1.9" + "@wordpress/hooks" "^3.1.1" + "@wordpress/icons" "^4.0.2" + "@wordpress/is-shallow-equal" "^4.1.1" + "@wordpress/keycodes" "^3.1.1" + "@wordpress/notices" "^3.1.3" + "@wordpress/rich-text" "^4.1.3" + classnames "^2.3.1" + easy-web-crypto "1.1.1" + insights-js "^1.2.10" + is-electron "^2.2.0" + lodash "^4.17.21" + memize "^1.1.0" + react-promise-suspense "^0.3.3" + react-router-dom "^5.2.0" + react-update-notification "^1.0.0" + rememo "^3.0.0" + socket.io-client "^2.3.1" + tiny-emitter "^2.1.0" + use-local-storage-state "^6.0.0" + uuid "^8.3.2" + yjs "^13.4.7" + asn1.js@^5.2.0: version "5.4.1" resolved "https://registry.yarnpkg.com/asn1.js/-/asn1.js-5.4.1.tgz#11a980b84ebb91781ce35b0fdc2ee294e3783f07" @@ -3735,6 +4183,11 @@ babel-preset-jest@^26.6.2: babel-plugin-jest-hoist "^26.6.2" babel-preset-current-node-syntax "^1.0.0" +backo2@1.0.2: + version "1.0.2" + resolved "https://registry.yarnpkg.com/backo2/-/backo2-1.0.2.tgz#31ab1ac8b129363463e35b3ebb69f4dfcfba7947" + integrity sha1-MasayLEpNjRj41s+u2n038+6eUc= + bail@^1.0.0: version "1.0.5" resolved "https://registry.yarnpkg.com/bail/-/bail-1.0.5.tgz#b6fa133404a392cbc1f8c4bf63f5953351e7a776" @@ -3750,6 +4203,11 @@ balanced-match@^2.0.0: resolved "https://registry.yarnpkg.com/balanced-match/-/balanced-match-2.0.0.tgz#dc70f920d78db8b858535795867bf48f820633d9" integrity sha512-1ugUSr8BHXRnK23KfuYS+gVMC3LB8QGH9W1iGtDPsNWoQbgtXSExkBu2aDR4epiGWZOjZsj6lDl/N/AqqTC3UA== +base64-arraybuffer@0.1.4: + version "0.1.4" + resolved "https://registry.yarnpkg.com/base64-arraybuffer/-/base64-arraybuffer-0.1.4.tgz#9818c79e059b1355f97e0428a017c838e90ba812" + integrity sha1-mBjHngWbE1X5fgQooBfIOOkLqBI= + base64-js@^1.0.2, base64-js@^1.3.1: version "1.5.1" resolved "https://registry.yarnpkg.com/base64-js/-/base64-js-1.5.1.tgz#1b1b440160a5bf7ad40b650f095963481903930a" @@ -3811,6 +4269,11 @@ bl@^4.0.3, bl@^4.1.0: inherits "^2.0.4" readable-stream "^3.4.0" +blob@0.0.5: + version "0.0.5" + resolved "https://registry.yarnpkg.com/blob/-/blob-0.0.5.tgz#d680eeef25f8cd91ad533f5b01eed48e64caf683" + integrity sha512-gaqbzQPqOoamawKg0LGVd7SzLgXS+JH61oWprSLH+P+abTczqJbhTR8CmJ2u9/bUYNmHTGJx/UEmn6doAvvuig== + bluebird@^3.5.5: version "3.7.2" resolved "https://registry.yarnpkg.com/bluebird/-/bluebird-3.7.2.tgz#9f229c15be272454ffa973ace0dbee79a1b0c36f" @@ -4565,11 +5028,21 @@ commondir@^1.0.1: resolved "https://registry.yarnpkg.com/commondir/-/commondir-1.0.1.tgz#ddd800da0c66127393cca5950ea968a3aaf1253b" integrity sha1-3dgA2gxmEnOTzKWVDqloo6rxJTs= -component-emitter@^1.2.1: +component-bind@1.0.0: + version "1.0.0" + resolved "https://registry.yarnpkg.com/component-bind/-/component-bind-1.0.0.tgz#00c608ab7dcd93897c0009651b1d3a8e1e73bbd1" + integrity sha1-AMYIq33Nk4l8AAllGx06jh5zu9E= + +component-emitter@^1.2.1, component-emitter@~1.3.0: version "1.3.0" resolved "https://registry.yarnpkg.com/component-emitter/-/component-emitter-1.3.0.tgz#16e4070fba8ae29b679f2215853ee181ab2eabc0" integrity sha512-Rd3se6QB+sO1TwqZjscQrurpEPIfO0/yYnSin6Q/rD3mOutHvUrCAhJub3r90uNb+SESBuE0QYoB90YdfatsRg== +component-inherit@0.0.3: + version "0.0.3" + resolved "https://registry.yarnpkg.com/component-inherit/-/component-inherit-0.0.3.tgz#645fc4adf58b72b649d5cae65135619db26ff143" + integrity sha1-ZF/ErfWLcrZJ1crmUTVhnbJv8UM= + compute-scroll-into-view@^1.0.17: version "1.0.17" resolved "https://registry.yarnpkg.com/compute-scroll-into-view/-/compute-scroll-into-view-1.0.17.tgz#6a88f18acd9d42e9cf4baa6bec7e0522607ab7ab" @@ -4960,6 +5433,13 @@ debug@^3.1.0, debug@^3.1.1, debug@^3.2.7: dependencies: ms "^2.1.1" +debug@~3.1.0: + version "3.1.0" + resolved "https://registry.yarnpkg.com/debug/-/debug-3.1.0.tgz#5bb5a0672628b64149566ba16819e61518c67261" + integrity sha512-OX8XqP7/1a9cqkxYw2yXss15f26NKWBpDXQd0/uK/KPqdQhxbPa994hnzjcE2VqQpDslf55723cKPUOGSmMY3g== + dependencies: + ms "2.0.0" + decache@^4.5.1: version "4.6.0" resolved "https://registry.yarnpkg.com/decache/-/decache-4.6.0.tgz#87026bc6e696759e82d57a3841c4e251a30356e8" @@ -5308,6 +5788,11 @@ duplexify@^3.4.2, duplexify@^3.6.0: readable-stream "^2.0.0" stream-shift "^1.0.0" +easy-web-crypto@1.1.1: + version "1.1.1" + resolved "https://registry.yarnpkg.com/easy-web-crypto/-/easy-web-crypto-1.1.1.tgz#930f36746517c60345eefc30c3d5c8ee4ddba95f" + integrity sha512-6qMECbP9Jgrg5tCr2ZIP6s/AyN2rzPbqE/HjKhItI1Y3Ai8TQPNQLfLDabhf21ulYMJzGKJAses5WjyK6bSEhg== + ecc-jsbn@~0.1.1: version "0.1.2" resolved "https://registry.yarnpkg.com/ecc-jsbn/-/ecc-jsbn-0.1.2.tgz#3a83a904e54353287874c564b7549386849a98c9" @@ -5381,6 +5866,34 @@ end-of-stream@^1.0.0, end-of-stream@^1.1.0, end-of-stream@^1.4.1: dependencies: once "^1.4.0" +engine.io-client@~3.5.0: + version "3.5.2" + resolved "https://registry.yarnpkg.com/engine.io-client/-/engine.io-client-3.5.2.tgz#0ef473621294004e9ceebe73cef0af9e36f2f5fa" + integrity sha512-QEqIp+gJ/kMHeUun7f5Vv3bteRHppHH/FMBQX/esFj/fuYfjyUKWGMo3VCvIP/V8bE9KcjHmRZrhIz2Z9oNsDA== + dependencies: + component-emitter "~1.3.0" + component-inherit "0.0.3" + debug "~3.1.0" + engine.io-parser "~2.2.0" + has-cors "1.1.0" + indexof "0.0.1" + parseqs "0.0.6" + parseuri "0.0.6" + ws "~7.4.2" + xmlhttprequest-ssl "~1.6.2" + yeast "0.1.2" + +engine.io-parser@~2.2.0: + version "2.2.1" + resolved "https://registry.yarnpkg.com/engine.io-parser/-/engine.io-parser-2.2.1.tgz#57ce5611d9370ee94f99641b589f94c97e4f5da7" + integrity sha512-x+dN/fBH8Ro8TFwJ+rkB2AmuVw9Yu2mockR/p3W8f8YtExwFgDvBDi0GWyb4ZLkpahtDGZgtr3zLovanJghPqg== + dependencies: + after "0.8.2" + arraybuffer.slice "~0.0.7" + base64-arraybuffer "0.1.4" + blob "0.0.5" + has-binary2 "~1.0.2" + enhanced-resolve@^4.1.1, enhanced-resolve@^4.5.0: version "4.5.0" resolved "https://registry.yarnpkg.com/enhanced-resolve/-/enhanced-resolve-4.5.0.tgz#2f3cfd84dbe3b487f18f2db2ef1e064a571ca5ec" @@ -6068,6 +6581,11 @@ fast-average-color@4.3.0: resolved "https://registry.yarnpkg.com/fast-average-color/-/fast-average-color-4.3.0.tgz#baf08eb9c62955c40718a26c47d0b1501c62193e" integrity sha512-k8FXd6+JeXoItmdNqB3hMwFgArryjdYBLuzEM8fRY/oztd/051yhSHU6GUrMOfIQU9dDHyFDcIAkGrQKlYtpDA== +fast-deep-equal@^2.0.1: + version "2.0.1" + resolved "https://registry.yarnpkg.com/fast-deep-equal/-/fast-deep-equal-2.0.1.tgz#7b05218ddf9667bf7f370bf7fdb2cb15fdd0aa49" + integrity sha1-ewUhjd+WZ79/Nwv3/bLLFf3Qqkk= + fast-deep-equal@^3.1.1, fast-deep-equal@^3.1.3: version "3.1.3" resolved "https://registry.yarnpkg.com/fast-deep-equal/-/fast-deep-equal-3.1.3.tgz#3a7d56b559d6cbc3eb512325244e619a65c6c525" @@ -6809,6 +7327,18 @@ has-bigints@^1.0.1: resolved "https://registry.yarnpkg.com/has-bigints/-/has-bigints-1.0.1.tgz#64fe6acb020673e3b78db035a5af69aa9d07b113" integrity sha512-LSBS2LjbNBTf6287JEbEzvJgftkF5qFkmCo9hDRpAzKhUOlJ+hx8dd4USs00SgsUNwc4617J9ki5YtEClM2ffA== +has-binary2@~1.0.2: + version "1.0.3" + resolved "https://registry.yarnpkg.com/has-binary2/-/has-binary2-1.0.3.tgz#7776ac627f3ea77250cfc332dab7ddf5e4f5d11d" + integrity sha512-G1LWKhDSvhGeAQ8mPVQlqNcOB2sJdwATtZKl2pDKKHfpf/rYj24lkinxf69blJbnsvtqqNU+L3SL50vzZhXOnw== + dependencies: + isarray "2.0.1" + +has-cors@1.1.0: + version "1.1.0" + resolved "https://registry.yarnpkg.com/has-cors/-/has-cors-1.1.0.tgz#5e474793f7ea9843d1bb99c23eef49ff126fff39" + integrity sha1-XkdHk/fqmEPRu5nCPu9J/xJv/zk= + has-flag@^3.0.0: version "3.0.0" resolved "https://registry.yarnpkg.com/has-flag/-/has-flag-3.0.0.tgz#b5d454dc2199ae225699f3467e5a07f3b955bafd" @@ -6889,6 +7419,18 @@ highlight-words-core@^1.2.2: resolved "https://registry.yarnpkg.com/highlight-words-core/-/highlight-words-core-1.2.2.tgz#1eff6d7d9f0a22f155042a00791237791b1eeaaa" integrity sha512-BXUKIkUuh6cmmxzi5OIbUJxrG8OAk2MqoL1DtO3Wo9D2faJg2ph5ntyuQeLqaHJmzER6H5tllCDA9ZnNe9BVGg== +history@^4.9.0: + version "4.10.1" + resolved "https://registry.yarnpkg.com/history/-/history-4.10.1.tgz#33371a65e3a83b267434e2b3f3b1b4c58aad4cf3" + integrity sha512-36nwAD620w12kuzPAsyINPWJqlNbij+hpK1k9XRloDtym8mxzGYl2c17LnV6IAGB2Dmg4tEa7G7DlawS0+qjew== + dependencies: + "@babel/runtime" "^7.1.2" + loose-envify "^1.2.0" + resolve-pathname "^3.0.0" + tiny-invariant "^1.0.2" + tiny-warning "^1.0.0" + value-equal "^1.0.1" + hmac-drbg@^1.0.1: version "1.0.1" resolved "https://registry.yarnpkg.com/hmac-drbg/-/hmac-drbg-1.0.1.tgz#d2745701025a6c775a6c545793ed502fc0c649a1" @@ -6898,7 +7440,7 @@ hmac-drbg@^1.0.1: minimalistic-assert "^1.0.0" minimalistic-crypto-utils "^1.0.1" -hoist-non-react-statics@^3.2.1, hoist-non-react-statics@^3.3.0: +hoist-non-react-statics@^3.1.0, hoist-non-react-statics@^3.2.1, hoist-non-react-statics@^3.3.0: version "3.3.2" resolved "https://registry.yarnpkg.com/hoist-non-react-statics/-/hoist-non-react-statics-3.3.2.tgz#ece0acaf71d62c2969c2ec59feff42a4b1a85b45" integrity sha512-/gGivxi8JPKWNm/W0jSmzcMPpfpPLc3dY/6GxhX2hQ9iGj3aDfklV4ET7NjKpSinLpJ5vafa9iiGIEZg10SfBw== @@ -7142,6 +7684,11 @@ indent-string@^4.0.0: resolved "https://registry.yarnpkg.com/indent-string/-/indent-string-4.0.0.tgz#624f8f4497d619b2d9768531d58f4122854d7251" integrity sha512-EdDDZu4A2OyIK7Lr/2zG+w5jmbuk1DVBnEwREQvBzspBJkCEbRa8GxU1lghYcaGJCnRWibjDXlq779X1/y5xwg== +indexof@0.0.1: + version "0.0.1" + resolved "https://registry.yarnpkg.com/indexof/-/indexof-0.0.1.tgz#82dc336d232b9062179d05ab3293a66059fd435d" + integrity sha1-gtwzbSMrkGIXnQWrMpOmYFn9Q10= + infer-owner@^1.0.3, infer-owner@^1.0.4: version "1.0.4" resolved "https://registry.yarnpkg.com/infer-owner/-/infer-owner-1.0.4.tgz#c4cefcaa8e51051c2a40ba2ce8a3d27295af9467" @@ -7200,6 +7747,11 @@ inquirer@8.1.1: strip-ansi "^6.0.0" through "^2.3.6" +insights-js@^1.2.10: + version "1.2.10" + resolved "https://registry.yarnpkg.com/insights-js/-/insights-js-1.2.10.tgz#e109c83c9d5052c8a4b099f7ecde6924aef538e0" + integrity sha512-BFk00KuGKK9ri4hAC8CuP8ap1xvYfDtU+J6VU9tBhcMKFPIoLR9LTFkb7H0HLW2ltT232DAb8xIlAmZ1JVT7dA== + internal-slot@^1.0.3: version "1.0.3" resolved "https://registry.yarnpkg.com/internal-slot/-/internal-slot-1.0.3.tgz#7347e307deeea2faac2ac6205d4bc7d34967f59c" @@ -7365,6 +7917,11 @@ is-docker@^2.0.0: resolved "https://registry.yarnpkg.com/is-docker/-/is-docker-2.2.1.tgz#33eeabe23cfe86f14bde4408a02c0cfb853acdaa" integrity sha512-F+i2BKsFrH66iaUFc0woD8sLy8getkwTwtOBjvs56Cx4CgJDeKQeqfz8wAYiSb8JOprWhHH5p77PbmYCvvUuXQ== +is-electron@^2.2.0: + version "2.2.0" + resolved "https://registry.yarnpkg.com/is-electron/-/is-electron-2.2.0.tgz#8943084f09e8b731b3a7a0298a7b5d56f6b7eef0" + integrity sha512-SpMppC2XR3YdxSzczXReBjqs2zGscWQpBIKqwXYBFic0ERaxNVgwLCHwOLZeESfdJQjX0RDvrJ1lBXX2ij+G1Q== + is-extendable@^0.1.0, is-extendable@^0.1.1: version "0.1.1" resolved "https://registry.yarnpkg.com/is-extendable/-/is-extendable-0.1.1.tgz#62b110e289a471418e3ec36a617d472e301dfc89" @@ -7621,11 +8178,21 @@ is-yarn-global@^0.3.0: resolved "https://registry.yarnpkg.com/is-yarn-global/-/is-yarn-global-0.3.0.tgz#d502d3382590ea3004893746754c89139973e232" integrity sha512-VjSeb/lHmkoyd8ryPVIKvOCn4D1koMqY+vqyjjUfc3xyKtP4dYOxM44sZrnqQSzSds3xyOrUTLTC9LVCVgLngw== +isarray@0.0.1: + version "0.0.1" + resolved "https://registry.yarnpkg.com/isarray/-/isarray-0.0.1.tgz#8a18acfca9a8f4177e09abfc6038939b05d1eedf" + integrity sha1-ihis/Kmo9Bd+Cav8YDiTmwXR7t8= + isarray@1.0.0, isarray@^1.0.0, isarray@~1.0.0: version "1.0.0" resolved "https://registry.yarnpkg.com/isarray/-/isarray-1.0.0.tgz#bb935d48582cba168c06834957a54a3e07124f11" integrity sha1-u5NdSFgsuhaMBoNJV6VKPgcSTxE= +isarray@2.0.1: + version "2.0.1" + resolved "https://registry.yarnpkg.com/isarray/-/isarray-2.0.1.tgz#a37d94ed9cda2d59865c9f76fe596ee1f338741e" + integrity sha1-o32U7ZzaLVmGXJ92/llu4fM4dB4= + isexe@^2.0.0: version "2.0.0" resolved "https://registry.yarnpkg.com/isexe/-/isexe-2.0.0.tgz#e8fbf374dc556ff8947a10dcb0572d633f2cfa10" @@ -7643,6 +8210,11 @@ isobject@^3.0.0, isobject@^3.0.1: resolved "https://registry.yarnpkg.com/isobject/-/isobject-3.0.1.tgz#4e431e92b11a9731636aa1f9c8d1ccbcfdab78df" integrity sha1-TkMekrEalzFjaqH5yNHMvP2reN8= +isomorphic.js@^0.2.4: + version "0.2.4" + resolved "https://registry.yarnpkg.com/isomorphic.js/-/isomorphic.js-0.2.4.tgz#24ca374163ae54a7ce3b86ce63b701b91aa84969" + integrity sha512-Y4NjZceAwaPXctwsHgNsmfuPxR8lJ3f8X7QTAkhltrX4oGIv+eTlgHLXn4tWysC9zGTi929gapnPp+8F8cg7nA== + isstream@~0.1.2: version "0.1.2" resolved "https://registry.yarnpkg.com/isstream/-/isstream-0.1.2.tgz#47e63f7af55afa6f92e1500e690eb8b8529c099a" @@ -8392,6 +8964,13 @@ levn@~0.3.0: prelude-ls "~1.1.2" type-check "~0.3.2" +lib0@^0.2.41: + version "0.2.42" + resolved "https://registry.yarnpkg.com/lib0/-/lib0-0.2.42.tgz#6d8bf1fb8205dec37a953c521c5ee403fd8769b0" + integrity sha512-8BNM4MiokEKzMvSxTOC3gnCBisJH+jL67CnSnqzHv3jli3pUvGC8wz+0DQ2YvGr4wVQdb2R2uNNPw9LEpVvJ4Q== + dependencies: + isomorphic.js "^0.2.4" + line-height@^0.3.1: version "0.3.1" resolved "https://registry.yarnpkg.com/line-height/-/line-height-0.3.1.tgz#4b1205edde182872a5efa3c8f620b3187a9c54c9" @@ -8558,7 +9137,7 @@ longest-streak@^2.0.0: resolved "https://registry.yarnpkg.com/longest-streak/-/longest-streak-2.0.4.tgz#b8599957da5b5dab64dee3fe316fa774597d90e4" integrity sha512-vM6rUVCVUJJt33bnmHiZEvr7wPT78ztX7rojL+LW51bHtLh6HTjx84LA5W4+oa6aKEJA7jJu5LR6vQRBpA5DVg== -loose-envify@^1.1.0, loose-envify@^1.4.0: +loose-envify@^1.1.0, loose-envify@^1.2.0, loose-envify@^1.3.1, loose-envify@^1.4.0: version "1.4.0" resolved "https://registry.yarnpkg.com/loose-envify/-/loose-envify-1.4.0.tgz#71ee51fa7be4caec1a63839f7e682d8132d30caf" integrity sha512-lyuxPGr/Wfhrlem2CL/UcnUc1zcqKAImBDzukY7Y5F/yQiNdko6+fRLevlw1HgMySw7f611UIY408EtxRSoK3Q== @@ -8915,6 +9494,14 @@ min-indent@^1.0.0: resolved "https://registry.yarnpkg.com/min-indent/-/min-indent-1.0.1.tgz#a63f681673b30571fbe8bc25686ae746eefa9869" integrity sha512-I9jwMn07Sy/IwOj3zVkVik2JTvgpaykDZEigL6Rx6N9LbMywwUSMtxET+7lVoDLLd3O3IXwJwvuuns8UB/HeAg== +mini-create-react-context@^0.4.0: + version "0.4.1" + resolved "https://registry.yarnpkg.com/mini-create-react-context/-/mini-create-react-context-0.4.1.tgz#072171561bfdc922da08a60c2197a497cc2d1d5e" + integrity sha512-YWCYEmd5CQeHGSAKrYvXgmzzkrvssZcuuQDDeqkT+PziKGMgE+0MCCtcKbROzocGBG1meBLl2FotlRwf4gAzbQ== + dependencies: + "@babel/runtime" "^7.12.1" + tiny-warning "^1.0.3" + mini-css-extract-plugin@^1.3.9, mini-css-extract-plugin@^1.6.2: version "1.6.2" resolved "https://registry.yarnpkg.com/mini-css-extract-plugin/-/mini-css-extract-plugin-1.6.2.tgz#83172b4fd812f8fc4a09d6f6d16f924f53990ca8" @@ -9731,6 +10318,16 @@ parse5@6.0.1, parse5@^6.0.1: resolved "https://registry.yarnpkg.com/parse5/-/parse5-6.0.1.tgz#e1a1c085c569b3dc08321184f19a39cc27f7c30b" integrity sha512-Ofn/CTFzRGTTxwpNEs9PP93gXShHcTq255nzRYSKe8AkVpZY7e1fpmTfOyoIvjP5HG7Z2ZM7VS9PPhQGW2pOpw== +parseqs@0.0.6: + version "0.0.6" + resolved "https://registry.yarnpkg.com/parseqs/-/parseqs-0.0.6.tgz#8e4bb5a19d1cdc844a08ac974d34e273afa670d5" + integrity sha512-jeAGzMDbfSHHA091hr0r31eYfTig+29g3GKKE/PPbEQ65X0lmMwlEoqmhzu0iztID5uJpZsFlUPDP8ThPL7M8w== + +parseuri@0.0.6: + version "0.0.6" + resolved "https://registry.yarnpkg.com/parseuri/-/parseuri-0.0.6.tgz#e1496e829e3ac2ff47f39a4dd044b32823c4a25a" + integrity sha512-AUjen8sAkGgao7UyCX6Ahv0gIK2fABKmYjvP4xmy5JaKvcbTRueIqIPHLAfq30xJddqSE033IOMUSOMCcK3Sow== + pascalcase@^0.1.1: version "0.1.1" resolved "https://registry.yarnpkg.com/pascalcase/-/pascalcase-0.1.1.tgz#b363e55e8006ca6fe21784d2db22bd15d7917f14" @@ -9788,6 +10385,13 @@ path-parse@^1.0.6: resolved "https://registry.yarnpkg.com/path-parse/-/path-parse-1.0.7.tgz#fbc114b60ca42b30d9daf5858e4bd68bbedb6735" integrity sha512-LDJzPVEEEPR+y48z93A0Ed0yXb8pAByGWo/k5YYdYgpY2/2EsOsksJrq7lOHxryrVOn1ejG6oAp8ahvOIQD8sw== +path-to-regexp@^1.7.0: + version "1.8.0" + resolved "https://registry.yarnpkg.com/path-to-regexp/-/path-to-regexp-1.8.0.tgz#887b3ba9d84393e87a0a0b9f4cb756198b53548a" + integrity sha512-n43JRhlUKUAlibEJhPeir1ncUID16QnEjNpwzNdO3Lm4ywrBpBZ5oLD0I6br9evr1Y9JTqwRtAh7JLoOzAQdVA== + dependencies: + isarray "0.0.1" + path-type@^1.0.0: version "1.1.0" resolved "https://registry.yarnpkg.com/path-type/-/path-type-1.1.0.tgz#59c44f7ee491da704da415da5a4070ba4f8fe441" @@ -10408,7 +11012,7 @@ react-easy-crop@^3.0.0: normalize-wheel "^1.0.1" tslib "2.0.1" -react-is@^16.12.0, react-is@^16.13.1, react-is@^16.7.0, react-is@^16.8.1, react-is@^16.8.6: +react-is@^16.12.0, react-is@^16.13.1, react-is@^16.6.0, react-is@^16.7.0, react-is@^16.8.1, react-is@^16.8.6: version "16.13.1" resolved "https://registry.yarnpkg.com/react-is/-/react-is-16.13.1.tgz#789729a4dc36de2999dc156dd6c1d9c18cea56a4" integrity sha512-24e6ynE2H+OKt4kqsOvNd8kBpV65zoxbA4BVsEOB3ARVWQki/DHzaUoC5KuON/BiccDaCCTZBuOcfZs70kR8bQ== @@ -10450,11 +11054,47 @@ react-portal@^4.1.5: dependencies: prop-types "^15.5.8" +react-promise-suspense@^0.3.3: + version "0.3.3" + resolved "https://registry.yarnpkg.com/react-promise-suspense/-/react-promise-suspense-0.3.3.tgz#b085c7e0ac22b85fd3d605b1c4f181cda4310bc9" + integrity sha512-OdehKsCEWYoV6pMcwxbvJH99UrbXylmXJ1QpEL9OfHaUBzcAihyfSJV8jFq325M/wW9iKc/BoiLROXxMul+MxA== + dependencies: + fast-deep-equal "^2.0.1" + react-resize-aware@^3.1.0: version "3.1.0" resolved "https://registry.yarnpkg.com/react-resize-aware/-/react-resize-aware-3.1.0.tgz#fa1da751d1d72f90c3b79969d05c2c577dfabd92" integrity sha512-bIhHlxVTX7xKUz14ksXMEHjzCZPTpQZKZISY3nbTD273pDKPABGFNFBP6Tr42KECxzC5YQiKpMchjTVJCqaxpA== +react-router-dom@^5.2.0: + version "5.2.0" + resolved "https://registry.yarnpkg.com/react-router-dom/-/react-router-dom-5.2.0.tgz#9e65a4d0c45e13289e66c7b17c7e175d0ea15662" + integrity sha512-gxAmfylo2QUjcwxI63RhQ5G85Qqt4voZpUXSEqCwykV0baaOTQDR1f0PmY8AELqIyVc0NEZUj0Gov5lNGcXgsA== + dependencies: + "@babel/runtime" "^7.1.2" + history "^4.9.0" + loose-envify "^1.3.1" + prop-types "^15.6.2" + react-router "5.2.0" + tiny-invariant "^1.0.2" + tiny-warning "^1.0.0" + +react-router@5.2.0: + version "5.2.0" + resolved "https://registry.yarnpkg.com/react-router/-/react-router-5.2.0.tgz#424e75641ca8747fbf76e5ecca69781aa37ea293" + integrity sha512-smz1DUuFHRKdcJC0jobGo8cVbhO3x50tCL4icacOlcwDOEQPq4TMqwx3sY1TP+DvtTgz4nm3thuo7A+BK2U0Dw== + dependencies: + "@babel/runtime" "^7.1.2" + history "^4.9.0" + hoist-non-react-statics "^3.1.0" + loose-envify "^1.3.1" + mini-create-react-context "^0.4.0" + path-to-regexp "^1.7.0" + prop-types "^15.6.2" + react-is "^16.6.0" + tiny-invariant "^1.0.2" + tiny-warning "^1.0.0" + react-spring@^8.0.19, react-spring@^8.0.20: version "8.0.27" resolved "https://registry.yarnpkg.com/react-spring/-/react-spring-8.0.27.tgz#97d4dee677f41e0b2adcb696f3839680a3aa356a" @@ -10473,6 +11113,14 @@ react-test-renderer@^16.0.0-0: react-is "^16.8.6" scheduler "^0.19.1" +react-update-notification@^1.0.0: + version "1.1.1" + resolved "https://registry.yarnpkg.com/react-update-notification/-/react-update-notification-1.1.1.tgz#b72b346aa9d0e8a10feb9d17458aa3f76dad33d9" + integrity sha512-H502cYIMuVcHbGUf8Pt+hwQiD2EyO7f9scKEC7yqiQZMx2es44pTcHhLv+njoeqwVU7xlOCEzBOeV4RNJ1w7Rg== + dependencies: + cheerio "^1.0.0-rc.3" + yargs "^15.4.1" + react-use-gesture@^9.0.0: version "9.1.3" resolved "https://registry.yarnpkg.com/react-use-gesture/-/react-use-gesture-9.1.3.tgz#92bd143e4f58e69bd424514a5bfccba2a1d62ec0" @@ -10996,6 +11644,11 @@ resolve-from@^5.0.0: resolved "https://registry.yarnpkg.com/resolve-from/-/resolve-from-5.0.0.tgz#c35225843df8f776df21c57557bc087e9dfdfc69" integrity sha512-qYg9KP24dD5qka9J47d0aVky0N+b4fTU89LN9iDnjB5waksiC49rvMB0PrUJQGoTmH50XPiqOvAjDfaijGxYZw== +resolve-pathname@^3.0.0: + version "3.0.0" + resolved "https://registry.yarnpkg.com/resolve-pathname/-/resolve-pathname-3.0.0.tgz#99d02224d3cf263689becbb393bc560313025dcd" + integrity sha512-C7rARubxI8bXFNB/hqcp/4iUeIXJhJZvFPFPiSPRnhU5UPxzMFIl+2E6yY6c4k9giDJAhtV+enfA+G89N6Csng== + resolve-url@^0.2.1: version "0.2.1" resolved "https://registry.yarnpkg.com/resolve-url/-/resolve-url-0.2.1.tgz#2c637fe77c893afd2a663fe21aa9080068e2052a" @@ -11468,6 +12121,32 @@ snapdragon@^0.8.1: source-map-resolve "^0.5.0" use "^3.1.0" +socket.io-client@^2.3.1: + version "2.4.0" + resolved "https://registry.yarnpkg.com/socket.io-client/-/socket.io-client-2.4.0.tgz#aafb5d594a3c55a34355562fc8aea22ed9119a35" + integrity sha512-M6xhnKQHuuZd4Ba9vltCLT9oa+YvTsP8j9NcEiLElfIg8KeYPyhWOes6x4t+LTAC8enQbE/995AdTem2uNyKKQ== + dependencies: + backo2 "1.0.2" + component-bind "1.0.0" + component-emitter "~1.3.0" + debug "~3.1.0" + engine.io-client "~3.5.0" + has-binary2 "~1.0.2" + indexof "0.0.1" + parseqs "0.0.6" + parseuri "0.0.6" + socket.io-parser "~3.3.0" + to-array "0.1.4" + +socket.io-parser@~3.3.0: + version "3.3.2" + resolved "https://registry.yarnpkg.com/socket.io-parser/-/socket.io-parser-3.3.2.tgz#ef872009d0adcf704f2fbe830191a14752ad50b6" + integrity sha512-FJvDBuOALxdCI9qwRrO/Rfp9yfndRtc1jSgVgV8FDraihmSP/MLGD5PEuJrNfjALvcQ+vMDM/33AWOYP/JSjDg== + dependencies: + component-emitter "~1.3.0" + debug "~3.1.0" + isarray "2.0.1" + source-list-map@^2.0.0, source-list-map@^2.0.1: version "2.0.1" resolved "https://registry.yarnpkg.com/source-list-map/-/source-list-map-2.0.1.tgz#3993bd873bfc48479cca9ea3a547835c7c154b34" @@ -12172,11 +12851,16 @@ timers-browserify@^2.0.4: dependencies: setimmediate "^1.0.4" -tiny-emitter@^2.0.0: +tiny-emitter@^2.0.0, tiny-emitter@^2.1.0: version "2.1.0" resolved "https://registry.yarnpkg.com/tiny-emitter/-/tiny-emitter-2.1.0.tgz#1d1a56edfc51c43e863cbb5382a72330e3555423" integrity sha512-NB6Dk1A9xgQPMoGqC5CVXn123gWyte215ONT5Pp5a0yt4nlEoO1ZWeCwpncaekPHXO60i47ihFnZPiRPjRMq4Q== +tiny-invariant@^1.0.2: + version "1.1.0" + resolved "https://registry.yarnpkg.com/tiny-invariant/-/tiny-invariant-1.1.0.tgz#634c5f8efdc27714b7f386c35e6760991d230875" + integrity sha512-ytxQvrb1cPc9WBEI/HSeYYoGD0kWnGEOR8RY6KomWLBVhqz0RgTwVO9dLrGz7dC+nN9llyI7OKAgRq8Vq4ZBSw== + tiny-lr@^1.1.1: version "1.1.1" resolved "https://registry.yarnpkg.com/tiny-lr/-/tiny-lr-1.1.1.tgz#9fa547412f238fedb068ee295af8b682c98b2aab" @@ -12189,6 +12873,11 @@ tiny-lr@^1.1.1: object-assign "^4.1.0" qs "^6.4.0" +tiny-warning@^1.0.0, tiny-warning@^1.0.3: + version "1.0.3" + resolved "https://registry.yarnpkg.com/tiny-warning/-/tiny-warning-1.0.3.tgz#94a30db453df4c643d0fd566060d60a875d84754" + integrity sha512-lBN9zLN/oAf68o3zNXYrdCt1kP8WsiGW8Oo2ka41b2IM5JL/S1CTyX1rW0mb/zSuJun0ZUrDxx4sqvYS2FWzPA== + tinycolor2@^1.4.2: version "1.4.2" resolved "https://registry.yarnpkg.com/tinycolor2/-/tinycolor2-1.4.2.tgz#3f6a4d1071ad07676d7fa472e1fac40a719d8803" @@ -12206,6 +12895,11 @@ tmpl@1.0.x: resolved "https://registry.yarnpkg.com/tmpl/-/tmpl-1.0.4.tgz#23640dd7b42d00433911140820e5cf440e521dd1" integrity sha1-I2QN17QtAEM5ERQIIOXPRA5SHdE= +to-array@0.1.4: + version "0.1.4" + resolved "https://registry.yarnpkg.com/to-array/-/to-array-0.1.4.tgz#17e6c11f73dd4f3d74cda7a4ff3238e9ad9bf890" + integrity sha1-F+bBH3PdTz10zaek/zI46a2b+JA= + to-arraybuffer@^1.0.0: version "1.0.1" resolved "https://registry.yarnpkg.com/to-arraybuffer/-/to-arraybuffer-1.0.1.tgz#7d229b1fcc637e466ca081180836a7aabff83f43" @@ -12334,7 +13028,7 @@ tslib@2.0.1: resolved "https://registry.yarnpkg.com/tslib/-/tslib-2.0.1.tgz#410eb0d113e5b6356490eec749603725b021b43e" integrity sha512-SgIkNheinmEBgx1IUNirK0TUD4X9yjjBRTqqjggWCU3pUEqIk3/Uwl3yRixYKT6WjQuGiwDv4NomL3wqRCj+CQ== -tslib@^1.8.1, tslib@^1.9.0: +tslib@^1.8.1, tslib@^1.9.0, tslib@^1.9.3: version "1.14.1" resolved "https://registry.yarnpkg.com/tslib/-/tslib-1.14.1.tgz#cf2d38bdc34a134bcaf1091c41f6619e2f672d00" integrity sha512-Xni35NKzjgMrwevysHTCArtLDpPvye8zV/0E4EyYn43P7/7qvQwPh9BGkHewbMulVntbigmcT7rdX3BNo9wRJg== @@ -12687,6 +13381,11 @@ url@^0.11.0: punycode "1.3.2" querystring "0.2.0" +use-local-storage-state@^6.0.0: + version "6.0.3" + resolved "https://registry.yarnpkg.com/use-local-storage-state/-/use-local-storage-state-6.0.3.tgz#65add61b8450b071354ce31b5a69b8908e69b497" + integrity sha512-VvaMTPhBcV+pT/MSkJKG1gdU9jTdY+liJ7XUXsuCcOKa2+P/WBB7Fe5/k+20XzgqCG8AloIiTOuoHfV9FlnYmQ== + use-memo-one@^1.1.1: version "1.1.2" resolved "https://registry.yarnpkg.com/use-memo-one/-/use-memo-one-1.1.2.tgz#0c8203a329f76e040047a35a1197defe342fab20" @@ -12731,7 +13430,7 @@ utility-types@^3.10.0: resolved "https://registry.yarnpkg.com/utility-types/-/utility-types-3.10.0.tgz#ea4148f9a741015f05ed74fd615e1d20e6bed82b" integrity sha512-O11mqxmi7wMKCo6HKFt5AhO4BwY3VV68YU07tgxfz8zJTIxr4BpsezN49Ffwy9j3ZpwwJp4fkRwjRzq3uWE6Rg== -uuid@8.3.2, uuid@^8.3.0: +uuid@8.3.2, uuid@^8.3.0, uuid@^8.3.2: version "8.3.2" resolved "https://registry.yarnpkg.com/uuid/-/uuid-8.3.2.tgz#80d5b5ced271bb9af6c445f21a1a04c606cefbe2" integrity sha512-+NYs2QeMWy+GWFOEm9xnn6HCDp0l7QBD7ml8zLUmJ+93Q5NF0NocErnwkTkXVFNiX3/fpC6afS8Dhb/gz7R7eg== @@ -12763,6 +13462,11 @@ validate-npm-package-license@^3.0.1: spdx-correct "^3.0.0" spdx-expression-parse "^3.0.0" +value-equal@^1.0.1: + version "1.0.1" + resolved "https://registry.yarnpkg.com/value-equal/-/value-equal-1.0.1.tgz#1e0b794c734c5c0cade179c437d356d931a34d6c" + integrity sha512-NOJ6JZCAWr0zlxZt+xqCHNTEKOsrks2HQd4MqhP1qy4z1SkbEP467eNx6TgDKXMvUOb+OENfJCZwM+16n7fRfw== + verror@1.10.0: version "1.10.0" resolved "https://registry.yarnpkg.com/verror/-/verror-1.10.0.tgz#3a105ca17053af55d6e270c1f8288682e18da400" @@ -13195,6 +13899,11 @@ ws@^7.2.3, ws@^7.3.1, ws@^7.4.5: resolved "https://registry.yarnpkg.com/ws/-/ws-7.5.1.tgz#44fc000d87edb1d9c53e51fbc69a0ac1f6871d66" integrity sha512-2c6faOUH/nhoQN6abwMloF7Iyl0ZS2E9HGtsiLrWn0zOOMWlhtDmdf/uihDt6jnuCxgtwGBNy6Onsoy2s2O2Ow== +ws@~7.4.2: + version "7.4.6" + resolved "https://registry.yarnpkg.com/ws/-/ws-7.4.6.tgz#5654ca8ecdeee47c33a9a4bf6d28e2be2980377c" + integrity sha512-YmhHDO4MzaDLB+M9ym/mDA5z0naX8j7SIlT8f8z+I0VtzsRbekxEutHSme7NPS2qE8StCYQNUnfWdXta/Yu85A== + x-is-string@^0.1.0: version "0.1.0" resolved "https://registry.yarnpkg.com/x-is-string/-/x-is-string-0.1.0.tgz#474b50865af3a49a9c4657f05acd145458f77d82" @@ -13215,6 +13924,11 @@ xmlchars@^2.2.0: resolved "https://registry.yarnpkg.com/xmlchars/-/xmlchars-2.2.0.tgz#060fe1bcb7f9c76fe2a17db86a9bc3ab894210cb" integrity sha512-JZnDKK8B0RCDw84FNdDAIpZK+JuJw+s7Lz8nksI7SIuU3UXJJslUthsi+uWBUYOwPFwW7W7PRLRfUKpxjtjFCw== +xmlhttprequest-ssl@~1.6.2: + version "1.6.3" + resolved "https://registry.yarnpkg.com/xmlhttprequest-ssl/-/xmlhttprequest-ssl-1.6.3.tgz#03b713873b01659dfa2c1c5d056065b27ddc2de6" + integrity sha512-3XfeQE/wNkvrIktn2Kf0869fC0BN6UpydVasGIeSm2B1Llihf7/0UfZM+eCkOw3P7bP4+qPgqhm7ZoxuJtFU0Q== + xtend@^4.0.0, xtend@^4.0.1, xtend@~4.0.1: version "4.0.2" resolved "https://registry.yarnpkg.com/xtend/-/xtend-4.0.2.tgz#bb72779f5fa465186b1f438f674fa347fdb5db54" @@ -13337,6 +14051,18 @@ yauzl@^2.10.0: buffer-crc32 "~0.2.3" fd-slicer "~1.1.0" +yeast@0.1.2: + version "0.1.2" + resolved "https://registry.yarnpkg.com/yeast/-/yeast-0.1.2.tgz#008e06d8094320c372dbc2f8ed76a0ca6c8ac419" + integrity sha1-AI4G2AlDIMNy28L47XagymyKxBk= + +yjs@^13.4.7: + version "13.5.11" + resolved "https://registry.yarnpkg.com/yjs/-/yjs-13.5.11.tgz#8f41a61fd0039a8d720a5b3186b8ad319d88563b" + integrity sha512-nJzML0NoSUh+kZLEOssYViPI1ZECv/7rnLk5mhXvhMTnezNAYWAIfNLvo+FHYRhWBojbrutT4d2IAP/IE9Xaog== + dependencies: + lib0 "^0.2.41" + yocto-queue@^0.1.0: version "0.1.0" resolved "https://registry.yarnpkg.com/yocto-queue/-/yocto-queue-0.1.0.tgz#0294eb3dee05028d31ee1a5fa2c556a6aaf10a1b" From a53e85383383f7b5e2487edb96682d3b1ed601cb Mon Sep 17 00:00:00 2001 From: Lena Morita Date: Wed, 14 Jul 2021 22:51:10 +0900 Subject: [PATCH 03/53] Extract --- src/components/block-editor-contents/index.js | 57 ++---------------- .../block-editor-contents/use-yjs.js | 59 +++++++++++++++++++ 2 files changed, 64 insertions(+), 52 deletions(-) create mode 100644 src/components/block-editor-contents/use-yjs.js diff --git a/src/components/block-editor-contents/index.js b/src/components/block-editor-contents/index.js index 4601e1316..b232a938c 100644 --- a/src/components/block-editor-contents/index.js +++ b/src/components/block-editor-contents/index.js @@ -1,16 +1,10 @@ -/** - * External dependencies - */ -import { createDocument } from 'asblocks/src/lib/yjs-doc'; -import { postDocToObject, updatePostDoc } from 'asblocks/src/components/editor/sync/algorithms/yjs'; - /** * WordPress dependencies */ import { Popover } from '@wordpress/components'; import { withDispatch, withSelect } from '@wordpress/data'; import { compose } from '@wordpress/compose'; -import { useEffect, useRef } from '@wordpress/element'; +import { useEffect } from '@wordpress/element'; import { parse, rawHandler } from '@wordpress/blocks'; /** @@ -20,6 +14,7 @@ import { BlockEditorProvider } from '@wordpress/block-editor'; import BlockEditorToolbar from '../block-editor-toolbar'; import BlockEditor from '../block-editor'; import getInitialEditorContent from './editor-content'; +import useYjs from './use-yjs'; /** @typedef {import('../../store/editor/reducer').EditorMode} EditorMode */ /** @typedef {import('../../index').BlockEditorSettings} BlockEditorSettings */ @@ -46,44 +41,6 @@ function getInitialContent( settings, content ) { ); } -let nextDocId = 1; - -function initYDoc( blocks, blocksUpdater ) { - const id = nextDocId++; - const doc = createDocument( { - identity: id, - applyDataChanges: updatePostDoc, - getData: postDocToObject, - sendMessage: ( message ) => window.localStorage.setItem( 'isoEditorYjsMessage', JSON.stringify( message ) ), - } ); - - window.localStorage.setItem( - 'isoEditorClients', - ( parseInt( window.localStorage.getItem( 'isoEditorClients' ) || '0' ) + 1 ).toString() - ); - doc.id = id; - - window.addEventListener( 'storage', ( event ) => { - if ( event.storageArea !== localStorage ) return; - if ( event.key === 'isoEditorYjsMessage' && event.newValue ) { - doc.receiveMessage( JSON.parse( event.newValue ) ); - } - } ); - - doc.onRemoteDataChange( ( changes ) => { - console.log( `remotechange received by ${ id }` ); - blocksUpdater( changes.blocks ); - } ); - - if ( window.localStorage.getItem( 'isoEditorClients' ) ) { - doc.startSharing( { title: '', blocks } ); - } else { - doc.connect(); - } - - return doc; -} - /** * The editor itself, including toolbar * @@ -103,6 +60,8 @@ function BlockEditorContents( props ) { const { blocks, updateBlocksWithoutUndo, updateBlocksWithUndo, selection, isEditing, editorMode } = props; const { children, settings, renderMoreMenu, onLoad } = props; + const [ applyChangesToYjs ] = useYjs( { initialBlocks: blocks, blockUpdater: updateBlocksWithoutUndo } ); + // Set initial content, if we have any, but only if there is no existing data in the editor (from elsewhere) useEffect( () => { const initialContent = getInitialContent( settings, onLoad ? onLoad( parse, rawHandler ) : [] ); @@ -112,19 +71,13 @@ function BlockEditorContents( props ) { } }, [] ); - const ydoc = useRef(); - - useEffect( () => { - ydoc.current = initYDoc( blocks, ( blocks ) => updateBlocksWithoutUndo( blocks ) ); - }, [] ); - return ( { updateBlocksWithUndo( blocks, options ); - ydoc.current.applyDataChanges( { blocks } ); + applyChangesToYjs( blocks ); } } useSubRegistry={ false } selection={ selection } diff --git a/src/components/block-editor-contents/use-yjs.js b/src/components/block-editor-contents/use-yjs.js new file mode 100644 index 000000000..693909e3e --- /dev/null +++ b/src/components/block-editor-contents/use-yjs.js @@ -0,0 +1,59 @@ +/** + * External dependencies + */ +import { createDocument } from 'asblocks/src/lib/yjs-doc'; +import { postDocToObject, updatePostDoc } from 'asblocks/src/components/editor/sync/algorithms/yjs'; + +/** + * WordPress dependencies + */ +import { useEffect, useRef } from '@wordpress/element'; + +let nextDocId = 1; + +function initYDoc( blocks, blocksUpdater ) { + const id = nextDocId++; + const doc = createDocument( { + identity: id, + applyDataChanges: updatePostDoc, + getData: postDocToObject, + sendMessage: ( message ) => window.localStorage.setItem( 'isoEditorYjsMessage', JSON.stringify( message ) ), + } ); + + window.localStorage.setItem( + 'isoEditorClients', + ( parseInt( window.localStorage.getItem( 'isoEditorClients' ) || '0' ) + 1 ).toString() + ); + doc.id = id; + + window.addEventListener( 'storage', ( event ) => { + if ( event.storageArea !== localStorage ) return; + if ( event.key === 'isoEditorYjsMessage' && event.newValue ) { + doc.receiveMessage( JSON.parse( event.newValue ) ); + } + } ); + + doc.onRemoteDataChange( ( changes ) => { + console.log( `remotechange received by ${ id }` ); + blocksUpdater( changes.blocks ); + } ); + + if ( window.localStorage.getItem( 'isoEditorClients' ) ) { + doc.startSharing( { title: '', blocks } ); + } else { + doc.connect(); + } + + return doc; +} + +export default function useYjs( { initialBlocks, blockUpdater } ) { + const ydoc = useRef(); + const applyChangesToYjs = ( blocks ) => ydoc.current?.applyDataChanges?.( { blocks } ); + + useEffect( () => { + ydoc.current = initYDoc( initialBlocks, blockUpdater ); + }, [] ); + + return [ applyChangesToYjs ]; +} From 240bb283363fe7a99ed95ebc8136faf36a4fb921 Mon Sep 17 00:00:00 2001 From: Lena Morita Date: Thu, 15 Jul 2021 19:28:56 +0900 Subject: [PATCH 04/53] Fix client count management --- .../block-editor-contents/use-yjs.js | 61 +++++++++++++------ 1 file changed, 42 insertions(+), 19 deletions(-) diff --git a/src/components/block-editor-contents/use-yjs.js b/src/components/block-editor-contents/use-yjs.js index 693909e3e..31bb1f0be 100644 --- a/src/components/block-editor-contents/use-yjs.js +++ b/src/components/block-editor-contents/use-yjs.js @@ -1,6 +1,7 @@ /** * External dependencies */ +import { v4 as uuidv4 } from 'uuid'; import { createDocument } from 'asblocks/src/lib/yjs-doc'; import { postDocToObject, updatePostDoc } from 'asblocks/src/components/editor/sync/algorithms/yjs'; @@ -9,23 +10,37 @@ import { postDocToObject, updatePostDoc } from 'asblocks/src/components/editor/s */ import { useEffect, useRef } from '@wordpress/element'; -let nextDocId = 1; +window.fakeTransport = { + sendMessage: ( message ) => { + console.log( 'sendMessage', message ); + window.localStorage.setItem( 'isoEditorYjsMessage', JSON.stringify( message ) ); + }, + connect: () => { + window.localStorage.setItem( + 'isoEditorClients', + ( parseInt( window.localStorage.getItem( 'isoEditorClients' ) || '0' ) + 1 ).toString() + ); + const isFirstInChannel = window.localStorage.getItem( 'isoEditorClients' ) === '1'; + return Promise.resolve( { event: 'connected', isFirstInChannel } ); + }, + disconnect: () => { + return Promise.resolve( + window.localStorage.setItem( + 'isoEditorClients', + ( parseInt( window.localStorage.getItem( 'isoEditorClients' ) || '0' ) - 1 ).toString() + ) + ); + }, +}; -function initYDoc( blocks, blocksUpdater ) { - const id = nextDocId++; +function initYDoc( blocksUpdater ) { const doc = createDocument( { - identity: id, + identity: uuidv4(), applyDataChanges: updatePostDoc, getData: postDocToObject, - sendMessage: ( message ) => window.localStorage.setItem( 'isoEditorYjsMessage', JSON.stringify( message ) ), + sendMessage: window.fakeTransport.sendMessage, } ); - window.localStorage.setItem( - 'isoEditorClients', - ( parseInt( window.localStorage.getItem( 'isoEditorClients' ) || '0' ) + 1 ).toString() - ); - doc.id = id; - window.addEventListener( 'storage', ( event ) => { if ( event.storageArea !== localStorage ) return; if ( event.key === 'isoEditorYjsMessage' && event.newValue ) { @@ -33,17 +48,13 @@ function initYDoc( blocks, blocksUpdater ) { } } ); + window.addEventListener( 'beforeunload', () => window.fakeTransport.disconnect() ); + doc.onRemoteDataChange( ( changes ) => { - console.log( `remotechange received by ${ id }` ); + console.log( 'remote change received', changes ); blocksUpdater( changes.blocks ); } ); - if ( window.localStorage.getItem( 'isoEditorClients' ) ) { - doc.startSharing( { title: '', blocks } ); - } else { - doc.connect(); - } - return doc; } @@ -52,7 +63,19 @@ export default function useYjs( { initialBlocks, blockUpdater } ) { const applyChangesToYjs = ( blocks ) => ydoc.current?.applyDataChanges?.( { blocks } ); useEffect( () => { - ydoc.current = initYDoc( initialBlocks, blockUpdater ); + window.fakeTransport.connect().then( ( { isFirstInChannel } ) => { + ydoc.current = initYDoc( blockUpdater ); + + if ( isFirstInChannel ) { + ydoc.current.startSharing( { title: '', initialBlocks } ); + } else { + ydoc.current.connect(); + } + } ); + + return () => { + window.fakeTransport.disconnect(); + }; }, [] ); return [ applyChangesToYjs ]; From 02a2685168da9c779164a74bef10a1246539a80c Mon Sep 17 00:00:00 2001 From: Lena Morita Date: Thu, 15 Jul 2021 21:46:49 +0900 Subject: [PATCH 05/53] Refactor --- src/components/block-editor-contents/index.js | 2 +- .../block-editor-contents/use-yjs.js | 44 ++++++++++++------- 2 files changed, 28 insertions(+), 18 deletions(-) diff --git a/src/components/block-editor-contents/index.js b/src/components/block-editor-contents/index.js index b232a938c..15b937362 100644 --- a/src/components/block-editor-contents/index.js +++ b/src/components/block-editor-contents/index.js @@ -60,7 +60,7 @@ function BlockEditorContents( props ) { const { blocks, updateBlocksWithoutUndo, updateBlocksWithUndo, selection, isEditing, editorMode } = props; const { children, settings, renderMoreMenu, onLoad } = props; - const [ applyChangesToYjs ] = useYjs( { initialBlocks: blocks, blockUpdater: updateBlocksWithoutUndo } ); + const [ applyChangesToYjs ] = useYjs( { initialBlocks: blocks, onRemoteDataChange: updateBlocksWithoutUndo } ); // Set initial content, if we have any, but only if there is no existing data in the editor (from elsewhere) useEffect( () => { diff --git a/src/components/block-editor-contents/use-yjs.js b/src/components/block-editor-contents/use-yjs.js index 31bb1f0be..7302803d0 100644 --- a/src/components/block-editor-contents/use-yjs.js +++ b/src/components/block-editor-contents/use-yjs.js @@ -2,6 +2,7 @@ * External dependencies */ import { v4 as uuidv4 } from 'uuid'; +import { noop } from 'lodash'; import { createDocument } from 'asblocks/src/lib/yjs-doc'; import { postDocToObject, updatePostDoc } from 'asblocks/src/components/editor/sync/algorithms/yjs'; @@ -33,7 +34,7 @@ window.fakeTransport = { }, }; -function initYDoc( blocksUpdater ) { +function initYDoc( { initialBlocks, onRemoteDataChange } ) { const doc = createDocument( { identity: uuidv4(), applyDataChanges: updatePostDoc, @@ -48,35 +49,44 @@ function initYDoc( blocksUpdater ) { } } ); - window.addEventListener( 'beforeunload', () => window.fakeTransport.disconnect() ); - doc.onRemoteDataChange( ( changes ) => { console.log( 'remote change received', changes ); - blocksUpdater( changes.blocks ); + onRemoteDataChange( changes.blocks ); } ); - return doc; + return window.fakeTransport.connect().then( ( { isFirstInChannel } ) => { + if ( isFirstInChannel ) { + doc.startSharing( { title: '', initialBlocks } ); + } else { + doc.connect(); + } + + const disconnect = () => { + window.fakeTransport.disconnect(); + doc.disconnect(); + }; + + window.addEventListener( 'beforeunload', () => disconnect() ); + + return { doc, disconnect }; + } ); } -export default function useYjs( { initialBlocks, blockUpdater } ) { +export default function useYjs( { initialBlocks, onRemoteDataChange } ) { const ydoc = useRef(); - const applyChangesToYjs = ( blocks ) => ydoc.current?.applyDataChanges?.( { blocks } ); useEffect( () => { - window.fakeTransport.connect().then( ( { isFirstInChannel } ) => { - ydoc.current = initYDoc( blockUpdater ); + let onUnmount = noop; - if ( isFirstInChannel ) { - ydoc.current.startSharing( { title: '', initialBlocks } ); - } else { - ydoc.current.connect(); - } + initYDoc( { initialBlocks, onRemoteDataChange } ).then( ( { doc, disconnect } ) => { + ydoc.current = doc; + onUnmount = disconnect; } ); - return () => { - window.fakeTransport.disconnect(); - }; + return onUnmount; }, [] ); + const applyChangesToYjs = ( blocks ) => ydoc.current?.applyDataChanges?.( { blocks } ); + return [ applyChangesToYjs ]; } From 68dafd85082de492a46980c306e5e2aece067a52 Mon Sep 17 00:00:00 2001 From: Lena Morita Date: Fri, 16 Jul 2021 01:31:29 +0900 Subject: [PATCH 06/53] Pass channel id via settings --- src/components/block-editor-contents/index.js | 6 +++- .../block-editor-contents/use-yjs.js | 33 ++++++++++++++----- src/index.js | 7 ++++ 3 files changed, 37 insertions(+), 9 deletions(-) diff --git a/src/components/block-editor-contents/index.js b/src/components/block-editor-contents/index.js index 15b937362..a8aceabaf 100644 --- a/src/components/block-editor-contents/index.js +++ b/src/components/block-editor-contents/index.js @@ -60,7 +60,11 @@ function BlockEditorContents( props ) { const { blocks, updateBlocksWithoutUndo, updateBlocksWithUndo, selection, isEditing, editorMode } = props; const { children, settings, renderMoreMenu, onLoad } = props; - const [ applyChangesToYjs ] = useYjs( { initialBlocks: blocks, onRemoteDataChange: updateBlocksWithoutUndo } ); + const [ applyChangesToYjs ] = useYjs( { + initialBlocks: blocks, + onRemoteDataChange: updateBlocksWithoutUndo, + settings: settings.collab, + } ); // Set initial content, if we have any, but only if there is no existing data in the editor (from elsewhere) useEffect( () => { diff --git a/src/components/block-editor-contents/use-yjs.js b/src/components/block-editor-contents/use-yjs.js index 7302803d0..5ce0ef121 100644 --- a/src/components/block-editor-contents/use-yjs.js +++ b/src/components/block-editor-contents/use-yjs.js @@ -11,12 +11,15 @@ import { postDocToObject, updatePostDoc } from 'asblocks/src/components/editor/s */ import { useEffect, useRef } from '@wordpress/element'; +/** @typedef {import('../..').CollaborationSettings} CollaborationSettings */ +/** @typedef {import('.').onUpdate} OnUpdate */ + window.fakeTransport = { sendMessage: ( message ) => { console.log( 'sendMessage', message ); window.localStorage.setItem( 'isoEditorYjsMessage', JSON.stringify( message ) ); }, - connect: () => { + connect: ( channelId ) => { window.localStorage.setItem( 'isoEditorClients', ( parseInt( window.localStorage.getItem( 'isoEditorClients' ) || '0' ) + 1 ).toString() @@ -34,7 +37,13 @@ window.fakeTransport = { }, }; -function initYDoc( { initialBlocks, onRemoteDataChange } ) { +/** + * @param {object} opts - Hook options + * @param {object[]} opts.initialBlocks + * @param {OnUpdate} opts.onRemoteDataChange + * @param {string} [opts.channelId] + */ +function initYDoc( { initialBlocks, onRemoteDataChange, channelId } ) { const doc = createDocument( { identity: uuidv4(), applyDataChanges: updatePostDoc, @@ -54,7 +63,7 @@ function initYDoc( { initialBlocks, onRemoteDataChange } ) { onRemoteDataChange( changes.blocks ); } ); - return window.fakeTransport.connect().then( ( { isFirstInChannel } ) => { + return window.fakeTransport.connect( channelId ).then( ( { isFirstInChannel } ) => { if ( isFirstInChannel ) { doc.startSharing( { title: '', initialBlocks } ); } else { @@ -72,16 +81,24 @@ function initYDoc( { initialBlocks, onRemoteDataChange } ) { } ); } -export default function useYjs( { initialBlocks, onRemoteDataChange } ) { +/** + * @param {object} opts - Hook options + * @param {object[]} opts.initialBlocks + * @param {OnUpdate} opts.onRemoteDataChange + * @param {CollaborationSettings} [opts.settings] + */ +export default function useYjs( { initialBlocks, onRemoteDataChange, settings } ) { const ydoc = useRef(); useEffect( () => { let onUnmount = noop; - initYDoc( { initialBlocks, onRemoteDataChange } ).then( ( { doc, disconnect } ) => { - ydoc.current = doc; - onUnmount = disconnect; - } ); + initYDoc( { initialBlocks, onRemoteDataChange, channelId: settings?.channelId } ).then( + ( { doc, disconnect } ) => { + ydoc.current = doc; + onUnmount = disconnect; + } + ); return onUnmount; }, [] ); diff --git a/src/index.js b/src/index.js index 8959e2921..0f67d0767 100644 --- a/src/index.js +++ b/src/index.js @@ -77,6 +77,7 @@ import './style.scss'; * @typedef BlockEditorSettings * @property {IsoSettings} [iso] - Isolated editor settings * @property {EditorSettings} [editor] - Gutenberg editor settings + * @property {CollaborationSettings} [collab] - Real time collaboration settings */ /** @@ -92,6 +93,12 @@ import './style.scss'; * @property {object[]} reusableBlocks */ +/** + * Real time collaboration settings + * @typedef CollaborationSettings + * @property {string} channelId + */ + /** * Initialize Gutenberg */ From e931441975bc2381575c497d13ba1134ae22d401 Mon Sep 17 00:00:00 2001 From: Lena Morita Date: Sat, 17 Jul 2021 07:57:54 +0900 Subject: [PATCH 07/53] Add Storybook --- .storybook/main.js | 15 + .storybook/preview.js | 11 + package.json | 265 +- src/stories/Collaboration.stories.js | 17 + yarn.lock | 3854 ++++++++++++++++++++++++-- 5 files changed, 3857 insertions(+), 305 deletions(-) create mode 100644 .storybook/main.js create mode 100644 .storybook/preview.js create mode 100644 src/stories/Collaboration.stories.js diff --git a/.storybook/main.js b/.storybook/main.js new file mode 100644 index 000000000..fdfee3253 --- /dev/null +++ b/.storybook/main.js @@ -0,0 +1,15 @@ +module.exports = { + core: { + builder: 'webpack4', + }, + stories: [ '../src/**/*.stories.mdx', '../src/**/*.stories.@(js|jsx|ts|tsx)' ], + addons: [ '@storybook/addon-links', '@storybook/addon-essentials', '@storybook/preset-scss' ], + webpackFinal: ( config ) => { + config.module.rules.push( { + // Transpiles optional chaining in directly imported AsBlocks file + test: /node_modules\/asblocks\/src\//, + loader: 'babel-loader', + } ); + return config; + }, +}; diff --git a/.storybook/preview.js b/.storybook/preview.js new file mode 100644 index 000000000..f51945270 --- /dev/null +++ b/.storybook/preview.js @@ -0,0 +1,11 @@ +import '../build-browser/core.css'; + +export const parameters = { + actions: { argTypesRegex: '^on[A-Z].*' }, + controls: { + matchers: { + color: /(background|color)$/i, + date: /Date$/, + }, + }, +}; diff --git a/package.json b/package.json index 64b482774..c7843041a 100644 --- a/package.json +++ b/package.json @@ -1,131 +1,138 @@ { - "name": "isolated-block-editor", - "version": "1.3.0", - "description": "Repackages Gutenberg's editor playground as multi-instance editor.", - "main": "build/index.js", - "module": "build-module/index.js", - "types": "build-types", - "homepage": "https://github.com/Automattic/isolated-block-editor/blob/trunk/README.md", - "repository": { - "type": "git", - "url": "https://github.com/Automattic/isolated-block-editor.git" - }, - "bugs": { - "url": "https://github.com/Automattic/isolated-block-editor/issues" - }, - "engines": { - "node": ">=12" - }, - "scripts": { - "start": "BUILD_ENV=es6 babel src --out-dir build-module --source-maps --ignore 'src/**/__tests__/*.js' --copy-files --no-copy-ignored --watch", - "build:es6": "BUILD_ENV=es6 babel src --out-dir build-module --source-maps --ignore 'src/**/__tests__/*.js','src/browser/*' --copy-files --no-copy-ignored && rm -rf build-module/browser", - "build:cjs": "BUILD_ENV=cjs babel src --out-dir build --source-maps --ignore 'src/**/__tests__/*.js','src/browser/*' --copy-files --no-copy-ignored && rm -rf build/browser", - "build:browser": "BUILD_ENV=es6 NODE_ENV=production webpack --mode production --progress --config ./webpack.config.browser.js && rm build-browser/core.js", - "build:types": "tsc --build", - "build": "yarn build:es6 && yarn build:cjs && yarn build:browser && yarn build:types", - "clean": "rm -rf build build-module build-browser build-types dist", - "dist": "yarn build && rm -rf dist && mkdir dist && zip build-browser.zip -r build-browser && mv build-browser.zip dist/isolated-block-editor.zip && release-it" - }, - "sideEffects": [ - "*.css", - "*.scss" - ], - "author": "Automattic", - "license": "GPL-2.0-or-later", - "dependencies": { - "@wordpress/a11y": "^3.1.1", - "@wordpress/annotations": "^2.1.2", - "@wordpress/api-fetch": "^5.1.1", - "@wordpress/autop": "^3.1.1", - "@wordpress/blob": "^3.1.1", - "@wordpress/block-editor": "^6.1.8", - "@wordpress/block-library": "^3.2.11", - "@wordpress/block-serialization-default-parser": "^4.1.1", - "@wordpress/block-serialization-spec-parser": "^4.1.1", - "@wordpress/blocks": "^9.1.4", - "@wordpress/components": "^14.1.5", - "@wordpress/compose": "^4.1.2", - "@wordpress/core-data": "^3.1.8", - "@wordpress/data": "^5.1.2", - "@wordpress/data-controls": "^2.1.2", - "@wordpress/date": "^4.1.1", - "@wordpress/deprecated": "^3.1.1", - "@wordpress/dom": "^3.1.1", - "@wordpress/dom-ready": "^3.1.1", - "@wordpress/editor": "^10.1.11", - "@wordpress/element": "^3.1.1", - "@wordpress/escape-html": "^2.1.1", - "@wordpress/format-library": "^2.1.8", - "@wordpress/hooks": "^3.1.1", - "@wordpress/html-entities": "^3.1.1", - "@wordpress/i18n": "^4.1.1", - "@wordpress/icons": "^4.0.1", - "@wordpress/interface": "^3.1.6", - "@wordpress/is-shallow-equal": "^4.1.1", - "@wordpress/keyboard-shortcuts": "^2.1.2", - "@wordpress/keycodes": "^3.1.1", - "@wordpress/list-reusable-blocks": "^2.1.5", - "@wordpress/media-utils": "^2.1.1", - "@wordpress/notices": "^3.1.2", - "@wordpress/plugins": "^3.1.2", - "@wordpress/primitives": "^2.1.1", - "@wordpress/priority-queue": "^2.1.1", - "@wordpress/react-i18n": "^2.1.1", - "@wordpress/redux-routine": "^4.1.1", - "@wordpress/reusable-blocks": "^2.1.11", - "@wordpress/rich-text": "^4.1.2", - "@wordpress/server-side-render": "^2.1.6", - "@wordpress/shortcode": "^3.1.1", - "@wordpress/token-list": "^2.1.1", - "@wordpress/url": "^3.1.1", - "@wordpress/viewport": "^3.1.2", - "@wordpress/warning": "^2.1.1", - "@wordpress/wordcount": "^3.1.1", - "asblocks": "git+https://github.com/youknowriad/asblocks", - "classnames": "^2.3.1", - "react": "17.0.2", - "react-autosize-textarea": "^7.1.0", - "react-dom": "17.0.2", - "reakit-utils": "^0.15.1", - "redux-undo": "^1.0.1", - "refx": "^3.1.1" - }, - "devDependencies": { - "@babel/cli": "^7.14.5", - "@babel/core": "^7.14.6", - "@babel/plugin-transform-runtime": "^7.14.5", - "@babel/preset-env": "^7.14.7", - "@babel/preset-react": "^7.14.5", - "@wordpress/babel-preset-default": "^6.2.0", - "@wordpress/prettier-config": "^1.0.5", - "@wordpress/scripts": "^16.1.3", - "babel-loader": "^8.2.2", - "babel-plugin-inline-json-import": "^0.3.2", - "css-loader": "^5.2.6", - "eslint": "^7.29.0", - "eslint-config-wpcalypso": "^6.1.0", - "eslint-plugin-import": "^2.23.4", - "eslint-plugin-inclusive-language": "^2.1.1", - "eslint-plugin-jest": "^24.3.6", - "eslint-plugin-jsdoc": "^35.4.1", - "eslint-plugin-jsx-a11y": "^6.4.1", - "eslint-plugin-react": "^7.24.0", - "eslint-plugin-wpcalypso": "^5.0.0", - "mini-css-extract-plugin": "^1.6.2", - "prettier": "npm:wp-prettier@2.2.1-beta-1", - "release-it": "^14.10.0", - "sass-loader": "^12.1.0", - "typescript": "^4.3.4", - "webpack": "^5.41.0", - "webpack-cli": "^4.7.2" - }, - "release-it": { - "github": { - "release": true, - "assets": [ - "dist/isolated-block-editor.zip" - ] - }, - "npm": false - } + "name": "isolated-block-editor", + "version": "1.3.0", + "description": "Repackages Gutenberg's editor playground as multi-instance editor.", + "main": "build/index.js", + "module": "build-module/index.js", + "types": "build-types", + "homepage": "https://github.com/Automattic/isolated-block-editor/blob/trunk/README.md", + "repository": { + "type": "git", + "url": "https://github.com/Automattic/isolated-block-editor.git" + }, + "bugs": { + "url": "https://github.com/Automattic/isolated-block-editor/issues" + }, + "engines": { + "node": ">=12" + }, + "scripts": { + "start": "BUILD_ENV=es6 babel src --out-dir build-module --source-maps --ignore 'src/**/__tests__/*.js' --copy-files --no-copy-ignored --watch", + "build:es6": "BUILD_ENV=es6 babel src --out-dir build-module --source-maps --ignore 'src/**/__tests__/*.js','src/browser/*' --copy-files --no-copy-ignored && rm -rf build-module/browser", + "build:cjs": "BUILD_ENV=cjs babel src --out-dir build --source-maps --ignore 'src/**/__tests__/*.js','src/browser/*' --copy-files --no-copy-ignored && rm -rf build/browser", + "build:browser": "BUILD_ENV=es6 NODE_ENV=production webpack --mode production --progress --config ./webpack.config.browser.js && rm build-browser/core.js", + "build:types": "tsc --build", + "build": "yarn build:es6 && yarn build:cjs && yarn build:browser && yarn build:types", + "clean": "rm -rf build build-module build-browser build-types dist", + "dist": "yarn build && rm -rf dist && mkdir dist && zip build-browser.zip -r build-browser && mv build-browser.zip dist/isolated-block-editor.zip && release-it", + "storybook": "start-storybook -p 6006" + }, + "sideEffects": [ + "*.css", + "*.scss" + ], + "author": "Automattic", + "license": "GPL-2.0-or-later", + "dependencies": { + "@wordpress/a11y": "^3.1.1", + "@wordpress/annotations": "^2.1.2", + "@wordpress/api-fetch": "^5.1.1", + "@wordpress/autop": "^3.1.1", + "@wordpress/blob": "^3.1.1", + "@wordpress/block-editor": "^6.1.8", + "@wordpress/block-library": "^3.2.11", + "@wordpress/block-serialization-default-parser": "^4.1.1", + "@wordpress/block-serialization-spec-parser": "^4.1.1", + "@wordpress/blocks": "^9.1.4", + "@wordpress/components": "^14.1.5", + "@wordpress/compose": "^4.1.2", + "@wordpress/core-data": "^3.1.8", + "@wordpress/data": "^5.1.2", + "@wordpress/data-controls": "^2.1.2", + "@wordpress/date": "^4.1.1", + "@wordpress/deprecated": "^3.1.1", + "@wordpress/dom": "^3.1.1", + "@wordpress/dom-ready": "^3.1.1", + "@wordpress/editor": "^10.1.11", + "@wordpress/element": "^3.1.1", + "@wordpress/escape-html": "^2.1.1", + "@wordpress/format-library": "^2.1.8", + "@wordpress/hooks": "^3.1.1", + "@wordpress/html-entities": "^3.1.1", + "@wordpress/i18n": "^4.1.1", + "@wordpress/icons": "^4.0.1", + "@wordpress/interface": "^3.1.6", + "@wordpress/is-shallow-equal": "^4.1.1", + "@wordpress/keyboard-shortcuts": "^2.1.2", + "@wordpress/keycodes": "^3.1.1", + "@wordpress/list-reusable-blocks": "^2.1.5", + "@wordpress/media-utils": "^2.1.1", + "@wordpress/notices": "^3.1.2", + "@wordpress/plugins": "^3.1.2", + "@wordpress/primitives": "^2.1.1", + "@wordpress/priority-queue": "^2.1.1", + "@wordpress/react-i18n": "^2.1.1", + "@wordpress/redux-routine": "^4.1.1", + "@wordpress/reusable-blocks": "^2.1.11", + "@wordpress/rich-text": "^4.1.2", + "@wordpress/server-side-render": "^2.1.6", + "@wordpress/shortcode": "^3.1.1", + "@wordpress/token-list": "^2.1.1", + "@wordpress/url": "^3.1.1", + "@wordpress/viewport": "^3.1.2", + "@wordpress/warning": "^2.1.1", + "@wordpress/wordcount": "^3.1.1", + "asblocks": "git+https://github.com/youknowriad/asblocks", + "classnames": "^2.3.1", + "react": "17.0.2", + "react-autosize-textarea": "^7.1.0", + "react-dom": "17.0.2", + "reakit-utils": "^0.15.1", + "redux-undo": "^1.0.1", + "refx": "^3.1.1" + }, + "devDependencies": { + "@babel/cli": "^7.14.5", + "@babel/core": "^7.14.6", + "@babel/plugin-transform-runtime": "^7.14.5", + "@babel/preset-env": "^7.14.7", + "@babel/preset-react": "^7.14.5", + "@storybook/addon-actions": "^6.3.4", + "@storybook/addon-essentials": "^6.3.4", + "@storybook/addon-links": "^6.3.4", + "@storybook/preset-scss": "^1.0.3", + "@storybook/react": "^6.3.4", + "@wordpress/babel-preset-default": "^6.2.0", + "@wordpress/prettier-config": "^1.0.5", + "@wordpress/scripts": "^16.1.3", + "babel-loader": "^8.2.2", + "babel-plugin-inline-json-import": "^0.3.2", + "css-loader": "^5.2.6", + "eslint": "^7.29.0", + "eslint-config-wpcalypso": "^6.1.0", + "eslint-plugin-import": "^2.23.4", + "eslint-plugin-inclusive-language": "^2.1.1", + "eslint-plugin-jest": "^24.3.6", + "eslint-plugin-jsdoc": "^35.4.1", + "eslint-plugin-jsx-a11y": "^6.4.1", + "eslint-plugin-react": "^7.24.0", + "eslint-plugin-wpcalypso": "^5.0.0", + "mini-css-extract-plugin": "^1.6.2", + "prettier": "npm:wp-prettier@2.2.1-beta-1", + "release-it": "^14.10.0", + "sass-loader": "^10.1.1", + "style-loader": "^2.0.0", + "typescript": "^4.3.4", + "webpack": "^5.41.0", + "webpack-cli": "^4.7.2" + }, + "release-it": { + "github": { + "release": true, + "assets": [ + "dist/isolated-block-editor.zip" + ] + }, + "npm": false + } } diff --git a/src/stories/Collaboration.stories.js b/src/stories/Collaboration.stories.js new file mode 100644 index 000000000..00beb7466 --- /dev/null +++ b/src/stories/Collaboration.stories.js @@ -0,0 +1,17 @@ +import IsolatedBlockEditor from '../index'; + +export default { + title: 'Collaboration', + component: IsolatedBlockEditor, +}; + +const Template = ( args ) => ; + +export const Default = Template.bind( {} ); +Default.args = { + settings: { + iso: { + moreMenu: false, + }, + }, +}; diff --git a/yarn.lock b/yarn.lock index 1454d7895..7da22e262 100644 --- a/yarn.lock +++ b/yarn.lock @@ -18,6 +18,13 @@ "@nicolo-ribaudo/chokidar-2" "2.1.8-no-fsevents.2" chokidar "^3.4.0" +"@babel/code-frame@7.10.4": + version "7.10.4" + resolved "https://registry.yarnpkg.com/@babel/code-frame/-/code-frame-7.10.4.tgz#168da1a36e90da68ae8d49c0f1b48c7c6249213a" + integrity sha512-vG6SvB6oYEhvgisZNFRmRCUkLz11c7rp+tbNTynGqc6mS1d5ATd/sGyV6W0KZZnXRKMTzZDRgQT3Ou9jhpAfUg== + dependencies: + "@babel/highlight" "^7.10.4" + "@babel/code-frame@7.12.11": version "7.12.11" resolved "https://registry.yarnpkg.com/@babel/code-frame/-/code-frame-7.12.11.tgz#f4ad435aa263db935b8f10f2c552d23fb716a63f" @@ -25,7 +32,7 @@ dependencies: "@babel/highlight" "^7.10.4" -"@babel/code-frame@^7.0.0", "@babel/code-frame@^7.14.5": +"@babel/code-frame@^7.0.0", "@babel/code-frame@^7.10.4", "@babel/code-frame@^7.14.5", "@babel/code-frame@^7.5.5", "@babel/code-frame@^7.8.3": version "7.14.5" resolved "https://registry.yarnpkg.com/@babel/code-frame/-/code-frame-7.14.5.tgz#23b08d740e83f49c5e59945fbf1b43e80bbf4edb" integrity sha512-9pzDqyc6OLDaqe+zbACgFkb6fKMNG6CObKpnYXChRsvYGyEdc7CA2BaqeOM+vOtCS5ndmJicPJhKAwYRI6UfFw== @@ -37,7 +44,29 @@ resolved "https://registry.yarnpkg.com/@babel/compat-data/-/compat-data-7.14.7.tgz#7b047d7a3a89a67d2258dc61f604f098f1bc7e08" integrity sha512-nS6dZaISCXJ3+518CWiBfEr//gHyMO02uDxBkXTKZDN5POruCnOZ1N4YBRZDCabwF8nZMWBpRxIicmXtBs+fvw== -"@babel/core@>=7.9.0", "@babel/core@^7.1.0", "@babel/core@^7.12.3", "@babel/core@^7.13.10", "@babel/core@^7.14.6", "@babel/core@^7.7.5": +"@babel/core@7.12.9": + version "7.12.9" + resolved "https://registry.yarnpkg.com/@babel/core/-/core-7.12.9.tgz#fd450c4ec10cdbb980e2928b7aa7a28484593fc8" + integrity sha512-gTXYh3M5wb7FRXQy+FErKFAv90BnlOuNn1QkCK2lREoPAjrQCO49+HVSrFoe5uakFAF5eenS75KbO2vQiLrTMQ== + dependencies: + "@babel/code-frame" "^7.10.4" + "@babel/generator" "^7.12.5" + "@babel/helper-module-transforms" "^7.12.1" + "@babel/helpers" "^7.12.5" + "@babel/parser" "^7.12.7" + "@babel/template" "^7.12.7" + "@babel/traverse" "^7.12.9" + "@babel/types" "^7.12.7" + convert-source-map "^1.7.0" + debug "^4.1.0" + gensync "^1.0.0-beta.1" + json5 "^2.1.2" + lodash "^4.17.19" + resolve "^1.3.2" + semver "^5.4.1" + source-map "^0.5.0" + +"@babel/core@>=7.9.0", "@babel/core@^7.1.0", "@babel/core@^7.12.10", "@babel/core@^7.12.3", "@babel/core@^7.13.10", "@babel/core@^7.14.6", "@babel/core@^7.7.5": version "7.14.6" resolved "https://registry.yarnpkg.com/@babel/core/-/core-7.14.6.tgz#e0814ec1a950032ff16c13a2721de39a8416fcab" integrity sha512-gJnOEWSqTk96qG5BoIrl5bVtc23DCycmIePPYnamY9RboYdI4nFy5vAQMSl81O5K/W0sLDWfGysnOECC+KUUCA== @@ -58,7 +87,7 @@ semver "^6.3.0" source-map "^0.5.0" -"@babel/generator@^7.14.5": +"@babel/generator@^7.12.11", "@babel/generator@^7.12.5", "@babel/generator@^7.14.5": version "7.14.5" resolved "https://registry.yarnpkg.com/@babel/generator/-/generator-7.14.5.tgz#848d7b9f031caca9d0cd0af01b063f226f52d785" integrity sha512-y3rlP+/G25OIX3mYKKIOlQRcqj7YgrvHxOLbVmyLJ9bPmi5ttvUmpydVjcFjZphOktWuA7ovbx91ECloWTfjIA== @@ -112,6 +141,20 @@ "@babel/helper-annotate-as-pure" "^7.14.5" regexpu-core "^4.7.1" +"@babel/helper-define-polyfill-provider@^0.1.5": + version "0.1.5" + resolved "https://registry.yarnpkg.com/@babel/helper-define-polyfill-provider/-/helper-define-polyfill-provider-0.1.5.tgz#3c2f91b7971b9fc11fe779c945c014065dea340e" + integrity sha512-nXuzCSwlJ/WKr8qxzW816gwyT6VZgiJG17zR40fou70yfAcqjoNyTLl/DQ+FExw5Hx5KNqshmN8Ldl/r2N7cTg== + dependencies: + "@babel/helper-compilation-targets" "^7.13.0" + "@babel/helper-module-imports" "^7.12.13" + "@babel/helper-plugin-utils" "^7.13.0" + "@babel/traverse" "^7.13.0" + debug "^4.1.1" + lodash.debounce "^4.0.8" + resolve "^1.14.2" + semver "^6.1.2" + "@babel/helper-define-polyfill-provider@^0.2.2": version "0.2.3" resolved "https://registry.yarnpkg.com/@babel/helper-define-polyfill-provider/-/helper-define-polyfill-provider-0.2.3.tgz#0525edec5094653a282688d34d846e4c75e9c0b6" @@ -170,7 +213,7 @@ dependencies: "@babel/types" "^7.14.5" -"@babel/helper-module-transforms@^7.14.5": +"@babel/helper-module-transforms@^7.12.1", "@babel/helper-module-transforms@^7.14.5": version "7.14.5" resolved "https://registry.yarnpkg.com/@babel/helper-module-transforms/-/helper-module-transforms-7.14.5.tgz#7de42f10d789b423eb902ebd24031ca77cb1e10e" integrity sha512-iXpX4KW8LVODuAieD7MzhNjmM6dzYY5tfRqT+R9HDXWl0jPn/djKmA+G9s/2C2T9zggw5tK1QNqZ70USfedOwA== @@ -191,6 +234,11 @@ dependencies: "@babel/types" "^7.14.5" +"@babel/helper-plugin-utils@7.10.4": + version "7.10.4" + resolved "https://registry.yarnpkg.com/@babel/helper-plugin-utils/-/helper-plugin-utils-7.10.4.tgz#2f75a831269d4f677de49986dff59927533cf375" + integrity sha512-O4KCvQA6lLiMU9l2eawBPMf1xPP8xPfB3iEQw150hOVTqj/rfXz0ThTb4HEzqQfs2Bmo5Ay8BzxfzVtBrr9dVg== + "@babel/helper-plugin-utils@^7.0.0", "@babel/helper-plugin-utils@^7.10.4", "@babel/helper-plugin-utils@^7.12.13", "@babel/helper-plugin-utils@^7.13.0", "@babel/helper-plugin-utils@^7.14.5", "@babel/helper-plugin-utils@^7.8.0", "@babel/helper-plugin-utils@^7.8.3": version "7.14.5" resolved "https://registry.yarnpkg.com/@babel/helper-plugin-utils/-/helper-plugin-utils-7.14.5.tgz#5ac822ce97eec46741ab70a517971e443a70c5a9" @@ -256,7 +304,7 @@ "@babel/traverse" "^7.14.5" "@babel/types" "^7.14.5" -"@babel/helpers@^7.14.6": +"@babel/helpers@^7.12.5", "@babel/helpers@^7.14.6": version "7.14.6" resolved "https://registry.yarnpkg.com/@babel/helpers/-/helpers-7.14.6.tgz#5b58306b95f1b47e2a0199434fa8658fa6c21635" integrity sha512-yesp1ENQBiLI+iYHSJdoZKUtRpfTlL1grDIX9NRlAVppljLw/4tTyYupIB7uIYmC3stW/imAv8EqaKaS/ibmeA== @@ -274,7 +322,7 @@ chalk "^2.0.0" js-tokens "^4.0.0" -"@babel/parser@^7.1.0", "@babel/parser@^7.14.5", "@babel/parser@^7.14.6", "@babel/parser@^7.14.7", "@babel/parser@^7.7.0": +"@babel/parser@^7.1.0", "@babel/parser@^7.12.11", "@babel/parser@^7.12.7", "@babel/parser@^7.14.5", "@babel/parser@^7.14.6", "@babel/parser@^7.14.7", "@babel/parser@^7.7.0": version "7.14.7" resolved "https://registry.yarnpkg.com/@babel/parser/-/parser-7.14.7.tgz#6099720c8839ca865a2637e6c85852ead0bdb595" integrity sha512-X67Z5y+VBJuHB/RjwECp8kSl5uYi0BvRbNeWqkaJCVh+LiTPl19WBUfG627psSgp9rSf6ojuXghQM3ha6qHHdA== @@ -297,7 +345,7 @@ "@babel/helper-remap-async-to-generator" "^7.14.5" "@babel/plugin-syntax-async-generators" "^7.8.4" -"@babel/plugin-proposal-class-properties@^7.14.5": +"@babel/plugin-proposal-class-properties@^7.12.1", "@babel/plugin-proposal-class-properties@^7.14.5": version "7.14.5" resolved "https://registry.yarnpkg.com/@babel/plugin-proposal-class-properties/-/plugin-proposal-class-properties-7.14.5.tgz#40d1ee140c5b1e31a350f4f5eed945096559b42e" integrity sha512-q/PLpv5Ko4dVc1LYMpCY7RVAAO4uk55qPwrIuJ5QJ8c6cVuAmhu7I/49JOppXL6gXf7ZHzpRVEUZdYoPLM04Gg== @@ -314,6 +362,15 @@ "@babel/helper-plugin-utils" "^7.14.5" "@babel/plugin-syntax-class-static-block" "^7.14.5" +"@babel/plugin-proposal-decorators@^7.12.12": + version "7.14.5" + resolved "https://registry.yarnpkg.com/@babel/plugin-proposal-decorators/-/plugin-proposal-decorators-7.14.5.tgz#59bc4dfc1d665b5a6749cf798ff42297ed1b2c1d" + integrity sha512-LYz5nvQcvYeRVjui1Ykn28i+3aUiXwQ/3MGoEy0InTaz1pJo/lAzmIDXX+BQny/oufgHzJ6vnEEiXQ8KZjEVFg== + dependencies: + "@babel/helper-create-class-features-plugin" "^7.14.5" + "@babel/helper-plugin-utils" "^7.14.5" + "@babel/plugin-syntax-decorators" "^7.14.5" + "@babel/plugin-proposal-dynamic-import@^7.14.5": version "7.14.5" resolved "https://registry.yarnpkg.com/@babel/plugin-proposal-dynamic-import/-/plugin-proposal-dynamic-import-7.14.5.tgz#0c6617df461c0c1f8fff3b47cd59772360101d2c" @@ -322,6 +379,14 @@ "@babel/helper-plugin-utils" "^7.14.5" "@babel/plugin-syntax-dynamic-import" "^7.8.3" +"@babel/plugin-proposal-export-default-from@^7.12.1": + version "7.14.5" + resolved "https://registry.yarnpkg.com/@babel/plugin-proposal-export-default-from/-/plugin-proposal-export-default-from-7.14.5.tgz#8931a6560632c650f92a8e5948f6e73019d6d321" + integrity sha512-T8KZ5abXvKMjF6JcoXjgac3ElmXf0AWzJwi2O/42Jk+HmCky3D9+i1B7NPP1FblyceqTevKeV/9szeikFoaMDg== + dependencies: + "@babel/helper-plugin-utils" "^7.14.5" + "@babel/plugin-syntax-export-default-from" "^7.14.5" + "@babel/plugin-proposal-export-namespace-from@^7.14.5": version "7.14.5" resolved "https://registry.yarnpkg.com/@babel/plugin-proposal-export-namespace-from/-/plugin-proposal-export-namespace-from-7.14.5.tgz#dbad244310ce6ccd083072167d8cea83a52faf76" @@ -346,7 +411,7 @@ "@babel/helper-plugin-utils" "^7.14.5" "@babel/plugin-syntax-logical-assignment-operators" "^7.10.4" -"@babel/plugin-proposal-nullish-coalescing-operator@^7.14.5": +"@babel/plugin-proposal-nullish-coalescing-operator@^7.12.1", "@babel/plugin-proposal-nullish-coalescing-operator@^7.14.5": version "7.14.5" resolved "https://registry.yarnpkg.com/@babel/plugin-proposal-nullish-coalescing-operator/-/plugin-proposal-nullish-coalescing-operator-7.14.5.tgz#ee38589ce00e2cc59b299ec3ea406fcd3a0fdaf6" integrity sha512-gun/SOnMqjSb98Nkaq2rTKMwervfdAoz6NphdY0vTfuzMfryj+tDGb2n6UkDKwez+Y8PZDhE3D143v6Gepp4Hg== @@ -362,7 +427,16 @@ "@babel/helper-plugin-utils" "^7.14.5" "@babel/plugin-syntax-numeric-separator" "^7.10.4" -"@babel/plugin-proposal-object-rest-spread@^7.14.7": +"@babel/plugin-proposal-object-rest-spread@7.12.1": + version "7.12.1" + resolved "https://registry.yarnpkg.com/@babel/plugin-proposal-object-rest-spread/-/plugin-proposal-object-rest-spread-7.12.1.tgz#def9bd03cea0f9b72283dac0ec22d289c7691069" + integrity sha512-s6SowJIjzlhx8o7lsFx5zmY4At6CTtDvgNQDdPzkBQucle58A6b/TTeEBYtyDgmcXjUTM+vE8YOGHZzzbc/ioA== + dependencies: + "@babel/helper-plugin-utils" "^7.10.4" + "@babel/plugin-syntax-object-rest-spread" "^7.8.0" + "@babel/plugin-transform-parameters" "^7.12.1" + +"@babel/plugin-proposal-object-rest-spread@^7.12.1", "@babel/plugin-proposal-object-rest-spread@^7.14.7": version "7.14.7" resolved "https://registry.yarnpkg.com/@babel/plugin-proposal-object-rest-spread/-/plugin-proposal-object-rest-spread-7.14.7.tgz#5920a2b3df7f7901df0205974c0641b13fd9d363" integrity sha512-082hsZz+sVabfmDWo1Oct1u1AgbKbUAyVgmX4otIc7bdsRgHBXwTwb3DpDmD4Eyyx6DNiuz5UAATT655k+kL5g== @@ -381,7 +455,7 @@ "@babel/helper-plugin-utils" "^7.14.5" "@babel/plugin-syntax-optional-catch-binding" "^7.8.3" -"@babel/plugin-proposal-optional-chaining@^7.14.5": +"@babel/plugin-proposal-optional-chaining@^7.12.7", "@babel/plugin-proposal-optional-chaining@^7.14.5": version "7.14.5" resolved "https://registry.yarnpkg.com/@babel/plugin-proposal-optional-chaining/-/plugin-proposal-optional-chaining-7.14.5.tgz#fa83651e60a360e3f13797eef00b8d519695b603" integrity sha512-ycz+VOzo2UbWNI1rQXxIuMOzrDdHGrI23fRiz/Si2R4kv2XZQ1BK8ccdHwehMKBlcH/joGW/tzrUmo67gbJHlQ== @@ -390,7 +464,7 @@ "@babel/helper-skip-transparent-expression-wrappers" "^7.14.5" "@babel/plugin-syntax-optional-chaining" "^7.8.3" -"@babel/plugin-proposal-private-methods@^7.14.5": +"@babel/plugin-proposal-private-methods@^7.12.1", "@babel/plugin-proposal-private-methods@^7.14.5": version "7.14.5" resolved "https://registry.yarnpkg.com/@babel/plugin-proposal-private-methods/-/plugin-proposal-private-methods-7.14.5.tgz#37446495996b2945f30f5be5b60d5e2aa4f5792d" integrity sha512-838DkdUA1u+QTCplatfq4B7+1lnDa/+QMI89x5WZHBcnNv+47N8QEj2k9I2MUU9xIv8XJ4XvPCviM/Dj7Uwt9g== @@ -444,6 +518,13 @@ dependencies: "@babel/helper-plugin-utils" "^7.14.5" +"@babel/plugin-syntax-decorators@^7.14.5": + version "7.14.5" + resolved "https://registry.yarnpkg.com/@babel/plugin-syntax-decorators/-/plugin-syntax-decorators-7.14.5.tgz#eafb9c0cbe09c8afeb964ba3a7bbd63945a72f20" + integrity sha512-c4sZMRWL4GSvP1EXy0woIP7m4jkVcEuG8R1TOZxPBPtp4FSM/kiPZub9UIs/Jrb5ZAOzvTUSGYrWsrSu1JvoPw== + dependencies: + "@babel/helper-plugin-utils" "^7.14.5" + "@babel/plugin-syntax-dynamic-import@^7.8.3": version "7.8.3" resolved "https://registry.yarnpkg.com/@babel/plugin-syntax-dynamic-import/-/plugin-syntax-dynamic-import-7.8.3.tgz#62bf98b2da3cd21d626154fc96ee5b3cb68eacb3" @@ -451,6 +532,13 @@ dependencies: "@babel/helper-plugin-utils" "^7.8.0" +"@babel/plugin-syntax-export-default-from@^7.14.5": + version "7.14.5" + resolved "https://registry.yarnpkg.com/@babel/plugin-syntax-export-default-from/-/plugin-syntax-export-default-from-7.14.5.tgz#cdfa9d43d2b2c89b6f1af3e83518e8c8b9ed0dbc" + integrity sha512-snWDxjuaPEobRBnhpqEfZ8RMxDbHt8+87fiEioGuE+Uc0xAKgSD8QiuL3lF93hPVQfZFAcYwrrf+H5qUhike3Q== + dependencies: + "@babel/helper-plugin-utils" "^7.14.5" + "@babel/plugin-syntax-export-namespace-from@^7.8.3": version "7.8.3" resolved "https://registry.yarnpkg.com/@babel/plugin-syntax-export-namespace-from/-/plugin-syntax-export-namespace-from-7.8.3.tgz#028964a9ba80dbc094c915c487ad7c4e7a66465a" @@ -458,6 +546,13 @@ dependencies: "@babel/helper-plugin-utils" "^7.8.3" +"@babel/plugin-syntax-flow@^7.14.5": + version "7.14.5" + resolved "https://registry.yarnpkg.com/@babel/plugin-syntax-flow/-/plugin-syntax-flow-7.14.5.tgz#2ff654999497d7d7d142493260005263731da180" + integrity sha512-9WK5ZwKCdWHxVuU13XNT6X73FGmutAXeor5lGFq6qhOFtMFUF4jkbijuyUdZZlpYq6E2hZeZf/u3959X9wsv0Q== + dependencies: + "@babel/helper-plugin-utils" "^7.14.5" + "@babel/plugin-syntax-import-meta@^7.8.3": version "7.10.4" resolved "https://registry.yarnpkg.com/@babel/plugin-syntax-import-meta/-/plugin-syntax-import-meta-7.10.4.tgz#ee601348c370fa334d2207be158777496521fd51" @@ -472,6 +567,13 @@ dependencies: "@babel/helper-plugin-utils" "^7.8.0" +"@babel/plugin-syntax-jsx@7.12.1": + version "7.12.1" + resolved "https://registry.yarnpkg.com/@babel/plugin-syntax-jsx/-/plugin-syntax-jsx-7.12.1.tgz#9d9d357cc818aa7ae7935917c1257f67677a0926" + integrity sha512-1yRi7yAtB0ETgxdY9ti/p2TivUxJkTdhu/ZbF9MshVGqOx1TdB3b7xCXs49Fupgg50N45KcAsRP/ZqWjs9SRjg== + dependencies: + "@babel/helper-plugin-utils" "^7.10.4" + "@babel/plugin-syntax-jsx@^7.14.5": version "7.14.5" resolved "https://registry.yarnpkg.com/@babel/plugin-syntax-jsx/-/plugin-syntax-jsx-7.14.5.tgz#000e2e25d8673cce49300517a3eda44c263e4201" @@ -500,7 +602,7 @@ dependencies: "@babel/helper-plugin-utils" "^7.10.4" -"@babel/plugin-syntax-object-rest-spread@^7.8.3": +"@babel/plugin-syntax-object-rest-spread@7.8.3", "@babel/plugin-syntax-object-rest-spread@^7.8.0", "@babel/plugin-syntax-object-rest-spread@^7.8.3": version "7.8.3" resolved "https://registry.yarnpkg.com/@babel/plugin-syntax-object-rest-spread/-/plugin-syntax-object-rest-spread-7.8.3.tgz#60e225edcbd98a640332a2e72dd3e66f1af55871" integrity sha512-XoqMijGZb9y3y2XskN+P1wUGiVwWZ5JmoDRwx5+3GmEplNyVM2s2Dg8ILFQm8rWM48orGy5YpI5Bl8U1y7ydlA== @@ -542,7 +644,7 @@ dependencies: "@babel/helper-plugin-utils" "^7.14.5" -"@babel/plugin-transform-arrow-functions@^7.14.5": +"@babel/plugin-transform-arrow-functions@^7.12.1", "@babel/plugin-transform-arrow-functions@^7.14.5": version "7.14.5" resolved "https://registry.yarnpkg.com/@babel/plugin-transform-arrow-functions/-/plugin-transform-arrow-functions-7.14.5.tgz#f7187d9588a768dd080bf4c9ffe117ea62f7862a" integrity sha512-KOnO0l4+tD5IfOdi4x8C1XmEIRWUjNRV8wc6K2vz/3e8yAOoZZvsRXRRIF/yo/MAOFb4QjtAw9xSxMXbSMRy8A== @@ -565,14 +667,14 @@ dependencies: "@babel/helper-plugin-utils" "^7.14.5" -"@babel/plugin-transform-block-scoping@^7.14.5": +"@babel/plugin-transform-block-scoping@^7.12.12", "@babel/plugin-transform-block-scoping@^7.14.5": version "7.14.5" resolved "https://registry.yarnpkg.com/@babel/plugin-transform-block-scoping/-/plugin-transform-block-scoping-7.14.5.tgz#8cc63e61e50f42e078e6f09be775a75f23ef9939" integrity sha512-LBYm4ZocNgoCqyxMLoOnwpsmQ18HWTQvql64t3GvMUzLQrNoV1BDG0lNftC8QKYERkZgCCT/7J5xWGObGAyHDw== dependencies: "@babel/helper-plugin-utils" "^7.14.5" -"@babel/plugin-transform-classes@^7.14.5": +"@babel/plugin-transform-classes@^7.12.1", "@babel/plugin-transform-classes@^7.14.5": version "7.14.5" resolved "https://registry.yarnpkg.com/@babel/plugin-transform-classes/-/plugin-transform-classes-7.14.5.tgz#0e98e82097b38550b03b483f9b51a78de0acb2cf" integrity sha512-J4VxKAMykM06K/64z9rwiL6xnBHgB1+FVspqvlgCdwD1KUbQNfszeKVVOMh59w3sztHYIZDgnhOC4WbdEfHFDA== @@ -592,7 +694,7 @@ dependencies: "@babel/helper-plugin-utils" "^7.14.5" -"@babel/plugin-transform-destructuring@^7.14.7": +"@babel/plugin-transform-destructuring@^7.12.1", "@babel/plugin-transform-destructuring@^7.14.7": version "7.14.7" resolved "https://registry.yarnpkg.com/@babel/plugin-transform-destructuring/-/plugin-transform-destructuring-7.14.7.tgz#0ad58ed37e23e22084d109f185260835e5557576" integrity sha512-0mDE99nK+kVh3xlc5vKwB6wnP9ecuSj+zQCa/n0voENtP/zymdT4HH6QEb65wjjcbqr1Jb/7z9Qp7TF5FtwYGw== @@ -622,7 +724,15 @@ "@babel/helper-builder-binary-assignment-operator-visitor" "^7.14.5" "@babel/helper-plugin-utils" "^7.14.5" -"@babel/plugin-transform-for-of@^7.14.5": +"@babel/plugin-transform-flow-strip-types@^7.14.5": + version "7.14.5" + resolved "https://registry.yarnpkg.com/@babel/plugin-transform-flow-strip-types/-/plugin-transform-flow-strip-types-7.14.5.tgz#0dc9c1d11dcdc873417903d6df4bed019ef0f85e" + integrity sha512-KhcolBKfXbvjwI3TV7r7TkYm8oNXHNBqGOy6JDVwtecFaRoKYsUUqJdS10q0YDKW1c6aZQgO+Ys3LfGkox8pXA== + dependencies: + "@babel/helper-plugin-utils" "^7.14.5" + "@babel/plugin-syntax-flow" "^7.14.5" + +"@babel/plugin-transform-for-of@^7.12.1", "@babel/plugin-transform-for-of@^7.14.5": version "7.14.5" resolved "https://registry.yarnpkg.com/@babel/plugin-transform-for-of/-/plugin-transform-for-of-7.14.5.tgz#dae384613de8f77c196a8869cbf602a44f7fc0eb" integrity sha512-CfmqxSUZzBl0rSjpoQSFoR9UEj3HzbGuGNL21/iFTmjb5gFggJp3ph0xR1YBhexmLoKRHzgxuFvty2xdSt6gTA== @@ -711,7 +821,7 @@ "@babel/helper-plugin-utils" "^7.14.5" "@babel/helper-replace-supers" "^7.14.5" -"@babel/plugin-transform-parameters@^7.14.5": +"@babel/plugin-transform-parameters@^7.12.1", "@babel/plugin-transform-parameters@^7.14.5": version "7.14.5" resolved "https://registry.yarnpkg.com/@babel/plugin-transform-parameters/-/plugin-transform-parameters-7.14.5.tgz#49662e86a1f3ddccac6363a7dfb1ff0a158afeb3" integrity sha512-Tl7LWdr6HUxTmzQtzuU14SqbgrSKmaR77M0OKyq4njZLQTPfOvzblNKyNkGwOfEFCEx7KeYHQHDI0P3F02IVkA== @@ -746,7 +856,7 @@ dependencies: "@babel/plugin-transform-react-jsx" "^7.14.5" -"@babel/plugin-transform-react-jsx@^7.12.7", "@babel/plugin-transform-react-jsx@^7.14.5": +"@babel/plugin-transform-react-jsx@^7.12.12", "@babel/plugin-transform-react-jsx@^7.12.7", "@babel/plugin-transform-react-jsx@^7.14.5": version "7.14.5" resolved "https://registry.yarnpkg.com/@babel/plugin-transform-react-jsx/-/plugin-transform-react-jsx-7.14.5.tgz#39749f0ee1efd8a1bd729152cf5f78f1d247a44a" integrity sha512-7RylxNeDnxc1OleDm0F5Q/BSL+whYRbOAR+bwgCxIr0L32v7UFh/pz1DLMZideAUxKT6eMoS2zQH6fyODLEi8Q== @@ -791,14 +901,14 @@ babel-plugin-polyfill-regenerator "^0.2.2" semver "^6.3.0" -"@babel/plugin-transform-shorthand-properties@^7.14.5": +"@babel/plugin-transform-shorthand-properties@^7.12.1", "@babel/plugin-transform-shorthand-properties@^7.14.5": version "7.14.5" resolved "https://registry.yarnpkg.com/@babel/plugin-transform-shorthand-properties/-/plugin-transform-shorthand-properties-7.14.5.tgz#97f13855f1409338d8cadcbaca670ad79e091a58" integrity sha512-xLucks6T1VmGsTB+GWK5Pl9Jl5+nRXD1uoFdA5TSO6xtiNjtXTjKkmPdFXVLGlK5A2/or/wQMKfmQ2Y0XJfn5g== dependencies: "@babel/helper-plugin-utils" "^7.14.5" -"@babel/plugin-transform-spread@^7.14.6": +"@babel/plugin-transform-spread@^7.12.1", "@babel/plugin-transform-spread@^7.14.6": version "7.14.6" resolved "https://registry.yarnpkg.com/@babel/plugin-transform-spread/-/plugin-transform-spread-7.14.6.tgz#6bd40e57fe7de94aa904851963b5616652f73144" integrity sha512-Zr0x0YroFJku7n7+/HH3A2eIrGMjbmAIbJSVv0IZ+t3U2WUQUA64S/oeied2e+MaGSjmt4alzBCsK9E8gh+fag== @@ -813,7 +923,7 @@ dependencies: "@babel/helper-plugin-utils" "^7.14.5" -"@babel/plugin-transform-template-literals@^7.14.5": +"@babel/plugin-transform-template-literals@^7.12.1", "@babel/plugin-transform-template-literals@^7.14.5": version "7.14.5" resolved "https://registry.yarnpkg.com/@babel/plugin-transform-template-literals/-/plugin-transform-template-literals-7.14.5.tgz#a5f2bc233937d8453885dc736bdd8d9ffabf3d93" integrity sha512-22btZeURqiepOfuy/VkFr+zStqlujWaarpMErvay7goJS6BWwdd6BY9zQyDLDa4x2S3VugxFb162IZ4m/S/+Gg== @@ -851,7 +961,7 @@ "@babel/helper-create-regexp-features-plugin" "^7.14.5" "@babel/helper-plugin-utils" "^7.14.5" -"@babel/preset-env@^7.12.1", "@babel/preset-env@^7.13.10", "@babel/preset-env@^7.14.7": +"@babel/preset-env@^7.12.1", "@babel/preset-env@^7.12.11", "@babel/preset-env@^7.13.10", "@babel/preset-env@^7.14.7": version "7.14.7" resolved "https://registry.yarnpkg.com/@babel/preset-env/-/preset-env-7.14.7.tgz#5c70b22d4c2d893b03d8c886a5c17422502b932a" integrity sha512-itOGqCKLsSUl0Y+1nSfhbuuOlTs0MJk2Iv7iSH+XT/mR8U1zRLO7NjWlYXB47yhK4J/7j+HYty/EhFZDYKa/VA== @@ -930,6 +1040,15 @@ core-js-compat "^3.15.0" semver "^6.3.0" +"@babel/preset-flow@^7.12.1": + version "7.14.5" + resolved "https://registry.yarnpkg.com/@babel/preset-flow/-/preset-flow-7.14.5.tgz#a1810b0780c8b48ab0bece8e7ab8d0d37712751c" + integrity sha512-pP5QEb4qRUSVGzzKx9xqRuHUrM/jEzMqdrZpdMA+oUCRgd5zM1qGr5y5+ZgAL/1tVv1H0dyk5t4SKJntqyiVtg== + dependencies: + "@babel/helper-plugin-utils" "^7.14.5" + "@babel/helper-validator-option" "^7.14.5" + "@babel/plugin-transform-flow-strip-types" "^7.14.5" + "@babel/preset-modules@^0.1.4": version "0.1.4" resolved "https://registry.yarnpkg.com/@babel/preset-modules/-/preset-modules-0.1.4.tgz#362f2b68c662842970fdb5e254ffc8fc1c2e415e" @@ -941,7 +1060,7 @@ "@babel/types" "^7.4.4" esutils "^2.0.2" -"@babel/preset-react@^7.12.5", "@babel/preset-react@^7.14.5": +"@babel/preset-react@^7.12.10", "@babel/preset-react@^7.12.5", "@babel/preset-react@^7.14.5": version "7.14.5" resolved "https://registry.yarnpkg.com/@babel/preset-react/-/preset-react-7.14.5.tgz#0fbb769513f899c2c56f3a882fa79673c2d4ab3c" integrity sha512-XFxBkjyObLvBaAvkx1Ie95Iaq4S/GUEIrejyrntQ/VCMKUYvKLoyKxOBzJ2kjA3b6rC9/KL6KXfDC2GqvLiNqQ== @@ -953,7 +1072,7 @@ "@babel/plugin-transform-react-jsx-development" "^7.14.5" "@babel/plugin-transform-react-pure-annotations" "^7.14.5" -"@babel/preset-typescript@^7.13.0": +"@babel/preset-typescript@^7.12.7", "@babel/preset-typescript@^7.13.0": version "7.14.5" resolved "https://registry.yarnpkg.com/@babel/preset-typescript/-/preset-typescript-7.14.5.tgz#aa98de119cf9852b79511f19e7f44a2d379bcce0" integrity sha512-u4zO6CdbRKbS9TypMqrlGH7sd2TAJppZwn3c/ZRLeO/wGsbddxgbPDUZVNrie3JWYLQ9vpineKlsrWFvO6Pwkw== @@ -962,6 +1081,17 @@ "@babel/helper-validator-option" "^7.14.5" "@babel/plugin-transform-typescript" "^7.14.5" +"@babel/register@^7.12.1": + version "7.14.5" + resolved "https://registry.yarnpkg.com/@babel/register/-/register-7.14.5.tgz#d0eac615065d9c2f1995842f85d6e56c345f3233" + integrity sha512-TjJpGz/aDjFGWsItRBQMOFTrmTI9tr79CHOK+KIvLeCkbxuOAk2M5QHjvruIMGoo9OuccMh5euplPzc5FjAKGg== + dependencies: + clone-deep "^4.0.1" + find-cache-dir "^2.0.0" + make-dir "^2.1.0" + pirates "^4.0.0" + source-map-support "^0.5.16" + "@babel/runtime-corejs3@^7.10.2": version "7.14.7" resolved "https://registry.yarnpkg.com/@babel/runtime-corejs3/-/runtime-corejs3-7.14.7.tgz#0ef292bbce40ca00f874c9724ef175a12476465c" @@ -970,14 +1100,14 @@ core-js-pure "^3.15.0" regenerator-runtime "^0.13.4" -"@babel/runtime@^7.1.2", "@babel/runtime@^7.10.2", "@babel/runtime@^7.11.2", "@babel/runtime@^7.12.1", "@babel/runtime@^7.13.10", "@babel/runtime@^7.3.1", "@babel/runtime@^7.5.5", "@babel/runtime@^7.7.2", "@babel/runtime@^7.8.4", "@babel/runtime@^7.9.2": +"@babel/runtime@^7.0.0", "@babel/runtime@^7.1.2", "@babel/runtime@^7.10.2", "@babel/runtime@^7.11.2", "@babel/runtime@^7.12.1", "@babel/runtime@^7.12.5", "@babel/runtime@^7.13.10", "@babel/runtime@^7.14.0", "@babel/runtime@^7.3.1", "@babel/runtime@^7.5.0", "@babel/runtime@^7.5.5", "@babel/runtime@^7.7.2", "@babel/runtime@^7.7.6", "@babel/runtime@^7.8.4", "@babel/runtime@^7.9.2": version "7.14.6" resolved "https://registry.yarnpkg.com/@babel/runtime/-/runtime-7.14.6.tgz#535203bc0892efc7dec60bdc27b2ecf6e409062d" integrity sha512-/PCB2uJ7oM44tz8YhC4Z/6PeOKXp4K588f+5M3clr1M4zbqztlo0XEfJ2LEzj/FgwfgGcIdl8n7YYjTCI0BYwg== dependencies: regenerator-runtime "^0.13.4" -"@babel/template@^7.14.5", "@babel/template@^7.3.3": +"@babel/template@^7.12.7", "@babel/template@^7.14.5", "@babel/template@^7.3.3": version "7.14.5" resolved "https://registry.yarnpkg.com/@babel/template/-/template-7.14.5.tgz#a9bc9d8b33354ff6e55a9c60d1109200a68974f4" integrity sha512-6Z3Po85sfxRGachLULUhOmvAaOo7xCvqGQtxINai2mEGPFm6pQ4z5QInFnUrRpfoSV60BnjyF5F3c+15fxFV1g== @@ -986,7 +1116,7 @@ "@babel/parser" "^7.14.5" "@babel/types" "^7.14.5" -"@babel/traverse@^7.1.0", "@babel/traverse@^7.13.0", "@babel/traverse@^7.14.5", "@babel/traverse@^7.7.0": +"@babel/traverse@^7.1.0", "@babel/traverse@^7.1.6", "@babel/traverse@^7.12.11", "@babel/traverse@^7.12.9", "@babel/traverse@^7.13.0", "@babel/traverse@^7.14.5", "@babel/traverse@^7.7.0": version "7.14.7" resolved "https://registry.yarnpkg.com/@babel/traverse/-/traverse-7.14.7.tgz#64007c9774cfdc3abd23b0780bc18a3ce3631753" integrity sha512-9vDr5NzHu27wgwejuKL7kIOm4bwEtaPQ4Z6cpCmjSuaRqpH/7xc4qcGEscwMqlkwgcXl6MvqoAjZkQ24uSdIZQ== @@ -1001,7 +1131,7 @@ debug "^4.1.0" globals "^11.1.0" -"@babel/types@^7.0.0", "@babel/types@^7.12.6", "@babel/types@^7.14.5", "@babel/types@^7.3.0", "@babel/types@^7.3.3", "@babel/types@^7.4.4", "@babel/types@^7.7.0": +"@babel/types@^7.0.0", "@babel/types@^7.12.11", "@babel/types@^7.12.6", "@babel/types@^7.12.7", "@babel/types@^7.14.5", "@babel/types@^7.2.0", "@babel/types@^7.3.0", "@babel/types@^7.3.3", "@babel/types@^7.4.4", "@babel/types@^7.7.0": version "7.14.5" resolved "https://registry.yarnpkg.com/@babel/types/-/types-7.14.5.tgz#3bb997ba829a2104cedb20689c4a5b8121d383ff" integrity sha512-M/NzBpEL95I5Hh4dwhin5JlE7EzO5PHMAuzjxss3tiOBD46KfQvVedN/3jEPZvdRvtsK2222XfdHogNIttFgcg== @@ -1009,6 +1139,11 @@ "@babel/helper-validator-identifier" "^7.14.5" to-fast-properties "^2.0.0" +"@base2/pretty-print-object@1.0.0": + version "1.0.0" + resolved "https://registry.yarnpkg.com/@base2/pretty-print-object/-/pretty-print-object-1.0.0.tgz#860ce718b0b73f4009e153541faff2cb6b85d047" + integrity sha512-4Th98KlMHr5+JkxfcoDT//6vY8vM+iSPrLNpHhRyLx2CFYi8e2RfqPLdpbnpo0Q5lQC5hNB79yes07zb02fvCw== + "@bcoe/v8-coverage@^0.2.3": version "0.2.3" resolved "https://registry.yarnpkg.com/@bcoe/v8-coverage/-/v8-coverage-0.2.3.tgz#75a2e8b51cb758a7553d6804a5932d7aace75c39" @@ -1063,7 +1198,7 @@ resolved "https://registry.yarnpkg.com/@emotion/hash/-/hash-0.8.0.tgz#bbbff68978fefdbe68ccb533bc8cbe1d1afb5413" integrity sha512-kBJtf7PH6aWwZ6fka3zQ0p6SBYzx4fl1LoZXE2RrnYST9Xljm7WfKJrU4g/Xr3Beg72MLrp1AWNUmuYJTL7Cow== -"@emotion/is-prop-valid@0.8.8": +"@emotion/is-prop-valid@0.8.8", "@emotion/is-prop-valid@^0.8.6": version "0.8.8" resolved "https://registry.yarnpkg.com/@emotion/is-prop-valid/-/is-prop-valid-0.8.8.tgz#db28b1c4368a259b60a97311d6a952d4fd01ac1a" integrity sha512-u5WtneEAr5IDG2Wv65yhunPSMLIpuKsbuOktRojfrEiEvRyC85LgPMZI63cr7NUqT8ZIGdSVg8ZKGxIug4lXcA== @@ -1101,7 +1236,7 @@ "@emotion/serialize" "^0.11.15" "@emotion/utils" "0.11.3" -"@emotion/styled@^10.0.23": +"@emotion/styled@^10.0.23", "@emotion/styled@^10.0.27": version "10.0.27" resolved "https://registry.yarnpkg.com/@emotion/styled/-/styled-10.0.27.tgz#12cb67e91f7ad7431e1875b1d83a94b814133eaf" integrity sha512-iK/8Sh7+NLJzyp9a5+vIQIXTYxfT4yB/OJbjzQanB2RZpvmzBQOHZWhpAMZWYEKRNNbsD6WfBw5sVWkb6WzS/Q== @@ -1377,6 +1512,58 @@ "@types/yargs" "^15.0.0" chalk "^4.0.0" +"@mdx-js/loader@^1.6.22": + version "1.6.22" + resolved "https://registry.yarnpkg.com/@mdx-js/loader/-/loader-1.6.22.tgz#d9e8fe7f8185ff13c9c8639c048b123e30d322c4" + integrity sha512-9CjGwy595NaxAYp0hF9B/A0lH6C8Rms97e2JS9d3jVUtILn6pT5i5IV965ra3lIWc7Rs1GG1tBdVF7dCowYe6Q== + dependencies: + "@mdx-js/mdx" "1.6.22" + "@mdx-js/react" "1.6.22" + loader-utils "2.0.0" + +"@mdx-js/mdx@1.6.22", "@mdx-js/mdx@^1.6.22": + version "1.6.22" + resolved "https://registry.yarnpkg.com/@mdx-js/mdx/-/mdx-1.6.22.tgz#8a723157bf90e78f17dc0f27995398e6c731f1ba" + integrity sha512-AMxuLxPz2j5/6TpF/XSdKpQP1NlG0z11dFOlq+2IP/lSgl11GY8ji6S/rgsViN/L0BDvHvUMruRb7ub+24LUYA== + dependencies: + "@babel/core" "7.12.9" + "@babel/plugin-syntax-jsx" "7.12.1" + "@babel/plugin-syntax-object-rest-spread" "7.8.3" + "@mdx-js/util" "1.6.22" + babel-plugin-apply-mdx-type-prop "1.6.22" + babel-plugin-extract-import-names "1.6.22" + camelcase-css "2.0.1" + detab "2.0.4" + hast-util-raw "6.0.1" + lodash.uniq "4.5.0" + mdast-util-to-hast "10.0.1" + remark-footnotes "2.0.0" + remark-mdx "1.6.22" + remark-parse "8.0.3" + remark-squeeze-paragraphs "4.0.0" + style-to-object "0.3.0" + unified "9.2.0" + unist-builder "2.0.3" + unist-util-visit "2.0.3" + +"@mdx-js/react@1.6.22", "@mdx-js/react@^1.6.22": + version "1.6.22" + resolved "https://registry.yarnpkg.com/@mdx-js/react/-/react-1.6.22.tgz#ae09b4744fddc74714ee9f9d6f17a66e77c43573" + integrity sha512-TDoPum4SHdfPiGSAaRBw7ECyI8VaHpK8GJugbJIJuqyh6kzw9ZLJZW3HGL3NNrJGxcAixUvqROm+YuQOo5eXtg== + +"@mdx-js/util@1.6.22": + version "1.6.22" + resolved "https://registry.yarnpkg.com/@mdx-js/util/-/util-1.6.22.tgz#219dfd89ae5b97a8801f015323ffa4b62f45718b" + integrity sha512-H1rQc1ZOHANWBvPcW+JpGwr+juXSxM8Q8YCkm3GhZd8REu1fHR3z99CErO1p9pkcfcxZnMdIZdIsXkOHY0NilA== + +"@mrmlnc/readdir-enhanced@^2.2.1": + version "2.2.1" + resolved "https://registry.yarnpkg.com/@mrmlnc/readdir-enhanced/-/readdir-enhanced-2.2.1.tgz#524af240d1a360527b730475ecfa1344aa540dde" + integrity sha512-bPHp6Ji8b41szTOcaP63VlnbbO5Ny6dwAATtY6JTjh5N2OLrb5Qk/Th5cRkRQhkWCt+EJsYrNB0MiL+Gpn6e3g== + dependencies: + call-me-maybe "^1.0.1" + glob-to-regexp "^0.3.0" + "@nicolo-ribaudo/chokidar-2@2.1.8-no-fsevents.2": version "2.1.8-no-fsevents.2" resolved "https://registry.yarnpkg.com/@nicolo-ribaudo/chokidar-2/-/chokidar-2-2.1.8-no-fsevents.2.tgz#e324c0a247a5567192dd7180647709d7e2faf94b" @@ -1407,6 +1594,11 @@ resolved "https://registry.yarnpkg.com/@nodelib/fs.stat/-/fs.stat-2.0.5.tgz#5bd262af94e9d25bd1e71b05deed44876a222e8b" integrity sha512-RkhPPp2zrqDAQA/2jNhnztcPAlv64XdhIp7a7454A5ovI7Bukxgt7MX7udwAu3zg1DcpPU0rz3VV1SeaqvY4+A== +"@nodelib/fs.stat@^1.1.2": + version "1.1.3" + resolved "https://registry.yarnpkg.com/@nodelib/fs.stat/-/fs.stat-1.1.3.tgz#2b5a3ab3f918cca48a8c754c08168e3f03eba61b" + integrity sha512-shAmDyaQC4H92APFoIaVDHCx5bStIocgvbwQyxPRrbUY20V1EYTbSDchWbuwlMG3V17cprZhA6+78JfB+3DTPw== + "@nodelib/fs.walk@^1.2.3": version "1.2.7" resolved "https://registry.yarnpkg.com/@nodelib/fs.walk/-/fs.walk-1.2.7.tgz#94c23db18ee4653e129abd26fb06f870ac9e1ee2" @@ -1524,16 +1716,38 @@ dependencies: "@octokit/openapi-types" "^7.4.0" +"@pmmmwh/react-refresh-webpack-plugin@^0.4.3": + version "0.4.3" + resolved "https://registry.yarnpkg.com/@pmmmwh/react-refresh-webpack-plugin/-/react-refresh-webpack-plugin-0.4.3.tgz#1eec460596d200c0236bf195b078a5d1df89b766" + integrity sha512-br5Qwvh8D2OQqSXpd1g/xqXKnK0r+Jz6qVKBbWmpUcrbGOxUrf39V5oZ1876084CGn18uMdR5uvPqBv9UqtBjQ== + dependencies: + ansi-html "^0.0.7" + error-stack-parser "^2.0.6" + html-entities "^1.2.1" + native-url "^0.2.6" + schema-utils "^2.6.5" + source-map "^0.7.3" + "@polka/url@^1.0.0-next.15": version "1.0.0-next.15" resolved "https://registry.yarnpkg.com/@polka/url/-/url-1.0.0-next.15.tgz#6a9d143f7f4f49db2d782f9e1c8839a29b43ae23" integrity sha512-15spi3V28QdevleWBNXE4pIls3nFZmBbUGrW9IVPwiQczuSb9n76TCB4bsk8TSel+I1OkHEdPhu5QKMfY6rQHA== -"@popperjs/core@^2.5.4": +"@popperjs/core@^2.5.4", "@popperjs/core@^2.6.0": version "2.9.2" resolved "https://registry.yarnpkg.com/@popperjs/core/-/core-2.9.2.tgz#adea7b6953cbb34651766b0548468e743c6a2353" integrity sha512-VZMYa7+fXHdwIq1TDhSXoVmSPEGM/aa+6Aiq3nVVJ9bXr24zScr+NlKFKC3iPljA7ho/GAZr+d2jOf5GIRC30Q== +"@reach/router@^1.3.4": + version "1.3.4" + resolved "https://registry.yarnpkg.com/@reach/router/-/router-1.3.4.tgz#d2574b19370a70c80480ed91f3da840136d10f8c" + integrity sha512-+mtn9wjlB9NN2CNnnC/BRYtwdKBfSyyasPYraNAyvaV1occr/5NnB4CVzjEZipNHwYebQwcndGUmpFzxAUoqSA== + dependencies: + create-react-context "0.3.0" + invariant "^2.2.3" + prop-types "^15.6.1" + react-lifecycles-compat "^3.0.4" + "@sentry/browser@^5.29.0": version "5.30.0" resolved "https://registry.yarnpkg.com/@sentry/browser/-/browser-5.30.0.tgz#c28f49d551db3172080caef9f18791a7fd39e3b3" @@ -1610,6 +1824,744 @@ dependencies: "@sinonjs/commons" "^1.7.0" +"@storybook/addon-actions@6.3.4", "@storybook/addon-actions@^6.3.4": + version "6.3.4" + resolved "https://registry.yarnpkg.com/@storybook/addon-actions/-/addon-actions-6.3.4.tgz#3dfd9ee288ce3569c6aa53092f283a39460167eb" + integrity sha512-+fTTaWepSaMeMD96zsNap0AcFUu3xyGepIucNMvkpfJfQnyYzr7S0qyjpsW84DLKHPcjujNvOOi98y7cAKV6tw== + dependencies: + "@storybook/addons" "6.3.4" + "@storybook/api" "6.3.4" + "@storybook/client-api" "6.3.4" + "@storybook/components" "6.3.4" + "@storybook/core-events" "6.3.4" + "@storybook/theming" "6.3.4" + core-js "^3.8.2" + fast-deep-equal "^3.1.3" + global "^4.4.0" + lodash "^4.17.20" + polished "^4.0.5" + prop-types "^15.7.2" + react-inspector "^5.1.0" + regenerator-runtime "^0.13.7" + ts-dedent "^2.0.0" + util-deprecate "^1.0.2" + uuid-browser "^3.1.0" + +"@storybook/addon-backgrounds@6.3.4": + version "6.3.4" + resolved "https://registry.yarnpkg.com/@storybook/addon-backgrounds/-/addon-backgrounds-6.3.4.tgz#2e506048ec5189d5ee204f6b8bc66d81fd26ad7c" + integrity sha512-Ck0AdZtAJl5sCA6qSqPUY2tEk4X2hmsiEfT/melDoSLE9s+D98CtWRfnajPtAypTlg+a81UjX0wEtWSXWKRjfg== + dependencies: + "@storybook/addons" "6.3.4" + "@storybook/api" "6.3.4" + "@storybook/client-logger" "6.3.4" + "@storybook/components" "6.3.4" + "@storybook/core-events" "6.3.4" + "@storybook/theming" "6.3.4" + core-js "^3.8.2" + global "^4.4.0" + memoizerific "^1.11.3" + regenerator-runtime "^0.13.7" + ts-dedent "^2.0.0" + util-deprecate "^1.0.2" + +"@storybook/addon-controls@6.3.4": + version "6.3.4" + resolved "https://registry.yarnpkg.com/@storybook/addon-controls/-/addon-controls-6.3.4.tgz#7849905a0ec56fbea7608c15c08f872211b3a878" + integrity sha512-+MIKcWqsIF6vLoKxukK2m6ADYwyNHOmaMgnJSHKlcNKc7Qxv2w0FZJxIjjkWHXRBIC5MQXxv7/L4sY+EnPdjyg== + dependencies: + "@storybook/addons" "6.3.4" + "@storybook/api" "6.3.4" + "@storybook/client-api" "6.3.4" + "@storybook/components" "6.3.4" + "@storybook/node-logger" "6.3.4" + "@storybook/theming" "6.3.4" + core-js "^3.8.2" + ts-dedent "^2.0.0" + +"@storybook/addon-docs@6.3.4": + version "6.3.4" + resolved "https://registry.yarnpkg.com/@storybook/addon-docs/-/addon-docs-6.3.4.tgz#e6dd9026b28d2d007bda7dc3fbcf2d404982939a" + integrity sha512-KoC6GImsC5ZVvco228Jw3+1k/eGeDabjF3+V4In4rPWnOyv0qsFIlE7wcwOCRKcGrPfkBSCWYajH/h+rD0bzUw== + dependencies: + "@babel/core" "^7.12.10" + "@babel/generator" "^7.12.11" + "@babel/parser" "^7.12.11" + "@babel/plugin-transform-react-jsx" "^7.12.12" + "@babel/preset-env" "^7.12.11" + "@jest/transform" "^26.6.2" + "@mdx-js/loader" "^1.6.22" + "@mdx-js/mdx" "^1.6.22" + "@mdx-js/react" "^1.6.22" + "@storybook/addons" "6.3.4" + "@storybook/api" "6.3.4" + "@storybook/builder-webpack4" "6.3.4" + "@storybook/client-api" "6.3.4" + "@storybook/client-logger" "6.3.4" + "@storybook/components" "6.3.4" + "@storybook/core" "6.3.4" + "@storybook/core-events" "6.3.4" + "@storybook/csf" "0.0.1" + "@storybook/csf-tools" "6.3.4" + "@storybook/node-logger" "6.3.4" + "@storybook/postinstall" "6.3.4" + "@storybook/source-loader" "6.3.4" + "@storybook/theming" "6.3.4" + acorn "^7.4.1" + acorn-jsx "^5.3.1" + acorn-walk "^7.2.0" + core-js "^3.8.2" + doctrine "^3.0.0" + escodegen "^2.0.0" + fast-deep-equal "^3.1.3" + global "^4.4.0" + html-tags "^3.1.0" + js-string-escape "^1.0.1" + loader-utils "^2.0.0" + lodash "^4.17.20" + p-limit "^3.1.0" + prettier "~2.2.1" + prop-types "^15.7.2" + react-element-to-jsx-string "^14.3.2" + regenerator-runtime "^0.13.7" + remark-external-links "^8.0.0" + remark-slug "^6.0.0" + ts-dedent "^2.0.0" + util-deprecate "^1.0.2" + +"@storybook/addon-essentials@^6.3.4": + version "6.3.4" + resolved "https://registry.yarnpkg.com/@storybook/addon-essentials/-/addon-essentials-6.3.4.tgz#2456c81c939b64918f16d851fd5e52234efa94c5" + integrity sha512-z06IhJaHkledTPc1TdkMikDwcJhPQZCEoQftSj0MwjafdjntYUbNYsGlD40Lo/wmEW4OtUiHOx/3TWaC1WiIbw== + dependencies: + "@storybook/addon-actions" "6.3.4" + "@storybook/addon-backgrounds" "6.3.4" + "@storybook/addon-controls" "6.3.4" + "@storybook/addon-docs" "6.3.4" + "@storybook/addon-measure" "^2.0.0" + "@storybook/addon-toolbars" "6.3.4" + "@storybook/addon-viewport" "6.3.4" + "@storybook/addons" "6.3.4" + "@storybook/api" "6.3.4" + "@storybook/node-logger" "6.3.4" + core-js "^3.8.2" + regenerator-runtime "^0.13.7" + storybook-addon-outline "^1.4.1" + ts-dedent "^2.0.0" + +"@storybook/addon-links@^6.3.4": + version "6.3.4" + resolved "https://registry.yarnpkg.com/@storybook/addon-links/-/addon-links-6.3.4.tgz#2ec5b7532e67303b7ec693ecc22a6c4feac93cb3" + integrity sha512-qIey6kNcrg43vsmMmEGXGMbO1Wjqc6hbcMaLstUn3xN29vZnjUcv7PVPFlJsBBYIxW7gXBtRmqjdxN5UD0bvZA== + dependencies: + "@storybook/addons" "6.3.4" + "@storybook/client-logger" "6.3.4" + "@storybook/core-events" "6.3.4" + "@storybook/csf" "0.0.1" + "@storybook/router" "6.3.4" + "@types/qs" "^6.9.5" + core-js "^3.8.2" + global "^4.4.0" + prop-types "^15.7.2" + qs "^6.10.0" + regenerator-runtime "^0.13.7" + ts-dedent "^2.0.0" + +"@storybook/addon-measure@^2.0.0": + version "2.0.0" + resolved "https://registry.yarnpkg.com/@storybook/addon-measure/-/addon-measure-2.0.0.tgz#c40bbe91bacd3f795963dc1ee6ff86be87deeda9" + integrity sha512-ZhdT++cX+L9LwjhGYggvYUUVQH/MGn2rwbrAwCMzA/f2QTFvkjxzX8nDgMxIhaLCDC+gHIxfJG2wrWN0jkBr3g== + +"@storybook/addon-toolbars@6.3.4": + version "6.3.4" + resolved "https://registry.yarnpkg.com/@storybook/addon-toolbars/-/addon-toolbars-6.3.4.tgz#fddf547ea447679b7c02ecb659f602809cec58d0" + integrity sha512-QN3EWTQzlUa3VQG9YIJu79Hi1O3Kpft4QRFZZpv7dmLT0Hi8jOe4tFoTrFD1VMJyjQJ45iFOhexu6V2HwonHAQ== + dependencies: + "@storybook/addons" "6.3.4" + "@storybook/api" "6.3.4" + "@storybook/client-api" "6.3.4" + "@storybook/components" "6.3.4" + "@storybook/theming" "6.3.4" + core-js "^3.8.2" + regenerator-runtime "^0.13.7" + +"@storybook/addon-viewport@6.3.4": + version "6.3.4" + resolved "https://registry.yarnpkg.com/@storybook/addon-viewport/-/addon-viewport-6.3.4.tgz#9ea72c6fc37efde6d5a3f0fe0368b90c2572afd1" + integrity sha512-6h52s1F+MkIkdAuUgmDv4L9aYRMPB+8gWnPGbBAkm8PsHglddr1QkWZAG7yZJR1+mm4oM5oCyRMvZ0V/oKePhg== + dependencies: + "@storybook/addons" "6.3.4" + "@storybook/api" "6.3.4" + "@storybook/client-logger" "6.3.4" + "@storybook/components" "6.3.4" + "@storybook/core-events" "6.3.4" + "@storybook/theming" "6.3.4" + core-js "^3.8.2" + global "^4.4.0" + memoizerific "^1.11.3" + prop-types "^15.7.2" + regenerator-runtime "^0.13.7" + +"@storybook/addons@6.3.4", "@storybook/addons@^6.3.0": + version "6.3.4" + resolved "https://registry.yarnpkg.com/@storybook/addons/-/addons-6.3.4.tgz#016c5c3e36c78a320eb8b022cf7fe556d81577c2" + integrity sha512-rf8K8X3JrB43gq5nw5SYgfucQkFg2QgUMWdByf7dQ4MyIl5zet+2MYiSXJ9lfbhGKJZ8orc81rmMtiocW4oBjg== + dependencies: + "@storybook/api" "6.3.4" + "@storybook/channels" "6.3.4" + "@storybook/client-logger" "6.3.4" + "@storybook/core-events" "6.3.4" + "@storybook/router" "6.3.4" + "@storybook/theming" "6.3.4" + core-js "^3.8.2" + global "^4.4.0" + regenerator-runtime "^0.13.7" + +"@storybook/api@6.3.4", "@storybook/api@^6.3.0": + version "6.3.4" + resolved "https://registry.yarnpkg.com/@storybook/api/-/api-6.3.4.tgz#25b8b842104693000b018b3f64986e95fa032b45" + integrity sha512-12q6dvSR4AtyuZbKAy3Xt+ZHzZ4ePPRV1q20xtgYBoiFEgB9vbh4XKEeeZD0yIeTamQ2x1Hn87R79Rs1GIdKRQ== + dependencies: + "@reach/router" "^1.3.4" + "@storybook/channels" "6.3.4" + "@storybook/client-logger" "6.3.4" + "@storybook/core-events" "6.3.4" + "@storybook/csf" "0.0.1" + "@storybook/router" "6.3.4" + "@storybook/semver" "^7.3.2" + "@storybook/theming" "6.3.4" + "@types/reach__router" "^1.3.7" + core-js "^3.8.2" + fast-deep-equal "^3.1.3" + global "^4.4.0" + lodash "^4.17.20" + memoizerific "^1.11.3" + qs "^6.10.0" + regenerator-runtime "^0.13.7" + store2 "^2.12.0" + telejson "^5.3.2" + ts-dedent "^2.0.0" + util-deprecate "^1.0.2" + +"@storybook/builder-webpack4@6.3.4": + version "6.3.4" + resolved "https://registry.yarnpkg.com/@storybook/builder-webpack4/-/builder-webpack4-6.3.4.tgz#f798d50312d7c70b1d3e9e65d2551d80be9e11dd" + integrity sha512-fDExaPYseRmb/vmxIj+DrbAvUg9reodN32Ssb2wTD4u+ZV5VZ/TDEgYuGqi/Hz/9CLAKtM4DEhMj/9TTILm/Rw== + dependencies: + "@babel/core" "^7.12.10" + "@babel/plugin-proposal-class-properties" "^7.12.1" + "@babel/plugin-proposal-decorators" "^7.12.12" + "@babel/plugin-proposal-export-default-from" "^7.12.1" + "@babel/plugin-proposal-nullish-coalescing-operator" "^7.12.1" + "@babel/plugin-proposal-object-rest-spread" "^7.12.1" + "@babel/plugin-proposal-optional-chaining" "^7.12.7" + "@babel/plugin-proposal-private-methods" "^7.12.1" + "@babel/plugin-syntax-dynamic-import" "^7.8.3" + "@babel/plugin-transform-arrow-functions" "^7.12.1" + "@babel/plugin-transform-block-scoping" "^7.12.12" + "@babel/plugin-transform-classes" "^7.12.1" + "@babel/plugin-transform-destructuring" "^7.12.1" + "@babel/plugin-transform-for-of" "^7.12.1" + "@babel/plugin-transform-parameters" "^7.12.1" + "@babel/plugin-transform-shorthand-properties" "^7.12.1" + "@babel/plugin-transform-spread" "^7.12.1" + "@babel/plugin-transform-template-literals" "^7.12.1" + "@babel/preset-env" "^7.12.11" + "@babel/preset-react" "^7.12.10" + "@babel/preset-typescript" "^7.12.7" + "@storybook/addons" "6.3.4" + "@storybook/api" "6.3.4" + "@storybook/channel-postmessage" "6.3.4" + "@storybook/channels" "6.3.4" + "@storybook/client-api" "6.3.4" + "@storybook/client-logger" "6.3.4" + "@storybook/components" "6.3.4" + "@storybook/core-common" "6.3.4" + "@storybook/core-events" "6.3.4" + "@storybook/node-logger" "6.3.4" + "@storybook/router" "6.3.4" + "@storybook/semver" "^7.3.2" + "@storybook/theming" "6.3.4" + "@storybook/ui" "6.3.4" + "@types/node" "^14.0.10" + "@types/webpack" "^4.41.26" + autoprefixer "^9.8.6" + babel-loader "^8.2.2" + babel-plugin-macros "^2.8.0" + babel-plugin-polyfill-corejs3 "^0.1.0" + case-sensitive-paths-webpack-plugin "^2.3.0" + core-js "^3.8.2" + css-loader "^3.6.0" + dotenv-webpack "^1.8.0" + file-loader "^6.2.0" + find-up "^5.0.0" + fork-ts-checker-webpack-plugin "^4.1.6" + fs-extra "^9.0.1" + glob "^7.1.6" + glob-promise "^3.4.0" + global "^4.4.0" + html-webpack-plugin "^4.0.0" + pnp-webpack-plugin "1.6.4" + postcss "^7.0.36" + postcss-flexbugs-fixes "^4.2.1" + postcss-loader "^4.2.0" + raw-loader "^4.0.2" + react-dev-utils "^11.0.3" + stable "^0.1.8" + style-loader "^1.3.0" + terser-webpack-plugin "^4.2.3" + ts-dedent "^2.0.0" + url-loader "^4.1.1" + util-deprecate "^1.0.2" + webpack "4" + webpack-dev-middleware "^3.7.3" + webpack-filter-warnings-plugin "^1.2.1" + webpack-hot-middleware "^2.25.0" + webpack-virtual-modules "^0.2.2" + +"@storybook/channel-postmessage@6.3.4": + version "6.3.4" + resolved "https://registry.yarnpkg.com/@storybook/channel-postmessage/-/channel-postmessage-6.3.4.tgz#1a0000aefc9494d5585a1d2c7bdb75f540965f70" + integrity sha512-UIHNrMD9ZaT249nkKXibqRjKEoqfeFJk5HKW2W17/Z/imVcKG9THBnRJ7cb+r7LqS8Yoh+Q87ycRqcPVLRJ/Xw== + dependencies: + "@storybook/channels" "6.3.4" + "@storybook/client-logger" "6.3.4" + "@storybook/core-events" "6.3.4" + core-js "^3.8.2" + global "^4.4.0" + qs "^6.10.0" + telejson "^5.3.2" + +"@storybook/channels@6.3.4": + version "6.3.4" + resolved "https://registry.yarnpkg.com/@storybook/channels/-/channels-6.3.4.tgz#425b31a67e42ac66ccb03465e4ba2e2ef9c8344b" + integrity sha512-zdZzBbIu9JHEe+uw8FqKsNUiFY+iqI9QdHH/pM3DTTQpBN/JM1Xwfo3CkqA8c5PkhSGqpW0YjXoPash4lawr1Q== + dependencies: + core-js "^3.8.2" + ts-dedent "^2.0.0" + util-deprecate "^1.0.2" + +"@storybook/client-api@6.3.4": + version "6.3.4" + resolved "https://registry.yarnpkg.com/@storybook/client-api/-/client-api-6.3.4.tgz#7dd6dda0126012ed37fa885642973cc75366b5a8" + integrity sha512-lOrfz8ic3+nHZzqIdNH2I7Q3Wp0kS/Ic0PD/3QKvI2f6iVIapIjjWW1xAuor80Dl7rMhOn8zxgXta+7G7Pn2yQ== + dependencies: + "@storybook/addons" "6.3.4" + "@storybook/channel-postmessage" "6.3.4" + "@storybook/channels" "6.3.4" + "@storybook/client-logger" "6.3.4" + "@storybook/core-events" "6.3.4" + "@storybook/csf" "0.0.1" + "@types/qs" "^6.9.5" + "@types/webpack-env" "^1.16.0" + core-js "^3.8.2" + global "^4.4.0" + lodash "^4.17.20" + memoizerific "^1.11.3" + qs "^6.10.0" + regenerator-runtime "^0.13.7" + stable "^0.1.8" + store2 "^2.12.0" + ts-dedent "^2.0.0" + util-deprecate "^1.0.2" + +"@storybook/client-logger@6.3.4": + version "6.3.4" + resolved "https://registry.yarnpkg.com/@storybook/client-logger/-/client-logger-6.3.4.tgz#c7ee70463c48bb3af704165d5456351ebb667fc2" + integrity sha512-Gu4M5bBHHQznsdoj8uzYymeojwWq+CRNsUUH41BQIND/RJYSX1IYGIj0yNBP449nv2pjHcTGlN8NJDd+PcELCQ== + dependencies: + core-js "^3.8.2" + global "^4.4.0" + +"@storybook/components@6.3.4", "@storybook/components@^6.3.0": + version "6.3.4" + resolved "https://registry.yarnpkg.com/@storybook/components/-/components-6.3.4.tgz#c872ec267edf315eaada505be8595c70eb6db09b" + integrity sha512-0hBKTkkQbW+daaA6nRedkviPr2bEzy1kwq0H5eaLKI1zYeXN3U5Z8fVhO137PPqH5LmLietrmTPkqiljUBk9ug== + dependencies: + "@popperjs/core" "^2.6.0" + "@storybook/client-logger" "6.3.4" + "@storybook/csf" "0.0.1" + "@storybook/theming" "6.3.4" + "@types/color-convert" "^2.0.0" + "@types/overlayscrollbars" "^1.12.0" + "@types/react-syntax-highlighter" "11.0.5" + color-convert "^2.0.1" + core-js "^3.8.2" + fast-deep-equal "^3.1.3" + global "^4.4.0" + lodash "^4.17.20" + markdown-to-jsx "^7.1.3" + memoizerific "^1.11.3" + overlayscrollbars "^1.13.1" + polished "^4.0.5" + prop-types "^15.7.2" + react-colorful "^5.1.2" + react-popper-tooltip "^3.1.1" + react-syntax-highlighter "^13.5.3" + react-textarea-autosize "^8.3.0" + regenerator-runtime "^0.13.7" + ts-dedent "^2.0.0" + util-deprecate "^1.0.2" + +"@storybook/core-client@6.3.4": + version "6.3.4" + resolved "https://registry.yarnpkg.com/@storybook/core-client/-/core-client-6.3.4.tgz#ac75ede84f4ce87c7fc3b31a5d7f602fa712f845" + integrity sha512-DIxDWnSoUEwqyu01EygoAhkNwvEIIooFXZleTesZYkjAbEQJJ6KUmgehaVC9BKoTKYf2OQW6HdFkqrW034n93g== + dependencies: + "@storybook/addons" "6.3.4" + "@storybook/channel-postmessage" "6.3.4" + "@storybook/client-api" "6.3.4" + "@storybook/client-logger" "6.3.4" + "@storybook/core-events" "6.3.4" + "@storybook/csf" "0.0.1" + "@storybook/ui" "6.3.4" + airbnb-js-shims "^2.2.1" + ansi-to-html "^0.6.11" + core-js "^3.8.2" + global "^4.4.0" + lodash "^4.17.20" + qs "^6.10.0" + regenerator-runtime "^0.13.7" + ts-dedent "^2.0.0" + unfetch "^4.2.0" + util-deprecate "^1.0.2" + +"@storybook/core-common@6.3.4": + version "6.3.4" + resolved "https://registry.yarnpkg.com/@storybook/core-common/-/core-common-6.3.4.tgz#b51fe790d1c9e664ce4b70c685911c7951832476" + integrity sha512-RL+Q7RMbCQrqNMi+pKB1IdtoUnRY6PuEnabcbaUrQBkc+DyR6Q8iOz71NR3PxRZgVbHNwlN8QEroeF31PFzUEg== + dependencies: + "@babel/core" "^7.12.10" + "@babel/plugin-proposal-class-properties" "^7.12.1" + "@babel/plugin-proposal-decorators" "^7.12.12" + "@babel/plugin-proposal-export-default-from" "^7.12.1" + "@babel/plugin-proposal-nullish-coalescing-operator" "^7.12.1" + "@babel/plugin-proposal-object-rest-spread" "^7.12.1" + "@babel/plugin-proposal-optional-chaining" "^7.12.7" + "@babel/plugin-proposal-private-methods" "^7.12.1" + "@babel/plugin-syntax-dynamic-import" "^7.8.3" + "@babel/plugin-transform-arrow-functions" "^7.12.1" + "@babel/plugin-transform-block-scoping" "^7.12.12" + "@babel/plugin-transform-classes" "^7.12.1" + "@babel/plugin-transform-destructuring" "^7.12.1" + "@babel/plugin-transform-for-of" "^7.12.1" + "@babel/plugin-transform-parameters" "^7.12.1" + "@babel/plugin-transform-shorthand-properties" "^7.12.1" + "@babel/plugin-transform-spread" "^7.12.1" + "@babel/preset-env" "^7.12.11" + "@babel/preset-react" "^7.12.10" + "@babel/preset-typescript" "^7.12.7" + "@babel/register" "^7.12.1" + "@storybook/node-logger" "6.3.4" + "@storybook/semver" "^7.3.2" + "@types/glob-base" "^0.3.0" + "@types/micromatch" "^4.0.1" + "@types/node" "^14.0.10" + "@types/pretty-hrtime" "^1.0.0" + babel-loader "^8.2.2" + babel-plugin-macros "^3.0.1" + babel-plugin-polyfill-corejs3 "^0.1.0" + chalk "^4.1.0" + core-js "^3.8.2" + express "^4.17.1" + file-system-cache "^1.0.5" + find-up "^5.0.0" + fork-ts-checker-webpack-plugin "^6.0.4" + glob "^7.1.6" + glob-base "^0.3.0" + interpret "^2.2.0" + json5 "^2.1.3" + lazy-universal-dotenv "^3.0.1" + micromatch "^4.0.2" + pkg-dir "^5.0.0" + pretty-hrtime "^1.0.3" + resolve-from "^5.0.0" + ts-dedent "^2.0.0" + util-deprecate "^1.0.2" + webpack "4" + +"@storybook/core-events@6.3.4", "@storybook/core-events@^6.3.0": + version "6.3.4" + resolved "https://registry.yarnpkg.com/@storybook/core-events/-/core-events-6.3.4.tgz#f841b8659a8729d334acd9a6dcfc470c88a2be8f" + integrity sha512-6qI5bU5VcAoRfxkvpdRqO16eYrX5M0P2E3TakqUUDcgDo5Rfcwd1wTTcwiXslMIh7oiVGiisA+msKTlfzyKf9Q== + dependencies: + core-js "^3.8.2" + +"@storybook/core-server@6.3.4": + version "6.3.4" + resolved "https://registry.yarnpkg.com/@storybook/core-server/-/core-server-6.3.4.tgz#03f931d938061b7b14c154167d8639ad36512e48" + integrity sha512-BIhTYoLbxd8RY1wVji3WbEaZ1LxhccZhF/q2jviXRCdeBQqFcFFvMjRixrGFnr8/FTh06pSSoD8XsIMyK5y9fA== + dependencies: + "@storybook/builder-webpack4" "6.3.4" + "@storybook/core-client" "6.3.4" + "@storybook/core-common" "6.3.4" + "@storybook/csf-tools" "6.3.4" + "@storybook/manager-webpack4" "6.3.4" + "@storybook/node-logger" "6.3.4" + "@storybook/semver" "^7.3.2" + "@types/node" "^14.0.10" + "@types/node-fetch" "^2.5.7" + "@types/pretty-hrtime" "^1.0.0" + "@types/webpack" "^4.41.26" + better-opn "^2.1.1" + boxen "^4.2.0" + chalk "^4.1.0" + cli-table3 "0.6.0" + commander "^6.2.1" + compression "^1.7.4" + core-js "^3.8.2" + cpy "^8.1.1" + detect-port "^1.3.0" + express "^4.17.1" + file-system-cache "^1.0.5" + fs-extra "^9.0.1" + globby "^11.0.2" + ip "^1.1.5" + node-fetch "^2.6.1" + pretty-hrtime "^1.0.3" + prompts "^2.4.0" + regenerator-runtime "^0.13.7" + serve-favicon "^2.5.0" + ts-dedent "^2.0.0" + util-deprecate "^1.0.2" + webpack "4" + +"@storybook/core@6.3.4": + version "6.3.4" + resolved "https://registry.yarnpkg.com/@storybook/core/-/core-6.3.4.tgz#340c8201180004a067f9ac90f0451cdd4f98b6ad" + integrity sha512-OmzcTKYFLr9KaFnC0JF1Hb/zy7Y7HKrL5FUrcQdJz1td/8Kb6woH9CXAPhX39HUrTNNu69BdM1qQGbzd37j4dA== + dependencies: + "@storybook/core-client" "6.3.4" + "@storybook/core-server" "6.3.4" + +"@storybook/csf-tools@6.3.4": + version "6.3.4" + resolved "https://registry.yarnpkg.com/@storybook/csf-tools/-/csf-tools-6.3.4.tgz#5c5df4fcb2bbb71cd6c04b2936ff2d6501562c24" + integrity sha512-q7+owEWlQa7e/YOt8HXqOvNbtk28YqFOt5/RliXr8s6w7KY7PAlXWckdSBThVSHQnpbk6Fzb0RPqNjxM+qEXiw== + dependencies: + "@babel/generator" "^7.12.11" + "@babel/parser" "^7.12.11" + "@babel/plugin-transform-react-jsx" "^7.12.12" + "@babel/preset-env" "^7.12.11" + "@babel/traverse" "^7.12.11" + "@babel/types" "^7.12.11" + "@mdx-js/mdx" "^1.6.22" + "@storybook/csf" "^0.0.1" + core-js "^3.8.2" + fs-extra "^9.0.1" + js-string-escape "^1.0.1" + lodash "^4.17.20" + prettier "~2.2.1" + regenerator-runtime "^0.13.7" + +"@storybook/csf@0.0.1", "@storybook/csf@^0.0.1": + version "0.0.1" + resolved "https://registry.yarnpkg.com/@storybook/csf/-/csf-0.0.1.tgz#95901507dc02f0bc6f9ac8ee1983e2fc5bb98ce6" + integrity sha512-USTLkZze5gkel8MYCujSRBVIrUQ3YPBrLOx7GNk/0wttvVtlzWXAq9eLbQ4p/NicGxP+3T7KPEMVV//g+yubpw== + dependencies: + lodash "^4.17.15" + +"@storybook/manager-webpack4@6.3.4": + version "6.3.4" + resolved "https://registry.yarnpkg.com/@storybook/manager-webpack4/-/manager-webpack4-6.3.4.tgz#001635efa3ebcf7aefa330af69aebeb87b1388e2" + integrity sha512-iH6cXhHcHC2RZEhbhtUhvPzAz5zLZQsZo/l+iNqynNvpXcSxvRuh+dytGBy7Np8yzYeaIenU43nNXm85SewdlQ== + dependencies: + "@babel/core" "^7.12.10" + "@babel/plugin-transform-template-literals" "^7.12.1" + "@babel/preset-react" "^7.12.10" + "@storybook/addons" "6.3.4" + "@storybook/core-client" "6.3.4" + "@storybook/core-common" "6.3.4" + "@storybook/node-logger" "6.3.4" + "@storybook/theming" "6.3.4" + "@storybook/ui" "6.3.4" + "@types/node" "^14.0.10" + "@types/webpack" "^4.41.26" + babel-loader "^8.2.2" + case-sensitive-paths-webpack-plugin "^2.3.0" + chalk "^4.1.0" + core-js "^3.8.2" + css-loader "^3.6.0" + dotenv-webpack "^1.8.0" + express "^4.17.1" + file-loader "^6.2.0" + file-system-cache "^1.0.5" + find-up "^5.0.0" + fs-extra "^9.0.1" + html-webpack-plugin "^4.0.0" + node-fetch "^2.6.1" + pnp-webpack-plugin "1.6.4" + read-pkg-up "^7.0.1" + regenerator-runtime "^0.13.7" + resolve-from "^5.0.0" + style-loader "^1.3.0" + telejson "^5.3.2" + terser-webpack-plugin "^4.2.3" + ts-dedent "^2.0.0" + url-loader "^4.1.1" + util-deprecate "^1.0.2" + webpack "4" + webpack-dev-middleware "^3.7.3" + webpack-virtual-modules "^0.2.2" + +"@storybook/node-logger@6.3.4": + version "6.3.4" + resolved "https://registry.yarnpkg.com/@storybook/node-logger/-/node-logger-6.3.4.tgz#ab7bd9f78f9ff10c9d20439734de6882233a9a75" + integrity sha512-z65CCCQPbZcHKnofley15+dl8UfrJOeCi7M9c7AJQ0aGh7z1ofySNjwrAf3SO1YMn4K4dkRPDFFq0SY3LA1DLw== + dependencies: + "@types/npmlog" "^4.1.2" + chalk "^4.1.0" + core-js "^3.8.2" + npmlog "^4.1.2" + pretty-hrtime "^1.0.3" + +"@storybook/postinstall@6.3.4": + version "6.3.4" + resolved "https://registry.yarnpkg.com/@storybook/postinstall/-/postinstall-6.3.4.tgz#134981ce120715b5914c04e91e162adc086c92ca" + integrity sha512-HGqpChxBiDH7iQ1KDKr1sWoSdwPrVYPAuhvxAPaQhmL159cGyrcJ1PSit9iQt2NMkm+hIfuTcBQOu6eiZw3iYg== + dependencies: + core-js "^3.8.2" + +"@storybook/preset-scss@^1.0.3": + version "1.0.3" + resolved "https://registry.yarnpkg.com/@storybook/preset-scss/-/preset-scss-1.0.3.tgz#8ac834545c642dada0f64f510ef08dfb882e9737" + integrity sha512-o9Iz6wxPeNENrQa2mKlsDKynBfqU2uWaRP80HeWp4TkGgf7/x3DVF2O7yi9N0x/PI1qzzTTpxlQ90D62XmpiTw== + +"@storybook/react-docgen-typescript-plugin@1.0.2-canary.253f8c1.0": + version "1.0.2-canary.253f8c1.0" + resolved "https://registry.yarnpkg.com/@storybook/react-docgen-typescript-plugin/-/react-docgen-typescript-plugin-1.0.2-canary.253f8c1.0.tgz#f2da40e6aae4aa586c2fb284a4a1744602c3c7fa" + integrity sha512-mmoRG/rNzAiTbh+vGP8d57dfcR2aP+5/Ll03KKFyfy5FqWFm/Gh7u27ikx1I3LmVMI8n6jh5SdWMkMKon7/tDw== + dependencies: + debug "^4.1.1" + endent "^2.0.1" + find-cache-dir "^3.3.1" + flat-cache "^3.0.4" + micromatch "^4.0.2" + react-docgen-typescript "^2.0.0" + tslib "^2.0.0" + +"@storybook/react@^6.3.4": + version "6.3.4" + resolved "https://registry.yarnpkg.com/@storybook/react/-/react-6.3.4.tgz#b5677736cc90b75594190a2ca367b696d2c9bc7b" + integrity sha512-A4wycYqu/IcIaFb0cw2dPi8azhDj3SWZZModSRaQP3GkKi1LH5p14corP8RLKu2+dWC3FP4ZR6Yyaq/ymPGMzA== + dependencies: + "@babel/preset-flow" "^7.12.1" + "@babel/preset-react" "^7.12.10" + "@pmmmwh/react-refresh-webpack-plugin" "^0.4.3" + "@storybook/addons" "6.3.4" + "@storybook/core" "6.3.4" + "@storybook/core-common" "6.3.4" + "@storybook/node-logger" "6.3.4" + "@storybook/react-docgen-typescript-plugin" "1.0.2-canary.253f8c1.0" + "@storybook/semver" "^7.3.2" + "@types/webpack-env" "^1.16.0" + babel-plugin-add-react-displayname "^0.0.5" + babel-plugin-named-asset-import "^0.3.1" + babel-plugin-react-docgen "^4.2.1" + core-js "^3.8.2" + global "^4.4.0" + lodash "^4.17.20" + prop-types "^15.7.2" + react-dev-utils "^11.0.3" + react-refresh "^0.8.3" + read-pkg-up "^7.0.1" + regenerator-runtime "^0.13.7" + ts-dedent "^2.0.0" + webpack "4" + +"@storybook/router@6.3.4": + version "6.3.4" + resolved "https://registry.yarnpkg.com/@storybook/router/-/router-6.3.4.tgz#f38ec8064a9d1811a68558390727c30220fe7d72" + integrity sha512-cNG2bT0BBfqJyaW6xKUnEB/XXSdMkYeI9ShwJ2gh/2Bnidm7eZ/RKUOZ4q5equMm+SxxyZgpBulqnFN+TqPbOA== + dependencies: + "@reach/router" "^1.3.4" + "@storybook/client-logger" "6.3.4" + "@types/reach__router" "^1.3.7" + core-js "^3.8.2" + fast-deep-equal "^3.1.3" + global "^4.4.0" + lodash "^4.17.20" + memoizerific "^1.11.3" + qs "^6.10.0" + ts-dedent "^2.0.0" + +"@storybook/semver@^7.3.2": + version "7.3.2" + resolved "https://registry.yarnpkg.com/@storybook/semver/-/semver-7.3.2.tgz#f3b9c44a1c9a0b933c04e66d0048fcf2fa10dac0" + integrity sha512-SWeszlsiPsMI0Ps0jVNtH64cI5c0UF3f7KgjVKJoNP30crQ6wUSddY2hsdeczZXEKVJGEn50Q60flcGsQGIcrg== + dependencies: + core-js "^3.6.5" + find-up "^4.1.0" + +"@storybook/source-loader@6.3.4": + version "6.3.4" + resolved "https://registry.yarnpkg.com/@storybook/source-loader/-/source-loader-6.3.4.tgz#a63af7122e7ea895f7756892b5b592855176cb15" + integrity sha512-6gHuWDJ5MLMSOO5X6R7CbKoZDY+P78vZsZBBY2TB+xIQ3pT9MaSl2aA7bxSO7JCSoFG0GiStHHyYx220nNgaWQ== + dependencies: + "@storybook/addons" "6.3.4" + "@storybook/client-logger" "6.3.4" + "@storybook/csf" "0.0.1" + core-js "^3.8.2" + estraverse "^5.2.0" + global "^4.4.0" + loader-utils "^2.0.0" + lodash "^4.17.20" + prettier "~2.2.1" + regenerator-runtime "^0.13.7" + +"@storybook/theming@6.3.4": + version "6.3.4" + resolved "https://registry.yarnpkg.com/@storybook/theming/-/theming-6.3.4.tgz#69d3f912c74a7b6ba78c1c95fac3315356468bdd" + integrity sha512-L0lJcwUi7mse+U7EBAv5NVt81mH1MtUzk9paik8hMAc68vDtR/X0Cq4+zPsgykCROOTtEGrQ/JUUrpcEqeprTQ== + dependencies: + "@emotion/core" "^10.1.1" + "@emotion/is-prop-valid" "^0.8.6" + "@emotion/styled" "^10.0.27" + "@storybook/client-logger" "6.3.4" + core-js "^3.8.2" + deep-object-diff "^1.1.0" + emotion-theming "^10.0.27" + global "^4.4.0" + memoizerific "^1.11.3" + polished "^4.0.5" + resolve-from "^5.0.0" + ts-dedent "^2.0.0" + +"@storybook/ui@6.3.4": + version "6.3.4" + resolved "https://registry.yarnpkg.com/@storybook/ui/-/ui-6.3.4.tgz#348ea6eb2b0d5428ab88221485c531fb761ef27d" + integrity sha512-vO2365MEFpqc6Lvg8dK6qBnvcWjdIWi8imXGyWEPPhx27bdAiteCewtXTKX11VM2EmHkJvekbcqNhTIKYPPG7g== + dependencies: + "@emotion/core" "^10.1.1" + "@storybook/addons" "6.3.4" + "@storybook/api" "6.3.4" + "@storybook/channels" "6.3.4" + "@storybook/client-logger" "6.3.4" + "@storybook/components" "6.3.4" + "@storybook/core-events" "6.3.4" + "@storybook/router" "6.3.4" + "@storybook/semver" "^7.3.2" + "@storybook/theming" "6.3.4" + "@types/markdown-to-jsx" "^6.11.3" + copy-to-clipboard "^3.3.1" + core-js "^3.8.2" + core-js-pure "^3.8.2" + downshift "^6.0.15" + emotion-theming "^10.0.27" + fuse.js "^3.6.1" + global "^4.4.0" + lodash "^4.17.20" + markdown-to-jsx "^6.11.4" + memoizerific "^1.11.3" + polished "^4.0.5" + qs "^6.10.0" + react-draggable "^4.4.3" + react-helmet-async "^1.0.7" + react-sizeme "^3.0.1" + regenerator-runtime "^0.13.7" + resolve-from "^5.0.0" + store2 "^2.12.0" + "@stylelint/postcss-css-in-js@^0.37.2": version "0.37.2" resolved "https://registry.yarnpkg.com/@stylelint/postcss-css-in-js/-/postcss-css-in-js-0.37.2.tgz#7e5a84ad181f4234a2480803422a47b8749af3d2" @@ -1805,6 +2757,11 @@ dependencies: "@babel/types" "^7.3.0" +"@types/braces@*": + version "3.0.1" + resolved "https://registry.yarnpkg.com/@types/braces/-/braces-3.0.1.tgz#5a284d193cfc61abb2e5a50d36ebbc50d942a32b" + integrity sha512-+euflG6ygo4bn0JHtn4pYqcXwRtLvElQ7/nnjDu7iYG56H0+OhCd7d6Ug0IE3WcFpZozBKW2+80FUbv5QGk5AQ== + "@types/cacheable-request@^6.0.1": version "6.0.1" resolved "https://registry.yarnpkg.com/@types/cacheable-request/-/cacheable-request-6.0.1.tgz#5d22f3dded1fd3a84c0bbeb5039a7419c2c91976" @@ -1822,6 +2779,18 @@ dependencies: "@types/node" "*" +"@types/color-convert@^2.0.0": + version "2.0.0" + resolved "https://registry.yarnpkg.com/@types/color-convert/-/color-convert-2.0.0.tgz#8f5ee6b9e863dcbee5703f5a517ffb13d3ea4e22" + integrity sha512-m7GG7IKKGuJUXvkZ1qqG3ChccdIM/qBBo913z+Xft0nKCX4hAU/IxKwZBU4cpRZ7GS5kV4vOblUkILtSShCPXQ== + dependencies: + "@types/color-name" "*" + +"@types/color-name@*": + version "1.1.1" + resolved "https://registry.yarnpkg.com/@types/color-name/-/color-name-1.1.1.tgz#1c1261bbeaa10a8055bbc5d8ab84b7b2afc846a0" + integrity sha512-rr+OQyAjxze7GgWrSaJwydHStIhHq2lvY3BOC2Mj7KnzI7XK0Uw1TOOdI9lDoajEbSWLiYgoo4f1R51erQfhPQ== + "@types/eslint-scope@^3.7.0": version "3.7.0" resolved "https://registry.yarnpkg.com/@types/eslint-scope/-/eslint-scope-3.7.0.tgz#4792816e31119ebd506902a482caec4951fabd86" @@ -1843,6 +2812,19 @@ resolved "https://registry.yarnpkg.com/@types/estree/-/estree-0.0.48.tgz#18dc8091b285df90db2f25aa7d906cfc394b7f74" integrity sha512-LfZwXoGUDo0C3me81HXgkBg5CTQYb6xzEl+fNmbO4JdRiSKQ8A0GD1OBBvKAIsbCUgoyAty7m99GqqMQe784ew== +"@types/glob-base@^0.3.0": + version "0.3.0" + resolved "https://registry.yarnpkg.com/@types/glob-base/-/glob-base-0.3.0.tgz#a581d688347e10e50dd7c17d6f2880a10354319d" + integrity sha1-pYHWiDR+EOUN18F9byiAoQNUMZ0= + +"@types/glob@*": + version "7.1.4" + resolved "https://registry.yarnpkg.com/@types/glob/-/glob-7.1.4.tgz#ea59e21d2ee5c517914cb4bc8e4153b99e566672" + integrity sha512-w+LsMxKyYQm347Otw+IfBXOv9UWVjpHpCDdbBMt8Kz/xbvCYNjP+0qPh91Km3iKfSRLBB0P7fAMf0KHrPu+MyA== + dependencies: + "@types/minimatch" "*" + "@types/node" "*" + "@types/glob@^7.1.1": version "7.1.3" resolved "https://registry.yarnpkg.com/@types/glob/-/glob-7.1.3.tgz#e6ba80f36b7daad2c685acd9266382e68985c183" @@ -1858,11 +2840,28 @@ dependencies: "@types/node" "*" +"@types/hast@^2.0.0": + version "2.3.2" + resolved "https://registry.yarnpkg.com/@types/hast/-/hast-2.3.2.tgz#236201acca9e2695e42f713d7dd4f151dc2982e4" + integrity sha512-Op5W7jYgZI7AWKY5wQ0/QNMzQM7dGQPyW1rXKNiymVCy5iTfdPuGu4HhYNOM2sIv8gUfIuIdcYlXmAepwaowow== + dependencies: + "@types/unist" "*" + +"@types/html-minifier-terser@^5.0.0": + version "5.1.2" + resolved "https://registry.yarnpkg.com/@types/html-minifier-terser/-/html-minifier-terser-5.1.2.tgz#693b316ad323ea97eed6b38ed1a3cc02b1672b57" + integrity sha512-h4lTMgMJctJybDp8CQrxTUiiYmedihHWkjnF/8Pxseu2S6Nlfcy8kwboQ8yejh456rP2yWoEVm1sS/FVsfM48w== + "@types/http-cache-semantics@*": version "4.0.0" resolved "https://registry.yarnpkg.com/@types/http-cache-semantics/-/http-cache-semantics-4.0.0.tgz#9140779736aa2655635ee756e2467d787cfe8a2a" integrity sha512-c3Xy026kOF7QOTn00hbIllV1dLR9hG9NkSrLQgCVs8NF6sBU+VGWjD3wLPhmh1TYAc7ugCFsvHYMN4VcBN1U1A== +"@types/is-function@^1.0.0": + version "1.0.0" + resolved "https://registry.yarnpkg.com/@types/is-function/-/is-function-1.0.0.tgz#1b0b819b1636c7baf0d6785d030d12edf70c3e83" + integrity sha512-iTs9HReBu7evG77Q4EC8hZnqRt57irBDkK9nvmHroiOIVwYMQc4IvYvdRgwKfYepunIY7Oh/dBuuld+Gj9uo6w== + "@types/istanbul-lib-coverage@*", "@types/istanbul-lib-coverage@^2.0.0", "@types/istanbul-lib-coverage@^2.0.1": version "2.0.3" resolved "https://registry.yarnpkg.com/@types/istanbul-lib-coverage/-/istanbul-lib-coverage-2.0.3.tgz#4ba8ddb720221f432e443bd5f9117fd22cfd4762" @@ -1887,6 +2886,11 @@ resolved "https://registry.yarnpkg.com/@types/json-schema/-/json-schema-7.0.7.tgz#98a993516c859eb0d5c4c8f098317a9ea68db9ad" integrity sha512-cxWFQVseBm6O9Gbw1IWb8r6OS4OhSt3hPZLkFApLjM8TEXROBuQGLAH2i2gZpcXdLBIrpXuTDhH7Vbm1iXmNGA== +"@types/json-schema@^7.0.4": + version "7.0.8" + resolved "https://registry.yarnpkg.com/@types/json-schema/-/json-schema-7.0.8.tgz#edf1bf1dbf4e04413ca8e5b17b3b7d7d54b59818" + integrity sha512-YSBPTLTVm2e2OoQIDYx8HaeWJ5tTToLH67kXR7zYNGupXMEHa2++G8k+DczX2cFVgalypqtyZIcU19AFcmOpmg== + "@types/json5@^0.0.29": version "0.0.29" resolved "https://registry.yarnpkg.com/@types/json5/-/json5-0.0.29.tgz#ee28707ae94e11d2b827bcbe5270bcea7f3e71ee" @@ -1899,6 +2903,13 @@ dependencies: "@types/node" "*" +"@types/markdown-to-jsx@^6.11.3": + version "6.11.3" + resolved "https://registry.yarnpkg.com/@types/markdown-to-jsx/-/markdown-to-jsx-6.11.3.tgz#cdd1619308fecbc8be7e6a26f3751260249b020e" + integrity sha512-30nFYpceM/ZEvhGiqWjm5quLUxNeld0HCzJEXMZZDpq53FPkS85mTwkWtCXzCqq8s5JYLgM5W392a02xn8Bdaw== + dependencies: + "@types/react" "*" + "@types/mdast@^3.0.0": version "3.0.3" resolved "https://registry.yarnpkg.com/@types/mdast/-/mdast-3.0.3.tgz#2d7d671b1cd1ea3deb306ea75036c2a0407d2deb" @@ -1906,6 +2917,13 @@ dependencies: "@types/unist" "*" +"@types/micromatch@^4.0.1": + version "4.0.2" + resolved "https://registry.yarnpkg.com/@types/micromatch/-/micromatch-4.0.2.tgz#ce29c8b166a73bf980a5727b1e4a4d099965151d" + integrity sha512-oqXqVb0ci19GtH0vOA/U2TmHTcRY9kuZl4mqUxe0QmJAlIW13kzhuK5pi1i9+ngav8FjpSb9FVS/GE00GLX1VA== + dependencies: + "@types/braces" "*" + "@types/minimatch@*": version "3.0.4" resolved "https://registry.yarnpkg.com/@types/minimatch/-/minimatch-3.0.4.tgz#f0ec25dbf2f0e4b18647313ac031134ca5b24b21" @@ -1916,26 +2934,59 @@ resolved "https://registry.yarnpkg.com/@types/minimist/-/minimist-1.2.1.tgz#283f669ff76d7b8260df8ab7a4262cc83d988256" integrity sha512-fZQQafSREFyuZcdWFAExYjBiCL7AUCdgsk80iO0q4yihYYdcIiH28CcuPTGFgLOCC8RlW49GSQxdHwZP+I7CNg== +"@types/node-fetch@^2.5.7": + version "2.5.11" + resolved "https://registry.yarnpkg.com/@types/node-fetch/-/node-fetch-2.5.11.tgz#ce22a2e65fc8999f4dbdb7ddbbcf187d755169e4" + integrity sha512-2upCKaqVZETDRb8A2VTaRymqFBEgH8u6yr96b/u3+1uQEPDRo3mJLEiPk7vdXBHRtjwkjqzFYMJXrt0Z9QsYjQ== + dependencies: + "@types/node" "*" + form-data "^3.0.0" + "@types/node@*": version "15.12.5" resolved "https://registry.yarnpkg.com/@types/node/-/node-15.12.5.tgz#9a78318a45d75c9523d2396131bd3cca54b2d185" integrity sha512-se3yX7UHv5Bscf8f1ERKvQOD6sTyycH3hdaoozvaLxgUiY5lIGEeH37AD0G0Qi9kPqihPn0HOfd2yaIEN9VwEg== +"@types/node@^14.0.10": + version "14.17.5" + resolved "https://registry.yarnpkg.com/@types/node/-/node-14.17.5.tgz#b59daf6a7ffa461b5648456ca59050ba8e40ed54" + integrity sha512-bjqH2cX/O33jXT/UmReo2pM7DIJREPMnarixbQ57DOOzzFaI6D2+IcwaJQaJpv0M1E9TIhPCYVxrkcityLjlqA== + "@types/normalize-package-data@^2.4.0": version "2.4.0" resolved "https://registry.yarnpkg.com/@types/normalize-package-data/-/normalize-package-data-2.4.0.tgz#e486d0d97396d79beedd0a6e33f4534ff6b4973e" integrity sha512-f5j5b/Gf71L+dbqxIpQ4Z2WlmI/mPJ0fOkGGmFgtb6sAu97EPczzbS3/tJKxmcYDj55OX6ssqwDAWOHIYDRDGA== +"@types/npmlog@^4.1.2": + version "4.1.3" + resolved "https://registry.yarnpkg.com/@types/npmlog/-/npmlog-4.1.3.tgz#9c24b49a97e25cf15a890ff404764080d7942132" + integrity sha512-1TcL7YDYCtnHmLhTWbum+IIwLlvpaHoEKS2KNIngEwLzwgDeHaebaEHHbQp8IqzNQ9IYiboLKUjAf7MZqG63+w== + +"@types/overlayscrollbars@^1.12.0": + version "1.12.1" + resolved "https://registry.yarnpkg.com/@types/overlayscrollbars/-/overlayscrollbars-1.12.1.tgz#fb637071b545834fb12aea94ee309a2ff4cdc0a8" + integrity sha512-V25YHbSoKQN35UasHf0EKD9U2vcmexRSp78qa8UglxFH8H3D+adEa9zGZwrqpH4TdvqeMrgMqVqsLB4woAryrQ== + "@types/parse-json@^4.0.0": version "4.0.0" resolved "https://registry.yarnpkg.com/@types/parse-json/-/parse-json-4.0.0.tgz#2f8bb441434d163b35fb8ffdccd7138927ffb8c0" integrity sha512-//oorEZjL6sbPcKUaCdIGlIUeH26mgzimjBB77G6XRgnDl/L5wOnpyBGRe/Mmf5CVW3PwEBE1NjiMZ/ssFh4wA== +"@types/parse5@^5.0.0": + version "5.0.3" + resolved "https://registry.yarnpkg.com/@types/parse5/-/parse5-5.0.3.tgz#e7b5aebbac150f8b5fdd4a46e7f0bd8e65e19109" + integrity sha512-kUNnecmtkunAoQ3CnjmMkzNU/gtxG8guhi+Fk2U/kOpIKjIMKnXGp4IJCgQJrXSgMsWYimYG4TGjz/UzbGEBTw== + "@types/prettier@^2.0.0": version "2.3.0" resolved "https://registry.yarnpkg.com/@types/prettier/-/prettier-2.3.0.tgz#2e8332cc7363f887d32ec5496b207d26ba8052bb" integrity sha512-hkc1DATxFLQo4VxPDpMH1gCkPpBbpOoJ/4nhuXw4n63/0R6bCpQECj4+K226UJ4JO/eJQz+1mC2I7JsWanAdQw== +"@types/pretty-hrtime@^1.0.0": + version "1.0.1" + resolved "https://registry.yarnpkg.com/@types/pretty-hrtime/-/pretty-hrtime-1.0.1.tgz#72a26101dc567b0d68fd956cf42314556e42d601" + integrity sha512-VjID5MJb1eGKthz2qUerWT8+R4b9N+CHvGCzg9fn4kWZgaF9AhdYikQio3R7wV8YY1NsQKPaCwKz1Yff+aHNUQ== + "@types/prop-types@*": version "15.7.3" resolved "https://registry.yarnpkg.com/@types/prop-types/-/prop-types-15.7.3.tgz#2ab0d5da2e5815f94b0b9d4b95d1e5f243ab2ca7" @@ -1946,6 +2997,18 @@ resolved "https://registry.yarnpkg.com/@types/q/-/q-1.5.4.tgz#15925414e0ad2cd765bfef58842f7e26a7accb24" integrity sha512-1HcDas8SEj4z1Wc696tH56G8OlRaH/sqZOynNNB+HF0WOeXPaxTtbYzJY2oEfiUxjSKjhCKr+MvR7dCHcEelug== +"@types/qs@^6.9.5": + version "6.9.7" + resolved "https://registry.yarnpkg.com/@types/qs/-/qs-6.9.7.tgz#63bb7d067db107cc1e457c303bc25d511febf6cb" + integrity sha512-FGa1F62FT09qcrueBA6qYTrJPVDzah9a+493+o2PCXsesWHIn27G98TsSMs3WPNbZIEj4+VJf6saSFpvD+3Zsw== + +"@types/reach__router@^1.3.7": + version "1.3.9" + resolved "https://registry.yarnpkg.com/@types/reach__router/-/reach__router-1.3.9.tgz#d3aaac0072665c81063cc6c557c18dadd642b226" + integrity sha512-N6rqQqTTAV/zKLfK3iq9Ww3wqCEhTZvsilhl0zI09zETdVq1QGmJH6+/xnj8AFUWIrle2Cqo+PGM/Ltr1vBb9w== + dependencies: + "@types/react" "*" + "@types/react-dom@^16.9.0": version "16.9.13" resolved "https://registry.yarnpkg.com/@types/react-dom/-/react-dom-16.9.13.tgz#5898f0ee68fe200685e6b61d3d7d8828692814d0" @@ -1953,6 +3016,22 @@ dependencies: "@types/react" "^16" +"@types/react-syntax-highlighter@11.0.5": + version "11.0.5" + resolved "https://registry.yarnpkg.com/@types/react-syntax-highlighter/-/react-syntax-highlighter-11.0.5.tgz#0d546261b4021e1f9d85b50401c0a42acb106087" + integrity sha512-VIOi9i2Oj5XsmWWoB72p3KlZoEbdRAcechJa8Ztebw7bDl2YmR+odxIqhtJGp1q2EozHs02US+gzxJ9nuf56qg== + dependencies: + "@types/react" "*" + +"@types/react@*": + version "17.0.14" + resolved "https://registry.yarnpkg.com/@types/react/-/react-17.0.14.tgz#f0629761ca02945c4e8fea99b8177f4c5c61fb0f" + integrity sha512-0WwKHUbWuQWOce61UexYuWTGuGY/8JvtUe/dtQ6lR4sZ3UiylHotJeWpf3ArP9+DSGUoLY3wbU59VyMrJps5VQ== + dependencies: + "@types/prop-types" "*" + "@types/scheduler" "*" + csstype "^3.0.2" + "@types/react@^16", "@types/react@^16.9.0": version "16.14.8" resolved "https://registry.yarnpkg.com/@types/react/-/react-16.14.8.tgz#4aee3ab004cb98451917c9b7ada3c7d7e52db3fe" @@ -1989,6 +3068,11 @@ resolved "https://registry.yarnpkg.com/@types/tapable/-/tapable-1.0.7.tgz#545158342f949e8fd3bfd813224971ecddc3fac4" integrity sha512-0VBprVqfgFD7Ehb2vd8Lh9TG3jP98gvr8rgehQqzztZNI7o8zS8Ad4jyZneKELphpuE212D8J70LnSNQSyO6bQ== +"@types/tapable@^1.0.5": + version "1.0.8" + resolved "https://registry.yarnpkg.com/@types/tapable/-/tapable-1.0.8.tgz#b94a4391c85666c7b73299fd3ad79d4faa435310" + integrity sha512-ipixuVrh2OdNmauvtT51o3d8z12p6LtFW9in7U79der/kwejjdNchQC5UMn5u/KxNoM7VHHOs/l8KS8uHxhODQ== + "@types/uglify-js@*": version "3.13.0" resolved "https://registry.yarnpkg.com/@types/uglify-js/-/uglify-js-3.13.0.tgz#1cad8df1fb0b143c5aba08de5712ea9d1ff71124" @@ -2001,6 +3085,16 @@ resolved "https://registry.yarnpkg.com/@types/unist/-/unist-2.0.3.tgz#9c088679876f374eb5983f150d4787aa6fb32d7e" integrity sha512-FvUupuM3rlRsRtCN+fDudtmytGO6iHJuuRKS1Ss0pG5z8oX0diNEw94UEL7hgDbpN94rgaK5R7sWm6RrSkZuAQ== +"@types/unist@^2.0.3": + version "2.0.6" + resolved "https://registry.yarnpkg.com/@types/unist/-/unist-2.0.6.tgz#250a7b16c3b91f672a24552ec64678eeb1d3a08d" + integrity sha512-PBjIUxZHOuj0R15/xuwJYjFi+KZdNFrehocChv4g5hu6aFroHue8m0lBP0POdK2nKzbw0cgV1mws8+V/JAcEkQ== + +"@types/webpack-env@^1.16.0": + version "1.16.2" + resolved "https://registry.yarnpkg.com/@types/webpack-env/-/webpack-env-1.16.2.tgz#8db514b059c1b2ae14ce9d7bb325296de6a9a0fa" + integrity sha512-vKx7WNQNZDyJveYcHAm9ZxhqSGLYwoyLhrHjLBOkw3a7cT76sTdjgtwyijhk1MaHyRIuSztcVwrUOO/NEu68Dw== + "@types/webpack-sources@*": version "2.1.0" resolved "https://registry.yarnpkg.com/@types/webpack-sources/-/webpack-sources-2.1.0.tgz#8882b0bd62d1e0ce62f183d0d01b72e6e82e8c10" @@ -2022,6 +3116,18 @@ anymatch "^3.0.0" source-map "^0.6.0" +"@types/webpack@^4.41.26", "@types/webpack@^4.41.8": + version "4.41.30" + resolved "https://registry.yarnpkg.com/@types/webpack/-/webpack-4.41.30.tgz#fd3db6d0d41e145a8eeeafcd3c4a7ccde9068ddc" + integrity sha512-GUHyY+pfuQ6haAfzu4S14F+R5iGRwN6b2FRNJY7U0NilmFAqbsOfK6j1HwuLBAqwRIT+pVdNDJGJ6e8rpp0KHA== + dependencies: + "@types/node" "*" + "@types/tapable" "^1" + "@types/uglify-js" "*" + "@types/webpack-sources" "*" + anymatch "^3.0.0" + source-map "^0.6.0" + "@types/yargs-parser@*": version "20.2.0" resolved "https://registry.yarnpkg.com/@types/yargs-parser/-/yargs-parser-20.2.0.tgz#dd3e6699ba3237f0348cd085e4698780204842f9" @@ -3594,6 +4700,14 @@ abab@^2.0.3, abab@^2.0.5: resolved "https://registry.yarnpkg.com/abab/-/abab-2.0.5.tgz#c0b678fb32d60fc1219c784d6a826fe385aeb79a" integrity sha512-9IK9EadsbHo6jLWIpxpR6pL0sazTXV6+SQv25ZB+F7Bj9mJNaOc4nCRabwd5M/JwmUa8idz6Eci6eKfJryPs6Q== +accepts@~1.3.5, accepts@~1.3.7: + version "1.3.7" + resolved "https://registry.yarnpkg.com/accepts/-/accepts-1.3.7.tgz#531bc726517a3b2b41f850021c6cc15eaab507cd" + integrity sha512-Il80Qs2WjYlJIBNzNkK6KYqlVMTbZLXgHx2oT0pU/fjRHyEp+PEfEPY0R3WCwAGVOtauxh1hOxNgIf5bv7dQpA== + dependencies: + mime-types "~2.1.24" + negotiator "0.6.2" + acorn-globals@^6.0.0: version "6.0.0" resolved "https://registry.yarnpkg.com/acorn-globals/-/acorn-globals-6.0.0.tgz#46cdd39f0f8ff08a876619b55f5ac8a6dc770b45" @@ -3607,7 +4721,7 @@ acorn-jsx@^5.3.1: resolved "https://registry.yarnpkg.com/acorn-jsx/-/acorn-jsx-5.3.1.tgz#fc8661e11b7ac1539c47dbfea2e72b3af34d267b" integrity sha512-K0Ptm/47OKfQRpNQ2J/oIN/3QYiK6FwW+eJbILhsdxh2WTLdl+30o8aGdTbm5JbffpFFAg/g+zi1E+jvJha5ng== -acorn-walk@^7.1.1: +acorn-walk@^7.1.1, acorn-walk@^7.2.0: version "7.2.0" resolved "https://registry.yarnpkg.com/acorn-walk/-/acorn-walk-7.2.0.tgz#0de889a601203909b0fbe07b8938dc21d2e967bc" integrity sha512-OPdCF6GsMIP+Az+aWfAAOEt2/+iVDKE7oy6lJ098aoe59oAmK76qV6Gw60SbZ8jHuG2wH058GF4pLFbYamYrVA== @@ -3622,7 +4736,7 @@ acorn@^6.4.1: resolved "https://registry.yarnpkg.com/acorn/-/acorn-6.4.2.tgz#35866fd710528e92de10cf06016498e47e39e1e6" integrity sha512-XtGIhXwF8YM8bJhGxG5kXgjkEuNGLTkoYqVE+KMR+aspr4KGYmKYg7yUe3KghyQ9yheNwLnjmzh/7+gfDBmHCQ== -acorn@^7.1.1, acorn@^7.4.0: +acorn@^7.1.1, acorn@^7.4.0, acorn@^7.4.1: version "7.4.1" resolved "https://registry.yarnpkg.com/acorn/-/acorn-7.4.1.tgz#feaed255973d2e77555b83dbc08851a6c63520fa" integrity sha512-nQyp0o1/mNdbTO1PO6kHkwSrmgZ0MT/jCCpNiwbUjGoRN4dlBhqJtoQuCnEOKzgTVwg0ZWiCoQy6SxMebQVh8A== @@ -3632,6 +4746,11 @@ acorn@^8.0.4, acorn@^8.2.1, acorn@^8.2.4: resolved "https://registry.yarnpkg.com/acorn/-/acorn-8.4.1.tgz#56c36251fc7cabc7096adc18f05afe814321a28c" integrity sha512-asabaBSkEKosYKMITunzX177CXxQ4Q8BSSzMTKD+FefUhipQC70gfW5SiUDhYQ3vk8G+81HqQk7Fv9OXwwn9KA== +address@1.1.2, address@^1.0.1: + version "1.1.2" + resolved "https://registry.yarnpkg.com/address/-/address-1.1.2.tgz#bf1116c9c758c51b7a933d296b72c221ed9428b6" + integrity sha512-aT6camzM4xEA54YVJYSqxz1kv4IHnQZRtThJJHhUMRExaU5spC7jX5ugSwTaTgJliIgs4VhZOk7htClvQ/LmRA== + after@0.8.2: version "0.8.2" resolved "https://registry.yarnpkg.com/after/-/after-0.8.2.tgz#fedb394f9f0e02aa9768e702bda23b505fae7e1f" @@ -3652,9 +4771,32 @@ aggregate-error@^3.0.0: clean-stack "^2.0.0" indent-string "^4.0.0" -airbnb-prop-types@^2.10.0, airbnb-prop-types@^2.15.0, airbnb-prop-types@^2.16.0: - version "2.16.0" - resolved "https://registry.yarnpkg.com/airbnb-prop-types/-/airbnb-prop-types-2.16.0.tgz#b96274cefa1abb14f623f804173ee97c13971dc2" +airbnb-js-shims@^2.2.1: + version "2.2.1" + resolved "https://registry.yarnpkg.com/airbnb-js-shims/-/airbnb-js-shims-2.2.1.tgz#db481102d682b98ed1daa4c5baa697a05ce5c040" + integrity sha512-wJNXPH66U2xjgo1Zwyjf9EydvJ2Si94+vSdk6EERcBfB2VZkeltpqIats0cqIZMLCXP3zcyaUKGYQeIBT6XjsQ== + dependencies: + array-includes "^3.0.3" + array.prototype.flat "^1.2.1" + array.prototype.flatmap "^1.2.1" + es5-shim "^4.5.13" + es6-shim "^0.35.5" + function.prototype.name "^1.1.0" + globalthis "^1.0.0" + object.entries "^1.1.0" + object.fromentries "^2.0.0 || ^1.0.0" + object.getownpropertydescriptors "^2.0.3" + object.values "^1.1.0" + promise.allsettled "^1.0.0" + promise.prototype.finally "^3.1.0" + string.prototype.matchall "^4.0.0 || ^3.0.1" + string.prototype.padend "^3.0.0" + string.prototype.padstart "^3.0.0" + symbol.prototype.description "^1.0.0" + +airbnb-prop-types@^2.10.0, airbnb-prop-types@^2.15.0, airbnb-prop-types@^2.16.0: + version "2.16.0" + resolved "https://registry.yarnpkg.com/airbnb-prop-types/-/airbnb-prop-types-2.16.0.tgz#b96274cefa1abb14f623f804173ee97c13971dc2" integrity sha512-7WHOFolP/6cS96PhKNrslCLMYAI8yB1Pp6u6XmxozQOiZbsI5ycglZr5cHhBFfuRcQQjzCMith5ZPZdYiJCxUg== dependencies: array.prototype.find "^2.1.1" @@ -3704,6 +4846,11 @@ ansi-align@^3.0.0: dependencies: string-width "^3.0.0" +ansi-colors@^3.0.0: + version "3.2.4" + resolved "https://registry.yarnpkg.com/ansi-colors/-/ansi-colors-3.2.4.tgz#e3a3da4bfbae6c86a9c285625de124a234026fbf" + integrity sha512-hHUXGagefjN2iRrID63xckIvotOXOojhQKWIPUZ4mNUZ9nLZW+7FMNoE1lOkEhNWYsx/7ysGIuJYCiMAA9FnrA== + ansi-colors@^4.1.1: version "4.1.1" resolved "https://registry.yarnpkg.com/ansi-colors/-/ansi-colors-4.1.1.tgz#cbb9ae256bf750af1eab344f229aa27fe94ba348" @@ -3716,6 +4863,21 @@ ansi-escapes@^4.2.1: dependencies: type-fest "^0.21.3" +ansi-html@0.0.7, ansi-html@^0.0.7: + version "0.0.7" + resolved "https://registry.yarnpkg.com/ansi-html/-/ansi-html-0.0.7.tgz#813584021962a9e9e6fd039f940d12f56ca7859e" + integrity sha1-gTWEAhliqenm/QOflA0S9WynhZ4= + +ansi-regex@^2.0.0: + version "2.1.1" + resolved "https://registry.yarnpkg.com/ansi-regex/-/ansi-regex-2.1.1.tgz#c3b33ab5ee360d86e0e628f0468ae7ef27d654df" + integrity sha1-w7M6te42DYbg5ijwRorn7yfWVN8= + +ansi-regex@^3.0.0: + version "3.0.0" + resolved "https://registry.yarnpkg.com/ansi-regex/-/ansi-regex-3.0.0.tgz#ed0317c322064f79466c02966bddb605ab37d998" + integrity sha1-7QMXwyIGT3lGbAKWa922Bas32Zg= + ansi-regex@^4.1.0: version "4.1.0" resolved "https://registry.yarnpkg.com/ansi-regex/-/ansi-regex-4.1.0.tgz#8b9f8f08cf1acb843756a839ca8c7e3168c51997" @@ -3740,6 +4902,13 @@ ansi-styles@^4.0.0, ansi-styles@^4.1.0: dependencies: color-convert "^2.0.1" +ansi-to-html@^0.6.11: + version "0.6.15" + resolved "https://registry.yarnpkg.com/ansi-to-html/-/ansi-to-html-0.6.15.tgz#ac6ad4798a00f6aa045535d7f6a9cb9294eebea7" + integrity sha512-28ijx2aHJGdzbs+O5SNQF65r6rrKYnkuwTYm8lZlChuoJ9P1vVzIpWO20sQTqTPDXYp6NFwk326vApTtLVFXpQ== + dependencies: + entities "^2.0.0" + anymatch@^2.0.0: version "2.0.0" resolved "https://registry.yarnpkg.com/anymatch/-/anymatch-2.0.0.tgz#bcb24b4f37934d9aa7ac17b4adaf89e7c76ef2eb" @@ -3756,11 +4925,24 @@ anymatch@^3.0.0, anymatch@^3.0.3, anymatch@^3.1.1, anymatch@~3.1.2: normalize-path "^3.0.0" picomatch "^2.0.4" -aproba@^1.1.1: +app-root-dir@^1.0.2: + version "1.0.2" + resolved "https://registry.yarnpkg.com/app-root-dir/-/app-root-dir-1.0.2.tgz#38187ec2dea7577fff033ffcb12172692ff6e118" + integrity sha1-OBh+wt6nV3//Az/8sSFyaS/24Rg= + +aproba@^1.0.3, aproba@^1.1.1: version "1.2.0" resolved "https://registry.yarnpkg.com/aproba/-/aproba-1.2.0.tgz#6802e6264efd18c790a1b0d517f0f2627bf2c94a" integrity sha512-Y9J6ZjXtoYh8RnXVCMOU/ttDmk1aBjunq9vO0ta5x85WDQiQfUF9sIPBITdbiiIVcBo03Hi3jMxigBtsddlXRw== +are-we-there-yet@~1.1.2: + version "1.1.5" + resolved "https://registry.yarnpkg.com/are-we-there-yet/-/are-we-there-yet-1.1.5.tgz#4b35c2944f062a8bfcda66410760350fe9ddfc21" + integrity sha512-5hYdAkZlcG8tOLujVDTgCT+uPX0VnpAH28gWsLfzpXYm7wP6mp5Q/gYyR7YQ0cKVJcXJnl3j2kpBan13PtQf6w== + dependencies: + delegates "^1.0.0" + readable-stream "^2.0.6" + argparse@^1.0.7: version "1.0.10" resolved "https://registry.yarnpkg.com/argparse/-/argparse-1.0.10.tgz#bcd6791ea5ae09725e17e5ad988134cd40b3d911" @@ -3791,7 +4973,12 @@ arr-union@^3.1.0: resolved "https://registry.yarnpkg.com/arr-union/-/arr-union-3.1.0.tgz#e39b09aea9def866a8f206e288af63919bae39c4" integrity sha1-45sJrqne+Gao8gbiiK9jkZuuOcQ= -array-includes@^3.1.1, array-includes@^3.1.2, array-includes@^3.1.3: +array-flatten@1.1.1: + version "1.1.1" + resolved "https://registry.yarnpkg.com/array-flatten/-/array-flatten-1.1.1.tgz#9a5f699051b1e7073328f2a008968b64ea2955d2" + integrity sha1-ml9pkFGx5wczKPKgCJaLZOopVdI= + +array-includes@^3.0.3, array-includes@^3.1.1, array-includes@^3.1.2, array-includes@^3.1.3: version "3.1.3" resolved "https://registry.yarnpkg.com/array-includes/-/array-includes-3.1.3.tgz#c7f619b382ad2afaf5326cddfdc0afc61af7690a" integrity sha512-gcem1KlBU7c9rB+Rq8/3PPKsK2kjqeEBa3bD5kkQo4nYlOHQCJqIJFqBXDEfwaRuYTT4E+FxA9xez7Gf/e3Q7A== @@ -3802,7 +4989,7 @@ array-includes@^3.1.1, array-includes@^3.1.2, array-includes@^3.1.3: get-intrinsic "^1.1.1" is-string "^1.0.5" -array-union@^1.0.1: +array-union@^1.0.1, array-union@^1.0.2: version "1.0.2" resolved "https://registry.yarnpkg.com/array-union/-/array-union-1.0.2.tgz#9a34410e4f4e3da23dea375be5be70f24778ec39" integrity sha1-mjRBDk9OPaI96jdb5b5w8kd47Dk= @@ -3852,7 +5039,7 @@ array.prototype.flat@^1.2.1, array.prototype.flat@^1.2.3, array.prototype.flat@^ define-properties "^1.1.3" es-abstract "^1.18.0-next.1" -array.prototype.flatmap@^1.2.4: +array.prototype.flatmap@^1.2.1, array.prototype.flatmap@^1.2.4: version "1.2.4" resolved "https://registry.yarnpkg.com/array.prototype.flatmap/-/array.prototype.flatmap-1.2.4.tgz#94cfd47cc1556ec0747d97f7c7738c58122004c9" integrity sha512-r9Z0zYoxqHz60vvQbWEdXIEtCwHF0yxaWfno9qzXeNHvfyl3BZqygmGzb84dsubyaXLH4husF+NFgMSdpZhk2Q== @@ -3862,6 +5049,17 @@ array.prototype.flatmap@^1.2.4: es-abstract "^1.18.0-next.1" function-bind "^1.1.1" +array.prototype.map@^1.0.3: + version "1.0.3" + resolved "https://registry.yarnpkg.com/array.prototype.map/-/array.prototype.map-1.0.3.tgz#1609623618d3d84134a37d4a220030c2bd18420b" + integrity sha512-nNcb30v0wfDyIe26Yif3PcV1JXQp4zEeEfupG7L4SRjnD6HLbO5b2a7eVSba53bOx4YCHYMBHt+Fp4vYstneRA== + dependencies: + call-bind "^1.0.0" + define-properties "^1.1.3" + es-abstract "^1.18.0-next.1" + es-array-method-boxes-properly "^1.0.0" + is-string "^1.0.5" + arraybuffer.slice@~0.0.7: version "0.0.7" resolved "https://registry.yarnpkg.com/arraybuffer.slice/-/arraybuffer.slice-0.0.7.tgz#3bbc4275dd584cc1b10809b89d4e8b63a69e7675" @@ -3872,6 +5070,11 @@ arrify@^1.0.1: resolved "https://registry.yarnpkg.com/arrify/-/arrify-1.0.1.tgz#898508da2226f380df904728456849c1501a4b0d" integrity sha1-iYUI2iIm84DfkEcoRWhJwVAaSw0= +arrify@^2.0.1: + version "2.0.1" + resolved "https://registry.yarnpkg.com/arrify/-/arrify-2.0.1.tgz#c9655e9331e0abcd588d2a7cad7e9956f66701fa" + integrity sha512-3duEwti880xqi4eAMN8AyR4a0ByT90zoYdLlevfrvU43vb0YZwZVfxOgxWrLXXXpyugL0hNZc9G6BiB5B3nUug== + "asblocks@git+https://github.com/youknowriad/asblocks": version "1.2.0" resolved "git+https://github.com/youknowriad/asblocks#48f351f9be9a1041dca0e99b033d119d9f797ddf" @@ -3948,6 +5151,13 @@ ast-types-flow@^0.0.7: resolved "https://registry.yarnpkg.com/ast-types-flow/-/ast-types-flow-0.0.7.tgz#f70b735c6bca1a5c9c22d982c3e39e7feba3bdad" integrity sha1-9wtzXGvKGlycItmCw+Oef+ujva0= +ast-types@^0.14.2: + version "0.14.2" + resolved "https://registry.yarnpkg.com/ast-types/-/ast-types-0.14.2.tgz#600b882df8583e3cd4f2df5fa20fa83759d4bdfd" + integrity sha512-O0yuUDnZeQDL+ncNGlJ78BiO4jnYI3bvMsD5prT0/nsgijG/LpNBIr63gTjVTNsiGkgQhiyCShTgxt8oXOrklA== + dependencies: + tslib "^2.0.1" + astral-regex@^2.0.0: version "2.0.0" resolved "https://registry.yarnpkg.com/astral-regex/-/astral-regex-2.0.0.tgz#483143c567aeed4785759c0865786dc77d7d2e31" @@ -3977,6 +5187,11 @@ asynckit@^0.4.0: resolved "https://registry.yarnpkg.com/asynckit/-/asynckit-0.4.0.tgz#c79ed97f7f34cb8f2ba1bc9790bcc366474b4b79" integrity sha1-x57Zf380y48robyXkLzDZkdLS3k= +at-least-node@^1.0.0: + version "1.0.0" + resolved "https://registry.yarnpkg.com/at-least-node/-/at-least-node-1.0.0.tgz#602cd4b46e844ad4effc92a8011a3c46e0238dc2" + integrity sha512-+q/t7Ekv1EDY2l6Gda6LLiX14rU9TV20Wa3ofeQmwPFZbOMo9DXrLbOjFaaclkXKWidIaopwAObQDqwWtGUjqg== + atob@^2.1.2: version "2.1.2" resolved "https://registry.yarnpkg.com/atob/-/atob-2.1.2.tgz#6d9517eb9e030d2436666651e86bd9f6f13533c9" @@ -4068,6 +5283,19 @@ babel-loader@^8.2.2: make-dir "^3.1.0" schema-utils "^2.6.5" +babel-plugin-add-react-displayname@^0.0.5: + version "0.0.5" + resolved "https://registry.yarnpkg.com/babel-plugin-add-react-displayname/-/babel-plugin-add-react-displayname-0.0.5.tgz#339d4cddb7b65fd62d1df9db9fe04de134122bd5" + integrity sha1-M51M3be2X9YtHfnbn+BN4TQSK9U= + +babel-plugin-apply-mdx-type-prop@1.6.22: + version "1.6.22" + resolved "https://registry.yarnpkg.com/babel-plugin-apply-mdx-type-prop/-/babel-plugin-apply-mdx-type-prop-1.6.22.tgz#d216e8fd0de91de3f1478ef3231e05446bc8705b" + integrity sha512-VefL+8o+F/DfK24lPZMtJctrCVOfgbqLAGZSkxwhazQv4VxPg3Za/i40fu22KR2m8eEda+IfSOlPLUSIiLcnCQ== + dependencies: + "@babel/helper-plugin-utils" "7.10.4" + "@mdx-js/util" "1.6.22" + babel-plugin-dynamic-import-node@^2.3.3: version "2.3.3" resolved "https://registry.yarnpkg.com/babel-plugin-dynamic-import-node/-/babel-plugin-dynamic-import-node-2.3.3.tgz#84fda19c976ec5c6defef57f9427b3def66e17a3" @@ -4091,6 +5319,13 @@ babel-plugin-emotion@^10.0.27: find-root "^1.1.0" source-map "^0.5.7" +babel-plugin-extract-import-names@1.6.22: + version "1.6.22" + resolved "https://registry.yarnpkg.com/babel-plugin-extract-import-names/-/babel-plugin-extract-import-names-1.6.22.tgz#de5f9a28eb12f3eb2578bf74472204e66d1a13dc" + integrity sha512-yJ9BsJaISua7d8zNT7oRG1ZLBJCIdZ4PZqmH8qa9N5AK01ifk3fnkc98AXhtzE7UkfCsEumvoQWgoYLhOnJ7jQ== + dependencies: + "@babel/helper-plugin-utils" "7.10.4" + babel-plugin-inline-json-import@^0.3.2: version "0.3.2" resolved "https://registry.yarnpkg.com/babel-plugin-inline-json-import/-/babel-plugin-inline-json-import-0.3.2.tgz#fdec1a59364d632895d421aec4c9435ccbbcadd3" @@ -4119,7 +5354,7 @@ babel-plugin-jest-hoist@^26.6.2: "@types/babel__core" "^7.0.0" "@types/babel__traverse" "^7.0.6" -babel-plugin-macros@^2.0.0: +babel-plugin-macros@^2.0.0, babel-plugin-macros@^2.8.0: version "2.8.0" resolved "https://registry.yarnpkg.com/babel-plugin-macros/-/babel-plugin-macros-2.8.0.tgz#0f958a7cc6556b1e65344465d99111a1e5e10138" integrity sha512-SEP5kJpfGYqYKpBrj5XU3ahw5p5GOHJ0U5ssOSQ/WBVdwkD2Dzlce95exQTs3jOVWPPKLBN2rlEWkCK7dSmLvg== @@ -4128,6 +5363,20 @@ babel-plugin-macros@^2.0.0: cosmiconfig "^6.0.0" resolve "^1.12.0" +babel-plugin-macros@^3.0.1: + version "3.1.0" + resolved "https://registry.yarnpkg.com/babel-plugin-macros/-/babel-plugin-macros-3.1.0.tgz#9ef6dc74deb934b4db344dc973ee851d148c50c1" + integrity sha512-Cg7TFGpIr01vOQNODXOOaGz2NpCU5gl8x1qJFbb6hbZxR7XrcE2vtbAsTAbJ7/xwJtUuJEw8K8Zr/AE0LHlesg== + dependencies: + "@babel/runtime" "^7.12.5" + cosmiconfig "^7.0.0" + resolve "^1.19.0" + +babel-plugin-named-asset-import@^0.3.1: + version "0.3.7" + resolved "https://registry.yarnpkg.com/babel-plugin-named-asset-import/-/babel-plugin-named-asset-import-0.3.7.tgz#156cd55d3f1228a5765774340937afc8398067dd" + integrity sha512-squySRkf+6JGnvjoUtDEjSREJEBirnXi9NqP6rjSYsylxQxqBTz+pkmf395i9E2zsvmYUaI40BHo6SqZUdydlw== + babel-plugin-polyfill-corejs2@^0.2.2: version "0.2.2" resolved "https://registry.yarnpkg.com/babel-plugin-polyfill-corejs2/-/babel-plugin-polyfill-corejs2-0.2.2.tgz#e9124785e6fd94f94b618a7954e5693053bf5327" @@ -4137,6 +5386,14 @@ babel-plugin-polyfill-corejs2@^0.2.2: "@babel/helper-define-polyfill-provider" "^0.2.2" semver "^6.1.1" +babel-plugin-polyfill-corejs3@^0.1.0: + version "0.1.7" + resolved "https://registry.yarnpkg.com/babel-plugin-polyfill-corejs3/-/babel-plugin-polyfill-corejs3-0.1.7.tgz#80449d9d6f2274912e05d9e182b54816904befd0" + integrity sha512-u+gbS9bbPhZWEeyy1oR/YaaSpod/KDT07arZHb80aTpl8H5ZBq+uN1nN9/xtX7jQyfLdPfoqI4Rue/MQSWJquw== + dependencies: + "@babel/helper-define-polyfill-provider" "^0.1.5" + core-js-compat "^3.8.1" + babel-plugin-polyfill-corejs3@^0.2.2: version "0.2.3" resolved "https://registry.yarnpkg.com/babel-plugin-polyfill-corejs3/-/babel-plugin-polyfill-corejs3-0.2.3.tgz#72add68cf08a8bf139ba6e6dfc0b1d504098e57b" @@ -4152,6 +5409,15 @@ babel-plugin-polyfill-regenerator@^0.2.2: dependencies: "@babel/helper-define-polyfill-provider" "^0.2.2" +babel-plugin-react-docgen@^4.2.1: + version "4.2.1" + resolved "https://registry.yarnpkg.com/babel-plugin-react-docgen/-/babel-plugin-react-docgen-4.2.1.tgz#7cc8e2f94e8dc057a06e953162f0810e4e72257b" + integrity sha512-UQ0NmGHj/HAqi5Bew8WvNfCk8wSsmdgNd8ZdMjBCICtyCJCq9LiqgqvjCYe570/Wg7AQArSq1VQ60Dd/CHN7mQ== + dependencies: + ast-types "^0.14.2" + lodash "^4.17.15" + react-docgen "^5.0.0" + babel-plugin-syntax-jsx@^6.18.0: version "6.18.0" resolved "https://registry.yarnpkg.com/babel-plugin-syntax-jsx/-/babel-plugin-syntax-jsx-6.18.0.tgz#0af32a9a6e13ca7a3fd5069e62d7b0f58d0d8946" @@ -4226,6 +5492,11 @@ base@^0.11.1: mixin-deep "^1.2.0" pascalcase "^0.1.1" +batch-processor@1.0.0: + version "1.0.0" + resolved "https://registry.yarnpkg.com/batch-processor/-/batch-processor-1.0.0.tgz#75c95c32b748e0850d10c2b168f6bdbe9891ace8" + integrity sha1-dclcMrdI4IUNEMKxaPa9vpiRrOg= + bcrypt-pbkdf@^1.0.0: version "1.0.2" resolved "https://registry.yarnpkg.com/bcrypt-pbkdf/-/bcrypt-pbkdf-1.0.2.tgz#a4301d389b6a43f9b67ff3ca11a3f6637e360e9e" @@ -4238,6 +5509,13 @@ before-after-hook@^2.2.0: resolved "https://registry.yarnpkg.com/before-after-hook/-/before-after-hook-2.2.2.tgz#a6e8ca41028d90ee2c24222f201c90956091613e" integrity sha512-3pZEU3NT5BFUo/AD5ERPWOgQOCZITni6iavr5AUw5AUwQjMlI0kzu5btnyD39AF0gUEsDPwJT+oY1ORBJijPjQ== +better-opn@^2.1.1: + version "2.1.1" + resolved "https://registry.yarnpkg.com/better-opn/-/better-opn-2.1.1.tgz#94a55b4695dc79288f31d7d0e5f658320759f7c6" + integrity sha512-kIPXZS5qwyKiX/HcRvDYfmBQUa8XP17I0mYZZ0y4UhpYOSvtsLHDYqmomS+Mj20aDvD3knEiQ0ecQy2nhio3yA== + dependencies: + open "^7.0.3" + big.js@^5.2.2: version "5.2.2" resolved "https://registry.yarnpkg.com/big.js/-/big.js-5.2.2.tgz#65f0af382f578bcdc742bd9c281e9cb2d7768328" @@ -4274,7 +5552,7 @@ blob@0.0.5: resolved "https://registry.yarnpkg.com/blob/-/blob-0.0.5.tgz#d680eeef25f8cd91ad533f5b01eed48e64caf683" integrity sha512-gaqbzQPqOoamawKg0LGVd7SzLgXS+JH61oWprSLH+P+abTczqJbhTR8CmJ2u9/bUYNmHTGJx/UEmn6doAvvuig== -bluebird@^3.5.5: +bluebird@^3.3.5, bluebird@^3.5.5: version "3.7.2" resolved "https://registry.yarnpkg.com/bluebird/-/bluebird-3.7.2.tgz#9f229c15be272454ffa973ace0dbee79a1b0c36f" integrity sha512-XpNj6GDQzdfW+r2Wnn7xiSAd7TM3jzkxGXBGTtWKuSXv1xUV+azxAm8jdWZN06QTQk+2N2XB9jRDkvbmQmcRtg== @@ -4289,6 +5567,22 @@ bn.js@^5.0.0, bn.js@^5.1.1: resolved "https://registry.yarnpkg.com/bn.js/-/bn.js-5.2.0.tgz#358860674396c6997771a9d051fcc1b57d4ae002" integrity sha512-D7iWRBvnZE8ecXiLj/9wbxH7Tk79fAh8IHaTNq1RWRixsS02W+5qS+iE9yq6RYl0asXx5tw0bLhmT5pIfbSquw== +body-parser@1.19.0: + version "1.19.0" + resolved "https://registry.yarnpkg.com/body-parser/-/body-parser-1.19.0.tgz#96b2709e57c9c4e09a6fd66a8fd979844f69f08a" + integrity sha512-dhEPs72UPbDnAQJ9ZKMNTP6ptJaionhP5cBb541nXPlW60Jepo9RV/a4fX4XWW9CuFNK22krhrj1+rgzifNCsw== + dependencies: + bytes "3.1.0" + content-type "~1.0.4" + debug "2.6.9" + depd "~1.1.2" + http-errors "1.7.2" + iconv-lite "0.4.24" + on-finished "~2.3.0" + qs "6.7.0" + raw-body "2.4.0" + type-is "~1.6.17" + body-scroll-lock@^3.1.5: version "3.1.5" resolved "https://registry.yarnpkg.com/body-scroll-lock/-/body-scroll-lock-3.1.5.tgz#c1392d9217ed2c3e237fee1e910f6cdd80b7aaec" @@ -4309,6 +5603,20 @@ boolbase@^1.0.0, boolbase@~1.0.0: resolved "https://registry.yarnpkg.com/boolbase/-/boolbase-1.0.0.tgz#68dff5fbe60c51eb37725ea9e3ed310dcc1e776e" integrity sha1-aN/1++YMUes3cl6p4+0xDcwed24= +boxen@^4.2.0: + version "4.2.0" + resolved "https://registry.yarnpkg.com/boxen/-/boxen-4.2.0.tgz#e411b62357d6d6d36587c8ac3d5d974daa070e64" + integrity sha512-eB4uT9RGzg2odpER62bBwSLvUeGC+WbRjjyyFhGsKnc8wp/m0+hQsMUvUe3H2V0D5vw0nBdO1hCJoZo5mKeuIQ== + dependencies: + ansi-align "^3.0.0" + camelcase "^5.3.1" + chalk "^3.0.0" + cli-boxes "^2.2.0" + string-width "^4.1.0" + term-size "^2.1.0" + type-fest "^0.8.1" + widest-line "^3.1.0" + boxen@^5.0.0: version "5.0.1" resolved "https://registry.yarnpkg.com/boxen/-/boxen-5.0.1.tgz#657528bdd3f59a772b8279b831f27ec2c744664b" @@ -4430,6 +5738,16 @@ browserify-zlib@^0.2.0: dependencies: pako "~1.0.5" +browserslist@4.14.2: + version "4.14.2" + resolved "https://registry.yarnpkg.com/browserslist/-/browserslist-4.14.2.tgz#1b3cec458a1ba87588cc5e9be62f19b6d48813ce" + integrity sha512-HI4lPveGKUR0x2StIz+2FXfDk9SfVMrxn6PLh1JeGUwcuoDkdKZebWiyLRJ68iIPDpMI4JLVDf7S7XzslgWOhw== + dependencies: + caniuse-lite "^1.0.30001125" + electron-to-chromium "^1.3.564" + escalade "^3.0.2" + node-releases "^1.1.61" + browserslist@^4.12.0, browserslist@^4.14.5, browserslist@^4.16.6: version "4.16.6" resolved "https://registry.yarnpkg.com/browserslist/-/browserslist-4.16.6.tgz#d7901277a5a88e554ed305b183ec9b0c08f66fa2" @@ -4490,6 +5808,34 @@ bytes@1: resolved "https://registry.yarnpkg.com/bytes/-/bytes-1.0.0.tgz#3569ede8ba34315fab99c3e92cb04c7220de1fa8" integrity sha1-NWnt6Lo0MV+rmcPpLLBMciDeH6g= +bytes@3.0.0: + version "3.0.0" + resolved "https://registry.yarnpkg.com/bytes/-/bytes-3.0.0.tgz#d32815404d689699f85a4ea4fa8755dd13a96048" + integrity sha1-0ygVQE1olpn4Wk6k+odV3ROpYEg= + +bytes@3.1.0: + version "3.1.0" + resolved "https://registry.yarnpkg.com/bytes/-/bytes-3.1.0.tgz#f6cf7933a360e0588fa9fde85651cdc7f805d1f6" + integrity sha512-zauLjrfCG+xvoyaqLoV8bLVXXNGC4JqlxFCutSDWA6fJrTo2ZuvLYTqZ7aHBLZSMOopbzwv8f+wZcVzfVTI2Dg== + +c8@^7.6.0: + version "7.7.3" + resolved "https://registry.yarnpkg.com/c8/-/c8-7.7.3.tgz#5af8f83b55dace03b353375e7a2ba85e2c13b17f" + integrity sha512-ZyA7n3w8i4ETV25tVYMHwJxCSnaOf/LfA8vOcuZOPbonuQfD7tBT/gMWZy7eczRpCDuHcvMXwoqAemg6R0p3+A== + dependencies: + "@bcoe/v8-coverage" "^0.2.3" + "@istanbuljs/schema" "^0.1.2" + find-up "^5.0.0" + foreground-child "^2.0.0" + istanbul-lib-coverage "^3.0.0" + istanbul-lib-report "^3.0.0" + istanbul-reports "^3.0.2" + rimraf "^3.0.0" + test-exclude "^6.0.0" + v8-to-istanbul "^8.0.0" + yargs "^16.2.0" + yargs-parser "^20.2.7" + cacache@^12.0.2: version "12.0.4" resolved "https://registry.yarnpkg.com/cacache/-/cacache-12.0.4.tgz#668bcbd105aeb5f1d92fe25570ec9525c8faa40c" @@ -4588,6 +5934,11 @@ call-bind@^1.0.0, call-bind@^1.0.2: function-bind "^1.1.1" get-intrinsic "^1.0.2" +call-me-maybe@^1.0.1: + version "1.0.1" + resolved "https://registry.yarnpkg.com/call-me-maybe/-/call-me-maybe-1.0.1.tgz#26d208ea89e37b5cbde60250a15f031c16a4d66b" + integrity sha1-JtII6onje1y95gJQoV8DHBak1ms= + callsite@^1.0.0: version "1.0.0" resolved "https://registry.yarnpkg.com/callsite/-/callsite-1.0.0.tgz#280398e5d664bd74038b6f0905153e6e8af1bc20" @@ -4598,6 +5949,19 @@ callsites@^3.0.0: resolved "https://registry.yarnpkg.com/callsites/-/callsites-3.1.0.tgz#b3630abd8943432f54b3f0519238e33cd7df2f73" integrity sha512-P8BjAsXvZS+VIDUI11hHCQEv74YT67YUi5JJFNWIqL235sBmjX4+qx9Muvls5ivyNENctx46xQLQ3aTuE7ssaQ== +camel-case@^4.1.1: + version "4.1.2" + resolved "https://registry.yarnpkg.com/camel-case/-/camel-case-4.1.2.tgz#9728072a954f805228225a6deea6b38461e1bd5a" + integrity sha512-gxGWBrTT1JuMx6R+o5PTXMmUnhnVzLQ9SNutD4YqKtI6ap897t3tKECYla6gCWEkplXnlNybEkZg9GEGxKFCgw== + dependencies: + pascal-case "^3.1.2" + tslib "^2.0.3" + +camelcase-css@2.0.1: + version "2.0.1" + resolved "https://registry.yarnpkg.com/camelcase-css/-/camelcase-css-2.0.1.tgz#ee978f6947914cc30c6b44741b6ed1df7f043fd5" + integrity sha512-QOSvevhslijgYwRx6Rv7zKdMF8lbRmx+uQGx2+vDc+KI/eBnsy9kit5aj23AgGu3pa4t9AgwbnXWqS+iOY+2aA== + camelcase-keys@^6.2.2: version "6.2.2" resolved "https://registry.yarnpkg.com/camelcase-keys/-/camelcase-keys-6.2.2.tgz#5e755d6ba51aa223ec7d3d52f25778210f9dc3c0" @@ -4622,6 +5986,11 @@ caniuse-lite@^1.0.30001109, caniuse-lite@^1.0.30001219, caniuse-lite@^1.0.300012 resolved "https://registry.yarnpkg.com/caniuse-lite/-/caniuse-lite-1.0.30001241.tgz#cd3fae47eb3d7691692b406568d7a3e5b23c7598" integrity sha512-1uoSZ1Pq1VpH0WerIMqwptXHNNGfdl7d1cJUFs80CwQ/lVzdhTvsFZCeNFslze7AjsQnb4C85tzclPa1VShbeQ== +caniuse-lite@^1.0.30001125: + version "1.0.30001245" + resolved "https://registry.yarnpkg.com/caniuse-lite/-/caniuse-lite-1.0.30001245.tgz#45b941bbd833cb0fa53861ff2bae746b3c6ca5d4" + integrity sha512-768fM9j1PKXpOCKws6eTo3RHmvTUsG9UrpT4WoREFeZgJBTi4/X9g565azS/rVUGtqb8nt7FjLeF5u4kukERnA== + capture-exit@^2.0.0: version "2.0.0" resolved "https://registry.yarnpkg.com/capture-exit/-/capture-exit-2.0.0.tgz#fb953bfaebeb781f62898239dabb426d08a509a4" @@ -4629,20 +5998,22 @@ capture-exit@^2.0.0: dependencies: rsvp "^4.8.4" +case-sensitive-paths-webpack-plugin@^2.3.0: + version "2.4.0" + resolved "https://registry.yarnpkg.com/case-sensitive-paths-webpack-plugin/-/case-sensitive-paths-webpack-plugin-2.4.0.tgz#db64066c6422eed2e08cc14b986ca43796dbc6d4" + integrity sha512-roIFONhcxog0JSSWbvVAh3OocukmSgpqOH6YpMkCvav/ySIV3JKg4Dc8vYtQjYi/UxpNE36r/9v+VqTQqgkYmw== + caseless@~0.12.0: version "0.12.0" resolved "https://registry.yarnpkg.com/caseless/-/caseless-0.12.0.tgz#1b681c21ff84033c826543090689420d187151dc" integrity sha1-G2gcIf+EAzyCZUMJBolCDRhxUdw= -chalk@4.1.1, chalk@^4.0.0, chalk@^4.1.0, chalk@^4.1.1: - version "4.1.1" - resolved "https://registry.yarnpkg.com/chalk/-/chalk-4.1.1.tgz#c80b3fab28bf6371e6863325eee67e618b77e6ad" - integrity sha512-diHzdDKxcU+bAsUboHLPEDQiw0qEe0qd7SYUn3HgcFlWgbDcfLGswOHYeGrHKzG9z6UYf01d9VFMfZxPM1xZSg== - dependencies: - ansi-styles "^4.1.0" - supports-color "^7.1.0" +ccount@^1.0.0: + version "1.1.0" + resolved "https://registry.yarnpkg.com/ccount/-/ccount-1.1.0.tgz#246687debb6014735131be8abab2d93898f8d043" + integrity sha512-vlNK021QdI7PNeiUh/lKkC/mNHHfV0m/Ad5JoI0TYtlBnJAslM/JIkm/tGC88bkLIwO6OQ5uV6ztS6kVAtCDlg== -chalk@^2.0.0, chalk@^2.4.1, chalk@^2.4.2: +chalk@2.4.2, chalk@^2.0.0, chalk@^2.4.1, chalk@^2.4.2: version "2.4.2" resolved "https://registry.yarnpkg.com/chalk/-/chalk-2.4.2.tgz#cd42541677a54333cf541a49108c1432b44c9424" integrity sha512-Mti+f9lpJNcwF4tWV8/OrTTtF1gZi+f8FqlyAdouralcFWFQWF2+NgCHShjkCb+IFBLq9buZwE1xckQU4peSuQ== @@ -4651,6 +6022,14 @@ chalk@^2.0.0, chalk@^2.4.1, chalk@^2.4.2: escape-string-regexp "^1.0.5" supports-color "^5.3.0" +chalk@4.1.1, chalk@^4.0.0, chalk@^4.1.0, chalk@^4.1.1: + version "4.1.1" + resolved "https://registry.yarnpkg.com/chalk/-/chalk-4.1.1.tgz#c80b3fab28bf6371e6863325eee67e618b77e6ad" + integrity sha512-diHzdDKxcU+bAsUboHLPEDQiw0qEe0qd7SYUn3HgcFlWgbDcfLGswOHYeGrHKzG9z6UYf01d9VFMfZxPM1xZSg== + dependencies: + ansi-styles "^4.1.0" + supports-color "^7.1.0" + chalk@^3.0.0: version "3.0.0" resolved "https://registry.yarnpkg.com/chalk/-/chalk-3.0.0.tgz#3f73c2bf526591f574cc492c51e2456349f844e4" @@ -4720,7 +6099,7 @@ cheerio@^1.0.0-rc.3: parse5-htmlparser2-tree-adapter "^6.0.1" tslib "^2.2.0" -"chokidar@>=3.0.0 <4.0.0", chokidar@^3.4.0, chokidar@^3.4.1: +"chokidar@>=3.0.0 <4.0.0", chokidar@^3.4.0, chokidar@^3.4.1, chokidar@^3.4.2: version "3.5.2" resolved "https://registry.yarnpkg.com/chokidar/-/chokidar-3.5.2.tgz#dba3976fcadb016f66fd365021d91600d01c1e75" integrity sha512-ekGhOnNVPgT77r4K/U3GDhu+FQ2S8TnK/s2KbIGXi0SZWuwkZ2QNyfWdZW+TVfn84DpEP7rLeCt2UI6bJ8GwbQ== @@ -4807,6 +6186,13 @@ classnames@^2.2.5, classnames@^2.3.1: resolved "https://registry.yarnpkg.com/classnames/-/classnames-2.3.1.tgz#dfcfa3891e306ec1dad105d0e88f4417b8535e8e" integrity sha512-OlQdbZ7gLfGarSqxesMesDa5uz7KFbID8Kpq/SxIoNGDqY8lSYs0D+hhtBXhcdB3rcbXArFr7vlHheLk1voeNA== +clean-css@^4.2.3: + version "4.2.3" + resolved "https://registry.yarnpkg.com/clean-css/-/clean-css-4.2.3.tgz#507b5de7d97b48ee53d84adb0160ff6216380f78" + integrity sha512-VcMWDN54ZN/DS+g58HYL5/n4Zrqe8vHJpGA8KdgUXFU4fuP/aHNw8eld9SyEIyabIMJX/0RaY/fplOo5hYLSFA== + dependencies: + source-map "~0.6.0" + clean-stack@^2.0.0: version "2.2.0" resolved "https://registry.yarnpkg.com/clean-stack/-/clean-stack-2.2.0.tgz#ee8472dbb129e727b31e8a10a427dee9dfe4008b" @@ -4820,7 +6206,7 @@ clean-webpack-plugin@^3.0.0: "@types/webpack" "^4.4.31" del "^4.1.1" -cli-boxes@^2.2.1: +cli-boxes@^2.2.0, cli-boxes@^2.2.1: version "2.2.1" resolved "https://registry.yarnpkg.com/cli-boxes/-/cli-boxes-2.2.1.tgz#ddd5035d25094fce220e9cab40a45840a440318f" integrity sha512-y4coMcylgSCdVinjiDBuR8PCC2bLjyGTwEmPb9NHR/QaNU6EUOXcTY/s6VjGMD6ENSEaeQYHCY0GNGS5jfMwPw== @@ -4837,6 +6223,16 @@ cli-spinners@^2.5.0: resolved "https://registry.yarnpkg.com/cli-spinners/-/cli-spinners-2.6.0.tgz#36c7dc98fb6a9a76bd6238ec3f77e2425627e939" integrity sha512-t+4/y50K/+4xcCRosKkA7W4gTr1MySvLV0q+PxmG7FJ5g+66ChKurYjxBCjHggHH3HA5Hh9cy+lcUGWDqVH+4Q== +cli-table3@0.6.0: + version "0.6.0" + resolved "https://registry.yarnpkg.com/cli-table3/-/cli-table3-0.6.0.tgz#b7b1bc65ca8e7b5cef9124e13dc2b21e2ce4faee" + integrity sha512-gnB85c3MGC7Nm9I/FkiasNBOKjOiO1RNuXXarQms37q4QMpWdlbBgD/VnOStA2faG1dpXMv31RFApjX1/QdgWQ== + dependencies: + object-assign "^4.1.0" + string-width "^4.2.0" + optionalDependencies: + colors "^1.1.2" + cli-width@^3.0.0: version "3.0.0" resolved "https://registry.yarnpkg.com/cli-width/-/cli-width-3.0.0.tgz#a2f48437a2caa9a22436e794bf071ec9e61cedf6" @@ -4869,6 +6265,15 @@ cliui@^6.0.0: strip-ansi "^6.0.0" wrap-ansi "^6.2.0" +cliui@^7.0.2: + version "7.0.4" + resolved "https://registry.yarnpkg.com/cliui/-/cliui-7.0.4.tgz#a0265ee655476fc807aea9df3df8df7783808b4f" + integrity sha512-OcRE68cOsVMXp1Yvonl/fzkQOyjLSu/8bhPDfQt0e0/Eb283TKP20Fs2MqoPsr9SwA595rRCA+QMzYc9nBP+JQ== + dependencies: + string-width "^4.2.0" + strip-ansi "^6.0.0" + wrap-ansi "^7.0.0" + clone-deep@^0.2.4: version "0.2.4" resolved "https://registry.yarnpkg.com/clone-deep/-/clone-deep-0.2.4.tgz#4e73dd09e9fb971cc38670c5dced9c1896481cc6" @@ -4922,6 +6327,11 @@ coa@^2.0.2: chalk "^2.4.1" q "^1.1.2" +code-point-at@^1.0.0: + version "1.1.0" + resolved "https://registry.yarnpkg.com/code-point-at/-/code-point-at-1.1.0.tgz#0d070b4d043a5bea33a2f1a40e2edb3d9a4ccf77" + integrity sha1-DQcLTQQ6W+ozovGkDi7bPZpMz3c= + collapse-white-space@^1.0.2: version "1.0.6" resolved "https://registry.yarnpkg.com/collapse-white-space/-/collapse-white-space-1.0.6.tgz#e63629c0016665792060dbbeb79c42239d2c5287" @@ -4969,6 +6379,11 @@ colorette@^1.2.1, colorette@^1.2.2: resolved "https://registry.yarnpkg.com/colorette/-/colorette-1.2.2.tgz#cbcc79d5e99caea2dbf10eb3a26fd8b3e6acfa94" integrity sha512-MKGMzyfeuutC/ZJ1cba9NqcNpfeqMUcYmyF1ZFY6/Cn7CNSAKx6a+s48sqLqyAiZuaP2TcqMhoo+dlwFnVxT9w== +colors@^1.1.2: + version "1.4.0" + resolved "https://registry.yarnpkg.com/colors/-/colors-1.4.0.tgz#c50491479d4c1bdaed2c9ced32cf7c7dc2360f78" + integrity sha512-a+UqTh4kgZg/SlGvfbzDHpgRu7AAQOmmqRHJnxhRZICKFUT91brVhNNt58CMWU9PsBbv3PDCZUHbVxuDiH2mtA== + combined-stream@^1.0.6, combined-stream@^1.0.8, combined-stream@~1.0.6: version "1.0.8" resolved "https://registry.yarnpkg.com/combined-stream/-/combined-stream-1.0.8.tgz#c3d45a8b34fd730631a110a8a2520682b31d5a7f" @@ -4976,6 +6391,11 @@ combined-stream@^1.0.6, combined-stream@^1.0.8, combined-stream@~1.0.6: dependencies: delayed-stream "~1.0.0" +comma-separated-tokens@^1.0.0: + version "1.0.8" + resolved "https://registry.yarnpkg.com/comma-separated-tokens/-/comma-separated-tokens-1.0.8.tgz#632b80b6117867a158f1080ad498b2fbe7e3f5ea" + integrity sha512-GHuDRO12Sypu2cV70d1dkA2EUmXHgntrzbpvOB+Qy+49ypNfGgFQIC2fhhXbnyrJRynDCAARsT7Ou0M6hirpfw== + commander@^2.19.0, commander@^2.20.0: version "2.20.3" resolved "https://registry.yarnpkg.com/commander/-/commander-2.20.3.tgz#fd485e84c03eb4881c20722ba48035e8531aeb33" @@ -4986,7 +6406,7 @@ commander@^3.0.2: resolved "https://registry.yarnpkg.com/commander/-/commander-3.0.2.tgz#6837c3fb677ad9933d1cfba42dd14d5117d6b39e" integrity sha512-Gar0ASD4BDyKC4hl4DwHqDrmvjoxWKZigVnAbn5H1owvm4CxCPdb0HQDehwNYMJpla5+M2tPmPARzhtYuwpHow== -commander@^4.0.1: +commander@^4.0.1, commander@^4.1.1: version "4.1.1" resolved "https://registry.yarnpkg.com/commander/-/commander-4.1.1.tgz#9fd602bd936294e9e9ef46a3f4d6964044b18068" integrity sha512-NOKm8xhkzAjzFx8B2v5OAHT+u5pRQc2UCa2Vq9jYL/31o2wi9mxBA7LIFs3sV5VSC49z6pEhfbMULvShKj26WA== @@ -4996,7 +6416,7 @@ commander@^5.1.0: resolved "https://registry.yarnpkg.com/commander/-/commander-5.1.0.tgz#46abbd1652f8e059bddaef99bbdcb2ad9cf179ae" integrity sha512-P0CysNDQ7rtVw4QIQtm+MRxV66vKFSvlsQvGYXZWR3qFU0jlMKHZZZgw8e+8DSah4UDKMqnknRDQz+xuQXQ/Zg== -commander@^6.2.0: +commander@^6.2.0, commander@^6.2.1: version "6.2.1" resolved "https://registry.yarnpkg.com/commander/-/commander-6.2.1.tgz#0792eb682dfbc325999bb2b84fddddba110ac73c" integrity sha512-U7VdrJFnJgo4xjrHpTzu0yrHPGImdsmD95ZlgYSEajAn2JKzDhDTPG9kBTefmObL2w/ngeZnilk+OV9CG3d7UA== @@ -5043,6 +6463,26 @@ component-inherit@0.0.3: resolved "https://registry.yarnpkg.com/component-inherit/-/component-inherit-0.0.3.tgz#645fc4adf58b72b649d5cae65135619db26ff143" integrity sha1-ZF/ErfWLcrZJ1crmUTVhnbJv8UM= +compressible@~2.0.16: + version "2.0.18" + resolved "https://registry.yarnpkg.com/compressible/-/compressible-2.0.18.tgz#af53cca6b070d4c3c0750fbd77286a6d7cc46fba" + integrity sha512-AF3r7P5dWxL8MxyITRMlORQNaOA2IkAFaTr4k7BUumjPtRpGDTZpl0Pb1XCO6JeDCBdp126Cgs9sMxqSjgYyRg== + dependencies: + mime-db ">= 1.43.0 < 2" + +compression@^1.7.4: + version "1.7.4" + resolved "https://registry.yarnpkg.com/compression/-/compression-1.7.4.tgz#95523eff170ca57c29a0ca41e6fe131f41e5bb8f" + integrity sha512-jaSIDzP9pZVS4ZfQ+TzvtiWhdpFhE2RDHz8QJkpX9SIpLq88VueF5jJw6t+6CUQcAoA6t+x89MLrWAqpfDE8iQ== + dependencies: + accepts "~1.3.5" + bytes "3.0.0" + compressible "~2.0.16" + debug "2.6.9" + on-headers "~1.0.2" + safe-buffer "5.1.2" + vary "~1.1.2" + compute-scroll-into-view@^1.0.17: version "1.0.17" resolved "https://registry.yarnpkg.com/compute-scroll-into-view/-/compute-scroll-into-view-1.0.17.tgz#6a88f18acd9d42e9cf4baa6bec7e0522607ab7ab" @@ -5085,6 +6525,11 @@ console-browserify@^1.1.0: resolved "https://registry.yarnpkg.com/console-browserify/-/console-browserify-1.2.0.tgz#67063cef57ceb6cf4993a2ab3a55840ae8c49336" integrity sha512-ZMkYO/LkF17QvCPqM0gxw8yUzigAOZOSWSHg91FH6orS7vcEj5dVZTidN2fQ14yBSdg97RqhSNwLUXInd52OTA== +console-control-strings@^1.0.0, console-control-strings@~1.1.0: + version "1.1.0" + resolved "https://registry.yarnpkg.com/console-control-strings/-/console-control-strings-1.1.0.tgz#3d7cf4464db6446ea644bf4b39507f9851008e8e" + integrity sha1-PXz0Rk22RG6mRL9LOVB/mFEAjo4= + "consolidated-events@^1.1.1 || ^2.0.0": version "2.0.2" resolved "https://registry.yarnpkg.com/consolidated-events/-/consolidated-events-2.0.2.tgz#da8d8f8c2b232831413d9e190dc11669c79f4a91" @@ -5095,6 +6540,18 @@ constants-browserify@^1.0.0: resolved "https://registry.yarnpkg.com/constants-browserify/-/constants-browserify-1.0.0.tgz#c20b96d8c617748aaf1c16021760cd27fcb8cb75" integrity sha1-wguW2MYXdIqvHBYCF2DNJ/y4y3U= +content-disposition@0.5.3: + version "0.5.3" + resolved "https://registry.yarnpkg.com/content-disposition/-/content-disposition-0.5.3.tgz#e130caf7e7279087c5616c2007d0485698984fbd" + integrity sha512-ExO0774ikEObIAEV9kDo50o+79VCUdEB6n6lzKgGwupcVeRlhrj3qGAfwq8G6uBJjkqLrhT0qEYFcWng8z1z0g== + dependencies: + safe-buffer "5.1.2" + +content-type@~1.0.4: + version "1.0.4" + resolved "https://registry.yarnpkg.com/content-type/-/content-type-1.0.4.tgz#e138cc75e040c727b1966fe5e5f8c9aee256fe3b" + integrity sha512-hIP3EEPs8tB9AT1L+NUqtwOAps4mk2Zob89MWXMHjHWg9milF/j4osnnQLXBCBFBk/tvIG/tUc9mOUJiPBhPXA== + continuable-cache@^0.3.1: version "0.3.1" resolved "https://registry.yarnpkg.com/continuable-cache/-/continuable-cache-0.3.1.tgz#bd727a7faed77e71ff3985ac93351a912733ad0f" @@ -5107,6 +6564,16 @@ convert-source-map@^1.1.0, convert-source-map@^1.4.0, convert-source-map@^1.5.0, dependencies: safe-buffer "~5.1.1" +cookie-signature@1.0.6: + version "1.0.6" + resolved "https://registry.yarnpkg.com/cookie-signature/-/cookie-signature-1.0.6.tgz#e303a882b342cc3ee8ca513a79999734dab3ae2c" + integrity sha1-4wOogrNCzD7oylE6eZmXNNqzriw= + +cookie@0.4.0: + version "0.4.0" + resolved "https://registry.yarnpkg.com/cookie/-/cookie-0.4.0.tgz#beb437e7022b3b6d49019d088665303ebe9c14ba" + integrity sha512-+Hp8fLp57wnUSt0tY0tHEXh4voZRDnoIrZPqlo3DPiI4y9lwg/jqx+1Om94/W6ZaPDOUbnjOt/99w66zk+l1Xg== + copy-concurrently@^1.0.0: version "1.0.5" resolved "https://registry.yarnpkg.com/copy-concurrently/-/copy-concurrently-1.0.5.tgz#92297398cae34937fcafd6ec8139c18051f0b5e0" @@ -5124,6 +6591,13 @@ copy-descriptor@^0.1.0: resolved "https://registry.yarnpkg.com/copy-descriptor/-/copy-descriptor-0.1.1.tgz#676f6eb3c39997c2ee1ac3a924fd6124748f578d" integrity sha1-Z29us8OZl8LuGsOpJP1hJHSPV40= +copy-to-clipboard@^3.3.1: + version "3.3.1" + resolved "https://registry.yarnpkg.com/copy-to-clipboard/-/copy-to-clipboard-3.3.1.tgz#115aa1a9998ffab6196f93076ad6da3b913662ae" + integrity sha512-i13qo6kIHTTpCm8/Wup+0b1mVWETvu2kIMzKoK8FpkLkFxlt0znUAHcMzox+T8sPlqtZXq3CulEjQHsYiGFJUw== + dependencies: + toggle-selection "^1.0.6" + core-js-compat@^3.14.0, core-js-compat@^3.15.0: version "3.15.1" resolved "https://registry.yarnpkg.com/core-js-compat/-/core-js-compat-3.15.1.tgz#1afe233716d37ee021956ef097594071b2b585a7" @@ -5132,16 +6606,34 @@ core-js-compat@^3.14.0, core-js-compat@^3.15.0: browserslist "^4.16.6" semver "7.0.0" +core-js-compat@^3.8.1: + version "3.15.2" + resolved "https://registry.yarnpkg.com/core-js-compat/-/core-js-compat-3.15.2.tgz#47272fbb479880de14b4e6081f71f3492f5bd3cb" + integrity sha512-Wp+BJVvwopjI+A1EFqm2dwUmWYXrvucmtIB2LgXn/Rb+gWPKYxtmb4GKHGKG/KGF1eK9jfjzT38DITbTOCX/SQ== + dependencies: + browserslist "^4.16.6" + semver "7.0.0" + core-js-pure@^3.15.0: version "3.15.1" resolved "https://registry.yarnpkg.com/core-js-pure/-/core-js-pure-3.15.1.tgz#8356f6576fa2aa8e54ca6fe02620968ff010eed7" integrity sha512-OZuWHDlYcIda8sJLY4Ec6nWq2hRjlyCqCZ+jCflyleMkVt3tPedDVErvHslyS2nbO+SlBFMSBJYvtLMwxnrzjA== +core-js-pure@^3.8.2: + version "3.15.2" + resolved "https://registry.yarnpkg.com/core-js-pure/-/core-js-pure-3.15.2.tgz#c8e0874822705f3385d3197af9348f7c9ae2e3ce" + integrity sha512-D42L7RYh1J2grW8ttxoY1+17Y4wXZeKe7uyplAI3FkNQyI5OgBIAjUfFiTPfL1rs0qLpxaabITNbjKl1Sp82tA== + core-js@^2.6.5: version "2.6.12" resolved "https://registry.yarnpkg.com/core-js/-/core-js-2.6.12.tgz#d9333dfa7b065e347cc5682219d6f690859cc2ec" integrity sha512-Kb2wC0fvsWfQrgk8HU5lW6U/Lcs8+9aaYcy4ZFc6DDlo4nZ7n70dEgE5rtR0oG6ufKDUnrwfWL1mXR5ljDatrQ== +core-js@^3.0.4, core-js@^3.6.5, core-js@^3.8.2: + version "3.15.2" + resolved "https://registry.yarnpkg.com/core-js/-/core-js-3.15.2.tgz#740660d2ff55ef34ce664d7e2455119c5bdd3d61" + integrity sha512-tKs41J7NJVuaya8DxIOCnl8QuPHx5/ZVbFo1oKgVl1qHFBBrDctzQGtuLjPpRdNTWmKPH6oEvgN/MUID+l485Q== + core-js@^3.12.1: version "3.15.1" resolved "https://registry.yarnpkg.com/core-js/-/core-js-3.15.1.tgz#6c08ab88abdf56545045ccf5fd81f47f407e7f1a" @@ -5174,6 +6666,31 @@ cosmiconfig@^6.0.0: path-type "^4.0.0" yaml "^1.7.2" +cp-file@^7.0.0: + version "7.0.0" + resolved "https://registry.yarnpkg.com/cp-file/-/cp-file-7.0.0.tgz#b9454cfd07fe3b974ab9ea0e5f29655791a9b8cd" + integrity sha512-0Cbj7gyvFVApzpK/uhCtQ/9kE9UnYpxMzaq5nQQC/Dh4iaj5fxp7iEFIullrYwzj8nf0qnsI1Qsx34hAeAebvw== + dependencies: + graceful-fs "^4.1.2" + make-dir "^3.0.0" + nested-error-stacks "^2.0.0" + p-event "^4.1.0" + +cpy@^8.1.1: + version "8.1.2" + resolved "https://registry.yarnpkg.com/cpy/-/cpy-8.1.2.tgz#e339ea54797ad23f8e3919a5cffd37bfc3f25935" + integrity sha512-dmC4mUesv0OYH2kNFEidtf/skUwv4zePmGeepjyyJ0qTo5+8KhA1o99oIAwVVLzQMAeDJml74d6wPPKb6EZUTg== + dependencies: + arrify "^2.0.1" + cp-file "^7.0.0" + globby "^9.2.0" + has-glob "^1.0.0" + junk "^3.1.0" + nested-error-stacks "^2.1.0" + p-all "^2.1.0" + p-filter "^2.1.0" + p-map "^3.0.0" + create-ecdh@^4.0.0: version "4.0.4" resolved "https://registry.yarnpkg.com/create-ecdh/-/create-ecdh-4.0.4.tgz#d6e7f4bffa66736085a0762fd3a632684dabcc4e" @@ -5215,6 +6732,23 @@ create-hmac@^1.1.0, create-hmac@^1.1.4, create-hmac@^1.1.7: safe-buffer "^5.0.1" sha.js "^2.4.8" +create-react-context@0.3.0: + version "0.3.0" + resolved "https://registry.yarnpkg.com/create-react-context/-/create-react-context-0.3.0.tgz#546dede9dc422def0d3fc2fe03afe0bc0f4f7d8c" + integrity sha512-dNldIoSuNSvlTJ7slIKC/ZFGKexBMBrrcc+TTe1NdmROnaASuLPvqpwj9v4XS4uXZ8+YPu0sNmShX2rXI5LNsw== + dependencies: + gud "^1.0.0" + warning "^4.0.3" + +cross-spawn@7.0.3, cross-spawn@^7.0.0, cross-spawn@^7.0.2, cross-spawn@^7.0.3: + version "7.0.3" + resolved "https://registry.yarnpkg.com/cross-spawn/-/cross-spawn-7.0.3.tgz#f73a85b9d5d41d045551c177e2882d4ac85728a6" + integrity sha512-iRDPJKUPVEND7dHPO8rkbOnPpyDygcDFtWjpeWNCgy8WP2rXcxXL8TskReQl6OrB2G7+UJrags1q15Fudc7G6w== + dependencies: + path-key "^3.1.0" + shebang-command "^2.0.0" + which "^2.0.1" + cross-spawn@^5.1.0: version "5.1.0" resolved "https://registry.yarnpkg.com/cross-spawn/-/cross-spawn-5.1.0.tgz#e8bd0efee58fcff6f8f94510a0a554bbfa235449" @@ -5235,15 +6769,6 @@ cross-spawn@^6.0.0, cross-spawn@^6.0.5: shebang-command "^1.2.0" which "^1.2.9" -cross-spawn@^7.0.0, cross-spawn@^7.0.2, cross-spawn@^7.0.3: - version "7.0.3" - resolved "https://registry.yarnpkg.com/cross-spawn/-/cross-spawn-7.0.3.tgz#f73a85b9d5d41d045551c177e2882d4ac85728a6" - integrity sha512-iRDPJKUPVEND7dHPO8rkbOnPpyDygcDFtWjpeWNCgy8WP2rXcxXL8TskReQl6OrB2G7+UJrags1q15Fudc7G6w== - dependencies: - path-key "^3.1.0" - shebang-command "^2.0.0" - which "^2.0.1" - crypto-browserify@^3.11.0: version "3.12.0" resolved "https://registry.yarnpkg.com/crypto-browserify/-/crypto-browserify-3.12.0.tgz#396cf9f3137f03e4b8e532c58f698254e00f80ec" @@ -5266,6 +6791,25 @@ crypto-random-string@^2.0.0: resolved "https://registry.yarnpkg.com/crypto-random-string/-/crypto-random-string-2.0.0.tgz#ef2a7a966ec11083388369baa02ebead229b30d5" integrity sha512-v1plID3y9r/lPhviJ1wrXpLeyUIGAZ2SHNYTEapm7/8A9nLPoyvVp3RK/EPFqn5kEznyWgYZNsRtYYIWbuG8KA== +css-loader@^3.6.0: + version "3.6.0" + resolved "https://registry.yarnpkg.com/css-loader/-/css-loader-3.6.0.tgz#2e4b2c7e6e2d27f8c8f28f61bffcd2e6c91ef645" + integrity sha512-M5lSukoWi1If8dhQAUCvj4H8vUt3vOnwbQBH9DdTm/s4Ym2B/3dPMtYZeJmq7Q3S3Pa+I94DcZ7pc9bP14cWIQ== + dependencies: + camelcase "^5.3.1" + cssesc "^3.0.0" + icss-utils "^4.1.1" + loader-utils "^1.2.3" + normalize-path "^3.0.0" + postcss "^7.0.32" + postcss-modules-extract-imports "^2.0.0" + postcss-modules-local-by-default "^3.0.2" + postcss-modules-scope "^2.2.0" + postcss-modules-values "^3.0.0" + postcss-value-parser "^4.1.0" + schema-utils "^2.7.0" + semver "^6.3.0" + css-loader@^5.1.3, css-loader@^5.2.6: version "5.2.6" resolved "https://registry.yarnpkg.com/css-loader/-/css-loader-5.2.6.tgz#c3c82ab77fea1f360e587d871a6811f4450cc8d1" @@ -5412,6 +6956,13 @@ data-urls@^2.0.0: whatwg-mimetype "^2.3.0" whatwg-url "^8.0.0" +debug@2.6.9, debug@^2.2.0, debug@^2.3.3, debug@^2.6.0, debug@^2.6.9: + version "2.6.9" + resolved "https://registry.yarnpkg.com/debug/-/debug-2.6.9.tgz#5d128515df134ff327e90a4c93f4e077a536341f" + integrity sha512-bC7ElrdJaJnPbAP+1EotYvqZsb3ecl5wi6Bfi6BJTUcNowp6cvspg0jXznRTKDjm/E7AdgFBVeAPVMNcKGsHMA== + dependencies: + ms "2.0.0" + debug@4, debug@4.3.1, debug@^4.0.0, debug@^4.0.1, debug@^4.1.0, debug@^4.1.1, debug@^4.3.1: version "4.3.1" resolved "https://registry.yarnpkg.com/debug/-/debug-4.3.1.tgz#f0d229c505e0c6d8c49ac553d1b13dc183f6b2ee" @@ -5419,14 +6970,7 @@ debug@4, debug@4.3.1, debug@^4.0.0, debug@^4.0.1, debug@^4.1.0, debug@^4.1.1, de dependencies: ms "2.1.2" -debug@^2.2.0, debug@^2.3.3, debug@^2.6.9: - version "2.6.9" - resolved "https://registry.yarnpkg.com/debug/-/debug-2.6.9.tgz#5d128515df134ff327e90a4c93f4e077a536341f" - integrity sha512-bC7ElrdJaJnPbAP+1EotYvqZsb3ecl5wi6Bfi6BJTUcNowp6cvspg0jXznRTKDjm/E7AdgFBVeAPVMNcKGsHMA== - dependencies: - ms "2.0.0" - -debug@^3.1.0, debug@^3.1.1, debug@^3.2.7: +debug@^3.0.0, debug@^3.1.0, debug@^3.1.1, debug@^3.2.7: version "3.2.7" resolved "https://registry.yarnpkg.com/debug/-/debug-3.2.7.tgz#72580b7e9145fb39b6676f9c5e5fb100b934179a" integrity sha512-CFjzYYAi4ThfiQvizrFQevTTXHtnCqWfe7x1AhgEscTz6ZbLbfoLRLPugTQyBth6f8ZERVUSyWHFD/7Wu4t1XQ== @@ -5504,6 +7048,11 @@ deep-is@^0.1.3, deep-is@~0.1.3: resolved "https://registry.yarnpkg.com/deep-is/-/deep-is-0.1.3.tgz#b369d6fb5dbc13eecf524f91b070feedc357cf34" integrity sha1-s2nW+128E+7PUk+RsHD+7cNXzzQ= +deep-object-diff@^1.1.0: + version "1.1.0" + resolved "https://registry.yarnpkg.com/deep-object-diff/-/deep-object-diff-1.1.0.tgz#d6fabf476c2ed1751fc94d5ca693d2ed8c18bc5a" + integrity sha512-b+QLs5vHgS+IoSNcUE4n9HP2NwcHj7aqnJWsjPtuG75Rh5TOaGt0OjAYInh77d5T16V5cRDC+Pw/6ZZZiETBGw== + deepmerge@^1.5.2: version "1.5.2" resolved "https://registry.yarnpkg.com/deepmerge/-/deepmerge-1.5.2.tgz#10499d868844cdad4fee0842df8c7f6f0c95a753" @@ -5583,6 +7132,16 @@ delegate@^3.1.2: resolved "https://registry.yarnpkg.com/delegate/-/delegate-3.2.0.tgz#b66b71c3158522e8ab5744f720d8ca0c2af59166" integrity sha512-IofjkYBZaZivn0V8nnsMJGBr4jVLxHDheKSW88PyxS5QC4Vo9ZbZVvhzlSxY87fVq3STR6r+4cGepyHkcWOQSw== +delegates@^1.0.0: + version "1.0.0" + resolved "https://registry.yarnpkg.com/delegates/-/delegates-1.0.0.tgz#84c6e159b81904fdca59a0ef44cd870d31250f9a" + integrity sha1-hMbhWbgZBP3KWaDvRM2HDTElD5o= + +depd@~1.1.2: + version "1.1.2" + resolved "https://registry.yarnpkg.com/depd/-/depd-1.1.2.tgz#9bcd52e14c097763e749b274c4346ed2e560b5a9" + integrity sha1-m81S4UwJd2PnSbJ0xDRu0uVgtak= + deprecated-obj@2.0.0: version "2.0.0" resolved "https://registry.yarnpkg.com/deprecated-obj/-/deprecated-obj-2.0.0.tgz#e6ba93a3989f6ed18d685e7d99fb8d469b4beffc" @@ -5604,6 +7163,18 @@ des.js@^1.0.0: inherits "^2.0.1" minimalistic-assert "^1.0.0" +destroy@~1.0.4: + version "1.0.4" + resolved "https://registry.yarnpkg.com/destroy/-/destroy-1.0.4.tgz#978857442c44749e4206613e37946205826abd80" + integrity sha1-l4hXRCxEdJ5CBmE+N5RiBYJqvYA= + +detab@2.0.4: + version "2.0.4" + resolved "https://registry.yarnpkg.com/detab/-/detab-2.0.4.tgz#b927892069aff405fbb9a186fe97a44a92a94b43" + integrity sha512-8zdsQA5bIkoRECvCrNKPla84lyoR7DSAyf7p0YgXzBO9PDJx8KntPUay7NS6yp+KdxdVtiE5SpHKtbp2ZQyA9g== + dependencies: + repeat-string "^1.5.4" + detect-file@^1.0.0: version "1.0.0" resolved "https://registry.yarnpkg.com/detect-file/-/detect-file-1.0.0.tgz#f0d66d03672a825cb1b73bdb3fe62310c8e552b7" @@ -5614,6 +7185,22 @@ detect-newline@^3.0.0: resolved "https://registry.yarnpkg.com/detect-newline/-/detect-newline-3.1.0.tgz#576f5dfc63ae1a192ff192d8ad3af6308991b651" integrity sha512-TLz+x/vEXm/Y7P7wn1EJFNLxYpUD4TgMosxY6fAVJUnJMbupHBOncxyWUG9OpTaH9EBD7uFI5LfEgmMOc54DsA== +detect-port-alt@1.1.6: + version "1.1.6" + resolved "https://registry.yarnpkg.com/detect-port-alt/-/detect-port-alt-1.1.6.tgz#24707deabe932d4a3cf621302027c2b266568275" + integrity sha512-5tQykt+LqfJFBEYaDITx7S7cR7mJ/zQmLXZ2qt5w04ainYZw6tBf9dBunMjVeVOdYVRUzUOE4HkY5J7+uttb5Q== + dependencies: + address "^1.0.1" + debug "^2.6.0" + +detect-port@^1.3.0: + version "1.3.0" + resolved "https://registry.yarnpkg.com/detect-port/-/detect-port-1.3.0.tgz#d9c40e9accadd4df5cac6a782aefd014d573d1f1" + integrity sha512-E+B1gzkl2gqxt1IhUzwjrxBKRqx1UzC3WLONHinn8S3T6lwV/agVCyitiFOsGJ/eYuEUBvD71MZHy3Pv1G9doQ== + dependencies: + address "^1.0.1" + debug "^2.6.0" + devtools-protocol@0.0.869402: version "0.0.869402" resolved "https://registry.yarnpkg.com/devtools-protocol/-/devtools-protocol-0.0.869402.tgz#03ade701761742e43ae4de5dc188bcd80f156d8d" @@ -5638,6 +7225,13 @@ diffie-hellman@^5.0.0: miller-rabin "^4.0.0" randombytes "^2.0.0" +dir-glob@^2.2.2: + version "2.2.2" + resolved "https://registry.yarnpkg.com/dir-glob/-/dir-glob-2.2.2.tgz#fa09f0694153c8918b18ba0deafae94769fc50c4" + integrity sha512-f9LBi5QWzIW3I6e//uxZoLBlUt9kcp66qo0sSCxL6YZKc75R1c4MFCoe/LaZiBGmgujvQdxc5Bn3QhfyvK5Hsw== + dependencies: + path-type "^3.0.0" + dir-glob@^3.0.1: version "3.0.1" resolved "https://registry.yarnpkg.com/dir-glob/-/dir-glob-3.0.1.tgz#56dbf73d992a4a93ba1584f4534063fd2e41717f" @@ -5676,6 +7270,13 @@ document.contains@^1.0.1: dependencies: define-properties "^1.1.3" +dom-converter@^0.2.0: + version "0.2.0" + resolved "https://registry.yarnpkg.com/dom-converter/-/dom-converter-0.2.0.tgz#6721a9daee2e293682955b6afe416771627bb768" + integrity sha512-gd3ypIPfOMr9h5jIKq8E3sHOTCjeirnl0WK5ZdS1AW0Odt0b1PaWaHdJ4Qk4klv+YB9aJBS7mESXjFoDQPu6DA== + dependencies: + utila "~0.4" + dom-scroll-into-view@^1.2.1: version "1.2.1" resolved "https://registry.yarnpkg.com/dom-scroll-into-view/-/dom-scroll-into-view-1.2.1.tgz#e8f36732dd089b0201a88d7815dc3f88e6d66c7e" @@ -5698,6 +7299,11 @@ dom-serializer@^1.0.1, dom-serializer@^1.3.2: domhandler "^4.2.0" entities "^2.0.0" +dom-walk@^0.1.0: + version "0.1.2" + resolved "https://registry.yarnpkg.com/dom-walk/-/dom-walk-0.1.2.tgz#0c548bef048f4d1f2a97249002236060daa3fd84" + integrity sha512-6QvTW9mrGeIegrFXdtQi9pk7O/nSK6lSdXW2eqUspN5LWD7UTji2Fqw5V2YLjBpHEoU9Xl/eUWNpDeZvoyOv2w== + domain-browser@^1.1.1: version "1.2.0" resolved "https://registry.yarnpkg.com/domain-browser/-/domain-browser-1.2.0.tgz#3d31f50191a6749dd1375a7f522e823d42e54eda" @@ -5751,6 +7357,14 @@ domutils@^2.5.2, domutils@^2.6.0, domutils@^2.7.0: domelementtype "^2.2.0" domhandler "^4.2.0" +dot-case@^3.0.4: + version "3.0.4" + resolved "https://registry.yarnpkg.com/dot-case/-/dot-case-3.0.4.tgz#9b2b670d00a431667a8a75ba29cd1b98809ce751" + integrity sha512-Kv5nKlh6yRrdrGvxeJ2e5y2eRUpkUosIW4A2AS38zwSz27zu7ufDwQPi5Jhs3XAlGNetl3bmnGhQsMtkKJnj3w== + dependencies: + no-case "^3.0.4" + tslib "^2.0.3" + dot-prop@^5.2.0: version "5.3.0" resolved "https://registry.yarnpkg.com/dot-prop/-/dot-prop-5.3.0.tgz#90ccce708cd9cd82cc4dc8c3ddd9abdd55b20e88" @@ -5758,6 +7372,35 @@ dot-prop@^5.2.0: dependencies: is-obj "^2.0.0" +dotenv-defaults@^1.0.2: + version "1.1.1" + resolved "https://registry.yarnpkg.com/dotenv-defaults/-/dotenv-defaults-1.1.1.tgz#032c024f4b5906d9990eb06d722dc74cc60ec1bd" + integrity sha512-6fPRo9o/3MxKvmRZBD3oNFdxODdhJtIy1zcJeUSCs6HCy4tarUpd+G67UTU9tF6OWXeSPqsm4fPAB+2eY9Rt9Q== + dependencies: + dotenv "^6.2.0" + +dotenv-expand@^5.1.0: + version "5.1.0" + resolved "https://registry.yarnpkg.com/dotenv-expand/-/dotenv-expand-5.1.0.tgz#3fbaf020bfd794884072ea26b1e9791d45a629f0" + integrity sha512-YXQl1DSa4/PQyRfgrv6aoNjhasp/p4qs9FjJ4q4cQk+8m4r6k4ZSiEyytKG8f8W9gi8WsQtIObNmKd+tMzNTmA== + +dotenv-webpack@^1.8.0: + version "1.8.0" + resolved "https://registry.yarnpkg.com/dotenv-webpack/-/dotenv-webpack-1.8.0.tgz#7ca79cef2497dd4079d43e81e0796bc9d0f68a5e" + integrity sha512-o8pq6NLBehtrqA8Jv8jFQNtG9nhRtVqmoD4yWbgUyoU3+9WBlPe+c2EAiaJok9RB28QvrWvdWLZGeTT5aATDMg== + dependencies: + dotenv-defaults "^1.0.2" + +dotenv@^6.2.0: + version "6.2.0" + resolved "https://registry.yarnpkg.com/dotenv/-/dotenv-6.2.0.tgz#941c0410535d942c8becf28d3f357dbd9d476064" + integrity sha512-HygQCKUBSFl8wKQZBSemMywRWcEDNidvNbjGVyZu3nbZ8qq9ubiPoGLMdRDpfSrpkkm9BXYFkpKxxFX38o/76w== + +dotenv@^8.0.0: + version "8.6.0" + resolved "https://registry.yarnpkg.com/dotenv/-/dotenv-8.6.0.tgz#061af664d19f7f4d8fc6e4ff9b584ce237adcb8b" + integrity sha512-IrPdXQsk2BbzvCBGBOTmmSH5SodmqZNt4ERAZDmW4CT+tL8VtvinqywuANaFu4bOMWki16nqf0e4oC0QIaDr/g== + downshift@^6.0.15: version "6.1.3" resolved "https://registry.yarnpkg.com/downshift/-/downshift-6.1.3.tgz#e794b7805d24810968f21e81ad6bdd9f3fdc40da" @@ -5773,7 +7416,7 @@ duplexer3@^0.1.4: resolved "https://registry.yarnpkg.com/duplexer3/-/duplexer3-0.1.4.tgz#ee01dd1cac0ed3cbc7fdbea37dc0a8f1ce002ce2" integrity sha1-7gHdHKwO08vH/b6jfcCo8c4ALOI= -duplexer@^0.1.2: +duplexer@^0.1.1, duplexer@^0.1.2: version "0.1.2" resolved "https://registry.yarnpkg.com/duplexer/-/duplexer-0.1.2.tgz#3abe43aef3835f8ae077d136ddce0f276b0400e6" integrity sha512-jtD6YG370ZCIi/9GTaJKQxWTZD045+4R4hTk/x1UyoqadyJ9x9CgSi1RlVDQF8U2sxLLSnFkCaMihqljHIWgMg== @@ -5801,11 +7444,28 @@ ecc-jsbn@~0.1.1: jsbn "~0.1.0" safer-buffer "^2.1.0" +ee-first@1.1.1: + version "1.1.1" + resolved "https://registry.yarnpkg.com/ee-first/-/ee-first-1.1.1.tgz#590c61156b0ae2f4f0255732a158b266bc56b21d" + integrity sha1-WQxhFWsK4vTwJVcyoViyZrxWsh0= + +electron-to-chromium@^1.3.564: + version "1.3.778" + resolved "https://registry.yarnpkg.com/electron-to-chromium/-/electron-to-chromium-1.3.778.tgz#bf01048736c95b78f2988e88005e0ebb385942a4" + integrity sha512-Lw04qJaPtWdq0d7qKHJTgkam+FhFi3hm/scf1EyqJWdjO3ZIGUJhNmZJRXWb7yb/bRYXQyVGSpa9RqVpjjWMQw== + electron-to-chromium@^1.3.723: version "1.3.760" resolved "https://registry.yarnpkg.com/electron-to-chromium/-/electron-to-chromium-1.3.760.tgz#cf19c9ae9ff23c0ac6bb289e3b71c09b7c3f8de1" integrity sha512-XPKwjX6pHezJWB4FLVuSil9gGmU6XYl27ahUwEHODXF4KjCEB8RuIT05MkU1au2Tdye57o49yY0uCMK+bwUt+A== +element-resize-detector@^1.2.2: + version "1.2.3" + resolved "https://registry.yarnpkg.com/element-resize-detector/-/element-resize-detector-1.2.3.tgz#5078d9b99398fe4c589f8c8df94ff99e5d413ff3" + integrity sha512-+dhNzUgLpq9ol5tyhoG7YLoXL3ssjfFW+0gpszXPwRU6NjGr1fVHMEAF8fVzIiRJq57Nre0RFeIjJwI8Nh2NmQ== + dependencies: + batch-processor "1.0.0" + elliptic@^6.5.3: version "6.5.4" resolved "https://registry.yarnpkg.com/elliptic/-/elliptic-6.5.4.tgz#da37cebd31e79a1367e941b592ed1fbebd58abbb" @@ -5824,6 +7484,11 @@ emittery@^0.7.1: resolved "https://registry.yarnpkg.com/emittery/-/emittery-0.7.2.tgz#25595908e13af0f5674ab419396e2fb394cdfa82" integrity sha512-A8OG5SR/ij3SsJdWDJdkkSYUjQdCUx6APQXem0SaEePBSRg4eymGYwBkKo1Y6DU+af/Jn2dBQqDBvjnr9Vi8nQ== +"emoji-regex@>=6.0.0 <=6.1.1": + version "6.1.1" + resolved "https://registry.yarnpkg.com/emoji-regex/-/emoji-regex-6.1.1.tgz#c6cd0ec1b0642e2a3c67a1137efc5e796da4f88e" + integrity sha1-xs0OwbBkLio8Z6ETfvxeeW2k+I4= + emoji-regex@^7.0.1: version "7.0.3" resolved "https://registry.yarnpkg.com/emoji-regex/-/emoji-regex-7.0.3.tgz#933a04052860c85e83c122479c4748a8e4c72156" @@ -5844,6 +7509,15 @@ emojis-list@^3.0.0: resolved "https://registry.yarnpkg.com/emojis-list/-/emojis-list-3.0.0.tgz#5570662046ad29e2e916e71aae260abdff4f6a78" integrity sha512-/kyM18EfinwXZbno9FyUGeFh87KC8HRQBQGildHZbEuRyWFOmv1U10o9BBp8XVZDVNNuQKyIGIu5ZYAAXJ0V2Q== +emotion-theming@^10.0.27: + version "10.0.27" + resolved "https://registry.yarnpkg.com/emotion-theming/-/emotion-theming-10.0.27.tgz#1887baaec15199862c89b1b984b79806f2b9ab10" + integrity sha512-MlF1yu/gYh8u+sLUqA0YuA9JX0P4Hb69WlKc/9OLo+WCXuX6sy/KoIa+qJimgmr2dWqnypYKYPX37esjDBbhdw== + dependencies: + "@babel/runtime" "^7.5.5" + "@emotion/weak-memoize" "0.2.5" + hoist-non-react-statics "^3.3.0" + emotion@^10.0.23: version "10.0.27" resolved "https://registry.yarnpkg.com/emotion/-/emotion-10.0.27.tgz#f9ca5df98630980a23c819a56262560562e5d75e" @@ -5852,6 +7526,11 @@ emotion@^10.0.23: babel-plugin-emotion "^10.0.27" create-emotion "^10.0.27" +encodeurl@~1.0.2: + version "1.0.2" + resolved "https://registry.yarnpkg.com/encodeurl/-/encodeurl-1.0.2.tgz#ad3ff4c86ec2d029322f5a02c3a9a606c95b3f59" + integrity sha1-rT/0yG7C0CkyL1oCw6mmBslbP1k= + encoding@^0.1.12: version "0.1.13" resolved "https://registry.yarnpkg.com/encoding/-/encoding-0.1.13.tgz#56574afdd791f54a8e9b2785c0582a2d26210fa9" @@ -5866,6 +7545,15 @@ end-of-stream@^1.0.0, end-of-stream@^1.1.0, end-of-stream@^1.4.1: dependencies: once "^1.4.0" +endent@^2.0.1: + version "2.1.0" + resolved "https://registry.yarnpkg.com/endent/-/endent-2.1.0.tgz#5aaba698fb569e5e18e69e1ff7a28ff35373cd88" + integrity sha512-r8VyPX7XL8U01Xgnb1CjZ3XV+z90cXIJ9JPE/R9SEC9vpw2P6CfsRPJmp20DppC5N7ZAMCmjYkJIa744Iyg96w== + dependencies: + dedent "^0.7.0" + fast-json-parse "^1.0.3" + objectorarray "^1.0.5" + engine.io-client@~3.5.0: version "3.5.2" resolved "https://registry.yarnpkg.com/engine.io-client/-/engine.io-client-3.5.2.tgz#0ef473621294004e9ceebe73cef0af9e36f2f5fa" @@ -6030,6 +7718,13 @@ error-ex@^1.2.0, error-ex@^1.3.1: dependencies: is-arrayish "^0.2.1" +error-stack-parser@^2.0.6: + version "2.0.6" + resolved "https://registry.yarnpkg.com/error-stack-parser/-/error-stack-parser-2.0.6.tgz#5a99a707bd7a4c58a797902d48d82803ede6aad8" + integrity sha512-d51brTeqC+BHlwF0BhPtcYgF5nlzf9ZZ0ZIUQNZpc9ZB9qw5IJ2diTrBY9jlCJkTLITYPjmiX6OWCwH+fuyNgQ== + dependencies: + stackframe "^1.1.1" + error@^7.0.0: version "7.2.1" resolved "https://registry.yarnpkg.com/error/-/error-7.2.1.tgz#eab21a4689b5f684fc83da84a0e390de82d94894" @@ -6037,7 +7732,7 @@ error@^7.0.0: dependencies: string-template "~0.2.1" -es-abstract@^1.17.2, es-abstract@^1.17.4, es-abstract@^1.18.0, es-abstract@^1.18.0-next.1, es-abstract@^1.18.0-next.2, es-abstract@^1.18.2: +es-abstract@^1.17.0-next.0, es-abstract@^1.17.2, es-abstract@^1.17.4, es-abstract@^1.18.0, es-abstract@^1.18.0-next.1, es-abstract@^1.18.0-next.2, es-abstract@^1.18.2: version "1.18.3" resolved "https://registry.yarnpkg.com/es-abstract/-/es-abstract-1.18.3.tgz#25c4c3380a27aa203c44b2b685bba94da31b63e0" integrity sha512-nQIr12dxV7SSxE6r6f1l3DtAeEYdsGpps13dR0TwJg1S8gyp4ZPgy3FZcHBgbiQqnoqSTb+oC+kO4UQ0C/J8vw== @@ -6064,6 +7759,20 @@ es-array-method-boxes-properly@^1.0.0: resolved "https://registry.yarnpkg.com/es-array-method-boxes-properly/-/es-array-method-boxes-properly-1.0.0.tgz#873f3e84418de4ee19c5be752990b2e44718d09e" integrity sha512-wd6JXUmyHmt8T5a2xreUwKcGPq6f1f+WwIJkijUqiGcJz1qqnZgP6XIK+QyIWU5lT7imeNxUll48bziG+TSYcA== +es-get-iterator@^1.0.2: + version "1.1.2" + resolved "https://registry.yarnpkg.com/es-get-iterator/-/es-get-iterator-1.1.2.tgz#9234c54aba713486d7ebde0220864af5e2b283f7" + integrity sha512-+DTO8GYwbMCwbywjimwZMHp8AuYXOS2JZFWoi2AlPOS3ebnII9w/NLpNZtA7A0YLaVDw+O7KFCeoIV7OPvM7hQ== + dependencies: + call-bind "^1.0.2" + get-intrinsic "^1.1.0" + has-symbols "^1.0.1" + is-arguments "^1.1.0" + is-map "^2.0.2" + is-set "^2.0.2" + is-string "^1.0.5" + isarray "^2.0.5" + es-module-lexer@^0.6.0: version "0.6.0" resolved "https://registry.yarnpkg.com/es-module-lexer/-/es-module-lexer-0.6.0.tgz#e72ab05b7412e62b9be37c37a09bdb6000d706f0" @@ -6078,7 +7787,17 @@ es-to-primitive@^1.2.1: is-date-object "^1.0.1" is-symbol "^1.0.2" -escalade@^3.1.1: +es5-shim@^4.5.13: + version "4.5.15" + resolved "https://registry.yarnpkg.com/es5-shim/-/es5-shim-4.5.15.tgz#6a26869b261854a3b045273f5583c52d390217fe" + integrity sha512-FYpuxEjMeDvU4rulKqFdukQyZSTpzhg4ScQHrAosrlVpR6GFyaw14f74yn2+4BugniIS0Frpg7TvwZocU4ZMTw== + +es6-shim@^0.35.5: + version "0.35.6" + resolved "https://registry.yarnpkg.com/es6-shim/-/es6-shim-0.35.6.tgz#d10578301a83af2de58b9eadb7c2c9945f7388a0" + integrity sha512-EmTr31wppcaIAgblChZiuN/l9Y7DPyw8Xtbg7fIVngn6zMW+IEBJDJngeKC3x6wr0V/vcA2wqeFnaw1bFJbDdA== + +escalade@^3.0.2, escalade@^3.1.1: version "3.1.1" resolved "https://registry.yarnpkg.com/escalade/-/escalade-3.1.1.tgz#d8cfdc7000965c5a0174b4a82eaa5c0552742e40" integrity sha512-k0er2gUkLf8O0zKJiAhmkTnJlTvINGv7ygDNPbeIsX/TJjGJZHuh9B2UxbsaEkmlEo9MfhrSzmhIlhRlI2GXnw== @@ -6088,16 +7807,21 @@ escape-goat@^2.0.0: resolved "https://registry.yarnpkg.com/escape-goat/-/escape-goat-2.1.1.tgz#1b2dc77003676c457ec760b2dc68edb648188675" integrity sha512-8/uIhbG12Csjy2JEW7D9pHbreaVaS/OpN3ycnyvElTdwM5n6GY6W6e2IPemfvGZeUMqZ9A/3GqIZMgKnBhAw/Q== -escape-string-regexp@^1.0.2, escape-string-regexp@^1.0.5: - version "1.0.5" - resolved "https://registry.yarnpkg.com/escape-string-regexp/-/escape-string-regexp-1.0.5.tgz#1b61c0562190a8dff6ae3bb2cf0200ca130b86d4" - integrity sha1-G2HAViGQqN/2rjuyzwIAyhMLhtQ= +escape-html@~1.0.3: + version "1.0.3" + resolved "https://registry.yarnpkg.com/escape-html/-/escape-html-1.0.3.tgz#0258eae4d3d0c0974de1c169188ef0051d1d1988" + integrity sha1-Aljq5NPQwJdN4cFpGI7wBR0dGYg= -escape-string-regexp@^2.0.0: +escape-string-regexp@2.0.0, escape-string-regexp@^2.0.0: version "2.0.0" resolved "https://registry.yarnpkg.com/escape-string-regexp/-/escape-string-regexp-2.0.0.tgz#a30304e99daa32e23b2fd20f51babd07cffca344" integrity sha512-UpzcLCXolUWcNu5HtVMHYdXJjArjsF9C0aNnquZYY4uW/Vu0miy5YoWvbV345HauVvcAUnpRuhMMcqTcGOY2+w== +escape-string-regexp@^1.0.2, escape-string-regexp@^1.0.5: + version "1.0.5" + resolved "https://registry.yarnpkg.com/escape-string-regexp/-/escape-string-regexp-1.0.5.tgz#1b61c0562190a8dff6ae3bb2cf0200ca130b86d4" + integrity sha1-G2HAViGQqN/2rjuyzwIAyhMLhtQ= + escape-string-regexp@^4.0.0: version "4.0.0" resolved "https://registry.yarnpkg.com/escape-string-regexp/-/escape-string-regexp-4.0.0.tgz#14ba83a5d373e3d311e5afca29cf5bfad965bf34" @@ -6390,11 +8114,25 @@ estraverse@^5.1.0, estraverse@^5.2.0: resolved "https://registry.yarnpkg.com/estraverse/-/estraverse-5.2.0.tgz#307df42547e6cc7324d3cf03c155d5cdb8c53880" integrity sha512-BxbNGGNm0RyRYvUdHpIwv9IWzeM9XClbOxwoATuFdOE7ZE6wHL+HQ5T8hoPM+zHvmKzzsEqhgy0GrQ5X13afiQ== +estree-to-babel@^3.1.0: + version "3.2.1" + resolved "https://registry.yarnpkg.com/estree-to-babel/-/estree-to-babel-3.2.1.tgz#82e78315275c3ca74475fdc8ac1a5103c8a75bf5" + integrity sha512-YNF+mZ/Wu2FU/gvmzuWtYc8rloubL7wfXCTgouFrnjGVXPA/EeYYA7pupXWrb3Iv1cTBeSSxxJIbK23l4MRNqg== + dependencies: + "@babel/traverse" "^7.1.6" + "@babel/types" "^7.2.0" + c8 "^7.6.0" + esutils@^2.0.2: version "2.0.3" resolved "https://registry.yarnpkg.com/esutils/-/esutils-2.0.3.tgz#74d2eb4de0b8da1293711910d50775b9b710ef64" integrity sha512-kVscqXk4OCp68SZ0dkgEKVi6/8ij300KBWTJq32P/dYeWTSwK41WyTxalN1eRmA5Z9UU/LX9D7FWSmV9SAYx6g== +etag@~1.8.1: + version "1.8.1" + resolved "https://registry.yarnpkg.com/etag/-/etag-1.8.1.tgz#41ae2eeb65efa62268aebfea83ac7d79299b0887" + integrity sha1-Qa4u62XvpiJorr/qg6x9eSmbCIc= + events@^3.0.0, events@^3.2.0: version "3.3.0" resolved "https://registry.yarnpkg.com/events/-/events-3.3.0.tgz#31a95ad0a924e2d2c419a813aeb2c4e878ea7400" @@ -6512,6 +8250,42 @@ expect@^26.6.2: jest-message-util "^26.6.2" jest-regex-util "^26.0.0" +express@^4.17.1: + version "4.17.1" + resolved "https://registry.yarnpkg.com/express/-/express-4.17.1.tgz#4491fc38605cf51f8629d39c2b5d026f98a4c134" + integrity sha512-mHJ9O79RqluphRrcw2X/GTh3k9tVv8YcoyY4Kkh4WDMUYKRZUq0h1o0w2rrrxBqM7VoeUVqgb27xlEMXTnYt4g== + dependencies: + accepts "~1.3.7" + array-flatten "1.1.1" + body-parser "1.19.0" + content-disposition "0.5.3" + content-type "~1.0.4" + cookie "0.4.0" + cookie-signature "1.0.6" + debug "2.6.9" + depd "~1.1.2" + encodeurl "~1.0.2" + escape-html "~1.0.3" + etag "~1.8.1" + finalhandler "~1.1.2" + fresh "0.5.2" + merge-descriptors "1.0.1" + methods "~1.1.2" + on-finished "~2.3.0" + parseurl "~1.3.3" + path-to-regexp "0.1.7" + proxy-addr "~2.0.5" + qs "6.7.0" + range-parser "~1.2.1" + safe-buffer "5.1.2" + send "0.17.1" + serve-static "1.14.1" + setprototypeof "1.1.1" + statuses "~1.5.0" + type-is "~1.6.18" + utils-merge "1.0.1" + vary "~1.1.2" + extend-shallow@^2.0.1: version "2.0.1" resolved "https://registry.yarnpkg.com/extend-shallow/-/extend-shallow-2.0.1.tgz#51af7d614ad9a9f610ea1bafbb989d6b1c56890f" @@ -6596,6 +8370,18 @@ fast-diff@^1.1.2: resolved "https://registry.yarnpkg.com/fast-diff/-/fast-diff-1.2.0.tgz#73ee11982d86caaf7959828d519cfe927fac5f03" integrity sha512-xJuoT5+L99XlZ8twedaRf6Ax2TgQVxvgZOYoPKqZufmJib0tL2tegPBOZb1pVNgIhlqDlA0eO0c3wBvQcmzx4w== +fast-glob@^2.2.6: + version "2.2.7" + resolved "https://registry.yarnpkg.com/fast-glob/-/fast-glob-2.2.7.tgz#6953857c3afa475fff92ee6015d52da70a4cd39d" + integrity sha512-g1KuQwHOZAmOZMuBtHdxDtju+T2RT8jgCC9aANsbpdiDDTSnjgfuVsIBNKbUeJI3oKMRExcfNDtJl4OhbffMsw== + dependencies: + "@mrmlnc/readdir-enhanced" "^2.2.1" + "@nodelib/fs.stat" "^1.1.2" + glob-parent "^3.1.0" + is-glob "^4.0.0" + merge2 "^1.2.3" + micromatch "^3.1.10" + fast-glob@^3.1.1, fast-glob@^3.2.5: version "3.2.6" resolved "https://registry.yarnpkg.com/fast-glob/-/fast-glob-3.2.6.tgz#434dd9529845176ea049acc9343e8282765c6e1a" @@ -6607,6 +8393,11 @@ fast-glob@^3.1.1, fast-glob@^3.2.5: merge2 "^1.3.0" micromatch "^4.0.4" +fast-json-parse@^1.0.3: + version "1.0.3" + resolved "https://registry.yarnpkg.com/fast-json-parse/-/fast-json-parse-1.0.3.tgz#43e5c61ee4efa9265633046b770fb682a7577c4d" + integrity sha512-FRWsaZRWEJ1ESVNbDWmsAlqDk96gPQezzLghafp5J4GUKjbCz3OkAHuZs5TuPEtkbVQERysLp9xv6c24fBm8Aw== + fast-json-stable-stringify@^2.0.0: version "2.1.0" resolved "https://registry.yarnpkg.com/fast-json-stable-stringify/-/fast-json-stable-stringify-2.1.0.tgz#874bf69c6f404c2b5d99c481341399fd55892633" @@ -6634,6 +8425,13 @@ fastq@^1.6.0: dependencies: reusify "^1.0.4" +fault@^1.0.0: + version "1.0.4" + resolved "https://registry.yarnpkg.com/fault/-/fault-1.0.4.tgz#eafcfc0a6d214fc94601e170df29954a4f842f13" + integrity sha512-CJ0HCB5tL5fYTEA7ToAq5+kTwd++Borf1/bifxd9iT70QcXr4MRrO3Llf8Ifs70q+SJcGHFtnIE/Nw6giCtECA== + dependencies: + format "^0.2.0" + faye-websocket@~0.10.0: version "0.10.0" resolved "https://registry.yarnpkg.com/faye-websocket/-/faye-websocket-0.10.0.tgz#4e492f8d04dfb6f89003507f6edbf2d501e7c6f4" @@ -6682,6 +8480,15 @@ file-loader@^6.2.0: loader-utils "^2.0.0" schema-utils "^3.0.0" +file-system-cache@^1.0.5: + version "1.0.5" + resolved "https://registry.yarnpkg.com/file-system-cache/-/file-system-cache-1.0.5.tgz#84259b36a2bbb8d3d6eb1021d3132ffe64cfff4f" + integrity sha1-hCWbNqK7uNPW6xAh0xMv/mTP/08= + dependencies: + bluebird "^3.3.5" + fs-extra "^0.30.0" + ramda "^0.21.0" + file-uri-to-path@1.0.0: version "1.0.0" resolved "https://registry.yarnpkg.com/file-uri-to-path/-/file-uri-to-path-1.0.0.tgz#553a7b8446ff6f684359c445f1e37a05dacc33dd" @@ -6701,6 +8508,11 @@ filenamify@^4.2.0: strip-outer "^1.0.1" trim-repeated "^1.0.0" +filesize@6.1.0: + version "6.1.0" + resolved "https://registry.yarnpkg.com/filesize/-/filesize-6.1.0.tgz#e81bdaa780e2451d714d71c0d7a4f3238d37ad00" + integrity sha512-LpCHtPQ3sFx67z+uh2HnSyWSLLu5Jxo21795uRDuar/EOuYWXib5EmPaGIBuSnRqH2IODiKA2k5re/K9OnN/Yg== + fill-range@^4.0.0: version "4.0.0" resolved "https://registry.yarnpkg.com/fill-range/-/fill-range-4.0.0.tgz#d544811d428f98eb06a63dc402d2403c328c38f7" @@ -6723,7 +8535,20 @@ filter-obj@^1.1.0: resolved "https://registry.yarnpkg.com/filter-obj/-/filter-obj-1.1.0.tgz#9b311112bc6c6127a16e016c6c5d7f19e0805c5b" integrity sha1-mzERErxsYSehbgFsbF1/GeCAXFs= -find-cache-dir@^2.1.0: +finalhandler@~1.1.2: + version "1.1.2" + resolved "https://registry.yarnpkg.com/finalhandler/-/finalhandler-1.1.2.tgz#b7e7d000ffd11938d0fdb053506f6ebabe9f587d" + integrity sha512-aAWcW57uxVNrQZqFXjITpW3sIUQmHGG3qSb9mUah9MgMC4NeWhNOlNjXEYq3HjRAvL6arUviZGGJsBg6z0zsWA== + dependencies: + debug "2.6.9" + encodeurl "~1.0.2" + escape-html "~1.0.3" + on-finished "~2.3.0" + parseurl "~1.3.3" + statuses "~1.5.0" + unpipe "~1.0.0" + +find-cache-dir@^2.0.0, find-cache-dir@^2.1.0: version "2.1.0" resolved "https://registry.yarnpkg.com/find-cache-dir/-/find-cache-dir-2.1.0.tgz#8d0f94cd13fe43c6c7c261a0d86115ca918c05f7" integrity sha512-Tq6PixE0w/VMFfCgbONnkiQIVol/JJL7nRMi20fqzA4NRs9AfeqMGeRdPi3wIhYkxjeBaWh2rxwapn5Tu3IqOQ== @@ -6775,7 +8600,15 @@ find-root@^1.1.0: resolved "https://registry.yarnpkg.com/find-root/-/find-root-1.1.0.tgz#abcfc8ba76f708c42a97b3d685b7e9450bfb9ce4" integrity sha512-NKfW6bec6GfKc0SGx1e07QZY9PE99u0Bft/0rzSD5k3sO/vwkVUpDUKVm5Gpp5Ue3YfShPFTX2070tDs5kB9Ng== -find-up@5.0.0: +find-up@4.1.0, find-up@^4.0.0, find-up@^4.1.0: + version "4.1.0" + resolved "https://registry.yarnpkg.com/find-up/-/find-up-4.1.0.tgz#97afe7d6cdc0bc5928584b7c8d7b16e8a9aa5d19" + integrity sha512-PpOwAdQ/YlXQ2vj8a3h8IipDuYRi3wceVQQGYWxNINccq40Anw7BlsEXCMbt1Zt+OLA6Fq9suIpIWD0OsnISlw== + dependencies: + locate-path "^5.0.0" + path-exists "^4.0.0" + +find-up@5.0.0, find-up@^5.0.0: version "5.0.0" resolved "https://registry.yarnpkg.com/find-up/-/find-up-5.0.0.tgz#4c92819ecb7083561e4f4a240a86be5198f536fc" integrity sha512-78/PXT1wlLLDgTzDs7sjq9hzz0vXD+zn+7wypEe4fXQxCmdmqfGsEPQxmiCSQI3ajFV91bVSsvNtrJRiW6nGng== @@ -6805,14 +8638,6 @@ find-up@^3.0.0: dependencies: locate-path "^3.0.0" -find-up@^4.0.0, find-up@^4.1.0: - version "4.1.0" - resolved "https://registry.yarnpkg.com/find-up/-/find-up-4.1.0.tgz#97afe7d6cdc0bc5928584b7c8d7b16e8a9aa5d19" - integrity sha512-PpOwAdQ/YlXQ2vj8a3h8IipDuYRi3wceVQQGYWxNINccq40Anw7BlsEXCMbt1Zt+OLA6Fq9suIpIWD0OsnISlw== - dependencies: - locate-path "^5.0.0" - path-exists "^4.0.0" - findup-sync@^3.0.0: version "3.0.0" resolved "https://registry.yarnpkg.com/findup-sync/-/findup-sync-3.0.0.tgz#17b108f9ee512dfb7a5c7f3c8b27ea9e1a9c08d1" @@ -6866,11 +8691,51 @@ for-own@^0.1.3: dependencies: for-in "^1.0.1" +foreground-child@^2.0.0: + version "2.0.0" + resolved "https://registry.yarnpkg.com/foreground-child/-/foreground-child-2.0.0.tgz#71b32800c9f15aa8f2f83f4a6bd9bff35d861a53" + integrity sha512-dCIq9FpEcyQyXKCkyzmlPTFNgrCzPudOe+mhvJU5zAtlBnGVy2yKxtfsxK2tQBThwq225jcvBjpw1Gr40uzZCA== + dependencies: + cross-spawn "^7.0.0" + signal-exit "^3.0.2" + forever-agent@~0.6.1: version "0.6.1" resolved "https://registry.yarnpkg.com/forever-agent/-/forever-agent-0.6.1.tgz#fbc71f0c41adeb37f96c577ad1ed42d8fdacca91" integrity sha1-+8cfDEGt6zf5bFd60e1C2P2sypE= +fork-ts-checker-webpack-plugin@4.1.6, fork-ts-checker-webpack-plugin@^4.1.6: + version "4.1.6" + resolved "https://registry.yarnpkg.com/fork-ts-checker-webpack-plugin/-/fork-ts-checker-webpack-plugin-4.1.6.tgz#5055c703febcf37fa06405d400c122b905167fc5" + integrity sha512-DUxuQaKoqfNne8iikd14SAkh5uw4+8vNifp6gmA73yYNS6ywLIWSLD/n/mBzHQRpW3J7rbATEakmiA8JvkTyZw== + dependencies: + "@babel/code-frame" "^7.5.5" + chalk "^2.4.1" + micromatch "^3.1.10" + minimatch "^3.0.4" + semver "^5.6.0" + tapable "^1.0.0" + worker-rpc "^0.1.0" + +fork-ts-checker-webpack-plugin@^6.0.4: + version "6.2.12" + resolved "https://registry.yarnpkg.com/fork-ts-checker-webpack-plugin/-/fork-ts-checker-webpack-plugin-6.2.12.tgz#b715297e39a77f31242d01a135a88d18c10d82ea" + integrity sha512-BzXGIfM47q1WFwXsNLl22dQVMFwSBgldL07lvqRJFxgrhT76QQ3nri5PX01Rxfa2RYvv/hqACULO8K5gT8fFuA== + dependencies: + "@babel/code-frame" "^7.8.3" + "@types/json-schema" "^7.0.5" + chalk "^4.1.0" + chokidar "^3.4.2" + cosmiconfig "^6.0.0" + deepmerge "^4.2.2" + fs-extra "^9.0.0" + glob "^7.1.6" + memfs "^3.1.2" + minimatch "^3.0.4" + schema-utils "2.7.0" + semver "^7.3.2" + tapable "^1.0.0" + form-data@4.0.0: version "4.0.0" resolved "https://registry.yarnpkg.com/form-data/-/form-data-4.0.0.tgz#93919daeaf361ee529584b9b31664dc12c9fa452" @@ -6898,6 +8763,16 @@ form-data@~2.3.2: combined-stream "^1.0.6" mime-types "^2.1.12" +format@^0.2.0: + version "0.2.2" + resolved "https://registry.yarnpkg.com/format/-/format-0.2.2.tgz#d6170107e9efdc4ed30c9dc39016df942b5cb58b" + integrity sha1-1hcBB+nv3E7TDJ3DkBbflCtctYs= + +forwarded@0.2.0: + version "0.2.0" + resolved "https://registry.yarnpkg.com/forwarded/-/forwarded-0.2.0.tgz#2269936428aad4c15c7ebe9779a84bf0b2a81811" + integrity sha512-buRG0fpBtRHSTCOASe6hD258tEubFoRLb4ZNA6NxMVHNw2gOcwHo9wyablzMzOA5z9xA9L1KNjk/Nt6MT9aYow== + fraction.js@^4.1.1: version "4.1.1" resolved "https://registry.yarnpkg.com/fraction.js/-/fraction.js-4.1.1.tgz#ac4e520473dae67012d618aab91eda09bcb400ff" @@ -6910,6 +8785,11 @@ fragment-cache@^0.2.1: dependencies: map-cache "^0.2.2" +fresh@0.5.2: + version "0.5.2" + resolved "https://registry.yarnpkg.com/fresh/-/fresh-0.5.2.tgz#3d8cadd90d976569fa835ab1f8e4b23a105605a7" + integrity sha1-PYyt2Q2XZWn6g1qx+OSyOhBWBac= + from2@^2.1.0: version "2.3.0" resolved "https://registry.yarnpkg.com/from2/-/from2-2.3.0.tgz#8bfb5502bde4a4d36cfdeea007fcca21d7e382af" @@ -6928,6 +8808,27 @@ fs-exists-sync@^0.1.0: resolved "https://registry.yarnpkg.com/fs-exists-sync/-/fs-exists-sync-0.1.0.tgz#982d6893af918e72d08dec9e8673ff2b5a8d6add" integrity sha1-mC1ok6+RjnLQjeyehnP/K1qNat0= +fs-extra@^0.30.0: + version "0.30.0" + resolved "https://registry.yarnpkg.com/fs-extra/-/fs-extra-0.30.0.tgz#f233ffcc08d4da7d432daa449776989db1df93f0" + integrity sha1-8jP/zAjU2n1DLapEl3aYnbHfk/A= + dependencies: + graceful-fs "^4.1.2" + jsonfile "^2.1.0" + klaw "^1.0.0" + path-is-absolute "^1.0.0" + rimraf "^2.2.8" + +fs-extra@^9.0.0, fs-extra@^9.0.1: + version "9.1.0" + resolved "https://registry.yarnpkg.com/fs-extra/-/fs-extra-9.1.0.tgz#5954460c764a8da2094ba3554bf839e6b9a7c86d" + integrity sha512-hcg3ZmepS30/7BSFqRvoo3DOMQu7IjqxO5nCDt+zM9XWjb33Wg7ziNT+Qvqbuc3+gWpzO02JubVyk2G4Zvo1OQ== + dependencies: + at-least-node "^1.0.0" + graceful-fs "^4.2.0" + jsonfile "^6.0.1" + universalify "^2.0.0" + fs-minipass@^2.0.0: version "2.1.0" resolved "https://registry.yarnpkg.com/fs-minipass/-/fs-minipass-2.1.0.tgz#7f5036fdbf12c63c169190cbe4199c852271f9fb" @@ -6935,6 +8836,11 @@ fs-minipass@^2.0.0: dependencies: minipass "^3.0.0" +fs-monkey@1.0.3: + version "1.0.3" + resolved "https://registry.yarnpkg.com/fs-monkey/-/fs-monkey-1.0.3.tgz#ae3ac92d53bb328efe0e9a1d9541f6ad8d48e2d3" + integrity sha512-cybjIfiiE+pTWicSCLFHSrXZ6EilF30oh91FDP9S2B051prEa7QWfrVTQm10/dDpswBDXZugPa1Ogu8Yh+HV0Q== + fs-readdir-recursive@^1.1.0: version "1.1.0" resolved "https://registry.yarnpkg.com/fs-readdir-recursive/-/fs-readdir-recursive-1.1.0.tgz#e32fc030a2ccee44a6b5371308da54be0b397d27" @@ -6973,7 +8879,7 @@ function-bind@^1.1.1: resolved "https://registry.yarnpkg.com/function-bind/-/function-bind-1.1.1.tgz#a56899d3ea3c9bab874bb9773b7c5ede92f4895d" integrity sha512-yIovAzMX49sF8Yl58fSCWJ5svSLuaibPxXQJFLmBObTuCr0Mf1KiPopGM9NiFjiYBCbfaa2Fh6breQ6ANVTI0A== -function.prototype.name@^1.1.2, function.prototype.name@^1.1.3: +function.prototype.name@^1.1.0, function.prototype.name@^1.1.2, function.prototype.name@^1.1.3: version "1.1.4" resolved "https://registry.yarnpkg.com/function.prototype.name/-/function.prototype.name-1.1.4.tgz#e4ea839b9d3672ae99d0efd9f38d9191c5eaac83" integrity sha512-iqy1pIotY/RmhdFZygSSlW0wko2yxkSCKqsuv4pr8QESohpYyG/Z7B/XXvPRKTJS//960rgguE5mSRUsDdaJrQ== @@ -6993,12 +8899,31 @@ functions-have-names@^1.2.2: resolved "https://registry.yarnpkg.com/functions-have-names/-/functions-have-names-1.2.2.tgz#98d93991c39da9361f8e50b337c4f6e41f120e21" integrity sha512-bLgc3asbWdwPbx2mNk2S49kmJCuQeu0nfmaOgbs8WIyzzkw3r4htszdIi9Q9EMezDPTYuJx2wvjZ/EwgAthpnA== -gensync@^1.0.0-beta.2: +fuse.js@^3.6.1: + version "3.6.1" + resolved "https://registry.yarnpkg.com/fuse.js/-/fuse.js-3.6.1.tgz#7de85fdd6e1b3377c23ce010892656385fd9b10c" + integrity sha512-hT9yh/tiinkmirKrlv4KWOjztdoZo1mx9Qh4KvWqC7isoXwdUY3PNWUxceF4/qO9R6riA2C29jdTOeQOIROjgw== + +gauge@~2.7.3: + version "2.7.4" + resolved "https://registry.yarnpkg.com/gauge/-/gauge-2.7.4.tgz#2c03405c7538c39d7eb37b317022e325fb018bf7" + integrity sha1-LANAXHU4w51+s3sxcCLjJfsBi/c= + dependencies: + aproba "^1.0.3" + console-control-strings "^1.0.0" + has-unicode "^2.0.0" + object-assign "^4.1.0" + signal-exit "^3.0.0" + string-width "^1.0.1" + strip-ansi "^3.0.1" + wide-align "^1.1.0" + +gensync@^1.0.0-beta.1, gensync@^1.0.0-beta.2: version "1.0.0-beta.2" resolved "https://registry.yarnpkg.com/gensync/-/gensync-1.0.0-beta.2.tgz#32a6ee76c3d7f52d46b2b1ae5d93fea8580a25e0" integrity sha512-3hN7NaskYvMDLQY55gnW3NQ+mesEAepTqlg+VEbj7zzqEMBVNhzcGYYeqFo/TlYz6eQiFcp1HcsCZO+nGgS8zg== -get-caller-file@^2.0.1: +get-caller-file@^2.0.1, get-caller-file@^2.0.5: version "2.0.5" resolved "https://registry.yarnpkg.com/get-caller-file/-/get-caller-file-2.0.5.tgz#4f94412a82db32f36e3b0b9741f8a97feb031f7e" integrity sha512-DyFP3BM/3YHTQOCUL/w0OZHR0lpKeGrxotcHWcqNEdnltqFwXVfhEBQ94eIo34AfQpo0rGki4cyIiftY06h2Fg== @@ -7081,6 +9006,28 @@ git-url-parse@11.4.4: dependencies: git-up "^4.0.0" +github-slugger@^1.0.0: + version "1.3.0" + resolved "https://registry.yarnpkg.com/github-slugger/-/github-slugger-1.3.0.tgz#9bd0a95c5efdfc46005e82a906ef8e2a059124c9" + integrity sha512-gwJScWVNhFYSRDvURk/8yhcFBee6aFjye2a7Lhb2bUyRulpIoek9p0I9Kt7PT67d/nUlZbFu8L9RLiA0woQN8Q== + dependencies: + emoji-regex ">=6.0.0 <=6.1.1" + +glob-base@^0.3.0: + version "0.3.0" + resolved "https://registry.yarnpkg.com/glob-base/-/glob-base-0.3.0.tgz#dbb164f6221b1c0b1ccf82aea328b497df0ea3c4" + integrity sha1-27Fk9iIbHAscz4Kuoyi0l98Oo8Q= + dependencies: + glob-parent "^2.0.0" + is-glob "^2.0.0" + +glob-parent@^2.0.0: + version "2.0.0" + resolved "https://registry.yarnpkg.com/glob-parent/-/glob-parent-2.0.0.tgz#81383d72db054fcccf5336daa902f182f6edbb28" + integrity sha1-gTg9ctsFT8zPUzbaqQLxgvbtuyg= + dependencies: + is-glob "^2.0.0" + glob-parent@^3.1.0: version "3.1.0" resolved "https://registry.yarnpkg.com/glob-parent/-/glob-parent-3.1.0.tgz#9e6af6299d8d3bd2bd40430832bd113df906c5ae" @@ -7096,12 +9043,24 @@ glob-parent@^5.1.2, glob-parent@~5.1.2: dependencies: is-glob "^4.0.1" +glob-promise@^3.4.0: + version "3.4.0" + resolved "https://registry.yarnpkg.com/glob-promise/-/glob-promise-3.4.0.tgz#b6b8f084504216f702dc2ce8c9bc9ac8866fdb20" + integrity sha512-q08RJ6O+eJn+dVanerAndJwIcumgbDdYiUT7zFQl3Wm1xD6fBKtah7H8ZJChj4wP+8C+QfeVy8xautR7rdmKEw== + dependencies: + "@types/glob" "*" + +glob-to-regexp@^0.3.0: + version "0.3.0" + resolved "https://registry.yarnpkg.com/glob-to-regexp/-/glob-to-regexp-0.3.0.tgz#8c5a1494d2066c570cc3bfe4496175acc4d502ab" + integrity sha1-jFoUlNIGbFcMw7/kSWF1rMTVAqs= + glob-to-regexp@^0.4.1: version "0.4.1" resolved "https://registry.yarnpkg.com/glob-to-regexp/-/glob-to-regexp-0.4.1.tgz#c75297087c851b9a578bd217dd59a92f59fe546e" integrity sha512-lkX1HJXwyMcprw/5YUZc2s7DrpAiHB21/V+E1rHUrVNokkvB6bqMzT0VfV6/86ZNabt1k14YOIaT7nDvOX3Iiw== -glob@^7.0.0, glob@^7.0.3, glob@^7.1.1, glob@^7.1.2, glob@^7.1.3, glob@^7.1.4, glob@~7.1.2: +glob@^7.0.0, glob@^7.0.3, glob@^7.1.1, glob@^7.1.2, glob@^7.1.3, glob@^7.1.4, glob@^7.1.6, glob@~7.1.2: version "7.1.7" resolved "https://registry.yarnpkg.com/glob/-/glob-7.1.7.tgz#3b193e9233f01d42d0b3f78294bbeeb418f94a90" integrity sha512-OvD9ENzPLbegENnYP5UUfJIirTg4+XwMWGaQfQTY0JenxNvvIKP3U3/tAQSPIu/lHxXYSZmpXlUHeqAIdKzBLQ== @@ -7128,6 +9087,13 @@ global-dirs@^3.0.0: dependencies: ini "2.0.0" +global-modules@2.0.0, global-modules@^2.0.0: + version "2.0.0" + resolved "https://registry.yarnpkg.com/global-modules/-/global-modules-2.0.0.tgz#997605ad2345f27f51539bea26574421215c7780" + integrity sha512-NGbfmJBp9x8IxyJSd1P+otYK8vonoJactOogrVfFRIAEY1ukil8RSKDz2Yo7wh1oihl51l/r6W4epkeKJHqL8A== + dependencies: + global-prefix "^3.0.0" + global-modules@^0.2.3: version "0.2.3" resolved "https://registry.yarnpkg.com/global-modules/-/global-modules-0.2.3.tgz#ea5a3bed42c6d6ce995a4f8a1269b5dae223828d" @@ -7145,13 +9111,6 @@ global-modules@^1.0.0: is-windows "^1.0.1" resolve-dir "^1.0.0" -global-modules@^2.0.0: - version "2.0.0" - resolved "https://registry.yarnpkg.com/global-modules/-/global-modules-2.0.0.tgz#997605ad2345f27f51539bea26574421215c7780" - integrity sha512-NGbfmJBp9x8IxyJSd1P+otYK8vonoJactOogrVfFRIAEY1ukil8RSKDz2Yo7wh1oihl51l/r6W4epkeKJHqL8A== - dependencies: - global-prefix "^3.0.0" - global-prefix@^0.1.4: version "0.1.5" resolved "https://registry.yarnpkg.com/global-prefix/-/global-prefix-0.1.5.tgz#8d3bc6b8da3ca8112a160d8d496ff0462bfef78f" @@ -7182,6 +9141,14 @@ global-prefix@^3.0.0: kind-of "^6.0.2" which "^1.3.1" +global@^4.4.0: + version "4.4.0" + resolved "https://registry.yarnpkg.com/global/-/global-4.4.0.tgz#3e7b105179006a323ed71aafca3e9c57a5cc6406" + integrity sha512-wv/LAoHdRE3BeTGz53FAamhGlPLhlssK45usmGFThIi4XqnBmjKQ16u+RNbP7WvigRZDxUsM0J3gcQ5yicaL0w== + dependencies: + min-document "^2.19.0" + process "^0.11.10" + globals@^11.1.0: version "11.12.0" resolved "https://registry.yarnpkg.com/globals/-/globals-11.12.0.tgz#ab8795338868a0babd8525758018c2a7eb95c42e" @@ -7201,7 +9168,26 @@ globals@^13.6.0, globals@^13.9.0: dependencies: type-fest "^0.20.2" -globby@11.0.4, globby@^11.0.0, globby@^11.0.3: +globalthis@^1.0.0: + version "1.0.2" + resolved "https://registry.yarnpkg.com/globalthis/-/globalthis-1.0.2.tgz#2a235d34f4d8036219f7e34929b5de9e18166b8b" + integrity sha512-ZQnSFO1la8P7auIOQECnm0sSuoMeaSq0EEdXMBFF2QJO4uNcwbyhSgG3MruWNbFTqCLmxVwGOl7LZ9kASvHdeQ== + dependencies: + define-properties "^1.1.3" + +globby@11.0.1: + version "11.0.1" + resolved "https://registry.yarnpkg.com/globby/-/globby-11.0.1.tgz#9a2bf107a068f3ffeabc49ad702c79ede8cfd357" + integrity sha512-iH9RmgwCmUJHi2z5o2l3eTtGBtXek1OYlHrbcxOYugyHLmAsZrPj43OtHThd62Buh/Vv6VyCBD2bdyWcGNQqoQ== + dependencies: + array-union "^2.1.0" + dir-glob "^3.0.1" + fast-glob "^3.1.1" + ignore "^5.1.4" + merge2 "^1.3.0" + slash "^3.0.0" + +globby@11.0.4, globby@^11.0.0, globby@^11.0.2, globby@^11.0.3: version "11.0.4" resolved "https://registry.yarnpkg.com/globby/-/globby-11.0.4.tgz#2cbaff77c2f2a62e71e9b2813a67b97a3a3001a5" integrity sha512-9O4MVG9ioZJ08ffbcyVYyLOJLk5JQ688pJ4eMGLpdWLHq/Wr1D9BlriLQyL0E+jbkuePVZXYFj47QM/v093wHg== @@ -7224,6 +9210,20 @@ globby@^6.1.0: pify "^2.0.0" pinkie-promise "^2.0.0" +globby@^9.2.0: + version "9.2.0" + resolved "https://registry.yarnpkg.com/globby/-/globby-9.2.0.tgz#fd029a706c703d29bdd170f4b6db3a3f7a7cb63d" + integrity sha512-ollPHROa5mcxDEkwg6bPt3QbEf4pDQSNtd6JPL1YvOvAo/7/0VAm9TccUeoTmarjPw4pfUthSCqcyfNB1I3ZSg== + dependencies: + "@types/glob" "^7.1.1" + array-union "^1.0.2" + dir-glob "^2.2.2" + fast-glob "^2.2.6" + glob "^7.1.3" + ignore "^4.0.3" + pify "^4.0.1" + slash "^2.0.0" + globjoin@^0.1.4: version "0.1.4" resolved "https://registry.yarnpkg.com/globjoin/-/globjoin-0.1.4.tgz#2f4494ac8919e3767c5cbb691e9f463324285d43" @@ -7277,7 +9277,7 @@ got@^9.6.0: to-readable-stream "^1.0.0" url-parse-lax "^3.0.0" -graceful-fs@^4.1.11, graceful-fs@^4.1.15, graceful-fs@^4.1.2, graceful-fs@^4.2.4: +graceful-fs@^4.1.11, graceful-fs@^4.1.15, graceful-fs@^4.1.2, graceful-fs@^4.1.6, graceful-fs@^4.1.9, graceful-fs@^4.2.0, graceful-fs@^4.2.4: version "4.2.6" resolved "https://registry.yarnpkg.com/graceful-fs/-/graceful-fs-4.2.6.tgz#ff040b2b0853b23c3d31027523706f1885d76bee" integrity sha512-nTnJ528pbqxYanhpDYsi4Rd8MAeaBA67+RZ10CM1m3bTAVFEDcd5AuA4a6W5YkGZ1iNXHzZz8T6TBKLeBuNriQ== @@ -7297,6 +9297,19 @@ growly@^1.3.0: resolved "https://registry.yarnpkg.com/growly/-/growly-1.3.0.tgz#f10748cbe76af964b7c96c93c6bcc28af120c081" integrity sha1-8QdIy+dq+WS3yWyTxrzCivEgwIE= +gud@^1.0.0: + version "1.0.0" + resolved "https://registry.yarnpkg.com/gud/-/gud-1.0.0.tgz#a489581b17e6a70beca9abe3ae57de7a499852c0" + integrity sha512-zGEOVKFM5sVPPrYs7J5/hYEw2Pof8KCyOwyhG8sAF26mCAeUFAcYPu1mwB7hhpIP29zOIBaDqwuHdLp0jvZXjw== + +gzip-size@5.1.1: + version "5.1.1" + resolved "https://registry.yarnpkg.com/gzip-size/-/gzip-size-5.1.1.tgz#cb9bee692f87c0612b232840a873904e4c135274" + integrity sha512-FNHi6mmoHvs1mxZAds4PpdCS6QG8B4C1krxJsMutgxl5t3+GlRTzzI3NEkifXx2pVsOvJdOGSmIgDhQ55FwdPA== + dependencies: + duplexer "^0.1.1" + pify "^4.0.1" + gzip-size@^6.0.0: version "6.0.0" resolved "https://registry.yarnpkg.com/gzip-size/-/gzip-size-6.0.0.tgz#065367fd50c239c0671cbcbad5be3e2eeb10e462" @@ -7349,11 +9362,23 @@ has-flag@^4.0.0: resolved "https://registry.yarnpkg.com/has-flag/-/has-flag-4.0.0.tgz#944771fd9c81c81265c4d6941860da06bb59479b" integrity sha512-EykJT/Q1KjTWctppgIAgfSO0tKVuZUjhgMr17kqTumMl6Afv3EISleU7qZUzoXDFTAHTDC4NOoG/ZxU3EvlMPQ== +has-glob@^1.0.0: + version "1.0.0" + resolved "https://registry.yarnpkg.com/has-glob/-/has-glob-1.0.0.tgz#9aaa9eedbffb1ba3990a7b0010fb678ee0081207" + integrity sha1-mqqe7b/7G6OZCnsAEPtnjuAIEgc= + dependencies: + is-glob "^3.0.0" + has-symbols@^1.0.1, has-symbols@^1.0.2: version "1.0.2" resolved "https://registry.yarnpkg.com/has-symbols/-/has-symbols-1.0.2.tgz#165d3070c00309752a1236a479331e3ac56f1423" integrity sha512-chXa79rL/UC2KlX17jo3vRGz0azaWEx5tGqZg5pO3NUyEJVB17dMruQlzCCOfUvElghKcm5194+BCRvi2Rv/Gw== +has-unicode@^2.0.0: + version "2.0.1" + resolved "https://registry.yarnpkg.com/has-unicode/-/has-unicode-2.0.1.tgz#e0e6fe6a28cf51138855e086d1691e771de2a8b9" + integrity sha1-4Ob+aijPUROIVeCG0Wkedx3iqLk= + has-value@^0.3.1: version "0.3.1" resolved "https://registry.yarnpkg.com/has-value/-/has-value-0.3.1.tgz#7b1f58bada62ca827ec0a2078025654845995e1f" @@ -7414,11 +9439,89 @@ hash.js@^1.0.0, hash.js@^1.0.3: inherits "^2.0.3" minimalistic-assert "^1.0.1" +hast-to-hyperscript@^9.0.0: + version "9.0.1" + resolved "https://registry.yarnpkg.com/hast-to-hyperscript/-/hast-to-hyperscript-9.0.1.tgz#9b67fd188e4c81e8ad66f803855334173920218d" + integrity sha512-zQgLKqF+O2F72S1aa4y2ivxzSlko3MAvxkwG8ehGmNiqd98BIN3JM1rAJPmplEyLmGLO2QZYJtIneOSZ2YbJuA== + dependencies: + "@types/unist" "^2.0.3" + comma-separated-tokens "^1.0.0" + property-information "^5.3.0" + space-separated-tokens "^1.0.0" + style-to-object "^0.3.0" + unist-util-is "^4.0.0" + web-namespaces "^1.0.0" + +hast-util-from-parse5@^6.0.0: + version "6.0.1" + resolved "https://registry.yarnpkg.com/hast-util-from-parse5/-/hast-util-from-parse5-6.0.1.tgz#554e34abdeea25ac76f5bd950a1f0180e0b3bc2a" + integrity sha512-jeJUWiN5pSxW12Rh01smtVkZgZr33wBokLzKLwinYOUfSzm1Nl/c3GUGebDyOKjdsRgMvoVbV0VpAcpjF4NrJA== + dependencies: + "@types/parse5" "^5.0.0" + hastscript "^6.0.0" + property-information "^5.0.0" + vfile "^4.0.0" + vfile-location "^3.2.0" + web-namespaces "^1.0.0" + +hast-util-parse-selector@^2.0.0: + version "2.2.5" + resolved "https://registry.yarnpkg.com/hast-util-parse-selector/-/hast-util-parse-selector-2.2.5.tgz#d57c23f4da16ae3c63b3b6ca4616683313499c3a" + integrity sha512-7j6mrk/qqkSehsM92wQjdIgWM2/BW61u/53G6xmC8i1OmEdKLHbk419QKQUjz6LglWsfqoiHmyMRkP1BGjecNQ== + +hast-util-raw@6.0.1: + version "6.0.1" + resolved "https://registry.yarnpkg.com/hast-util-raw/-/hast-util-raw-6.0.1.tgz#973b15930b7529a7b66984c98148b46526885977" + integrity sha512-ZMuiYA+UF7BXBtsTBNcLBF5HzXzkyE6MLzJnL605LKE8GJylNjGc4jjxazAHUtcwT5/CEt6afRKViYB4X66dig== + dependencies: + "@types/hast" "^2.0.0" + hast-util-from-parse5 "^6.0.0" + hast-util-to-parse5 "^6.0.0" + html-void-elements "^1.0.0" + parse5 "^6.0.0" + unist-util-position "^3.0.0" + vfile "^4.0.0" + web-namespaces "^1.0.0" + xtend "^4.0.0" + zwitch "^1.0.0" + +hast-util-to-parse5@^6.0.0: + version "6.0.0" + resolved "https://registry.yarnpkg.com/hast-util-to-parse5/-/hast-util-to-parse5-6.0.0.tgz#1ec44650b631d72952066cea9b1445df699f8479" + integrity sha512-Lu5m6Lgm/fWuz8eWnrKezHtVY83JeRGaNQ2kn9aJgqaxvVkFCZQBEhgodZUDUvoodgyROHDb3r5IxAEdl6suJQ== + dependencies: + hast-to-hyperscript "^9.0.0" + property-information "^5.0.0" + web-namespaces "^1.0.0" + xtend "^4.0.0" + zwitch "^1.0.0" + +hastscript@^6.0.0: + version "6.0.0" + resolved "https://registry.yarnpkg.com/hastscript/-/hastscript-6.0.0.tgz#e8768d7eac56c3fdeac8a92830d58e811e5bf640" + integrity sha512-nDM6bvd7lIqDUiYEiu5Sl/+6ReP0BMk/2f4U/Rooccxkj0P5nm+acM5PrGJ/t5I8qPGiqZSE6hVAwZEdZIvP4w== + dependencies: + "@types/hast" "^2.0.0" + comma-separated-tokens "^1.0.0" + hast-util-parse-selector "^2.0.0" + property-information "^5.0.0" + space-separated-tokens "^1.0.0" + +he@^1.2.0: + version "1.2.0" + resolved "https://registry.yarnpkg.com/he/-/he-1.2.0.tgz#84ae65fa7eafb165fddb61566ae14baf05664f0f" + integrity sha512-F/1DnUGPopORZi0ni+CvrCgHQ5FyEAHRLSApuYWMmrbSwoN2Mn/7k+Gl38gJnR7yyDZk6WLXwiGod1JOWNDKGw== + highlight-words-core@^1.2.2: version "1.2.2" resolved "https://registry.yarnpkg.com/highlight-words-core/-/highlight-words-core-1.2.2.tgz#1eff6d7d9f0a22f155042a00791237791b1eeaaa" integrity sha512-BXUKIkUuh6cmmxzi5OIbUJxrG8OAk2MqoL1DtO3Wo9D2faJg2ph5ntyuQeLqaHJmzER6H5tllCDA9ZnNe9BVGg== +highlight.js@^10.1.1, highlight.js@~10.7.0: + version "10.7.3" + resolved "https://registry.yarnpkg.com/highlight.js/-/highlight.js-10.7.3.tgz#697272e3991356e40c3cac566a74eef681756531" + integrity sha512-tzcUFauisWKNHaRkN4Wjl/ZA07gENAjFl3J/c480dprkGTg5EQstgaNFqBfUqCq54kZRIEcreTsAgF/m2quD7A== + history@^4.9.0: version "4.10.1" resolved "https://registry.yarnpkg.com/history/-/history-4.10.1.tgz#33371a65e3a83b267434e2b3f3b1b4c58aad4cf3" @@ -7486,16 +9589,54 @@ html-encoding-sniffer@^2.0.1: dependencies: whatwg-encoding "^1.0.5" +html-entities@^1.2.0, html-entities@^1.2.1: + version "1.4.0" + resolved "https://registry.yarnpkg.com/html-entities/-/html-entities-1.4.0.tgz#cfbd1b01d2afaf9adca1b10ae7dffab98c71d2dc" + integrity sha512-8nxjcBcd8wovbeKx7h3wTji4e6+rhaVuPNpMqwWgnHh+N9ToqsCs6XztWRBPQ+UtzsoMAdKZtUENoVzU/EMtZA== + html-escaper@^2.0.0: version "2.0.2" resolved "https://registry.yarnpkg.com/html-escaper/-/html-escaper-2.0.2.tgz#dfd60027da36a36dfcbe236262c00a5822681453" integrity sha512-H2iMtd0I4Mt5eYiapRdIDjp+XzelXQ0tFE4JS7YFwFevXXMmOp9myNrUvCg0D6ws8iqkRPBfKHgbwig1SmlLfg== +html-minifier-terser@^5.0.1: + version "5.1.1" + resolved "https://registry.yarnpkg.com/html-minifier-terser/-/html-minifier-terser-5.1.1.tgz#922e96f1f3bb60832c2634b79884096389b1f054" + integrity sha512-ZPr5MNObqnV/T9akshPKbVgyOqLmy+Bxo7juKCfTfnjNniTAMdy4hz21YQqoofMBJD2kdREaqPPdThoR78Tgxg== + dependencies: + camel-case "^4.1.1" + clean-css "^4.2.3" + commander "^4.1.1" + he "^1.2.0" + param-case "^3.0.3" + relateurl "^0.2.7" + terser "^4.6.3" + html-tags@^3.1.0: version "3.1.0" resolved "https://registry.yarnpkg.com/html-tags/-/html-tags-3.1.0.tgz#7b5e6f7e665e9fb41f30007ed9e0d41e97fb2140" integrity sha512-1qYz89hW3lFDEazhjW0yVAV87lw8lVkrJocr72XmBkMKsoSVJCQx3W8BXsC7hO2qAt8BoVjYjtAcZ9perqGnNg== +html-void-elements@^1.0.0: + version "1.0.5" + resolved "https://registry.yarnpkg.com/html-void-elements/-/html-void-elements-1.0.5.tgz#ce9159494e86d95e45795b166c2021c2cfca4483" + integrity sha512-uE/TxKuyNIcx44cIWnjr/rfIATDH7ZaOMmstu0CwhFG1Dunhlp4OC6/NMbhiwoq5BpW0ubi303qnEk/PZj614w== + +html-webpack-plugin@^4.0.0: + version "4.5.2" + resolved "https://registry.yarnpkg.com/html-webpack-plugin/-/html-webpack-plugin-4.5.2.tgz#76fc83fa1a0f12dd5f7da0404a54e2699666bc12" + integrity sha512-q5oYdzjKUIPQVjOosjgvCHQOv9Ett9CYYHlgvJeXG0qQvdSojnBq4vAdQBwn1+yGveAwHCoe/rMR86ozX3+c2A== + dependencies: + "@types/html-minifier-terser" "^5.0.0" + "@types/tapable" "^1.0.5" + "@types/webpack" "^4.41.8" + html-minifier-terser "^5.0.1" + loader-utils "^1.2.3" + lodash "^4.17.20" + pretty-error "^2.1.1" + tapable "^1.1.3" + util.promisify "1.0.0" + htmlparser2@^3.10.0: version "3.10.1" resolved "https://registry.yarnpkg.com/htmlparser2/-/htmlparser2-3.10.1.tgz#bd679dc3f59897b6a34bb10749c855bb53a9392f" @@ -7523,6 +9664,28 @@ http-cache-semantics@^4.0.0: resolved "https://registry.yarnpkg.com/http-cache-semantics/-/http-cache-semantics-4.1.0.tgz#49e91c5cbf36c9b94bcfcd71c23d5249ec74e390" integrity sha512-carPklcUh7ROWRK7Cv27RPtdhYhUsela/ue5/jKzjegVvXDqM2ILE9Q2BGn9JZJh1g87cp56su/FgQSzcWS8cQ== +http-errors@1.7.2: + version "1.7.2" + resolved "https://registry.yarnpkg.com/http-errors/-/http-errors-1.7.2.tgz#4f5029cf13239f31036e5b2e55292bcfbcc85c8f" + integrity sha512-uUQBt3H/cSIVfch6i1EuPNy/YsRSOUBXTVfZ+yR7Zjez3qjBz6i9+i4zjNaoqcoFVI4lQJ5plg63TvGfRSDCRg== + dependencies: + depd "~1.1.2" + inherits "2.0.3" + setprototypeof "1.1.1" + statuses ">= 1.5.0 < 2" + toidentifier "1.0.0" + +http-errors@~1.7.2: + version "1.7.3" + resolved "https://registry.yarnpkg.com/http-errors/-/http-errors-1.7.3.tgz#6c619e4f9c60308c38519498c14fbb10aacebb06" + integrity sha512-ZTTX0MWrsQ2ZAhA1cejAwDLycFsd7I7nVtnkT3Ol0aqodaKW+0CTZDQ1uBv5whptCnc8e8HeRRJxRs0kmm/Qfw== + dependencies: + depd "~1.1.2" + inherits "2.0.4" + setprototypeof "1.1.1" + statuses ">= 1.5.0 < 2" + toidentifier "1.0.0" + http-parser-js@>=0.5.1: version "0.5.3" resolved "https://registry.yarnpkg.com/http-parser-js/-/http-parser-js-0.5.3.tgz#01d2709c79d41698bb01d4decc5e9da4e4a033d9" @@ -7596,6 +9759,13 @@ iconv-lite@^0.6.2: dependencies: safer-buffer ">= 2.1.2 < 3.0.0" +icss-utils@^4.0.0, icss-utils@^4.1.1: + version "4.1.1" + resolved "https://registry.yarnpkg.com/icss-utils/-/icss-utils-4.1.1.tgz#21170b53789ee27447c2f47dd683081403f9a467" + integrity sha512-4aFq7wvWyMHKgxsH8QQtGpvbASCf+eM3wPRLI6R+MgAnTCZ6STYsRvttLvRWK0Nfif5piF394St3HeJDaljGPA== + dependencies: + postcss "^7.0.14" + icss-utils@^5.0.0, icss-utils@^5.1.0: version "5.1.0" resolved "https://registry.yarnpkg.com/icss-utils/-/icss-utils-5.1.0.tgz#c6be6858abd013d768e98366ae47e25d5887b1ae" @@ -7616,7 +9786,7 @@ ignore-emit-webpack-plugin@^2.0.6: resolved "https://registry.yarnpkg.com/ignore-emit-webpack-plugin/-/ignore-emit-webpack-plugin-2.0.6.tgz#570c30a08ee4c2ce6060f80d4bc4c5c5fec4d606" integrity sha512-/zC18RWCC2wz4ZwnS4UoujGWzvSKy28DLjtE+jrGBOXej6YdmityhBDzE8E0NlktEqi4tgdNbydX8B6G4haHSQ== -ignore@^4.0.6: +ignore@^4.0.3, ignore@^4.0.6: version "4.0.6" resolved "https://registry.yarnpkg.com/ignore/-/ignore-4.0.6.tgz#750e3db5862087b4737ebac8207ffd1ef27b25fc" integrity sha512-cyFDKrqc/YdcWFniJhzI42+AzS+gNwmUzOSFcRCQYwySuBBBy/KjuxWLZ/FHEH6Moq1NizMOBWyTcv8O4OZIMg== @@ -7626,6 +9796,11 @@ ignore@^5.1.4, ignore@^5.1.8, ignore@~5.1.4: resolved "https://registry.yarnpkg.com/ignore/-/ignore-5.1.8.tgz#f150a8b50a34289b33e22f5889abd4d8016f0e57" integrity sha512-BMpfD7PpiETpBl/A6S498BaIJ6Y/ABT93ETbby2fP00v4EbvPBXWEoaR1UBPKs3iR53pJY7EtZk5KACI57i1Uw== +immer@8.0.1: + version "8.0.1" + resolved "https://registry.yarnpkg.com/immer/-/immer-8.0.1.tgz#9c73db683e2b3975c424fb0572af5889877ae656" + integrity sha512-aqXhGP7//Gui2+UrEtvxZxSquQVXTpZ7KDxfCcKAF3Vysvw0CViVaW9RZ1j1xlIYqaaaipBoqdqeibkc18PNvA== + import-cwd@3.0.0: version "3.0.0" resolved "https://registry.yarnpkg.com/import-cwd/-/import-cwd-3.0.0.tgz#20845547718015126ea9b3676b7592fb8bd4cf92" @@ -7702,7 +9877,7 @@ inflight@^1.0.4: once "^1.3.0" wrappy "1" -inherits@2, inherits@^2.0.0, inherits@^2.0.1, inherits@^2.0.3, inherits@^2.0.4, inherits@~2.0.1, inherits@~2.0.3: +inherits@2, inherits@2.0.4, inherits@^2.0.0, inherits@^2.0.1, inherits@^2.0.3, inherits@^2.0.4, inherits@~2.0.1, inherits@~2.0.3: version "2.0.4" resolved "https://registry.yarnpkg.com/inherits/-/inherits-2.0.4.tgz#0fa2c64f932917c3433a0ded55363aae37416b7c" integrity sha512-k/vGaX4/Yla3WzyMCvTQOXYeIHvqOKtnqBduzTHpzpQZzAskKMhZ2K+EnBiSM9zGSoIFeMpXKxa4dYeZIQqewQ== @@ -7727,6 +9902,11 @@ ini@^1.3.4, ini@^1.3.5, ini@~1.3.0: resolved "https://registry.yarnpkg.com/ini/-/ini-1.3.8.tgz#a29da425b48806f34767a4efce397269af28432c" integrity sha512-JV/yugV2uzW5iMRSiZAyDtQd+nxtUnjeLt0acNdw98kKLrvuRVyB80tsREOE7yvGVgalhZ6RNXCmEHkUKBKxew== +inline-style-parser@0.1.1: + version "0.1.1" + resolved "https://registry.yarnpkg.com/inline-style-parser/-/inline-style-parser-0.1.1.tgz#ec8a3b429274e9c0a1f1c4ffa9453a7fef72cea1" + integrity sha512-7NXolsK4CAS5+xvdj5OMMbI962hU/wvwoxk+LWR9Ek9bVtyuuYScDN6eS0rUm6TxApFpw7CX1o4uJzcd4AyD3Q== + inquirer@8.1.1: version "8.1.1" resolved "https://registry.yarnpkg.com/inquirer/-/inquirer-8.1.1.tgz#7c53d94c6d03011c7bb2a947f0dca3b98246c26a" @@ -7771,11 +9951,33 @@ interpret@^2.2.0: resolved "https://registry.yarnpkg.com/interpret/-/interpret-2.2.0.tgz#1a78a0b5965c40a5416d007ad6f50ad27c417df9" integrity sha512-Ju0Bz/cEia55xDwUWEa8+olFpCiQoypjnQySseKtmjNrnps3P+xfpUmGr90T7yjlVJmOtybRvPXhKMbHr+fWnw== +invariant@^2.2.3, invariant@^2.2.4: + version "2.2.4" + resolved "https://registry.yarnpkg.com/invariant/-/invariant-2.2.4.tgz#610f3c92c9359ce1db616e538008d23ff35158e6" + integrity sha512-phJfQVBuaJM5raOpJjSfkiD6BpbCE4Ns//LaXl6wGYtUBY83nWS6Rf9tXm2e8VaK60JEjYldbPif/A2B1C2gNA== + dependencies: + loose-envify "^1.0.0" + +ip@^1.1.5: + version "1.1.5" + resolved "https://registry.yarnpkg.com/ip/-/ip-1.1.5.tgz#bdded70114290828c0a039e72ef25f5aaec4354a" + integrity sha1-vd7XARQpCCjAoDnnLvJfWq7ENUo= + +ipaddr.js@1.9.1: + version "1.9.1" + resolved "https://registry.yarnpkg.com/ipaddr.js/-/ipaddr.js-1.9.1.tgz#bff38543eeb8984825079ff3a2a8e6cbd46781b3" + integrity sha512-0KI/607xoxSToH7GjN1FfSbLoU0+btTicjsQSWQlh/hZykN8KpmMf7uYwPW3R+akZ6R/w18ZlXSHBYXiYUPO3g== + irregular-plurals@^3.2.0: version "3.3.0" resolved "https://registry.yarnpkg.com/irregular-plurals/-/irregular-plurals-3.3.0.tgz#67d0715d4361a60d9fd9ee80af3881c631a31ee2" integrity sha512-MVBLKUTangM3EfRPFROhmWQQKRDsrgI83J8GS3jXy+OwYqiR2/aoWndYQ5416jLE3uaGgLH7ncme3X9y09gZ3g== +is-absolute-url@^3.0.0: + version "3.0.3" + resolved "https://registry.yarnpkg.com/is-absolute-url/-/is-absolute-url-3.0.3.tgz#96c6a22b6a23929b11ea0afb1836c36ad4a5d698" + integrity sha512-opmNIX7uFnS96NtPmhWQgQx6/NYFgsUXYMllcfzwWKUMwfo8kku1TvE6hkNcH+Q1ts5cMVrsY7j0bxXQDciu9Q== + is-accessor-descriptor@^0.1.6: version "0.1.6" resolved "https://registry.yarnpkg.com/is-accessor-descriptor/-/is-accessor-descriptor-0.1.6.tgz#a9e12cb3ae8d876727eeef3843f8a0897b5c98d6" @@ -7790,7 +9992,7 @@ is-accessor-descriptor@^1.0.0: dependencies: kind-of "^6.0.0" -is-alphabetical@^1.0.0: +is-alphabetical@1.0.4, is-alphabetical@^1.0.0: version "1.0.4" resolved "https://registry.yarnpkg.com/is-alphabetical/-/is-alphabetical-1.0.4.tgz#9e7d6b94916be22153745d184c298cbf986a686d" integrity sha512-DwzsA04LQ10FHTZuL0/grVDk4rFoVH1pjAToYwBrHSxcrBIGQuXrQMtD5U1b0U2XVgKZCTLLP8u2Qxqhy3l2Vg== @@ -7803,6 +10005,13 @@ is-alphanumerical@^1.0.0: is-alphabetical "^1.0.0" is-decimal "^1.0.0" +is-arguments@^1.1.0: + version "1.1.0" + resolved "https://registry.yarnpkg.com/is-arguments/-/is-arguments-1.1.0.tgz#62353031dfbee07ceb34656a6bde59efecae8dd9" + integrity sha512-1Ij4lOMPl/xB5kBDn7I+b2ttPMKa8szhEIrXDuXQD/oe3HJLTLhqhgGspwgyGd6MOywBUqVvYicF72lkgDnIHg== + dependencies: + call-bind "^1.0.0" + is-arrayish@^0.2.1: version "0.2.1" resolved "https://registry.yarnpkg.com/is-arrayish/-/is-arrayish-0.2.1.tgz#77c99840527aa8ecb1a8ba697b80645a7a926a9d" @@ -7917,6 +10126,14 @@ is-docker@^2.0.0: resolved "https://registry.yarnpkg.com/is-docker/-/is-docker-2.2.1.tgz#33eeabe23cfe86f14bde4408a02c0cfb853acdaa" integrity sha512-F+i2BKsFrH66iaUFc0woD8sLy8getkwTwtOBjvs56Cx4CgJDeKQeqfz8wAYiSb8JOprWhHH5p77PbmYCvvUuXQ== +is-dom@^1.0.0: + version "1.1.0" + resolved "https://registry.yarnpkg.com/is-dom/-/is-dom-1.1.0.tgz#af1fced292742443bb59ca3f76ab5e80907b4e8a" + integrity sha512-u82f6mvhYxRPKpw8V1N0W8ce1xXwOrQtgGcxl6UCL5zBmZu3is/18K0rR7uFCnMDuAsS/3W54mGL4vsaFUQlEQ== + dependencies: + is-object "^1.0.1" + is-window "^1.0.2" + is-electron@^2.2.0: version "2.2.0" resolved "https://registry.yarnpkg.com/is-electron/-/is-electron-2.2.0.tgz#8943084f09e8b731b3a7a0298a7b5d56f6b7eef0" @@ -7934,11 +10151,23 @@ is-extendable@^1.0.1: dependencies: is-plain-object "^2.0.4" +is-extglob@^1.0.0: + version "1.0.0" + resolved "https://registry.yarnpkg.com/is-extglob/-/is-extglob-1.0.0.tgz#ac468177c4943405a092fc8f29760c6ffc6206c0" + integrity sha1-rEaBd8SUNAWgkvyPKXYMb/xiBsA= + is-extglob@^2.1.0, is-extglob@^2.1.1: version "2.1.1" resolved "https://registry.yarnpkg.com/is-extglob/-/is-extglob-2.1.1.tgz#a88c02535791f02ed37c76a1b9ea9773c833f8c2" integrity sha1-qIwCU1eR8C7TfHahueqXc8gz+MI= +is-fullwidth-code-point@^1.0.0: + version "1.0.0" + resolved "https://registry.yarnpkg.com/is-fullwidth-code-point/-/is-fullwidth-code-point-1.0.0.tgz#ef9e31386f031a7f0d643af82fde50c457ef00cb" + integrity sha1-754xOG8DGn8NZDr4L95QxFfvAMs= + dependencies: + number-is-nan "^1.0.0" + is-fullwidth-code-point@^2.0.0: version "2.0.0" resolved "https://registry.yarnpkg.com/is-fullwidth-code-point/-/is-fullwidth-code-point-2.0.0.tgz#a3b30a5c4f199183167aaab93beefae3ddfb654f" @@ -7949,12 +10178,24 @@ is-fullwidth-code-point@^3.0.0: resolved "https://registry.yarnpkg.com/is-fullwidth-code-point/-/is-fullwidth-code-point-3.0.0.tgz#f116f8064fe90b3f7844a38997c0b75051269f1d" integrity sha512-zymm5+u+sCsSWyD9qNaejV3DFvhCKclKdizYaJUuHA83RLjb7nSuGnddCHGv0hk+KY7BMAlsWeK4Ueg6EV6XQg== +is-function@^1.0.2: + version "1.0.2" + resolved "https://registry.yarnpkg.com/is-function/-/is-function-1.0.2.tgz#4f097f30abf6efadac9833b17ca5dc03f8144e08" + integrity sha512-lw7DUp0aWXYg+CBCN+JKkcE0Q2RayZnSvnZBlwgxHBQhqt5pZNVy4Ri7H9GmmXkdu7LUthszM+Tor1u/2iBcpQ== + is-generator-fn@^2.0.0: version "2.1.0" resolved "https://registry.yarnpkg.com/is-generator-fn/-/is-generator-fn-2.1.0.tgz#7d140adc389aaf3011a8f2a2a4cfa6faadffb118" integrity sha512-cTIB4yPYL/Grw0EaSzASzg6bBy9gqCofvWN8okThAYIxKJZC+udlRAmGbM0XLeniEJSs8uEgHPGuHSe1XsOLSQ== -is-glob@^3.1.0: +is-glob@^2.0.0: + version "2.0.1" + resolved "https://registry.yarnpkg.com/is-glob/-/is-glob-2.0.1.tgz#d096f926a3ded5600f3fdfd91198cb0888c2d863" + integrity sha1-0Jb5JqPe1WAPP9/ZEZjLCIjC2GM= + dependencies: + is-extglob "^1.0.0" + +is-glob@^3.0.0, is-glob@^3.1.0: version "3.1.0" resolved "https://registry.yarnpkg.com/is-glob/-/is-glob-3.1.0.tgz#7ba5ae24217804ac70707b96922567486cc3e84a" integrity sha1-e6WuJCF4BKxwcHuWkiVnSGzD6Eo= @@ -7986,6 +10227,11 @@ is-interactive@^1.0.0: resolved "https://registry.yarnpkg.com/is-interactive/-/is-interactive-1.0.0.tgz#cea6e6ae5c870a7b0a0004070b7b587e0252912e" integrity sha512-2HvIEKRoqS62guEC+qBjpvRubdX910WCMuJTZ+I9yvqKU2/12eSL549HMwtabb4oupdj2sMP50k+XJfB/8JE6w== +is-map@^2.0.2: + version "2.0.2" + resolved "https://registry.yarnpkg.com/is-map/-/is-map-2.0.2.tgz#00922db8c9bf73e81b7a335827bc2a43f2b91127" + integrity sha512-cOZFQQozTha1f4MxLFzlgKYPTyj26picdZTx82hbc/Xf4K/tZOOXSCkMvU4pKioRXGDLJRn0GM7Upe7kR721yg== + is-negative-zero@^2.0.1: version "2.0.1" resolved "https://registry.yarnpkg.com/is-negative-zero/-/is-negative-zero-2.0.1.tgz#3de746c18dda2319241a53675908d8f766f11c24" @@ -8018,6 +10264,11 @@ is-obj@^2.0.0: resolved "https://registry.yarnpkg.com/is-obj/-/is-obj-2.0.0.tgz#473fb05d973705e3fd9620545018ca8e22ef4982" integrity sha512-drqDG3cbczxxEJRoOXcOjtdp1J/lyp1mNn0xaznRs8+muBhgQcrnbspox5X5fOw0HnMnbfDzvnEMEtqDEJEo8w== +is-object@^1.0.1: + version "1.0.2" + resolved "https://registry.yarnpkg.com/is-object/-/is-object-1.0.2.tgz#a56552e1c665c9e950b4a025461da87e72f86fcf" + integrity sha512-2rRIahhZr2UWb45fIOuvZGpFtz0TyOZLf32KxBbSoUCeZR495zCKlWUKKUByk3geS2eAs7ZAABt0Y/Rx0GiQGA== + is-path-cwd@^2.0.0: version "2.2.0" resolved "https://registry.yarnpkg.com/is-path-cwd/-/is-path-cwd-2.2.0.tgz#67d43b82664a7b5191fd9119127eb300048a9fdb" @@ -8052,6 +10303,11 @@ is-plain-obj@^2.0.0, is-plain-obj@^2.1.0: resolved "https://registry.yarnpkg.com/is-plain-obj/-/is-plain-obj-2.1.0.tgz#45e42e37fccf1f40da8e5f76ee21515840c09287" integrity sha512-YWnfyRwxL/+SsrWYfOpUtz5b3YD+nyfkHvjbcanzk8zgyO4ASD67uVMRt8k5bM4lLMDnXfriRhOpemw+NfT1eA== +is-plain-object@3.0.1: + version "3.0.1" + resolved "https://registry.yarnpkg.com/is-plain-object/-/is-plain-object-3.0.1.tgz#662d92d24c0aa4302407b0d45d21f2251c85f85b" + integrity sha512-Xnpx182SBMrr/aBik8y+GuR4U1L9FqMSojwDQwPMmxyC6bvEqly9UBCxhauBF5vNh2gwWJNX6oDV7O+OM4z34g== + is-plain-object@^2.0.1, is-plain-object@^2.0.3, is-plain-object@^2.0.4: version "2.0.4" resolved "https://registry.yarnpkg.com/is-plain-object/-/is-plain-object-2.0.4.tgz#2c163b3fafb1b606d9d17928f05c2a1c38e07677" @@ -8074,7 +10330,7 @@ is-promise@^4.0.0: resolved "https://registry.yarnpkg.com/is-promise/-/is-promise-4.0.0.tgz#42ff9f84206c1991d26debf520dd5c01042dd2f3" integrity sha512-hvpoI6korhJMnej285dSg6nu1+e6uxs7zG3BYAm5byqDsgJNWwxzM6z6iZiAgQR4TJ30JmBTOwqZUw3WlyH3AQ== -is-regex@^1.0.5, is-regex@^1.1.0, is-regex@^1.1.3: +is-regex@^1.0.5, is-regex@^1.1.0, is-regex@^1.1.2, is-regex@^1.1.3: version "1.1.3" resolved "https://registry.yarnpkg.com/is-regex/-/is-regex-1.1.3.tgz#d029f9aff6448b93ebbe3f33dac71511fdcbef9f" integrity sha512-qSVXFz28HM7y+IWX6vLCsexdlvzT1PJNFSBuaQLQ5o0IEw8UDYW6/2+eCMVyIsbM8CNLX2a/QWmSpyxYEHY7CQ== @@ -8087,6 +10343,16 @@ is-regexp@^2.0.0: resolved "https://registry.yarnpkg.com/is-regexp/-/is-regexp-2.1.0.tgz#cd734a56864e23b956bf4e7c66c396a4c0b22c2d" integrity sha512-OZ4IlER3zmRIoB9AqNhEggVxqIH4ofDns5nRrPS6yQxXE1TPCUpFznBfRQmQa8uC+pXqjMnukiJBxCisIxiLGA== +is-root@2.1.0: + version "2.1.0" + resolved "https://registry.yarnpkg.com/is-root/-/is-root-2.1.0.tgz#809e18129cf1129644302a4f8544035d51984a9c" + integrity sha512-AGOriNp96vNBd3HtU+RzFEc75FfR5ymiYv8E553I71SCeXBiMsVDUtdio1OEFvrPyLIQ9tVR5RxXIFe5PUFjMg== + +is-set@^2.0.2: + version "2.0.2" + resolved "https://registry.yarnpkg.com/is-set/-/is-set-2.0.2.tgz#90755fa4c2562dc1c5d4024760d6119b94ca18ec" + integrity sha512-+2cnTEZeY5z/iXGbLhPrOAaK/Mau5k5eXq9j14CpRTftq0pAJu2MwVRSZhyZWBzx3o6X795Lz6Bpb6R0GKf37g== + is-ssh@^1.3.0: version "1.3.3" resolved "https://registry.yarnpkg.com/is-ssh/-/is-ssh-1.3.3.tgz#7f133285ccd7f2c2c7fc897b771b53d95a2b2c7e" @@ -8146,6 +10412,11 @@ is-whitespace-character@^1.0.0: resolved "https://registry.yarnpkg.com/is-whitespace-character/-/is-whitespace-character-1.0.4.tgz#0858edd94a95594c7c9dd0b5c174ec6e45ee4aa7" integrity sha512-SDweEzfIZM0SJV0EUga669UTKlmL0Pq8Lno0QDQsPnvECB3IM2aP0gdx5TrU0A01MAPfViaZiI2V1QMZLaKK5w== +is-window@^1.0.2: + version "1.0.2" + resolved "https://registry.yarnpkg.com/is-window/-/is-window-1.0.2.tgz#2c896ca53db97de45d3c33133a65d8c9f563480d" + integrity sha1-LIlspT25feRdPDMTOmXYyfVjSA0= + is-windows@^0.2.0: version "0.2.0" resolved "https://registry.yarnpkg.com/is-windows/-/is-windows-0.2.0.tgz#de1aa6d63ea29dd248737b69f1ff8b8002d2108c" @@ -8166,7 +10437,7 @@ is-wsl@^1.1.0: resolved "https://registry.yarnpkg.com/is-wsl/-/is-wsl-1.1.0.tgz#1f16e4aa22b04d1336b66188a66af3c600c3a66d" integrity sha1-HxbkqiKwTRM2tmGIpmrzxgDDpm0= -is-wsl@^2.2.0: +is-wsl@^2.1.1, is-wsl@^2.2.0: version "2.2.0" resolved "https://registry.yarnpkg.com/is-wsl/-/is-wsl-2.2.0.tgz#74a4c76e77ca9fd3f932f290c17ea326cd157271" integrity sha512-fKzAra0rGJUUBwGBgNkHZuToZcn+TtXHpeCgmkMJMMYx1sQDYaCSyjJBSCa2nH1DGm7s3n1oBnohoVTBaN7Lww== @@ -8193,6 +10464,11 @@ isarray@2.0.1: resolved "https://registry.yarnpkg.com/isarray/-/isarray-2.0.1.tgz#a37d94ed9cda2d59865c9f76fe596ee1f338741e" integrity sha1-o32U7ZzaLVmGXJ92/llu4fM4dB4= +isarray@^2.0.5: + version "2.0.5" + resolved "https://registry.yarnpkg.com/isarray/-/isarray-2.0.5.tgz#8af1e4c1221244cc62459faf38940d4e644a5723" + integrity sha512-xHjhDr3cNBK0BzdUJSPXZntQUx/mwMS5Rw4A7lPJ90XGAO6ISP/ePDNuo0vhqOZU+UD5JoodwCAAoZQd3FeAKw== + isexe@^2.0.0: version "2.0.0" resolved "https://registry.yarnpkg.com/isexe/-/isexe-2.0.0.tgz#e8fbf374dc556ff8947a10dcb0572d633f2cfa10" @@ -8210,6 +10486,11 @@ isobject@^3.0.0, isobject@^3.0.1: resolved "https://registry.yarnpkg.com/isobject/-/isobject-3.0.1.tgz#4e431e92b11a9731636aa1f9c8d1ccbcfdab78df" integrity sha1-TkMekrEalzFjaqH5yNHMvP2reN8= +isobject@^4.0.0: + version "4.0.0" + resolved "https://registry.yarnpkg.com/isobject/-/isobject-4.0.0.tgz#3f1c9155e73b192022a80819bacd0343711697b0" + integrity sha512-S/2fF5wH8SJA/kmwr6HYhK/RI/OkhD84k8ntalo0iJjZikgq1XFvR5M8NPT1x5F7fBwCG3qHfnzeP/Vh/ZxCUA== + isomorphic.js@^0.2.4: version "0.2.4" resolved "https://registry.yarnpkg.com/isomorphic.js/-/isomorphic.js-0.2.4.tgz#24ca374163ae54a7ce3b86ce63b701b91aa84969" @@ -8261,6 +10542,19 @@ istanbul-reports@^3.0.2: html-escaper "^2.0.0" istanbul-lib-report "^3.0.0" +iterate-iterator@^1.0.1: + version "1.0.1" + resolved "https://registry.yarnpkg.com/iterate-iterator/-/iterate-iterator-1.0.1.tgz#1693a768c1ddd79c969051459453f082fe82e9f6" + integrity sha512-3Q6tudGN05kbkDQDI4CqjaBf4qf85w6W6GnuZDtUVYwKgtC1q8yxYX7CZed7N+tLzQqS6roujWvszf13T+n9aw== + +iterate-value@^1.0.2: + version "1.0.2" + resolved "https://registry.yarnpkg.com/iterate-value/-/iterate-value-1.0.2.tgz#935115bd37d006a52046535ebc8d07e9c9337f57" + integrity sha512-A6fMAio4D2ot2r/TYzr4yUWrmwNdsN5xL7+HUiyACE4DXm+q8HtPcnFTp+NnW3k4N05tZ7FVYFFb2CR13NxyHQ== + dependencies: + es-get-iterator "^1.0.2" + iterate-iterator "^1.0.1" + jest-changed-files@^26.6.2: version "26.6.2" resolved "https://registry.yarnpkg.com/jest-changed-files/-/jest-changed-files-26.6.2.tgz#f6198479e1cc66f22f9ae1e22acaa0b429c042d0" @@ -8656,7 +10950,7 @@ jest-watcher@^26.6.2: jest-util "^26.6.2" string-length "^4.0.1" -jest-worker@^26.2.1, jest-worker@^26.6.2: +jest-worker@^26.2.1, jest-worker@^26.5.0, jest-worker@^26.6.2: version "26.6.2" resolved "https://registry.yarnpkg.com/jest-worker/-/jest-worker-26.6.2.tgz#7f72cbc4d643c365e27b9fd775f9d0eaa9c7a8ed" integrity sha512-KWYVV1c4i+jbMpaBC+U++4Va0cp8OisU185o73T1vo99hqi7w8tSJfUXYswwqqrjzwxa6KpRK54WhPvwf5w6PQ== @@ -8683,6 +10977,11 @@ jest@^26.6.3: import-local "^3.0.2" jest-cli "^26.6.3" +js-string-escape@^1.0.1: + version "1.0.1" + resolved "https://registry.yarnpkg.com/js-string-escape/-/js-string-escape-1.0.1.tgz#e2625badbc0d67c7533e9edc1068c587ae4137ef" + integrity sha1-4mJbrbwNZ8dTPp7cEGjFh65BN+8= + "js-tokens@^3.0.0 || ^4.0.0", js-tokens@^4.0.0: version "4.0.0" resolved "https://registry.yarnpkg.com/js-tokens/-/js-tokens-4.0.0.tgz#19203fb59991df98e3a287050d4647cdeaf32499" @@ -8819,7 +11118,7 @@ json5@^1.0.1: dependencies: minimist "^1.2.0" -json5@^2.1.2: +json5@^2.1.2, json5@^2.1.3: version "2.2.0" resolved "https://registry.yarnpkg.com/json5/-/json5-2.2.0.tgz#2dfefe720c6ba525d9ebd909950f0515316c89a3" integrity sha512-f+8cldu7X/y7RAJurMEJmdoKXGB/X550w2Nr3tTbezL6RwEE/iMcm+tZnXeoZtKuOq6ft8+CqzEkrIgx1fPoQA== @@ -8836,6 +11135,22 @@ jsonc-parser@~2.2.0: resolved "https://registry.yarnpkg.com/jsonc-parser/-/jsonc-parser-2.2.1.tgz#db73cd59d78cce28723199466b2a03d1be1df2bc" integrity sha512-o6/yDBYccGvTz1+QFevz6l6OBZ2+fMVu2JZ9CIhzsYRX4mjaK5IyX9eldUdCmga16zlgQxyrj5pt9kzuj2C02w== +jsonfile@^2.1.0: + version "2.4.0" + resolved "https://registry.yarnpkg.com/jsonfile/-/jsonfile-2.4.0.tgz#3736a2b428b87bbda0cc83b53fa3d633a35c2ae8" + integrity sha1-NzaitCi4e72gzIO1P6PWM6NcKug= + optionalDependencies: + graceful-fs "^4.1.6" + +jsonfile@^6.0.1: + version "6.1.0" + resolved "https://registry.yarnpkg.com/jsonfile/-/jsonfile-6.1.0.tgz#bc55b2634793c679ec6403094eb13698a6ec0aae" + integrity sha512-5dgndWOriYSm5cnYaJNhalLNDKOqFwyDB/rr1E9ZsGciGvKPs8R2xYGCacuf3z6K1YKDz182fd+fY3cn3pMqXQ== + dependencies: + universalify "^2.0.0" + optionalDependencies: + graceful-fs "^4.1.6" + jsprim@^1.2.2: version "1.4.1" resolved "https://registry.yarnpkg.com/jsprim/-/jsprim-1.4.1.tgz#313e66bc1e5cc06e438bc1b7499c2e5c56acb6a2" @@ -8854,6 +11169,11 @@ jsprim@^1.2.2: array-includes "^3.1.2" object.assign "^4.1.2" +junk@^3.1.0: + version "3.1.0" + resolved "https://registry.yarnpkg.com/junk/-/junk-3.1.0.tgz#31499098d902b7e98c5d9b9c80f43457a88abfa1" + integrity sha512-pBxcB3LFc8QVgdggvZWyeys+hnrNWg4OcZIU/1X59k5jQdLBlCsYGRQaz234SqoRLTCgMH00fY0xRJH+F9METQ== + keyv@^3.0.0: version "3.1.0" resolved "https://registry.yarnpkg.com/keyv/-/keyv-3.1.0.tgz#ecc228486f69991e49e9476485a5be1e8fc5c4d9" @@ -8899,6 +11219,13 @@ kind-of@^6.0.0, kind-of@^6.0.2, kind-of@^6.0.3: resolved "https://registry.yarnpkg.com/kind-of/-/kind-of-6.0.3.tgz#07c05034a6c349fa06e24fa35aa76db4580ce4dd" integrity sha512-dcS1ul+9tmeD95T+x28/ehLgd9mENa3LsvDTtzm3vyBEO7RPptvAD+t44WVXaUjTBRcrpFeFlC8WCruUR456hw== +klaw@^1.0.0: + version "1.3.1" + resolved "https://registry.yarnpkg.com/klaw/-/klaw-1.3.1.tgz#4088433b46b3b1ba259d78785d8e96f73ba02439" + integrity sha1-QIhDO0azsbolnXh4XY6W9zugJDk= + optionalDependencies: + graceful-fs "^4.1.9" + kleur@^3.0.3: version "3.0.3" resolved "https://registry.yarnpkg.com/kleur/-/kleur-3.0.3.tgz#a79c9ecc86ee1ce3fa6206d1216c501f147fc07e" @@ -8943,6 +11270,17 @@ lazy-cache@^1.0.3: resolved "https://registry.yarnpkg.com/lazy-cache/-/lazy-cache-1.0.4.tgz#a1d78fc3a50474cb80845d3b3b6e1da49a446e8e" integrity sha1-odePw6UEdMuAhF07O24dpJpEbo4= +lazy-universal-dotenv@^3.0.1: + version "3.0.1" + resolved "https://registry.yarnpkg.com/lazy-universal-dotenv/-/lazy-universal-dotenv-3.0.1.tgz#a6c8938414bca426ab8c9463940da451a911db38" + integrity sha512-prXSYk799h3GY3iOWnC6ZigYzMPjxN2svgjJ9shk7oMadSNX3wXy0B6F32PMJv7qtMnrIbUxoEHzbutvxR2LBQ== + dependencies: + "@babel/runtime" "^7.5.0" + app-root-dir "^1.0.2" + core-js "^3.0.4" + dotenv "^8.0.0" + dotenv-expand "^5.1.0" + leven@^3.1.0: version "3.1.0" resolved "https://registry.yarnpkg.com/leven/-/leven-3.1.0.tgz#77891de834064cccba82ae7842bb6b14a13ed7f2" @@ -9026,6 +11364,15 @@ loader-runner@^4.1.0, loader-runner@^4.2.0: resolved "https://registry.yarnpkg.com/loader-runner/-/loader-runner-4.2.0.tgz#d7022380d66d14c5fb1d496b89864ebcfd478384" integrity sha512-92+huvxMvYlMzMt0iIOukcwYBFpkYJdpl2xsZ7LrlayO7E8SOv+JJUEK17B/dJIHAOLMfh2dZZ/Y18WgmGtYNw== +loader-utils@2.0.0, loader-utils@^2.0.0: + version "2.0.0" + resolved "https://registry.yarnpkg.com/loader-utils/-/loader-utils-2.0.0.tgz#e4cace5b816d425a166b5f097e10cd12b36064b0" + integrity sha512-rP4F0h2RaWSvPEkD7BLDFQnvSf+nK+wr3ESUjNTyAGobqrijmW92zc+SO6d4p4B1wh7+B/Jg1mkQe5NYUEHtHQ== + dependencies: + big.js "^5.2.2" + emojis-list "^3.0.0" + json5 "^2.1.2" + loader-utils@^1.1.0, loader-utils@^1.2.3, loader-utils@^1.4.0: version "1.4.0" resolved "https://registry.yarnpkg.com/loader-utils/-/loader-utils-1.4.0.tgz#c579b5e34cb34b1a74edc6c1fb36bfa371d5a613" @@ -9035,15 +11382,6 @@ loader-utils@^1.1.0, loader-utils@^1.2.3, loader-utils@^1.4.0: emojis-list "^3.0.0" json5 "^1.0.1" -loader-utils@^2.0.0: - version "2.0.0" - resolved "https://registry.yarnpkg.com/loader-utils/-/loader-utils-2.0.0.tgz#e4cace5b816d425a166b5f097e10cd12b36064b0" - integrity sha512-rP4F0h2RaWSvPEkD7BLDFQnvSf+nK+wr3ESUjNTyAGobqrijmW92zc+SO6d4p4B1wh7+B/Jg1mkQe5NYUEHtHQ== - dependencies: - big.js "^5.2.2" - emojis-list "^3.0.0" - json5 "^2.1.2" - locate-path@^2.0.0: version "2.0.0" resolved "https://registry.yarnpkg.com/locate-path/-/locate-path-2.0.0.tgz#2b568b265eec944c6d9c0de9c3dbbbca0354cd8e" @@ -9119,7 +11457,12 @@ lodash.truncate@^4.4.2: resolved "https://registry.yarnpkg.com/lodash.truncate/-/lodash.truncate-4.4.2.tgz#5a350da0b1113b837ecfffd5812cbe58d6eae193" integrity sha1-WjUNoLERO4N+z//VgSy+WNbq4ZM= -lodash@4.17.21, lodash@^4.1.1, lodash@^4.17.14, lodash@^4.17.15, lodash@^4.17.20, lodash@^4.17.21, lodash@^4.7.0: +lodash.uniq@4.5.0: + version "4.5.0" + resolved "https://registry.yarnpkg.com/lodash.uniq/-/lodash.uniq-4.5.0.tgz#d0225373aeb652adc1bc82e4945339a842754773" + integrity sha1-0CJTc662Uq3BvILklFM5qEJ1R3M= + +lodash@4.17.21, lodash@^4.1.1, lodash@^4.17.14, lodash@^4.17.15, lodash@^4.17.19, lodash@^4.17.20, lodash@^4.17.21, lodash@^4.7.0: version "4.17.21" resolved "https://registry.yarnpkg.com/lodash/-/lodash-4.17.21.tgz#679591c564c3bffaae8454cf0b3df370c3d6911c" integrity sha512-v2kDEe57lecTulaDIuNTPy3Ry4gLGJ6Z1O3vE1krgXZNrsQ+LFTGHVxVjcXPs17LhbZVGedAJv8XZ1tvj5FvSg== @@ -9137,13 +11480,20 @@ longest-streak@^2.0.0: resolved "https://registry.yarnpkg.com/longest-streak/-/longest-streak-2.0.4.tgz#b8599957da5b5dab64dee3fe316fa774597d90e4" integrity sha512-vM6rUVCVUJJt33bnmHiZEvr7wPT78ztX7rojL+LW51bHtLh6HTjx84LA5W4+oa6aKEJA7jJu5LR6vQRBpA5DVg== -loose-envify@^1.1.0, loose-envify@^1.2.0, loose-envify@^1.3.1, loose-envify@^1.4.0: +loose-envify@^1.0.0, loose-envify@^1.1.0, loose-envify@^1.2.0, loose-envify@^1.3.1, loose-envify@^1.4.0: version "1.4.0" resolved "https://registry.yarnpkg.com/loose-envify/-/loose-envify-1.4.0.tgz#71ee51fa7be4caec1a63839f7e682d8132d30caf" integrity sha512-lyuxPGr/Wfhrlem2CL/UcnUc1zcqKAImBDzukY7Y5F/yQiNdko6+fRLevlw1HgMySw7f611UIY408EtxRSoK3Q== dependencies: js-tokens "^3.0.0 || ^4.0.0" +lower-case@^2.0.2: + version "2.0.2" + resolved "https://registry.yarnpkg.com/lower-case/-/lower-case-2.0.2.tgz#6fa237c63dbdc4a82ca0fd882e4722dc5e634e28" + integrity sha512-7fm3l3NAF9WfN6W3JOmf5drwpVqX78JtoGJ3A6W0a6ZnldM41w2fV5D490psKFTpMds8TJse/eHLFFsNHHjHgg== + dependencies: + tslib "^2.0.3" + lowercase-keys@^1.0.0, lowercase-keys@^1.0.1: version "1.0.1" resolved "https://registry.yarnpkg.com/lowercase-keys/-/lowercase-keys-1.0.1.tgz#6f9e30b47084d971a7c820ff15a6c5167b74c26f" @@ -9154,6 +11504,14 @@ lowercase-keys@^2.0.0: resolved "https://registry.yarnpkg.com/lowercase-keys/-/lowercase-keys-2.0.0.tgz#2603e78b7b4b0006cbca2fbcc8a3202558ac9479" integrity sha512-tqNXrS78oMOE73NMxK4EMLQsQowWf8jKooH9g7xPavRT706R6bkQJ6DY2Te7QukaZsulxa30wQ7bk0pm4XiHmA== +lowlight@^1.14.0: + version "1.20.0" + resolved "https://registry.yarnpkg.com/lowlight/-/lowlight-1.20.0.tgz#ddb197d33462ad0d93bf19d17b6c301aa3941888" + integrity sha512-8Ktj+prEb1RoCPkEOrPMYUN/nCggB7qAWe3a7OpMjWQkh3l2RD5wKRQ+o8Q8YuI9RG/xs95waaI/E6ym/7NsTw== + dependencies: + fault "^1.0.0" + highlight.js "~10.7.0" + lru-cache@^4.0.1: version "4.1.5" resolved "https://registry.yarnpkg.com/lru-cache/-/lru-cache-4.1.5.tgz#8bbe50ea85bed59bc9e33dcab8235ee9bcf443cd" @@ -9218,6 +11576,11 @@ map-obj@^4.0.0: resolved "https://registry.yarnpkg.com/map-obj/-/map-obj-4.2.1.tgz#e4ea399dbc979ae735c83c863dd31bdf364277b7" integrity sha512-+WA2/1sPmDj1dlvvJmB5G6JKfY9dpn7EVBUL06+y6PoljPkh+6V1QihwxNkbcGxCRjt2b0F9K0taiCuo7MbdFQ== +map-or-similar@^1.5.0: + version "1.5.0" + resolved "https://registry.yarnpkg.com/map-or-similar/-/map-or-similar-1.5.0.tgz#6de2653174adfb5d9edc33c69d3e92a1b76faf08" + integrity sha1-beJlMXSt+12e3DPGnT6Sobdvrwg= + map-values@^1.0.1: version "1.0.1" resolved "https://registry.yarnpkg.com/map-values/-/map-values-1.0.1.tgz#768b8e79c009bf2b64fee806e22a7b1c4190c990" @@ -9246,6 +11609,19 @@ markdown-it@10.0.0: mdurl "^1.0.1" uc.micro "^1.0.5" +markdown-to-jsx@^6.11.4: + version "6.11.4" + resolved "https://registry.yarnpkg.com/markdown-to-jsx/-/markdown-to-jsx-6.11.4.tgz#b4528b1ab668aef7fe61c1535c27e837819392c5" + integrity sha512-3lRCD5Sh+tfA52iGgfs/XZiw33f7fFX9Bn55aNnVNUd2GzLDkOWyKYYD8Yju2B1Vn+feiEdgJs8T6Tg0xNokPw== + dependencies: + prop-types "^15.6.2" + unquote "^1.1.0" + +markdown-to-jsx@^7.1.3: + version "7.1.3" + resolved "https://registry.yarnpkg.com/markdown-to-jsx/-/markdown-to-jsx-7.1.3.tgz#f00bae66c0abe7dd2d274123f84cb6bd2a2c7c6a" + integrity sha512-jtQ6VyT7rMT5tPV0g2EJakEnXLiPksnvlYtwQsVVZ611JsWGN8bQ1tVSDX4s6JllfEH6wmsYxNjTUAMrPmNA8w== + markdownlint-cli@^0.21.0: version "0.21.0" resolved "https://registry.yarnpkg.com/markdownlint-cli/-/markdownlint-cli-0.21.0.tgz#d792b157e9de63ce1d6b6e13d7cf83d5e552d5e8" @@ -9291,6 +11667,20 @@ md5.js@^1.3.4: inherits "^2.0.1" safe-buffer "^5.1.2" +mdast-squeeze-paragraphs@^4.0.0: + version "4.0.0" + resolved "https://registry.yarnpkg.com/mdast-squeeze-paragraphs/-/mdast-squeeze-paragraphs-4.0.0.tgz#7c4c114679c3bee27ef10b58e2e015be79f1ef97" + integrity sha512-zxdPn69hkQ1rm4J+2Cs2j6wDEv7O17TfXTJ33tl/+JPIoEmtV9t2ZzBM5LPHE8QlHsmVD8t3vPKCyY3oH+H8MQ== + dependencies: + unist-util-remove "^2.0.0" + +mdast-util-definitions@^4.0.0: + version "4.0.0" + resolved "https://registry.yarnpkg.com/mdast-util-definitions/-/mdast-util-definitions-4.0.0.tgz#c5c1a84db799173b4dcf7643cda999e440c24db2" + integrity sha512-k8AJ6aNnUkB7IE+5azR9h81O5EQ/cTDXtWdMq9Kk5KcEW/8ritU5CeLg/9HhOC++nALHBlaogJ5jz0Ybk3kPMQ== + dependencies: + unist-util-visit "^2.0.0" + mdast-util-from-markdown@^0.8.0: version "0.8.5" resolved "https://registry.yarnpkg.com/mdast-util-from-markdown/-/mdast-util-from-markdown-0.8.5.tgz#d1ef2ca42bc377ecb0463a987910dae89bd9a28c" @@ -9302,6 +11692,20 @@ mdast-util-from-markdown@^0.8.0: parse-entities "^2.0.0" unist-util-stringify-position "^2.0.0" +mdast-util-to-hast@10.0.1: + version "10.0.1" + resolved "https://registry.yarnpkg.com/mdast-util-to-hast/-/mdast-util-to-hast-10.0.1.tgz#0cfc82089494c52d46eb0e3edb7a4eb2aea021eb" + integrity sha512-BW3LM9SEMnjf4HXXVApZMt8gLQWVNXc3jryK0nJu/rOXPOnlkUjmdkDlmxMirpbU9ILncGFIwLH/ubnWBbcdgA== + dependencies: + "@types/mdast" "^3.0.0" + "@types/unist" "^2.0.0" + mdast-util-definitions "^4.0.0" + mdurl "^1.0.0" + unist-builder "^2.0.0" + unist-util-generated "^1.0.0" + unist-util-position "^3.0.0" + unist-util-visit "^2.0.0" + mdast-util-to-markdown@^0.6.0: version "0.6.5" resolved "https://registry.yarnpkg.com/mdast-util-to-markdown/-/mdast-util-to-markdown-0.6.5.tgz#b33f67ca820d69e6cc527a93d4039249b504bebe" @@ -9314,6 +11718,11 @@ mdast-util-to-markdown@^0.6.0: repeat-string "^1.0.0" zwitch "^1.0.0" +mdast-util-to-string@^1.0.0: + version "1.1.0" + resolved "https://registry.yarnpkg.com/mdast-util-to-string/-/mdast-util-to-string-1.1.0.tgz#27055500103f51637bd07d01da01eb1967a43527" + integrity sha512-jVU0Nr2B9X3MU4tSK7JP1CMkSvOj7X5l/GboG1tKRw52lLF1x2Ju92Ms9tNetCcbfX3hzlM73zYo2NKkWSfF/A== + mdast-util-to-string@^2.0.0: version "2.0.0" resolved "https://registry.yarnpkg.com/mdast-util-to-string/-/mdast-util-to-string-2.0.0.tgz#b8cfe6a713e1091cb5b728fc48885a4767f8b97b" @@ -9329,16 +11738,35 @@ mdn-data@2.0.4: resolved "https://registry.yarnpkg.com/mdn-data/-/mdn-data-2.0.4.tgz#699b3c38ac6f1d728091a64650b65d388502fd5b" integrity sha512-iV3XNKw06j5Q7mi6h+9vbx23Tv7JkjEVgKHW4pimwyDGWm0OIQntJJ+u1C6mg6mK1EaTv42XQ7w76yuzH7M2cA== -mdurl@^1.0.1: +mdurl@^1.0.0, mdurl@^1.0.1: version "1.0.1" resolved "https://registry.yarnpkg.com/mdurl/-/mdurl-1.0.1.tgz#fe85b2ec75a59037f2adfec100fd6c601761152e" integrity sha1-/oWy7HWlkDfyrf7BAP1sYBdhFS4= +media-typer@0.3.0: + version "0.3.0" + resolved "https://registry.yarnpkg.com/media-typer/-/media-typer-0.3.0.tgz#8710d7af0aa626f8fffa1ce00168545263255748" + integrity sha1-hxDXrwqmJvj/+hzgAWhUUmMlV0g= + +memfs@^3.1.2: + version "3.2.2" + resolved "https://registry.yarnpkg.com/memfs/-/memfs-3.2.2.tgz#5de461389d596e3f23d48bb7c2afb6161f4df40e" + integrity sha512-RE0CwmIM3CEvpcdK3rZ19BC4E6hv9kADkMN5rPduRak58cNArWLi/9jFLsa4rhsjfVxMP3v0jO7FHXq7SvFY5Q== + dependencies: + fs-monkey "1.0.3" + memize@^1.1.0: version "1.1.0" resolved "https://registry.yarnpkg.com/memize/-/memize-1.1.0.tgz#4a5a684ac6992a13b1299043f3e49b1af6a0b0d3" integrity sha512-K4FcPETOMTwe7KL2LK0orMhpOmWD2wRGwWWpbZy0fyArwsyIKR8YJVz8+efBAh3BO4zPqlSICu4vsLTRRqtFAg== +memoizerific@^1.11.3: + version "1.11.3" + resolved "https://registry.yarnpkg.com/memoizerific/-/memoizerific-1.11.3.tgz#7c87a4646444c32d75438570905f2dbd1b1a805a" + integrity sha1-fIekZGREwy11Q4VwkF8tvRsagFo= + dependencies: + map-or-similar "^1.5.0" + memory-fs@^0.4.1: version "0.4.1" resolved "https://registry.yarnpkg.com/memory-fs/-/memory-fs-0.4.1.tgz#3a9a20b8462523e447cfbc7e8bb80ed667bfc552" @@ -9399,16 +11827,31 @@ merge-deep@^3.0.3: clone-deep "^0.2.4" kind-of "^3.0.2" +merge-descriptors@1.0.1: + version "1.0.1" + resolved "https://registry.yarnpkg.com/merge-descriptors/-/merge-descriptors-1.0.1.tgz#b00aaa556dd8b44568150ec9d1b953f3f90cbb61" + integrity sha1-sAqqVW3YtEVoFQ7J0blT8/kMu2E= + merge-stream@^2.0.0: version "2.0.0" resolved "https://registry.yarnpkg.com/merge-stream/-/merge-stream-2.0.0.tgz#52823629a14dd00c9770fb6ad47dc6310f2c1f60" integrity sha512-abv/qOcuPfk3URPfDzmZU1LKmuw8kT+0nIHvKrKgFrwifol/doWcdA4ZqsWQ8ENrFKkd67Mfpo/LovbIUsbt3w== -merge2@^1.3.0: +merge2@^1.2.3, merge2@^1.3.0: version "1.4.1" resolved "https://registry.yarnpkg.com/merge2/-/merge2-1.4.1.tgz#4368892f885e907455a6fd7dc55c0c9d404990ae" integrity sha512-8q7VEgMJW4J8tcfVPy8g09NcQwZdbwFEqhe/WZkoIzjn/3TGDwtOCYtXGxA3O8tPzpczCCDgv+P2P5y00ZJOOg== +methods@~1.1.2: + version "1.1.2" + resolved "https://registry.yarnpkg.com/methods/-/methods-1.1.2.tgz#5529a4d67654134edcc5266656835b0f851afcee" + integrity sha1-VSmk1nZUE07cxSZmVoNbD4Ua/O4= + +microevent.ts@~0.1.1: + version "0.1.1" + resolved "https://registry.yarnpkg.com/microevent.ts/-/microevent.ts-0.1.1.tgz#70b09b83f43df5172d0205a63025bce0f7357fa0" + integrity sha512-jo1OfR4TaEwd5HOrt5+tAZ9mqT4jmpNAusXtyfNzqVm9uiSYFZlKM1wYL4oU7azZW/PxQW53wM0S6OR1JHNa2g== + micromark@~2.11.0: version "2.11.4" resolved "https://registry.yarnpkg.com/micromark/-/micromark-2.11.4.tgz#d13436138eea826383e822449c9a5c50ee44665a" @@ -9457,19 +11900,24 @@ miller-rabin@^4.0.0: bn.js "^4.0.0" brorand "^1.0.1" -mime-db@1.48.0: +mime-db@1.48.0, "mime-db@>= 1.43.0 < 2": version "1.48.0" resolved "https://registry.yarnpkg.com/mime-db/-/mime-db-1.48.0.tgz#e35b31045dd7eada3aaad537ed88a33afbef2d1d" integrity sha512-FM3QwxV+TnZYQ2aRqhlKBMHxk10lTbMt3bBkMAp54ddrNeVSfcQYOOKuGuy3Ddrm38I04If834fOUSq1yzslJQ== -mime-types@2.1.31, mime-types@^2.1.12, mime-types@^2.1.27, mime-types@~2.1.19: +mime-types@2.1.31, mime-types@^2.1.12, mime-types@^2.1.27, mime-types@~2.1.19, mime-types@~2.1.24: version "2.1.31" resolved "https://registry.yarnpkg.com/mime-types/-/mime-types-2.1.31.tgz#a00d76b74317c61f9c2db2218b8e9f8e9c5c9e6b" integrity sha512-XGZnNzm3QvgKxa8dpzyhFTHmpP3l5YNusmne07VUOXxou9CqUqYa/HBy124RqtVh/O2pECas/MOcsDgpilPOPg== dependencies: mime-db "1.48.0" -mime@^2.3.1: +mime@1.6.0: + version "1.6.0" + resolved "https://registry.yarnpkg.com/mime/-/mime-1.6.0.tgz#32cd9e5c64553bd58d19a568af452acff04981b1" + integrity sha512-x0Vn8spI+wuJ1O6S7gnbaQg8Pxh4NNHb7KSINmEWKiPE4RKOplvijn+NkmYmmRgP68mc70j2EbeTFRsrswaQeg== + +mime@^2.3.1, mime@^2.4.4: version "2.5.2" resolved "https://registry.yarnpkg.com/mime/-/mime-2.5.2.tgz#6e3dc6cc2b9510643830e5f19d5cb753da5eeabe" integrity sha512-tqkh47FzKeCPD2PUiPB6pkbMzsCasjxAfC62/Wap5qrUWcb+sFasXUC5I3gYM5iBM8v/Qpn4UK0x+j0iHyFPDg== @@ -9489,6 +11937,13 @@ mimic-response@^3.1.0: resolved "https://registry.yarnpkg.com/mimic-response/-/mimic-response-3.1.0.tgz#2d1d59af9c1b129815accc2c46a022a5ce1fa3c9" integrity sha512-z0yWI+4FDrrweS8Zmt4Ej5HdJmky15+L2e6Wgn3+iK5fWzb6T3fhNFq2+MeTRb064c6Wr4N/wv0DzQTjNzHNGQ== +min-document@^2.19.0: + version "2.19.0" + resolved "https://registry.yarnpkg.com/min-document/-/min-document-2.19.0.tgz#7bd282e3f5842ed295bb748cdd9f1ffa2c824685" + integrity sha1-e9KC4/WELtKVu3SM3Z8f+iyCRoU= + dependencies: + dom-walk "^0.1.0" + min-indent@^1.0.0: version "1.0.1" resolved "https://registry.yarnpkg.com/min-indent/-/min-indent-1.0.1.tgz#a63f681673b30571fbe8bc25686ae746eefa9869" @@ -9521,7 +11976,7 @@ minimalistic-crypto-utils@^1.0.1: resolved "https://registry.yarnpkg.com/minimalistic-crypto-utils/-/minimalistic-crypto-utils-1.0.1.tgz#f6c00c1c0b082246e5c4d99dfb8c7c083b2b582a" integrity sha1-9sAMHAsIIkblxNmd+4x8CDsrWCo= -minimatch@^3.0.4, minimatch@~3.0.4: +minimatch@3.0.4, minimatch@^3.0.2, minimatch@^3.0.4, minimatch@~3.0.4: version "3.0.4" resolved "https://registry.yarnpkg.com/minimatch/-/minimatch-3.0.4.tgz#5166e286457f03306064be5497e8dbb0c3d32083" integrity sha512-yJHVQEhyqPLUTgt9B83PXu6W3rx4MvvHvSUvToogpwoGDOUQ+yDrR0HRot+yOCdCO7u4hX3pWft6kWBBcqh0UA== @@ -9666,6 +12121,11 @@ ms@2.0.0: resolved "https://registry.yarnpkg.com/ms/-/ms-2.0.0.tgz#5608aeadfc00be6c2901df5f9861788de0d597c8" integrity sha1-VgiurfwAvmwpAd9fmGF4jeDVl8g= +ms@2.1.1: + version "2.1.1" + resolved "https://registry.yarnpkg.com/ms/-/ms-2.1.1.tgz#30a5864eb3ebb0a66f2ebe6d727af06a09d86e0a" + integrity sha512-tgp+dl5cGk28utYktBsrFqA7HKgrhgPsg6Z/EfhWI4gl1Hwq8B/GmY/0oXZ6nF8hDVesS/FpnYaD/kOWhYQvyg== + ms@2.1.2: version "2.1.2" resolved "https://registry.yarnpkg.com/ms/-/ms-2.1.2.tgz#d09d1f357b443f493382a8eb3ccd183872ae6009" @@ -9708,6 +12168,13 @@ nanomatch@^1.2.9: snapdragon "^0.8.1" to-regex "^3.0.1" +native-url@^0.2.6: + version "0.2.6" + resolved "https://registry.yarnpkg.com/native-url/-/native-url-0.2.6.tgz#ca1258f5ace169c716ff44eccbddb674e10399ae" + integrity sha512-k4bDC87WtgrdD362gZz6zoiXQrl40kYlBmpfmSjwRO1VU0V5ccwJTlxuE72F6m3V0vc1xOf6n3UCP9QyerRqmA== + dependencies: + querystring "^0.2.0" + natural-compare@^1.4.0: version "1.4.0" resolved "https://registry.yarnpkg.com/natural-compare/-/natural-compare-1.4.0.tgz#4abebfeed7541f2c27acfb29bdbbd15c8d5ba4f7" @@ -9723,16 +12190,41 @@ nearley@^2.7.10: railroad-diagrams "^1.0.0" randexp "0.4.6" +negotiator@0.6.2: + version "0.6.2" + resolved "https://registry.yarnpkg.com/negotiator/-/negotiator-0.6.2.tgz#feacf7ccf525a77ae9634436a64883ffeca346fb" + integrity sha512-hZXc7K2e+PgeI1eDBe/10Ard4ekbfrrqG8Ep+8Jmf4JID2bNg7NvCPOZN+kfF574pFQI7mum2AUqDidoKqcTOw== + neo-async@^2.5.0, neo-async@^2.6.1, neo-async@^2.6.2: version "2.6.2" resolved "https://registry.yarnpkg.com/neo-async/-/neo-async-2.6.2.tgz#b4aafb93e3aeb2d8174ca53cf163ab7d7308305f" integrity sha512-Yd3UES5mWCSqR+qNT93S3UoYUkqAZ9lLg8a7g9rimsWmYGK8cVToA4/sF3RrshdyV3sAGMXVUmpMYOw+dLpOuw== +nested-error-stacks@^2.0.0, nested-error-stacks@^2.1.0: + version "2.1.0" + resolved "https://registry.yarnpkg.com/nested-error-stacks/-/nested-error-stacks-2.1.0.tgz#0fbdcf3e13fe4994781280524f8b96b0cdff9c61" + integrity sha512-AO81vsIO1k1sM4Zrd6Hu7regmJN1NSiAja10gc4bX3F0wd+9rQmcuHQaHVQCYIEC8iFXnE+mavh23GOt7wBgug== + nice-try@^1.0.4: version "1.0.5" resolved "https://registry.yarnpkg.com/nice-try/-/nice-try-1.0.5.tgz#a3378a7696ce7d223e88fc9b764bd7ef1089e366" integrity sha512-1nh45deeb5olNY7eX82BkPO7SSxR5SSYJiPTrTdFUVYwAl8CKMA5N9PjTYkHiRjisVcxcQ1HXdLhx2qxxJzLNQ== +no-case@^3.0.4: + version "3.0.4" + resolved "https://registry.yarnpkg.com/no-case/-/no-case-3.0.4.tgz#d361fd5c9800f558551a8369fc0dcd4662b6124d" + integrity sha512-fgAN3jGAh+RoxUGZHTSOLJIqUc2wmoBwGR4tbpNAKmmovFoWq0OdRkb0VkldReO2a2iBT/OEulG9XSUc10r3zg== + dependencies: + lower-case "^2.0.2" + tslib "^2.0.3" + +node-dir@^0.1.10: + version "0.1.17" + resolved "https://registry.yarnpkg.com/node-dir/-/node-dir-0.1.17.tgz#5f5665d93351335caabef8f1c554516cf5f1e4e5" + integrity sha1-X1Zl2TNRM1yqvvjxxVRRbPXx5OU= + dependencies: + minimatch "^3.0.2" + node-fetch@^2.6.1: version "2.6.1" resolved "https://registry.yarnpkg.com/node-fetch/-/node-fetch-2.6.1.tgz#045bd323631f76ed2e2b55573394416b639a0052" @@ -9789,7 +12281,7 @@ node-notifier@^8.0.0: uuid "^8.3.0" which "^2.0.2" -node-releases@^1.1.71: +node-releases@^1.1.61, node-releases@^1.1.71: version "1.1.73" resolved "https://registry.yarnpkg.com/node-releases/-/node-releases-1.1.73.tgz#dd4e81ddd5277ff846b80b52bb40c49edf7a7b20" integrity sha512-uW7fodD6pyW2FZNZnp/Z3hvWKeEW1Y8R1+1CnErE8cXFXzl5blBOoVB41CvMer6P6Q0S5FXDwcHgFd1Wj0U9zg== @@ -9891,6 +12383,16 @@ npm-run-path@^4.0.0, npm-run-path@^4.0.1: dependencies: path-key "^3.0.0" +npmlog@^4.1.2: + version "4.1.2" + resolved "https://registry.yarnpkg.com/npmlog/-/npmlog-4.1.2.tgz#08a7f2a8bf734604779a9efa4ad5cc717abb954b" + integrity sha512-2uUqazuKlTaSI/dC8AzicUck7+IrEaOnN/e0jd3Xtt1KcGpwx30v50mL7oPyr/h9bL3E4aZccVwpwP+5W9Vjkg== + dependencies: + are-we-there-yet "~1.1.2" + console-control-strings "~1.1.0" + gauge "~2.7.3" + set-blocking "~2.0.0" + nth-check@^1.0.2: version "1.0.2" resolved "https://registry.yarnpkg.com/nth-check/-/nth-check-1.0.2.tgz#b2bd295c37e3dd58a3bf0700376663ba4d9cf05c" @@ -9910,6 +12412,11 @@ num2fraction@^1.2.2: resolved "https://registry.yarnpkg.com/num2fraction/-/num2fraction-1.2.2.tgz#6f682b6a027a4e9ddfa4564cd2589d1d4e669ede" integrity sha1-b2gragJ6Tp3fpFZM0lidHU5mnt4= +number-is-nan@^1.0.0: + version "1.0.1" + resolved "https://registry.yarnpkg.com/number-is-nan/-/number-is-nan-1.0.1.tgz#097b602b53422a522c1afb8790318336941a011d" + integrity sha1-CXtgK1NCKlIsGvuHkDGDNpQaAR0= + nwsapi@^2.2.0: version "2.2.0" resolved "https://registry.yarnpkg.com/nwsapi/-/nwsapi-2.2.0.tgz#204879a9e3d068ff2a55139c2c772780681a38b7" @@ -9974,7 +12481,7 @@ object.assign@^4.1.0, object.assign@^4.1.2: has-symbols "^1.0.1" object-keys "^1.1.1" -object.entries@^1.1.1, object.entries@^1.1.2, object.entries@^1.1.4: +object.entries@^1.1.0, object.entries@^1.1.1, object.entries@^1.1.2, object.entries@^1.1.4: version "1.1.4" resolved "https://registry.yarnpkg.com/object.entries/-/object.entries-1.1.4.tgz#43ccf9a50bc5fd5b649d45ab1a579f24e088cafd" integrity sha512-h4LWKWE+wKQGhtMjZEBud7uLGhqyLwj8fpHOarZhD2uY3C9cRtk57VQ89ke3moByLXMedqs3XCHzyb4AmA2DjA== @@ -9983,7 +12490,7 @@ object.entries@^1.1.1, object.entries@^1.1.2, object.entries@^1.1.4: define-properties "^1.1.3" es-abstract "^1.18.2" -object.fromentries@^2.0.3, object.fromentries@^2.0.4: +"object.fromentries@^2.0.0 || ^1.0.0", object.fromentries@^2.0.3, object.fromentries@^2.0.4: version "2.0.4" resolved "https://registry.yarnpkg.com/object.fromentries/-/object.fromentries-2.0.4.tgz#26e1ba5c4571c5c6f0890cef4473066456a120b8" integrity sha512-EsFBshs5RUUpQEY1D4q/m59kMfz4YJvxuNCJcv/jWwOJr34EaVnG11ZrZa0UHB3wnzV1wx8m58T4hQL8IuNXlQ== @@ -9993,7 +12500,7 @@ object.fromentries@^2.0.3, object.fromentries@^2.0.4: es-abstract "^1.18.0-next.2" has "^1.0.3" -object.getownpropertydescriptors@^2.1.0: +object.getownpropertydescriptors@^2.0.3, object.getownpropertydescriptors@^2.1.0, object.getownpropertydescriptors@^2.1.2: version "2.1.2" resolved "https://registry.yarnpkg.com/object.getownpropertydescriptors/-/object.getownpropertydescriptors-2.1.2.tgz#1bd63aeacf0d5d2d2f31b5e393b03a7c601a23f7" integrity sha512-WtxeKSzfBjlzL+F9b7M7hewDzMwy+C8NRssHd1YrNlzHzIDrXcXiNOMrezdAEM4UXixgV+vvnyBeN7Rygl2ttQ== @@ -10018,6 +12525,23 @@ object.values@^1.0.4, object.values@^1.1.0, object.values@^1.1.1, object.values@ define-properties "^1.1.3" es-abstract "^1.18.2" +objectorarray@^1.0.5: + version "1.0.5" + resolved "https://registry.yarnpkg.com/objectorarray/-/objectorarray-1.0.5.tgz#2c05248bbefabd8f43ad13b41085951aac5e68a5" + integrity sha512-eJJDYkhJFFbBBAxeh8xW+weHlkI28n2ZdQV/J/DNfWfSKlGEf2xcfAbZTv3riEXHAhL9SVOTs2pRmXiSTf78xg== + +on-finished@~2.3.0: + version "2.3.0" + resolved "https://registry.yarnpkg.com/on-finished/-/on-finished-2.3.0.tgz#20f1336481b083cd75337992a16971aa2d906947" + integrity sha1-IPEzZIGwg811M3mSoWlxqi2QaUc= + dependencies: + ee-first "1.1.1" + +on-headers@~1.0.2: + version "1.0.2" + resolved "https://registry.yarnpkg.com/on-headers/-/on-headers-1.0.2.tgz#772b0ae6aaa525c399e489adfad90c403eb3c28f" + integrity sha512-pZAE+FJLoyITytdqK0U5s+FIpjN0JP3OzFi/u8Rx+EV5/W+JTWGXG8xFzevE7AjBfDqHv/8vL8qQsIhHnqRkrA== + once@^1.3.0, once@^1.3.1, once@^1.4.0: version "1.4.0" resolved "https://registry.yarnpkg.com/once/-/once-1.4.0.tgz#583b1aa775961d4b113ac17d9c50baef9dd76bd1" @@ -10032,6 +12556,14 @@ onetime@^5.1.0, onetime@^5.1.2: dependencies: mimic-fn "^2.1.0" +open@^7.0.2, open@^7.0.3: + version "7.4.2" + resolved "https://registry.yarnpkg.com/open/-/open-7.4.2.tgz#b8147e26dcf3e426316c730089fd71edd29c2321" + integrity sha512-MVHddDVweXZF3awtlAS+6pgKLlm/JgxZ90+/NBurBoQctVOOB/zDdVjcyPzQ+0laDGbsWgrRkflI65sQeOgT9Q== + dependencies: + is-docker "^2.0.0" + is-wsl "^2.1.1" + opener@^1.5.2: version "1.5.2" resolved "https://registry.yarnpkg.com/opener/-/opener-1.5.2.tgz#5d37e1f35077b9dcac4301372271afdeb2a13598" @@ -10099,6 +12631,18 @@ os-tmpdir@~1.0.2: resolved "https://registry.yarnpkg.com/os-tmpdir/-/os-tmpdir-1.0.2.tgz#bbe67406c79aa85c5cfec766fe5734555dfa1274" integrity sha1-u+Z0BseaqFxc/sdm/lc0VV36EnQ= +overlayscrollbars@^1.13.1: + version "1.13.1" + resolved "https://registry.yarnpkg.com/overlayscrollbars/-/overlayscrollbars-1.13.1.tgz#0b840a88737f43a946b9d87875a2f9e421d0338a" + integrity sha512-gIQfzgGgu1wy80EB4/6DaJGHMEGmizq27xHIESrzXq0Y/J0Ay1P3DWk6tuVmEPIZH15zaBlxeEJOqdJKmowHCQ== + +p-all@^2.1.0: + version "2.1.0" + resolved "https://registry.yarnpkg.com/p-all/-/p-all-2.1.0.tgz#91419be56b7dee8fe4c5db875d55e0da084244a0" + integrity sha512-HbZxz5FONzz/z2gJfk6bFca0BCiSRF8jU3yCsWOen/vR6lZjfPOu/e7L3uFzTW1i0H8TlC3vqQstEJPQL4/uLA== + dependencies: + p-map "^2.0.0" + p-cancelable@^1.0.0: version "1.1.0" resolved "https://registry.yarnpkg.com/p-cancelable/-/p-cancelable-1.1.0.tgz#d078d15a3af409220c886f1d9a0ca2e441ab26cc" @@ -10114,6 +12658,20 @@ p-each-series@^2.1.0: resolved "https://registry.yarnpkg.com/p-each-series/-/p-each-series-2.2.0.tgz#105ab0357ce72b202a8a8b94933672657b5e2a9a" integrity sha512-ycIL2+1V32th+8scbpTvyHNaHe02z0sjgh91XXjAk+ZeXoPN4Z46DVUnzdso0aX4KckKw0FNNFHdjZ2UsZvxiA== +p-event@^4.1.0: + version "4.2.0" + resolved "https://registry.yarnpkg.com/p-event/-/p-event-4.2.0.tgz#af4b049c8acd91ae81083ebd1e6f5cae2044c1b5" + integrity sha512-KXatOjCRXXkSePPb1Nbi0p0m+gQAwdlbhi4wQKJPI1HsMQS9g+Sqp2o+QHziPr7eYJyOZet836KoHEVM1mwOrQ== + dependencies: + p-timeout "^3.1.0" + +p-filter@^2.1.0: + version "2.1.0" + resolved "https://registry.yarnpkg.com/p-filter/-/p-filter-2.1.0.tgz#1b1472562ae7a0f742f0f3d3d3718ea66ff9c09c" + integrity sha512-ZBxxZ5sL2HghephhpGAQdoskxplTwr7ICaehZwLIlfL6acuVgZPm8yBNuRAFBGEqtD/hmUeq9eqLg2ys9Xr/yw== + dependencies: + p-map "^2.0.0" + p-finally@^1.0.0: version "1.0.0" resolved "https://registry.yarnpkg.com/p-finally/-/p-finally-1.0.0.tgz#3fbcfb15b899a44123b34b6dcc18b724336a2cae" @@ -10173,6 +12731,13 @@ p-map@^2.0.0: resolved "https://registry.yarnpkg.com/p-map/-/p-map-2.1.0.tgz#310928feef9c9ecc65b68b17693018a665cea175" integrity sha512-y3b8Kpd8OAN444hxfBbFfj1FY/RjtTd8tzYwhUqNYXx0fXx2iX4maP4Qr6qhIKbQXI02wTLAda4fYUbDagTUFw== +p-map@^3.0.0: + version "3.0.0" + resolved "https://registry.yarnpkg.com/p-map/-/p-map-3.0.0.tgz#d704d9af8a2ba684e2600d9a215983d4141a979d" + integrity sha512-d3qXVTF/s+W+CdJ5A29wywV2n8CQQYahlgz2bFiA+4eVNJbHJodPZ+/gXwPGh0bOqA+j8S+6+ckmvLGPk1QpxQ== + dependencies: + aggregate-error "^3.0.0" + p-map@^4.0.0: version "4.0.0" resolved "https://registry.yarnpkg.com/p-map/-/p-map-4.0.0.tgz#bb2f95a5eda2ec168ec9274e06a747c3e2904d2b" @@ -10180,6 +12745,13 @@ p-map@^4.0.0: dependencies: aggregate-error "^3.0.0" +p-timeout@^3.1.0: + version "3.2.0" + resolved "https://registry.yarnpkg.com/p-timeout/-/p-timeout-3.2.0.tgz#c7e17abc971d2a7962ef83626b35d635acf23dfe" + integrity sha512-rhIwUycgwwKcP9yTOOFK/AKsAopjjCakVqLHePO3CC6Mir1Z99xT+R63jZxAT5lFZLa2inS5h+ZS2GvR99/FBg== + dependencies: + p-finally "^1.0.0" + p-try@^1.0.0: version "1.0.0" resolved "https://registry.yarnpkg.com/p-try/-/p-try-1.0.0.tgz#cbc79cdbaf8fd4228e13f621f2b1a237c1b207b3" @@ -10214,6 +12786,14 @@ parallel-transform@^1.1.0: inherits "^2.0.3" readable-stream "^2.1.5" +param-case@^3.0.3: + version "3.0.4" + resolved "https://registry.yarnpkg.com/param-case/-/param-case-3.0.4.tgz#7d17fe4aa12bde34d4a77d91acfb6219caad01c5" + integrity sha512-RXlj7zCYokReqWpOPH9oYivUzLYZ5vAPIfEmCTNViosC78F8F0H9y7T7gG2M39ymgutxF5gcFEsyZQSph9Bp3A== + dependencies: + dot-case "^3.0.4" + tslib "^2.0.3" + parent-module@^1.0.0: version "1.0.1" resolved "https://registry.yarnpkg.com/parent-module/-/parent-module-1.0.1.tgz#691d2709e78c79fae3a156622452d00762caaaa2" @@ -10313,7 +12893,7 @@ parse5-htmlparser2-tree-adapter@^6.0.1: dependencies: parse5 "^6.0.1" -parse5@6.0.1, parse5@^6.0.1: +parse5@6.0.1, parse5@^6.0.0, parse5@^6.0.1: version "6.0.1" resolved "https://registry.yarnpkg.com/parse5/-/parse5-6.0.1.tgz#e1a1c085c569b3dc08321184f19a39cc27f7c30b" integrity sha512-Ofn/CTFzRGTTxwpNEs9PP93gXShHcTq255nzRYSKe8AkVpZY7e1fpmTfOyoIvjP5HG7Z2ZM7VS9PPhQGW2pOpw== @@ -10328,6 +12908,19 @@ parseuri@0.0.6: resolved "https://registry.yarnpkg.com/parseuri/-/parseuri-0.0.6.tgz#e1496e829e3ac2ff47f39a4dd044b32823c4a25a" integrity sha512-AUjen8sAkGgao7UyCX6Ahv0gIK2fABKmYjvP4xmy5JaKvcbTRueIqIPHLAfq30xJddqSE033IOMUSOMCcK3Sow== +parseurl@~1.3.2, parseurl@~1.3.3: + version "1.3.3" + resolved "https://registry.yarnpkg.com/parseurl/-/parseurl-1.3.3.tgz#9da19e7bee8d12dff0513ed5b76957793bc2e8d4" + integrity sha512-CiyeOxFT/JZyN5m0z9PfXw4SCBJ6Sygz1Dpl0wqjlhDEGGBP1GnsUVEL0p63hoG1fcj3fHynXi9NYO4nWOL+qQ== + +pascal-case@^3.1.2: + version "3.1.2" + resolved "https://registry.yarnpkg.com/pascal-case/-/pascal-case-3.1.2.tgz#b48e0ef2b98e205e7c1dae747d0b1508237660eb" + integrity sha512-uWlGT3YSnK9x3BQJaOdcZwrnV6hPpd8jFH1/ucpiLRPh/2zCVJKS19E4GvYHvaCcACn3foXZ0cLB9Wrx1KGe5g== + dependencies: + no-case "^3.0.4" + tslib "^2.0.3" + pascalcase@^0.1.1: version "0.1.1" resolved "https://registry.yarnpkg.com/pascalcase/-/pascalcase-0.1.1.tgz#b363e55e8006ca6fe21784d2db22bd15d7917f14" @@ -10385,6 +12978,11 @@ path-parse@^1.0.6: resolved "https://registry.yarnpkg.com/path-parse/-/path-parse-1.0.7.tgz#fbc114b60ca42b30d9daf5858e4bd68bbedb6735" integrity sha512-LDJzPVEEEPR+y48z93A0Ed0yXb8pAByGWo/k5YYdYgpY2/2EsOsksJrq7lOHxryrVOn1ejG6oAp8ahvOIQD8sw== +path-to-regexp@0.1.7: + version "0.1.7" + resolved "https://registry.yarnpkg.com/path-to-regexp/-/path-to-regexp-0.1.7.tgz#df604178005f522f15eb4490e7247a1bfaa67f8c" + integrity sha1-32BBeABfUi8V60SQ5yR6G/qmf4w= + path-to-regexp@^1.7.0: version "1.8.0" resolved "https://registry.yarnpkg.com/path-to-regexp/-/path-to-regexp-1.8.0.tgz#887b3ba9d84393e87a0a0b9f4cb756198b53548a" @@ -10476,7 +13074,7 @@ pinkie@^2.0.0: resolved "https://registry.yarnpkg.com/pinkie/-/pinkie-2.0.4.tgz#72556b80cfa0d48a974e80e77248e80ed4f7f870" integrity sha1-clVrgM+g1IqXToDnckjoDtT3+HA= -pirates@^4.0.1: +pirates@^4.0.0, pirates@^4.0.1: version "4.0.1" resolved "https://registry.yarnpkg.com/pirates/-/pirates-4.0.1.tgz#643a92caf894566f91b2b986d2c66950a8e2fb87" integrity sha512-WuNqLTbMI3tmfef2TKxlQmAiLHKtFhlsCZnPIpuv2Ow0RDVO8lfy1Opf4NUzlMXLjPl+Men7AuVdX6TA+s+uGA== @@ -10504,6 +13102,20 @@ pkg-dir@^4.1.0, pkg-dir@^4.2.0: dependencies: find-up "^4.0.0" +pkg-dir@^5.0.0: + version "5.0.0" + resolved "https://registry.yarnpkg.com/pkg-dir/-/pkg-dir-5.0.0.tgz#a02d6aebe6ba133a928f74aec20bafdfe6b8e760" + integrity sha512-NPE8TDbzl/3YQYY7CSS228s3g2ollTFnc+Qi3tqmqJp9Vg2ovUpixcJEo2HJScN2Ez+kEaal6y70c0ehqJBJeA== + dependencies: + find-up "^5.0.0" + +pkg-up@3.1.0: + version "3.1.0" + resolved "https://registry.yarnpkg.com/pkg-up/-/pkg-up-3.1.0.tgz#100ec235cc150e4fd42519412596a28512a0def5" + integrity sha512-nDywThFk1i4BQK4twPQ6TA4RT8bDY96yeuCVBWL3ePARCiEKDRSrNGbFIgUJpLp+XeIR65v8ra7WuJOFUBtkMA== + dependencies: + find-up "^3.0.0" + pkg-up@^2.0.0: version "2.0.0" resolved "https://registry.yarnpkg.com/pkg-up/-/pkg-up-2.0.0.tgz#c819ac728059a461cab1c3889a2be3c49a004d7f" @@ -10518,6 +13130,20 @@ plur@^4.0.0: dependencies: irregular-plurals "^3.2.0" +pnp-webpack-plugin@1.6.4: + version "1.6.4" + resolved "https://registry.yarnpkg.com/pnp-webpack-plugin/-/pnp-webpack-plugin-1.6.4.tgz#c9711ac4dc48a685dabafc86f8b6dd9f8df84149" + integrity sha512-7Wjy+9E3WwLOEL30D+m8TSTF7qJJUJLONBnwQp0518siuMxUQUbgZwssaFX+QKlZkjHZcw/IpZCt/H0srrntSg== + dependencies: + ts-pnp "^1.1.6" + +polished@^4.0.5: + version "4.1.3" + resolved "https://registry.yarnpkg.com/polished/-/polished-4.1.3.tgz#7a3abf2972364e7d97770b827eec9a9e64002cfc" + integrity sha512-ocPAcVBUOryJEKe0z2KLd1l9EBa1r5mSwlKpExmrLzsnIzJo4axsoU9O2BjOTkDGDT4mZ0WFE5XKTlR3nLnZOA== + dependencies: + "@babel/runtime" "^7.14.0" + portfinder@^1.0.17: version "1.0.28" resolved "https://registry.yarnpkg.com/portfinder/-/portfinder-1.0.28.tgz#67c4622852bd5374dd1dd900f779f53462fac778" @@ -10532,6 +13158,13 @@ posix-character-classes@^0.1.0: resolved "https://registry.yarnpkg.com/posix-character-classes/-/posix-character-classes-0.1.1.tgz#01eac0fe3b5af71a2a6c02feabb8c1fef7e00eab" integrity sha1-AerA/jta9xoqbAL+q7jB/vfgDqs= +postcss-flexbugs-fixes@^4.2.1: + version "4.2.1" + resolved "https://registry.yarnpkg.com/postcss-flexbugs-fixes/-/postcss-flexbugs-fixes-4.2.1.tgz#9218a65249f30897deab1033aced8578562a6690" + integrity sha512-9SiofaZ9CWpQWxOwRh1b/r85KD5y7GgvsNt1056k6OYLvWUun0czCvogfJgylC22uJTwW1KzY3Gz65NZRlvoiQ== + dependencies: + postcss "^7.0.26" + postcss-html@^0.36.0: version "0.36.0" resolved "https://registry.yarnpkg.com/postcss-html/-/postcss-html-0.36.0.tgz#b40913f94eaacc2453fd30a1327ad6ee1f88b204" @@ -10562,11 +13195,28 @@ postcss-media-query-parser@^0.2.3: resolved "https://registry.yarnpkg.com/postcss-media-query-parser/-/postcss-media-query-parser-0.2.3.tgz#27b39c6f4d94f81b1a73b8f76351c609e5cef244" integrity sha1-J7Ocb02U+Bsac7j3Y1HGCeXO8kQ= +postcss-modules-extract-imports@^2.0.0: + version "2.0.0" + resolved "https://registry.yarnpkg.com/postcss-modules-extract-imports/-/postcss-modules-extract-imports-2.0.0.tgz#818719a1ae1da325f9832446b01136eeb493cd7e" + integrity sha512-LaYLDNS4SG8Q5WAWqIJgdHPJrDDr/Lv775rMBFUbgjTz6j34lUznACHcdRWroPvXANP2Vj7yNK57vp9eFqzLWQ== + dependencies: + postcss "^7.0.5" + postcss-modules-extract-imports@^3.0.0: version "3.0.0" resolved "https://registry.yarnpkg.com/postcss-modules-extract-imports/-/postcss-modules-extract-imports-3.0.0.tgz#cda1f047c0ae80c97dbe28c3e76a43b88025741d" integrity sha512-bdHleFnP3kZ4NYDhuGlVK+CMrQ/pqUm8bx/oGL93K6gVwiclvX5x0n76fYMKuIGKzlABOy13zsvqjb0f92TEXw== +postcss-modules-local-by-default@^3.0.2: + version "3.0.3" + resolved "https://registry.yarnpkg.com/postcss-modules-local-by-default/-/postcss-modules-local-by-default-3.0.3.tgz#bb14e0cc78279d504dbdcbfd7e0ca28993ffbbb0" + integrity sha512-e3xDq+LotiGesympRlKNgaJ0PCzoUIdpH0dj47iWAui/kyTgh3CiAr1qP54uodmJhl6p9rN6BoNcdEDVJx9RDw== + dependencies: + icss-utils "^4.1.1" + postcss "^7.0.32" + postcss-selector-parser "^6.0.2" + postcss-value-parser "^4.1.0" + postcss-modules-local-by-default@^4.0.0: version "4.0.0" resolved "https://registry.yarnpkg.com/postcss-modules-local-by-default/-/postcss-modules-local-by-default-4.0.0.tgz#ebbb54fae1598eecfdf691a02b3ff3b390a5a51c" @@ -10576,6 +13226,14 @@ postcss-modules-local-by-default@^4.0.0: postcss-selector-parser "^6.0.2" postcss-value-parser "^4.1.0" +postcss-modules-scope@^2.2.0: + version "2.2.0" + resolved "https://registry.yarnpkg.com/postcss-modules-scope/-/postcss-modules-scope-2.2.0.tgz#385cae013cc7743f5a7d7602d1073a89eaae62ee" + integrity sha512-YyEgsTMRpNd+HmyC7H/mh3y+MeFWevy7V1evVhJWewmMbjDHIbZbOXICC2y+m1xI1UVfIT1HMW/O04Hxyu9oXQ== + dependencies: + postcss "^7.0.6" + postcss-selector-parser "^6.0.0" + postcss-modules-scope@^3.0.0: version "3.0.0" resolved "https://registry.yarnpkg.com/postcss-modules-scope/-/postcss-modules-scope-3.0.0.tgz#9ef3151456d3bbfa120ca44898dfca6f2fa01f06" @@ -10583,6 +13241,14 @@ postcss-modules-scope@^3.0.0: dependencies: postcss-selector-parser "^6.0.4" +postcss-modules-values@^3.0.0: + version "3.0.0" + resolved "https://registry.yarnpkg.com/postcss-modules-values/-/postcss-modules-values-3.0.0.tgz#5b5000d6ebae29b4255301b4a3a54574423e7f10" + integrity sha512-1//E5jCBrZ9DmRX+zCtmQtRSV6PV42Ix7Bzj9GbwJceduuf7IqP8MgeTXuRDHOWj2m0VzZD5+roFWDuU8RQjcg== + dependencies: + icss-utils "^4.0.0" + postcss "^7.0.6" + postcss-modules-values@^4.0.0: version "4.0.0" resolved "https://registry.yarnpkg.com/postcss-modules-values/-/postcss-modules-values-4.0.0.tgz#d7c5e7e68c3bb3c9b27cbf48ca0bb3ffb4602c9c" @@ -10617,7 +13283,7 @@ postcss-scss@^2.1.1: dependencies: postcss "^7.0.6" -postcss-selector-parser@^6.0.2, postcss-selector-parser@^6.0.4, postcss-selector-parser@^6.0.5: +postcss-selector-parser@^6.0.0, postcss-selector-parser@^6.0.2, postcss-selector-parser@^6.0.4, postcss-selector-parser@^6.0.5: version "6.0.6" resolved "https://registry.yarnpkg.com/postcss-selector-parser/-/postcss-selector-parser-6.0.6.tgz#2c5bba8174ac2f6981ab631a42ab0ee54af332ea" integrity sha512-9LXrvaaX3+mcv5xkg5kFwqSzSH1JIObIx51PrndZwlmznwXRfxMddDvo9gve3gVR8ZTKgoFDdWkbRFmEhT4PMg== @@ -10635,7 +13301,7 @@ postcss-value-parser@^4.1.0: resolved "https://registry.yarnpkg.com/postcss-value-parser/-/postcss-value-parser-4.1.0.tgz#443f6a20ced6481a2bda4fa8532a6e55d789a2cb" integrity sha512-97DXOFbQJhk71ne5/Mt6cOu6yxsSfM0QGQyl0L25Gca4yGWEGJaig7l7gbCX623VqTBNGLRLaVUCnNkcedlRSQ== -postcss@^7.0.14, postcss@^7.0.2, postcss@^7.0.21, postcss@^7.0.26, postcss@^7.0.32, postcss@^7.0.35, postcss@^7.0.6: +postcss@^7.0.14, postcss@^7.0.2, postcss@^7.0.21, postcss@^7.0.26, postcss@^7.0.32, postcss@^7.0.35, postcss@^7.0.36, postcss@^7.0.5, postcss@^7.0.6: version "7.0.36" resolved "https://registry.yarnpkg.com/postcss/-/postcss-7.0.36.tgz#056f8cffa939662a8f5905950c07d5285644dfcb" integrity sha512-BebJSIUMwJHRH0HAQoxN4u1CN86glsrwsW0q7T+/m44eXOUAxSNdHRkNZPYz5vVUbg17hFgOQDE7fZk7li3pZw== @@ -10680,6 +13346,19 @@ prettier-linter-helpers@^1.0.0: resolved "https://registry.yarnpkg.com/wp-prettier/-/wp-prettier-2.2.1-beta-1.tgz#8afb761f83426bde870f692edc49adbd3e265118" integrity sha512-+JHkqs9LC/JPp51yy1hzs3lQ7qeuWCwOcSzpQNeeY/G7oSpnF61vxt7hRh87zNRTr6ob2ndy0W8rVzhgrcA+Gw== +prettier@~2.2.1: + version "2.2.1" + resolved "https://registry.yarnpkg.com/prettier/-/prettier-2.2.1.tgz#795a1a78dd52f073da0cd42b21f9c91381923ff5" + integrity sha512-PqyhM2yCjg/oKkFPtTGUojv7gnZAoG80ttl45O6x2Ug/rMJw4wcc9k6aaf2hibP7BGVCCM33gZoGjyvt9mm16Q== + +pretty-error@^2.1.1: + version "2.1.2" + resolved "https://registry.yarnpkg.com/pretty-error/-/pretty-error-2.1.2.tgz#be89f82d81b1c86ec8fdfbc385045882727f93b6" + integrity sha512-EY5oDzmsX5wvuynAByrmY0P0hcp+QpnAKbJng2A2MPjVKXCxrDSUkzghVJ4ZGPIv+JC4gX8fPUWscC0RtjsWGw== + dependencies: + lodash "^4.17.20" + renderkid "^2.0.4" + pretty-format@^26.6.2: version "26.6.2" resolved "https://registry.yarnpkg.com/pretty-format/-/pretty-format-26.6.2.tgz#e35c2705f14cb7fe2fe94fa078345b444120fc93" @@ -10690,6 +13369,16 @@ pretty-format@^26.6.2: ansi-styles "^4.0.0" react-is "^17.0.1" +pretty-hrtime@^1.0.3: + version "1.0.3" + resolved "https://registry.yarnpkg.com/pretty-hrtime/-/pretty-hrtime-1.0.3.tgz#b7e3ea42435a4c9b2759d99e0f201eb195802ee1" + integrity sha1-t+PqQkNaTJsnWdmeDyAesZWALuE= + +prismjs@^1.21.0, prismjs@~1.24.0: + version "1.24.1" + resolved "https://registry.yarnpkg.com/prismjs/-/prismjs-1.24.1.tgz#c4d7895c4d6500289482fa8936d9cdd192684036" + integrity sha512-mNPsedLuk90RVJioIky8ANZEwYm5w9LcvCXrxHlwf4fNVSn8jEipMybMkWUyyF0JhnC+C4VcOVSBuHRKs1L5Ow== + process-nextick-args@~2.0.0: version "2.0.1" resolved "https://registry.yarnpkg.com/process-nextick-args/-/process-nextick-args-2.0.1.tgz#7820d9b16120cc55ca9ae7792680ae7dba6d7fe2" @@ -10710,7 +13399,36 @@ promise-inflight@^1.0.1: resolved "https://registry.yarnpkg.com/promise-inflight/-/promise-inflight-1.0.1.tgz#98472870bf228132fcbdd868129bad12c3c029e3" integrity sha1-mEcocL8igTL8vdhoEputEsPAKeM= -prompts@^2.0.1, prompts@^2.3.0: +promise.allsettled@^1.0.0: + version "1.0.4" + resolved "https://registry.yarnpkg.com/promise.allsettled/-/promise.allsettled-1.0.4.tgz#65e71f2a604082ed69c548b68603294090ee6803" + integrity sha512-o73CbvQh/OnPFShxHcHxk0baXR2a1m4ozb85ha0H14VEoi/EJJLa9mnPfEWJx9RjA9MLfhdjZ8I6HhWtBa64Ag== + dependencies: + array.prototype.map "^1.0.3" + call-bind "^1.0.2" + define-properties "^1.1.3" + es-abstract "^1.18.0-next.2" + get-intrinsic "^1.0.2" + iterate-value "^1.0.2" + +promise.prototype.finally@^3.1.0: + version "3.1.2" + resolved "https://registry.yarnpkg.com/promise.prototype.finally/-/promise.prototype.finally-3.1.2.tgz#b8af89160c9c673cefe3b4c4435b53cfd0287067" + integrity sha512-A2HuJWl2opDH0EafgdjwEw7HysI8ff/n4lW4QEVBCUXFk9QeGecBWv0Deph0UmLe3tTNYegz8MOjsVuE6SMoJA== + dependencies: + define-properties "^1.1.3" + es-abstract "^1.17.0-next.0" + function-bind "^1.1.1" + +prompts@2.4.0: + version "2.4.0" + resolved "https://registry.yarnpkg.com/prompts/-/prompts-2.4.0.tgz#4aa5de0723a231d1ee9121c40fdf663df73f61d7" + integrity sha512-awZAKrk3vN6CroQukBL+R9051a4R3zCZBlJm/HBfrSZ8iTpYix3VX1vU4mveiLpiwmOJT4wokTF9m6HUk4KqWQ== + dependencies: + kleur "^3.0.3" + sisteransi "^1.0.5" + +prompts@^2.0.1, prompts@^2.3.0, prompts@^2.4.0: version "2.4.1" resolved "https://registry.yarnpkg.com/prompts/-/prompts-2.4.1.tgz#befd3b1195ba052f9fd2fde8a486c4e82ee77f61" integrity sha512-EQyfIuO2hPDsX1L/blblV+H7I0knhgAd82cVneCwcdND9B8AuCDuRcBH6yIcG4dFzlOUqbazQqwGjx5xmsNLuQ== @@ -10727,7 +13445,7 @@ prop-types-exact@^1.2.0: object.assign "^4.1.0" reflect.ownkeys "^0.2.0" -prop-types@^15.5.6, prop-types@^15.5.8, prop-types@^15.6.1, prop-types@^15.6.2, prop-types@^15.7.2: +prop-types@^15.0.0, prop-types@^15.5.6, prop-types@^15.5.8, prop-types@^15.6.0, prop-types@^15.6.1, prop-types@^15.6.2, prop-types@^15.7.2: version "15.7.2" resolved "https://registry.yarnpkg.com/prop-types/-/prop-types-15.7.2.tgz#52c41e75b8c87e72b9d9360e0206b99dcbffa6c5" integrity sha512-8QQikdH7//R2vurIJSutZ1smHYTcLpRWEOlHnzcWHmBYrOGUysKwSsrC89BCiFj3CbrfJ/nXFdJepOVrY1GCHQ== @@ -10736,11 +13454,26 @@ prop-types@^15.5.6, prop-types@^15.5.8, prop-types@^15.6.1, prop-types@^15.6.2, object-assign "^4.1.1" react-is "^16.8.1" +property-information@^5.0.0, property-information@^5.3.0: + version "5.6.0" + resolved "https://registry.yarnpkg.com/property-information/-/property-information-5.6.0.tgz#61675545fb23002f245c6540ec46077d4da3ed69" + integrity sha512-YUHSPk+A30YPv+0Qf8i9Mbfe/C0hdPXk1s1jPVToV8pk8BQtpw10ct89Eo7OWkutrwqvT0eicAxlOg3dOAu8JA== + dependencies: + xtend "^4.0.0" + protocols@^1.1.0, protocols@^1.4.0: version "1.4.8" resolved "https://registry.yarnpkg.com/protocols/-/protocols-1.4.8.tgz#48eea2d8f58d9644a4a32caae5d5db290a075ce8" integrity sha512-IgjKyaUSjsROSO8/D49Ab7hP8mJgTYcqApOqdPhLoPxAplXmkp+zRvsrSQjFn5by0rhm4VH0GAUELIPpx7B1yg== +proxy-addr@~2.0.5: + version "2.0.7" + resolved "https://registry.yarnpkg.com/proxy-addr/-/proxy-addr-2.0.7.tgz#f19fe69ceab311eeb94b42e70e8c2070f9ba1025" + integrity sha512-llQsMLSUDUPT44jdrU/O37qlnifitDP+ZwrmmZcoSKyLKvtZxpyV0n2/bD/N4tBAAZ/gJEdZU7KMraoK1+XYAg== + dependencies: + forwarded "0.2.0" + ipaddr.js "1.9.1" + proxy-from-env@^1.1.0: version "1.1.0" resolved "https://registry.yarnpkg.com/proxy-from-env/-/proxy-from-env-1.1.0.tgz#e102f16ca355424865755d2c9e8ea4f24d58c3e2" @@ -10843,7 +13576,12 @@ q@^1.1.2: resolved "https://registry.yarnpkg.com/q/-/q-1.5.1.tgz#7e32f75b41381291d04611f1bf14109ac00651d7" integrity sha1-fjL3W0E4EpHQRhHxvxQQmsAGUdc= -qs@^6.4.0, qs@^6.9.4: +qs@6.7.0: + version "6.7.0" + resolved "https://registry.yarnpkg.com/qs/-/qs-6.7.0.tgz#41dc1a015e3d581f1621776be31afb2876a9b1bc" + integrity sha512-VCdBRNFTX1fyE7Nb6FYoURo/SPe62QCaAyzJvUjwRaIsc+NePBEniHlvxFmmX56+HZphIGtV0XeCirBtpDrTyQ== + +qs@^6.10.0, qs@^6.4.0, qs@^6.9.4: version "6.10.1" resolved "https://registry.yarnpkg.com/qs/-/qs-6.10.1.tgz#4931482fa8d647a5aab799c5271d2133b981fb6a" integrity sha512-M528Hph6wsSVOBiYUnGf+K/7w0hNshs/duGsNXPUCLH5XAqjEtiPGwNONLV0tBH8NoGb0mvD5JubnUTrujKDTg== @@ -10875,6 +13613,11 @@ querystring@0.2.0: resolved "https://registry.yarnpkg.com/querystring/-/querystring-0.2.0.tgz#b209849203bb25df820da756e747005878521620" integrity sha1-sgmEkgO7Jd+CDadW50cAWHhSFiA= +querystring@^0.2.0: + version "0.2.1" + resolved "https://registry.yarnpkg.com/querystring/-/querystring-0.2.1.tgz#40d77615bb09d16902a85c3e38aa8b5ed761c2dd" + integrity sha512-wkvS7mL/JMugcup3/rMitHmd9ecIGd2lhFhK9N3UUQ450h66d1r3Y9nvXzQAW1Lq+wyx61k/1pfKS5KuKiyEbg== + queue-microtask@^1.2.2: version "1.2.3" resolved "https://registry.yarnpkg.com/queue-microtask/-/queue-microtask-1.2.3.tgz#4929228bbc724dfac43e0efb058caf7b6cfb6243" @@ -10902,6 +13645,11 @@ railroad-diagrams@^1.0.0: resolved "https://registry.yarnpkg.com/railroad-diagrams/-/railroad-diagrams-1.0.0.tgz#eb7e6267548ddedfb899c1b90e57374559cddb7e" integrity sha1-635iZ1SN3t+4mcG5Dlc3RVnN234= +ramda@^0.21.0: + version "0.21.0" + resolved "https://registry.yarnpkg.com/ramda/-/ramda-0.21.0.tgz#a001abedb3ff61077d4ff1d577d44de77e8d0a35" + integrity sha1-oAGr7bP/YQd9T/HVd9RN536NCjU= + randexp@0.4.6: version "0.4.6" resolved "https://registry.yarnpkg.com/randexp/-/randexp-0.4.6.tgz#e986ad5e5e31dae13ddd6f7b3019aa7c87f60ca3" @@ -10925,6 +13673,21 @@ randomfill@^1.0.3: randombytes "^2.0.5" safe-buffer "^5.1.0" +range-parser@^1.2.1, range-parser@~1.2.1: + version "1.2.1" + resolved "https://registry.yarnpkg.com/range-parser/-/range-parser-1.2.1.tgz#3cf37023d199e1c24d1a55b84800c2f3e6468031" + integrity sha512-Hrgsx+orqoygnmhFbKaHE6c296J+HTAQXoxEF6gNupROmmGJRoyzfG3ccAveqCBrwr/2yxQ5BVd/GTl5agOwSg== + +raw-body@2.4.0: + version "2.4.0" + resolved "https://registry.yarnpkg.com/raw-body/-/raw-body-2.4.0.tgz#a1ce6fb9c9bc356ca52e89256ab59059e13d0332" + integrity sha512-4Oz8DUIwdvoa5qMJelxipzi/iJIi40O5cGV1wNYp5hvZP8ZN0T+jiNkL0QepXs+EsQ9XJ8ipEDoiH70ySUJP3Q== + dependencies: + bytes "3.1.0" + http-errors "1.7.2" + iconv-lite "0.4.24" + unpipe "1.0.0" + raw-body@~1.1.0: version "1.1.7" resolved "https://registry.yarnpkg.com/raw-body/-/raw-body-1.1.7.tgz#1d027c2bfa116acc6623bca8f00016572a87d425" @@ -10933,6 +13696,14 @@ raw-body@~1.1.0: bytes "1" string_decoder "0.10" +raw-loader@^4.0.2: + version "4.0.2" + resolved "https://registry.yarnpkg.com/raw-loader/-/raw-loader-4.0.2.tgz#1aac6b7d1ad1501e66efdac1522c73e59a584eb6" + integrity sha512-ZnScIV3ag9A4wPX/ZayxL/jZH+euYb6FcUinPcgiQW0+UBtEv0O6Q3lGd3cqJ+GHH+rksEv3Pj99oxJ3u3VIKA== + dependencies: + loader-utils "^2.0.0" + schema-utils "^3.0.0" + rc@^1.2.8, rc@~1.2.7: version "1.2.8" resolved "https://registry.yarnpkg.com/rc/-/rc-1.2.8.tgz#cd924bf5200a075b83c188cd6b9e211b7fc0d3ed" @@ -10966,6 +13737,11 @@ react-autosize-textarea@^7.1.0: line-height "^0.3.1" prop-types "^15.5.6" +react-colorful@^5.1.2: + version "5.3.0" + resolved "https://registry.yarnpkg.com/react-colorful/-/react-colorful-5.3.0.tgz#bcbae49c1affa9ab9a3c8063398c5948419296bd" + integrity sha512-zWE5E88zmjPXFhv6mGnRZqKin9s5vip1O3IIGynY9EhZxN8MATUxZkT3e/9OwTEm4DjQBXc6PFWP6AetY+Px+A== + react-dates@^17.1.1: version "17.2.0" resolved "https://registry.yarnpkg.com/react-dates/-/react-dates-17.2.0.tgz#d8cfe29ceecb3fbe37abbaa385683504cc53cdf6" @@ -10985,6 +13761,57 @@ react-dates@^17.1.1: react-with-styles "^3.2.0" react-with-styles-interface-css "^4.0.2" +react-dev-utils@^11.0.3: + version "11.0.4" + resolved "https://registry.yarnpkg.com/react-dev-utils/-/react-dev-utils-11.0.4.tgz#a7ccb60257a1ca2e0efe7a83e38e6700d17aa37a" + integrity sha512-dx0LvIGHcOPtKbeiSUM4jqpBl3TcY7CDjZdfOIcKeznE7BWr9dg0iPG90G5yfVQ+p/rGNMXdbfStvzQZEVEi4A== + dependencies: + "@babel/code-frame" "7.10.4" + address "1.1.2" + browserslist "4.14.2" + chalk "2.4.2" + cross-spawn "7.0.3" + detect-port-alt "1.1.6" + escape-string-regexp "2.0.0" + filesize "6.1.0" + find-up "4.1.0" + fork-ts-checker-webpack-plugin "4.1.6" + global-modules "2.0.0" + globby "11.0.1" + gzip-size "5.1.1" + immer "8.0.1" + is-root "2.1.0" + loader-utils "2.0.0" + open "^7.0.2" + pkg-up "3.1.0" + prompts "2.4.0" + react-error-overlay "^6.0.9" + recursive-readdir "2.2.2" + shell-quote "1.7.2" + strip-ansi "6.0.0" + text-table "0.2.0" + +react-docgen-typescript@^2.0.0: + version "2.0.0" + resolved "https://registry.yarnpkg.com/react-docgen-typescript/-/react-docgen-typescript-2.0.0.tgz#0f684350159ae4d2d556f8bc241a74669753944b" + integrity sha512-lPf+KJKAo6a9klKyK4y8WwgaX+6t5/HkVjHOpJDMbmaXfXcV7zP0QgWtnEOc3ccEUXKvlHMGUMIS9f6Zgo1BSw== + +react-docgen@^5.0.0: + version "5.4.0" + resolved "https://registry.yarnpkg.com/react-docgen/-/react-docgen-5.4.0.tgz#2cd7236720ec2769252ef0421f23250b39a153a1" + integrity sha512-JBjVQ9cahmNlfjMGxWUxJg919xBBKAoy3hgDgKERbR+BcF4ANpDuzWAScC7j27hZfd8sJNmMPOLWo9+vB/XJEQ== + dependencies: + "@babel/core" "^7.7.5" + "@babel/generator" "^7.12.11" + "@babel/runtime" "^7.7.6" + ast-types "^0.14.2" + commander "^2.19.0" + doctrine "^3.0.0" + estree-to-babel "^3.1.0" + neo-async "^2.6.1" + node-dir "^0.1.10" + strip-indent "^3.0.0" + react-dom@17.0.2: version "17.0.2" resolved "https://registry.yarnpkg.com/react-dom/-/react-dom-17.0.2.tgz#ecffb6845e3ad8dbfcdc498f0d0a939736502c23" @@ -11004,6 +13831,14 @@ react-dom@^16.13.1: prop-types "^15.6.2" scheduler "^0.19.1" +react-draggable@^4.4.3: + version "4.4.3" + resolved "https://registry.yarnpkg.com/react-draggable/-/react-draggable-4.4.3.tgz#0727f2cae5813e36b0e4962bf11b2f9ef2b406f3" + integrity sha512-jV4TE59MBuWm7gb6Ns3Q1mxX8Azffb7oTtDtBgFkxRvhDp38YAARmRplrj0+XGkhOJB5XziArX+4HUUABtyZ0w== + dependencies: + classnames "^2.2.5" + prop-types "^15.6.0" + react-easy-crop@^3.0.0: version "3.5.1" resolved "https://registry.yarnpkg.com/react-easy-crop/-/react-easy-crop-3.5.1.tgz#d32113de9c87f9009d4ae0b223922ad60433ea69" @@ -11012,6 +13847,44 @@ react-easy-crop@^3.0.0: normalize-wheel "^1.0.1" tslib "2.0.1" +react-element-to-jsx-string@^14.3.2: + version "14.3.2" + resolved "https://registry.yarnpkg.com/react-element-to-jsx-string/-/react-element-to-jsx-string-14.3.2.tgz#c0000ed54d1f8b4371731b669613f2d4e0f63d5c" + integrity sha512-WZbvG72cjLXAxV7VOuSzuHEaI3RHj10DZu8EcKQpkKcAj7+qAkG5XUeSdX5FXrA0vPrlx0QsnAzZEBJwzV0e+w== + dependencies: + "@base2/pretty-print-object" "1.0.0" + is-plain-object "3.0.1" + +react-error-overlay@^6.0.9: + version "6.0.9" + resolved "https://registry.yarnpkg.com/react-error-overlay/-/react-error-overlay-6.0.9.tgz#3c743010c9359608c375ecd6bc76f35d93995b0a" + integrity sha512-nQTTcUu+ATDbrSD1BZHr5kgSD4oF8OFjxun8uAaL8RwPBacGBNPf/yAuVVdx17N8XNzRDMrZ9XcKZHCjPW+9ew== + +react-fast-compare@^3.0.1, react-fast-compare@^3.2.0: + version "3.2.0" + resolved "https://registry.yarnpkg.com/react-fast-compare/-/react-fast-compare-3.2.0.tgz#641a9da81b6a6320f270e89724fb45a0b39e43bb" + integrity sha512-rtGImPZ0YyLrscKI9xTpV8psd6I8VAtjKCzQDlzyDvqJA8XOW78TXYQwNRNd8g8JZnDu8q9Fu/1v4HPAVwVdHA== + +react-helmet-async@^1.0.7: + version "1.0.9" + resolved "https://registry.yarnpkg.com/react-helmet-async/-/react-helmet-async-1.0.9.tgz#5b9ed2059de6b4aab47f769532f9fbcbce16c5ca" + integrity sha512-N+iUlo9WR3/u9qGMmP4jiYfaD6pe9IvDTapZLFJz2D3xlTlCM1Bzy4Ab3g72Nbajo/0ZyW+W9hdz8Hbe4l97pQ== + dependencies: + "@babel/runtime" "^7.12.5" + invariant "^2.2.4" + prop-types "^15.7.2" + react-fast-compare "^3.2.0" + shallowequal "^1.1.0" + +react-inspector@^5.1.0: + version "5.1.1" + resolved "https://registry.yarnpkg.com/react-inspector/-/react-inspector-5.1.1.tgz#58476c78fde05d5055646ed8ec02030af42953c8" + integrity sha512-GURDaYzoLbW8pMGXwYPDBIv6nqei4kK7LPRZ9q9HCZF54wqXz/dnylBp/kfE9XmekBhHvLDdcYeyIwSrvtOiWg== + dependencies: + "@babel/runtime" "^7.0.0" + is-dom "^1.0.0" + prop-types "^15.0.0" + react-is@^16.12.0, react-is@^16.13.1, react-is@^16.6.0, react-is@^16.7.0, react-is@^16.8.1, react-is@^16.8.6: version "16.13.1" resolved "https://registry.yarnpkg.com/react-is/-/react-is-16.13.1.tgz#789729a4dc36de2999dc156dd6c1d9c18cea56a4" @@ -11022,6 +13895,11 @@ react-is@^17.0.1, react-is@^17.0.2: resolved "https://registry.yarnpkg.com/react-is/-/react-is-17.0.2.tgz#e691d4a8e9c789365655539ab372762b0efb54f0" integrity sha512-w2GsyukL62IJnlaff/nRegPQR94C/XXamvMWmSHRJ4y7Ts/4ocGRmTHvOs8PSE6pB3dWOrD/nueuU5sduBsQ4w== +react-lifecycles-compat@^3.0.4: + version "3.0.4" + resolved "https://registry.yarnpkg.com/react-lifecycles-compat/-/react-lifecycles-compat-3.0.4.tgz#4f1a273afdfc8f3488a8c516bfda78f872352362" + integrity sha512-fBASbA6LnOU9dOU2eW7aQ8xmYBSXUIWr+UmF9b1efZBazGNO+rcXT/icdKnYm2pTwcRylVUYwW7H1PHfLekVzA== + react-moment-proptypes@^1.6.0: version "1.8.1" resolved "https://registry.yarnpkg.com/react-moment-proptypes/-/react-moment-proptypes-1.8.1.tgz#7ba4076147f6b5998f0d4f51d302d6d8c62049fd" @@ -11047,6 +13925,23 @@ react-outside-click-handler@^1.2.0: object.values "^1.1.0" prop-types "^15.7.2" +react-popper-tooltip@^3.1.1: + version "3.1.1" + resolved "https://registry.yarnpkg.com/react-popper-tooltip/-/react-popper-tooltip-3.1.1.tgz#329569eb7b287008f04fcbddb6370452ad3f9eac" + integrity sha512-EnERAnnKRptQBJyaee5GJScWNUKQPDD2ywvzZyUjst/wj5U64C8/CnSYLNEmP2hG0IJ3ZhtDxE8oDN+KOyavXQ== + dependencies: + "@babel/runtime" "^7.12.5" + "@popperjs/core" "^2.5.4" + react-popper "^2.2.4" + +react-popper@^2.2.4: + version "2.2.5" + resolved "https://registry.yarnpkg.com/react-popper/-/react-popper-2.2.5.tgz#1214ef3cec86330a171671a4fbcbeeb65ee58e96" + integrity sha512-kxGkS80eQGtLl18+uig1UIf9MKixFSyPxglsgLBxlYnyDf65BiY9B3nZSc6C9XUNDgStROB0fMQlTEz1KxGddw== + dependencies: + react-fast-compare "^3.0.1" + warning "^4.0.2" + react-portal@^4.1.5: version "4.2.1" resolved "https://registry.yarnpkg.com/react-portal/-/react-portal-4.2.1.tgz#12c1599238c06fb08a9800f3070bea2a3f78b1a6" @@ -11061,6 +13956,11 @@ react-promise-suspense@^0.3.3: dependencies: fast-deep-equal "^2.0.1" +react-refresh@^0.8.3: + version "0.8.3" + resolved "https://registry.yarnpkg.com/react-refresh/-/react-refresh-0.8.3.tgz#721d4657672d400c5e3c75d063c4a85fb2d5d68f" + integrity sha512-X8jZHc7nCMjaCqoU+V2I0cOhNW+QMBwSUkeXnTi8IPe6zaRWfn60ZzvFDZqWPfmSJfjub7dDW1SP0jaHWLu/hg== + react-resize-aware@^3.1.0: version "3.1.0" resolved "https://registry.yarnpkg.com/react-resize-aware/-/react-resize-aware-3.1.0.tgz#fa1da751d1d72f90c3b79969d05c2c577dfabd92" @@ -11095,6 +13995,16 @@ react-router@5.2.0: tiny-invariant "^1.0.2" tiny-warning "^1.0.0" +react-sizeme@^3.0.1: + version "3.0.1" + resolved "https://registry.yarnpkg.com/react-sizeme/-/react-sizeme-3.0.1.tgz#4d12f4244e0e6a0fb97253e7af0314dc7c83a5a0" + integrity sha512-9Hf1NLgSbny1bha77l9HwvwwxQUJxFUqi44Ih+y3evA+PezBpGdCGlnvye6avss2cIgs9PgdYgMnfuzJWn/RUw== + dependencies: + element-resize-detector "^1.2.2" + invariant "^2.2.4" + shallowequal "^1.1.0" + throttle-debounce "^3.0.1" + react-spring@^8.0.19, react-spring@^8.0.20: version "8.0.27" resolved "https://registry.yarnpkg.com/react-spring/-/react-spring-8.0.27.tgz#97d4dee677f41e0b2adcb696f3839680a3aa356a" @@ -11103,6 +14013,17 @@ react-spring@^8.0.19, react-spring@^8.0.20: "@babel/runtime" "^7.3.1" prop-types "^15.5.8" +react-syntax-highlighter@^13.5.3: + version "13.5.3" + resolved "https://registry.yarnpkg.com/react-syntax-highlighter/-/react-syntax-highlighter-13.5.3.tgz#9712850f883a3e19eb858cf93fad7bb357eea9c6" + integrity sha512-crPaF+QGPeHNIblxxCdf2Lg936NAHKhNhuMzRL3F9ct6aYXL3NcZtCL0Rms9+qVo6Y1EQLdXGypBNSbPL/r+qg== + dependencies: + "@babel/runtime" "^7.3.1" + highlight.js "^10.1.1" + lowlight "^1.14.0" + prismjs "^1.21.0" + refractor "^3.1.0" + react-test-renderer@^16.0.0-0: version "16.14.0" resolved "https://registry.yarnpkg.com/react-test-renderer/-/react-test-renderer-16.14.0.tgz#e98360087348e260c56d4fe2315e970480c228ae" @@ -11113,6 +14034,15 @@ react-test-renderer@^16.0.0-0: react-is "^16.8.6" scheduler "^0.19.1" +react-textarea-autosize@^8.3.0: + version "8.3.3" + resolved "https://registry.yarnpkg.com/react-textarea-autosize/-/react-textarea-autosize-8.3.3.tgz#f70913945369da453fd554c168f6baacd1fa04d8" + integrity sha512-2XlHXK2TDxS6vbQaoPbMOfQ8GK7+irc2fVK6QFIcC8GOnH3zI/v481n+j1L0WaPVvKxwesnY93fEfH++sus2rQ== + dependencies: + "@babel/runtime" "^7.10.2" + use-composed-ref "^1.0.0" + use-latest "^1.0.0" + react-update-notification@^1.0.0: version "1.1.1" resolved "https://registry.yarnpkg.com/react-update-notification/-/react-update-notification-1.1.1.tgz#b72b346aa9d0e8a10feb9d17458aa3f76dad33d9" @@ -11228,7 +14158,7 @@ read-pkg@^5.2.0: parse-json "^5.0.0" type-fest "^0.6.0" -"readable-stream@1 || 2", readable-stream@^2.0.0, readable-stream@^2.0.1, readable-stream@^2.0.2, readable-stream@^2.1.5, readable-stream@^2.2.2, readable-stream@^2.3.3, readable-stream@^2.3.6, readable-stream@~2.3.6: +"readable-stream@1 || 2", readable-stream@^2.0.0, readable-stream@^2.0.1, readable-stream@^2.0.2, readable-stream@^2.0.6, readable-stream@^2.1.5, readable-stream@^2.2.2, readable-stream@^2.3.3, readable-stream@^2.3.6, readable-stream@~2.3.6: version "2.3.7" resolved "https://registry.yarnpkg.com/readable-stream/-/readable-stream-2.3.7.tgz#1eca1cf711aef814c04f62252a36a62f6cb23b57" integrity sha512-Ebho8K4jIbHAxnuxi7o42OrZgF/ZTNcsZj6nRKyUmkhLFq8CHItp/fy6hQZuZmP/n3yZ9VBUbp4zz/mX8hmYPw== @@ -11310,6 +14240,13 @@ rechoir@^0.7.0: dependencies: resolve "^1.9.0" +recursive-readdir@2.2.2: + version "2.2.2" + resolved "https://registry.yarnpkg.com/recursive-readdir/-/recursive-readdir-2.2.2.tgz#9946fb3274e1628de6e36b2f6714953b4845094f" + integrity sha512-nRCcW9Sj7NuZwa2XvH9co8NPeXUBhZP7CRKJtU+cS6PW9FpCIFoI5ib0NT1ZrbNuPoRy0ylyCaUL8Gih4LSyFg== + dependencies: + minimatch "3.0.4" + redent@^3.0.0: version "3.0.0" resolved "https://registry.yarnpkg.com/redent/-/redent-3.0.0.tgz#e557b7998316bb53c9f1f56fa626352c6963059f" @@ -11340,6 +14277,15 @@ reflect.ownkeys@^0.2.0: resolved "https://registry.yarnpkg.com/reflect.ownkeys/-/reflect.ownkeys-0.2.0.tgz#749aceec7f3fdf8b63f927a04809e90c5c0b3460" integrity sha1-dJrO7H8/34tj+SegSAnpDFwLNGA= +refractor@^3.1.0: + version "3.4.0" + resolved "https://registry.yarnpkg.com/refractor/-/refractor-3.4.0.tgz#62bd274b06c942041f390c371b676eb67cb0a678" + integrity sha512-dBeD02lC5eytm9Gld2Mx0cMcnR+zhSnsTfPpWqFaMgUMJfC9A6bcN3Br/NaXrnBJcuxnLFR90k1jrkaSyV8umg== + dependencies: + hastscript "^6.0.0" + parse-entities "^2.0.0" + prismjs "~1.24.0" + refx@^3.1.1: version "3.1.1" resolved "https://registry.yarnpkg.com/refx/-/refx-3.1.1.tgz#8ca1b4844ac81ff8e8b79523fdd082cac9b05517" @@ -11357,7 +14303,7 @@ regenerate@^1.4.0: resolved "https://registry.yarnpkg.com/regenerate/-/regenerate-1.4.2.tgz#b9346d8827e8f5a32f7ba29637d398b69014848a" integrity sha512-zrceR/XhGYU/d/opr2EKO7aRHUeiBI8qjtfHqADTwZd6Szfy16la6kqD0MIUs5z5hx6AaKa+PixpPrR289+I0A== -regenerator-runtime@^0.13.4: +regenerator-runtime@^0.13.4, regenerator-runtime@^0.13.7: version "0.13.7" resolved "https://registry.yarnpkg.com/regenerator-runtime/-/regenerator-runtime-0.13.7.tgz#cac2dacc8a1ea675feaabaeb8ae833898ae46f55" integrity sha512-a54FxoJDIr27pgf7IgeQGxmqUNYrcV338lf/6gH456HZ/PhX+5BcwHXG9ajESmwe6WRO0tAzRUrRmNONWgkrew== @@ -11438,6 +14384,11 @@ regjsparser@^0.6.4: dependencies: jsesc "~0.5.0" +relateurl@^0.2.7: + version "0.2.7" + resolved "https://registry.yarnpkg.com/relateurl/-/relateurl-0.2.7.tgz#54dbf377e51440aca90a4cd274600d3ff2d888a9" + integrity sha1-VNvzd+UUQKypCkzSdGANP/LYiKk= + release-it@^14.10.0: version "14.10.0" resolved "https://registry.yarnpkg.com/release-it/-/release-it-14.10.0.tgz#2ad9aa5357f257ee92d4c632a0c64dfe8286bff0" @@ -11472,6 +14423,58 @@ release-it@^14.10.0: yaml "1.10.2" yargs-parser "20.2.7" +remark-external-links@^8.0.0: + version "8.0.0" + resolved "https://registry.yarnpkg.com/remark-external-links/-/remark-external-links-8.0.0.tgz#308de69482958b5d1cd3692bc9b725ce0240f345" + integrity sha512-5vPSX0kHoSsqtdftSHhIYofVINC8qmp0nctkeU9YoJwV3YfiBRiI6cbFRJ0oI/1F9xS+bopXG0m2KS8VFscuKA== + dependencies: + extend "^3.0.0" + is-absolute-url "^3.0.0" + mdast-util-definitions "^4.0.0" + space-separated-tokens "^1.0.0" + unist-util-visit "^2.0.0" + +remark-footnotes@2.0.0: + version "2.0.0" + resolved "https://registry.yarnpkg.com/remark-footnotes/-/remark-footnotes-2.0.0.tgz#9001c4c2ffebba55695d2dd80ffb8b82f7e6303f" + integrity sha512-3Clt8ZMH75Ayjp9q4CorNeyjwIxHFcTkaektplKGl2A1jNGEUey8cKL0ZC5vJwfcD5GFGsNLImLG/NGzWIzoMQ== + +remark-mdx@1.6.22: + version "1.6.22" + resolved "https://registry.yarnpkg.com/remark-mdx/-/remark-mdx-1.6.22.tgz#06a8dab07dcfdd57f3373af7f86bd0e992108bbd" + integrity sha512-phMHBJgeV76uyFkH4rvzCftLfKCr2RZuF+/gmVcaKrpsihyzmhXjA0BEMDaPTXG5y8qZOKPVo83NAOX01LPnOQ== + dependencies: + "@babel/core" "7.12.9" + "@babel/helper-plugin-utils" "7.10.4" + "@babel/plugin-proposal-object-rest-spread" "7.12.1" + "@babel/plugin-syntax-jsx" "7.12.1" + "@mdx-js/util" "1.6.22" + is-alphabetical "1.0.4" + remark-parse "8.0.3" + unified "9.2.0" + +remark-parse@8.0.3: + version "8.0.3" + resolved "https://registry.yarnpkg.com/remark-parse/-/remark-parse-8.0.3.tgz#9c62aa3b35b79a486454c690472906075f40c7e1" + integrity sha512-E1K9+QLGgggHxCQtLt++uXltxEprmWzNfg+MxpfHsZlrddKzZ/hZyWHDbK3/Ap8HJQqYJRXP+jHczdL6q6i85Q== + dependencies: + ccount "^1.0.0" + collapse-white-space "^1.0.2" + is-alphabetical "^1.0.0" + is-decimal "^1.0.0" + is-whitespace-character "^1.0.0" + is-word-character "^1.0.0" + markdown-escapes "^1.0.0" + parse-entities "^2.0.0" + repeat-string "^1.5.4" + state-toggle "^1.0.0" + trim "0.0.1" + trim-trailing-lines "^1.0.0" + unherit "^1.0.4" + unist-util-remove-position "^2.0.0" + vfile-location "^3.0.0" + xtend "^4.0.1" + remark-parse@^5.0.0: version "5.0.0" resolved "https://registry.yarnpkg.com/remark-parse/-/remark-parse-5.0.0.tgz#4c077f9e499044d1d5c13f80d7a98cf7b9285d95" @@ -11500,6 +14503,22 @@ remark-parse@^9.0.0: dependencies: mdast-util-from-markdown "^0.8.0" +remark-slug@^6.0.0: + version "6.0.0" + resolved "https://registry.yarnpkg.com/remark-slug/-/remark-slug-6.0.0.tgz#2b54a14a7b50407a5e462ac2f376022cce263e2c" + integrity sha512-ln67v5BrGKHpETnm6z6adlJPhESFJwfuZZ3jrmi+lKTzeZxh2tzFzUfDD4Pm2hRGOarHLuGToO86MNMZ/hA67Q== + dependencies: + github-slugger "^1.0.0" + mdast-util-to-string "^1.0.0" + unist-util-visit "^2.0.0" + +remark-squeeze-paragraphs@4.0.0: + version "4.0.0" + resolved "https://registry.yarnpkg.com/remark-squeeze-paragraphs/-/remark-squeeze-paragraphs-4.0.0.tgz#76eb0e085295131c84748c8e43810159c5653ead" + integrity sha512-8qRqmL9F4nuLPIgl92XUuxI3pFxize+F1H0e/W3llTk0UsjJaj01+RrirkMw7P21RKe4X6goQhYRSvNWX+70Rw== + dependencies: + mdast-squeeze-paragraphs "^4.0.0" + remark-stringify@^9.0.0: version "9.0.1" resolved "https://registry.yarnpkg.com/remark-stringify/-/remark-stringify-9.0.1.tgz#576d06e910548b0a7191a71f27b33f1218862894" @@ -11526,6 +14545,17 @@ remove-trailing-separator@^1.0.1: resolved "https://registry.yarnpkg.com/remove-trailing-separator/-/remove-trailing-separator-1.1.0.tgz#c24bce2a283adad5bc3f58e0d48249b92379d8ef" integrity sha1-wkvOKig62tW8P1jg1IJJuSN52O8= +renderkid@^2.0.4: + version "2.0.7" + resolved "https://registry.yarnpkg.com/renderkid/-/renderkid-2.0.7.tgz#464f276a6bdcee606f4a15993f9b29fc74ca8609" + integrity sha512-oCcFyxaMrKsKcTY59qnCAtmDVSLfPbrv6A3tVbPdFMMrv5jaK10V6m40cKsoPNhAqN6rmHW9sswW4o3ruSrwUQ== + dependencies: + css-select "^4.1.3" + dom-converter "^0.2.0" + htmlparser2 "^6.1.0" + lodash "^4.17.21" + strip-ansi "^3.0.1" + repeat-element@^1.1.2: version "1.1.4" resolved "https://registry.yarnpkg.com/repeat-element/-/repeat-element-1.1.4.tgz#be681520847ab58c7568ac75fbfad28ed42d39e9" @@ -11654,7 +14684,7 @@ resolve-url@^0.2.1: resolved "https://registry.yarnpkg.com/resolve-url/-/resolve-url-0.2.1.tgz#2c637fe77c893afd2a663fe21aa9080068e2052a" integrity sha1-LGN/53yJOv0qZj/iGqkIAGjiBSo= -resolve@^1.1.6, resolve@^1.10.0, resolve@^1.12.0, resolve@^1.13.1, resolve@^1.14.2, resolve@^1.18.1, resolve@^1.20.0, resolve@^1.9.0: +resolve@^1.1.6, resolve@^1.10.0, resolve@^1.12.0, resolve@^1.13.1, resolve@^1.14.2, resolve@^1.18.1, resolve@^1.19.0, resolve@^1.20.0, resolve@^1.3.2, resolve@^1.9.0: version "1.20.0" resolved "https://registry.yarnpkg.com/resolve/-/resolve-1.20.0.tgz#629a013fb3f70755d6f0b7935cc1c2c5378b1975" integrity sha512-wENBPt4ySzg4ybFQW2TT1zMQucPK95HSh/nq2CFTZVOGut2+pQvSsgtda4d26YrYcr067wjbmzOG8byDPBX63A== @@ -11707,7 +14737,7 @@ reusify@^1.0.4: resolved "https://registry.yarnpkg.com/reusify/-/reusify-1.0.4.tgz#90da382b1e126efc02146e90845a88db12925d76" integrity sha512-U9nH88a3fc/ekCF1l0/UP1IosiuIjyTh7hBvXVMHYgVcfGvt897Xguj2UOLDeI5BG2m7/uwyaLVT6fbtCwTyzw== -rimraf@^2.5.4, rimraf@^2.6.3: +rimraf@^2.2.8, rimraf@^2.5.4, rimraf@^2.6.3: version "2.7.1" resolved "https://registry.yarnpkg.com/rimraf/-/rimraf-2.7.1.tgz#35797f13a7fdadc566142c29d4f07ccad483e3ec" integrity sha512-uWjbaKIK3T1OSVptzX7Nl6PvQ3qAGtKEtVRjRuazjfL3Bx5eI409VZSqgND+4UNnmzLVdPj9FqFJNPqBZFve4w== @@ -11778,16 +14808,21 @@ rxjs@^6.6.6: dependencies: tslib "^1.9.0" -safe-buffer@>=5.1.0, safe-buffer@^5.0.1, safe-buffer@^5.1.0, safe-buffer@^5.1.1, safe-buffer@^5.1.2, safe-buffer@^5.2.0, safe-buffer@~5.2.0: - version "5.2.1" - resolved "https://registry.yarnpkg.com/safe-buffer/-/safe-buffer-5.2.1.tgz#1eaf9fa9bdb1fdd4ec75f58f9cdb4e6b7827eec6" - integrity sha512-rp3So07KcdmmKbGvgaNxQSJr7bGVSVk5S9Eq1F+ppbRo70+YeaDxkw5Dd8NPN+GD6bjnYm2VuPuCXmpuYvmCXQ== +safe-buffer@5.1.1: + version "5.1.1" + resolved "https://registry.yarnpkg.com/safe-buffer/-/safe-buffer-5.1.1.tgz#893312af69b2123def71f57889001671eeb2c853" + integrity sha512-kKvNJn6Mm93gAczWVJg7wH+wGYWNrDHdWvpUmHyEsgCtIwwo3bqPtV4tR5tuPaUhTOo/kvhVwd8XwwOllGYkbg== -safe-buffer@~5.1.0, safe-buffer@~5.1.1: +safe-buffer@5.1.2, safe-buffer@~5.1.0, safe-buffer@~5.1.1: version "5.1.2" resolved "https://registry.yarnpkg.com/safe-buffer/-/safe-buffer-5.1.2.tgz#991ec69d296e0313747d59bdfd2b745c35f8828d" integrity sha512-Gd2UZBJDkXlY7GbJxfsE8/nvKkUEU1G38c1siN6QP6a9PT9MmHB8GnpscSmMJSoF8LOIrt8ud/wPtojys4G6+g== +safe-buffer@>=5.1.0, safe-buffer@^5.0.1, safe-buffer@^5.1.0, safe-buffer@^5.1.1, safe-buffer@^5.1.2, safe-buffer@^5.2.0, safe-buffer@~5.2.0: + version "5.2.1" + resolved "https://registry.yarnpkg.com/safe-buffer/-/safe-buffer-5.2.1.tgz#1eaf9fa9bdb1fdd4ec75f58f9cdb4e6b7827eec6" + integrity sha512-rp3So07KcdmmKbGvgaNxQSJr7bGVSVk5S9Eq1F+ppbRo70+YeaDxkw5Dd8NPN+GD6bjnYm2VuPuCXmpuYvmCXQ== + safe-json-parse@~1.0.1: version "1.0.1" resolved "https://registry.yarnpkg.com/safe-json-parse/-/safe-json-parse-1.0.1.tgz#3e76723e38dfdda13c9b1d29a1e07ffee4b30b57" @@ -11831,14 +14866,6 @@ sass-loader@^10.1.1: schema-utils "^3.0.0" semver "^7.3.2" -sass-loader@^12.1.0: - version "12.1.0" - resolved "https://registry.yarnpkg.com/sass-loader/-/sass-loader-12.1.0.tgz#b73324622231009da6fba61ab76013256380d201" - integrity sha512-FVJZ9kxVRYNZTIe2xhw93n3xJNYZADr+q69/s98l9nTCrWASo+DR2Ot0s5xTKQDDEosUkatsGeHxcH4QBp5bSg== - dependencies: - klona "^2.0.4" - neo-async "^2.6.2" - sass@^1.26.11: version "1.35.1" resolved "https://registry.yarnpkg.com/sass/-/sass-1.35.1.tgz#90ecf774dfe68f07b6193077e3b42fb154b9e1cd" @@ -11874,6 +14901,15 @@ scheduler@^0.20.2: loose-envify "^1.1.0" object-assign "^4.1.1" +schema-utils@2.7.0: + version "2.7.0" + resolved "https://registry.yarnpkg.com/schema-utils/-/schema-utils-2.7.0.tgz#17151f76d8eae67fbbf77960c33c676ad9f4efc7" + integrity sha512-0ilKFI6QQF5nxDZLFn2dMjvc4hjg/Wkg7rHd3jK6/A4a1Hl9VFdQWvgB1UMGoU94pad1P/8N7fMcEnLnSiju8A== + dependencies: + "@types/json-schema" "^7.0.4" + ajv "^6.12.2" + ajv-keywords "^3.4.1" + schema-utils@^1.0.0: version "1.0.0" resolved "https://registry.yarnpkg.com/schema-utils/-/schema-utils-1.0.0.tgz#0b79a93204d7b600d4b2850d1f66c2a34951c770" @@ -11883,7 +14919,7 @@ schema-utils@^1.0.0: ajv-errors "^1.0.0" ajv-keywords "^3.1.0" -schema-utils@^2.6.5, schema-utils@^2.6.6: +schema-utils@^2.6.5, schema-utils@^2.6.6, schema-utils@^2.7.0: version "2.7.1" resolved "https://registry.yarnpkg.com/schema-utils/-/schema-utils-2.7.1.tgz#1ca4f32d1b24c590c203b8e7a50bf0ea4cd394d7" integrity sha512-SHiNtMOUGWBQJwzISiVYKu82GiV4QYGePp3odlY1tuKO7gPtphAT5R/py0fA6xtbgLL/RvtJZnU9b8s0F1q0Xg== @@ -11913,7 +14949,7 @@ semver-diff@^3.1.1: dependencies: semver "^6.3.0" -"semver@2 || 3 || 4 || 5", semver@^5.5.0, semver@^5.6.0, semver@^5.7.0, semver@^5.7.1: +"semver@2 || 3 || 4 || 5", semver@^5.4.1, semver@^5.5.0, semver@^5.6.0, semver@^5.7.0, semver@^5.7.1: version "5.7.1" resolved "https://registry.yarnpkg.com/semver/-/semver-5.7.1.tgz#a954f931aeba508d307bbf069eff0c01c96116f7" integrity sha512-sauaDf/PZdVgrLTNYHRtpXa1iRiKcaebiKQ1BJdpQlWH2lCvexQdX55snPFyK7QzpudqbCI0qXFfOasHdyNDGQ== @@ -11935,6 +14971,25 @@ semver@^6.0.0, semver@^6.1.1, semver@^6.1.2, semver@^6.2.0, semver@^6.3.0: resolved "https://registry.yarnpkg.com/semver/-/semver-6.3.0.tgz#ee0a64c8af5e8ceea67687b133761e1becbd1d3d" integrity sha512-b39TBaTSfV6yBrapU89p5fKekE2m/NwnDocOVruQFS1/veMgdzuPcnOM34M6CwxW8jH/lxEa5rBoDeUwu5HHTw== +send@0.17.1: + version "0.17.1" + resolved "https://registry.yarnpkg.com/send/-/send-0.17.1.tgz#c1d8b059f7900f7466dd4938bdc44e11ddb376c8" + integrity sha512-BsVKsiGcQMFwT8UxypobUKyv7irCNRHk1T0G680vk88yf6LBByGcZJOTJCrTP2xVN6yI+XjPJcNuE3V4fT9sAg== + dependencies: + debug "2.6.9" + depd "~1.1.2" + destroy "~1.0.4" + encodeurl "~1.0.2" + escape-html "~1.0.3" + etag "~1.8.1" + fresh "0.5.2" + http-errors "~1.7.2" + mime "1.6.0" + ms "2.1.1" + on-finished "~2.3.0" + range-parser "~1.2.1" + statuses "~1.5.0" + serialize-javascript@^4.0.0: version "4.0.0" resolved "https://registry.yarnpkg.com/serialize-javascript/-/serialize-javascript-4.0.0.tgz#b525e1238489a5ecfc42afacc3fe99e666f4b1aa" @@ -11942,6 +14997,13 @@ serialize-javascript@^4.0.0: dependencies: randombytes "^2.1.0" +serialize-javascript@^5.0.1: + version "5.0.1" + resolved "https://registry.yarnpkg.com/serialize-javascript/-/serialize-javascript-5.0.1.tgz#7886ec848049a462467a97d3d918ebb2aaf934f4" + integrity sha512-SaaNal9imEO737H2c05Og0/8LUXG7EnsZyMa8MzkmuHoELfT6txuj0cMqRj6zfPKnmQ1yasR4PCJc8x+M4JSPA== + dependencies: + randombytes "^2.1.0" + serialize-javascript@^6.0.0: version "6.0.0" resolved "https://registry.yarnpkg.com/serialize-javascript/-/serialize-javascript-6.0.0.tgz#efae5d88f45d7924141da8b5c3a7a7e663fefeb8" @@ -11949,7 +15011,28 @@ serialize-javascript@^6.0.0: dependencies: randombytes "^2.1.0" -set-blocking@^2.0.0: +serve-favicon@^2.5.0: + version "2.5.0" + resolved "https://registry.yarnpkg.com/serve-favicon/-/serve-favicon-2.5.0.tgz#935d240cdfe0f5805307fdfe967d88942a2cbcf0" + integrity sha1-k10kDN/g9YBTB/3+ln2IlCosvPA= + dependencies: + etag "~1.8.1" + fresh "0.5.2" + ms "2.1.1" + parseurl "~1.3.2" + safe-buffer "5.1.1" + +serve-static@1.14.1: + version "1.14.1" + resolved "https://registry.yarnpkg.com/serve-static/-/serve-static-1.14.1.tgz#666e636dc4f010f7ef29970a88a674320898b2f9" + integrity sha512-JMrvUwE54emCYWlTI+hGrGv5I8dEwmco/00EvkzIIsR7MqrHonbD9pO2MOfFnpFntl7ecpZs+3mW+XbQZu9QCg== + dependencies: + encodeurl "~1.0.2" + escape-html "~1.0.3" + parseurl "~1.3.3" + send "0.17.1" + +set-blocking@^2.0.0, set-blocking@~2.0.0: version "2.0.0" resolved "https://registry.yarnpkg.com/set-blocking/-/set-blocking-2.0.0.tgz#045f9782d011ae9a6803ddd382b24392b3d890f7" integrity sha1-BF+XgtARrppoA93TgrJDkrPYkPc= @@ -11969,6 +15052,11 @@ setimmediate@^1.0.4: resolved "https://registry.yarnpkg.com/setimmediate/-/setimmediate-1.0.5.tgz#290cbb232e306942d7d7ea9b83732ab7856f8285" integrity sha1-KQy7Iy4waULX1+qbg3Mqt4VvgoU= +setprototypeof@1.1.1: + version "1.1.1" + resolved "https://registry.yarnpkg.com/setprototypeof/-/setprototypeof-1.1.1.tgz#7e95acb24aa92f5885e0abef5ba131330d4ae683" + integrity sha512-JvdAWfbXeIGaZ9cILp38HntZSFSo3mWg6xGcJJsd+d4aRMOqauag1C63dJfDw7OaMYwEbHMOxEZ1lqVRYP2OAw== + sha.js@^2.4.0, sha.js@^2.4.8: version "2.4.11" resolved "https://registry.yarnpkg.com/sha.js/-/sha.js-2.4.11.tgz#37a5cf0b81ecbc6943de109ba2960d1b26584ae7" @@ -11994,6 +15082,11 @@ shallow-clone@^3.0.0: dependencies: kind-of "^6.0.2" +shallowequal@^1.1.0: + version "1.1.0" + resolved "https://registry.yarnpkg.com/shallowequal/-/shallowequal-1.1.0.tgz#188d521de95b9087404fd4dcb68b13df0ae4e7f8" + integrity sha512-y0m1JoUZSlPAjXVtPPW70aZWfIL/dSP7AFkRnniLCrK/8MDKog3TySTBmckD+RObVxH0v4Tox67+F14PdED2oQ== + shebang-command@^1.2.0: version "1.2.0" resolved "https://registry.yarnpkg.com/shebang-command/-/shebang-command-1.2.0.tgz#44aac65b695b03398968c39f363fee5deafdf1ea" @@ -12018,6 +15111,11 @@ shebang-regex@^3.0.0: resolved "https://registry.yarnpkg.com/shebang-regex/-/shebang-regex-3.0.0.tgz#ae16f1644d873ecad843b0307b143362d4c42172" integrity sha512-7++dFhtcx3353uBaq8DDR4NuxBetBzC7ZQOhmTQInHEd6bSrXdiEyzCvG07Z44UYdLShWUyXt5M/yhz8ekcb1A== +shell-quote@1.7.2: + version "1.7.2" + resolved "https://registry.yarnpkg.com/shell-quote/-/shell-quote-1.7.2.tgz#67a7d02c76c9da24f99d20808fcaded0e0e04be2" + integrity sha512-mRz/m/JVscCrkMyPqHc/bczi3OQHkLTqXHEFu0zDhK/qfv3UcOA4SVmRCLmos4bhjr9ekVQubj/R7waKapmiQg== + shelljs@0.8.4: version "0.8.4" resolved "https://registry.yarnpkg.com/shelljs/-/shelljs-0.8.4.tgz#de7684feeb767f8716b326078a8a00875890e3c2" @@ -12176,7 +15274,7 @@ source-map-resolve@^0.5.0: source-map-url "^0.4.0" urix "^0.1.0" -source-map-support@^0.5.6, source-map-support@~0.5.12, source-map-support@~0.5.19: +source-map-support@^0.5.16, source-map-support@^0.5.6, source-map-support@~0.5.12, source-map-support@~0.5.19: version "0.5.19" resolved "https://registry.yarnpkg.com/source-map-support/-/source-map-support-0.5.19.tgz#a98b62f86dcaf4f67399648c085291ab9e8fed61" integrity sha512-Wonm7zOCIJzBGQdB+thsPar0kYuCIzYvxZwlBa87yi/Mdjv7Tip2cyVbLj5o0cFPN4EVkuTwb3GDDyUx2DGnGw== @@ -12194,7 +15292,7 @@ source-map@^0.5.0, source-map@^0.5.6, source-map@^0.5.7: resolved "https://registry.yarnpkg.com/source-map/-/source-map-0.5.7.tgz#8a039d2d1021d22d1ea14c80d8ea468ba2ef3fcc" integrity sha1-igOdLRAh0i0eoUyA2OpGi6LvP8w= -source-map@^0.6.0, source-map@^0.6.1, source-map@~0.6.1: +source-map@^0.6.0, source-map@^0.6.1, source-map@~0.6.0, source-map@~0.6.1: version "0.6.1" resolved "https://registry.yarnpkg.com/source-map/-/source-map-0.6.1.tgz#74722af32e9614e9c287a8d0bbde48b5e2f1a263" integrity sha512-UjgapumWlbMhkBgzT7Ykc5YXUT46F0iKu8SGXq0bcwP5dz/h0Plj6enJqjz1Zbq2l5WaqYnrVbwWOWMyF3F47g== @@ -12204,6 +15302,11 @@ source-map@^0.7.3, source-map@~0.7.2: resolved "https://registry.yarnpkg.com/source-map/-/source-map-0.7.3.tgz#5302f8169031735226544092e64981f751750383" integrity sha512-CkCj6giN3S+n9qrYiBTX5gystlENnRW5jZeNLHpe6aue+SrHcG5VYwujhW9s4dY31mEGsxBDrHR6oI69fTXsaQ== +space-separated-tokens@^1.0.0: + version "1.1.5" + resolved "https://registry.yarnpkg.com/space-separated-tokens/-/space-separated-tokens-1.1.5.tgz#85f32c3d10d9682007e917414ddc5c26d1aa6899" + integrity sha512-q/JSVd1Lptzhf5bkYm4ob4iWPjx0KiRe3sRFBNrVqbJkFaBm5vbbowy1mymoPNLRa52+oadOhJ+K49wsSeSjTA== + spawnd@^4.4.0: version "4.4.0" resolved "https://registry.yarnpkg.com/spawnd/-/spawnd-4.4.0.tgz#bb52c5b34a22e3225ae1d3acb873b2cd58af0886" @@ -12308,6 +15411,11 @@ stack-utils@^2.0.2: dependencies: escape-string-regexp "^2.0.0" +stackframe@^1.1.1: + version "1.2.0" + resolved "https://registry.yarnpkg.com/stackframe/-/stackframe-1.2.0.tgz#52429492d63c62eb989804c11552e3d22e779303" + integrity sha512-GrdeshiRmS1YLMYgzF16olf2jJ/IzxXY9lhKOskuVziubpTYcYqyOwYeJKzQkwy7uN0fYSsbsC4RQaXf9LCrYA== + state-toggle@^1.0.0: version "1.0.3" resolved "https://registry.yarnpkg.com/state-toggle/-/state-toggle-1.0.3.tgz#e123b16a88e143139b09c6852221bc9815917dfe" @@ -12321,6 +15429,27 @@ static-extend@^0.1.1: define-property "^0.2.5" object-copy "^0.1.0" +"statuses@>= 1.5.0 < 2", statuses@~1.5.0: + version "1.5.0" + resolved "https://registry.yarnpkg.com/statuses/-/statuses-1.5.0.tgz#161c7dac177659fd9811f43771fa99381478628c" + integrity sha1-Fhx9rBd2Wf2YEfQ3cfqZOBR4Yow= + +store2@^2.12.0: + version "2.12.0" + resolved "https://registry.yarnpkg.com/store2/-/store2-2.12.0.tgz#e1f1b7e1a59b6083b2596a8d067f6ee88fd4d3cf" + integrity sha512-7t+/wpKLanLzSnQPX8WAcuLCCeuSHoWdQuh9SB3xD0kNOM38DNf+0Oa+wmvxmYueRzkmh6IcdKFtvTa+ecgPDw== + +storybook-addon-outline@^1.4.1: + version "1.4.1" + resolved "https://registry.yarnpkg.com/storybook-addon-outline/-/storybook-addon-outline-1.4.1.tgz#0a1b262b9c65df43fc63308a1fdbd4283c3d9458" + integrity sha512-Qvv9X86CoONbi+kYY78zQcTGmCgFaewYnOVR6WL7aOFJoW7TrLiIc/O4hH5X9PsEPZFqjfXEPUPENWVUQim6yw== + dependencies: + "@storybook/addons" "^6.3.0" + "@storybook/api" "^6.3.0" + "@storybook/components" "^6.3.0" + "@storybook/core-events" "^6.3.0" + ts-dedent "^2.1.1" + stream-browserify@^2.0.1: version "2.0.2" resolved "https://registry.yarnpkg.com/stream-browserify/-/stream-browserify-2.0.2.tgz#87521d38a44aa7ee91ce1cd2a47df0cb49dd660b" @@ -12371,6 +15500,23 @@ string-template@~0.2.1: resolved "https://registry.yarnpkg.com/string-template/-/string-template-0.2.1.tgz#42932e598a352d01fc22ec3367d9d84eec6c9add" integrity sha1-QpMuWYo1LQH8IuwzZ9nYTuxsmt0= +string-width@^1.0.1: + version "1.0.2" + resolved "https://registry.yarnpkg.com/string-width/-/string-width-1.0.2.tgz#118bdf5b8cdc51a2a7e70d211e07e2b0b9b107d3" + integrity sha1-EYvfW4zcUaKn5w0hHgfisLmxB9M= + dependencies: + code-point-at "^1.0.0" + is-fullwidth-code-point "^1.0.0" + strip-ansi "^3.0.0" + +"string-width@^1.0.2 || 2": + version "2.1.1" + resolved "https://registry.yarnpkg.com/string-width/-/string-width-2.1.1.tgz#ab93f27a8dc13d28cac815c462143a6d9012ae9e" + integrity sha512-nOqH59deCq9SRHlxq1Aw85Jnt4w6KvLKqWVik6oA9ZklXLNIOlqg4F2yrT1MVaTjAqvVwdfeZ7w7aCvJD7ugkw== + dependencies: + is-fullwidth-code-point "^2.0.0" + strip-ansi "^4.0.0" + string-width@^3.0.0, string-width@^3.1.0: version "3.1.0" resolved "https://registry.yarnpkg.com/string-width/-/string-width-3.1.0.tgz#22767be21b62af1081574306f69ac51b62203961" @@ -12389,7 +15535,7 @@ string-width@^4.0.0, string-width@^4.1.0, string-width@^4.2.0, string-width@^4.2 is-fullwidth-code-point "^3.0.0" strip-ansi "^6.0.0" -string.prototype.matchall@^4.0.5: +"string.prototype.matchall@^4.0.0 || ^3.0.1", string.prototype.matchall@^4.0.5: version "4.0.5" resolved "https://registry.yarnpkg.com/string.prototype.matchall/-/string.prototype.matchall-4.0.5.tgz#59370644e1db7e4c0c045277690cf7b01203c4da" integrity sha512-Z5ZaXO0svs0M2xd/6By3qpeKpLKd9mO4v4q3oMEQrk8Ck4xOD5d5XeBOOjGrmVZZ/AHB1S0CgG4N5r1G9N3E2Q== @@ -12403,6 +15549,24 @@ string.prototype.matchall@^4.0.5: regexp.prototype.flags "^1.3.1" side-channel "^1.0.4" +string.prototype.padend@^3.0.0: + version "3.1.2" + resolved "https://registry.yarnpkg.com/string.prototype.padend/-/string.prototype.padend-3.1.2.tgz#6858ca4f35c5268ebd5e8615e1327d55f59ee311" + integrity sha512-/AQFLdYvePENU3W5rgurfWSMU6n+Ww8n/3cUt7E+vPBB/D7YDG8x+qjoFs4M/alR2bW7Qg6xMjVwWUOvuQ0XpQ== + dependencies: + call-bind "^1.0.2" + define-properties "^1.1.3" + es-abstract "^1.18.0-next.2" + +string.prototype.padstart@^3.0.0: + version "3.1.2" + resolved "https://registry.yarnpkg.com/string.prototype.padstart/-/string.prototype.padstart-3.1.2.tgz#f9b9ce66bedd7c06acb40ece6e34c6046e1a019d" + integrity sha512-HDpngIP3pd0DeazrfqzuBrQZa+D2arKWquEHfGt5LzVjd+roLC3cjqVI0X8foaZz5rrrhcu8oJAQamW8on9dqw== + dependencies: + call-bind "^1.0.2" + define-properties "^1.1.3" + es-abstract "^1.18.0-next.2" + string.prototype.trim@^1.2.1: version "1.2.4" resolved "https://registry.yarnpkg.com/string.prototype.trim/-/string.prototype.trim-1.2.4.tgz#6014689baf5efaf106ad031a5fa45157666ed1bd" @@ -12447,6 +15611,27 @@ string_decoder@~1.1.1: dependencies: safe-buffer "~5.1.0" +strip-ansi@6.0.0, strip-ansi@^6.0.0: + version "6.0.0" + resolved "https://registry.yarnpkg.com/strip-ansi/-/strip-ansi-6.0.0.tgz#0b1571dd7669ccd4f3e06e14ef1eed26225ae532" + integrity sha512-AuvKTrTfQNYNIctbR1K/YGTR1756GycPsg7b9bdV9Duqur4gv6aKqHXah67Z8ImS7WEz5QVcOtlfW2rZEugt6w== + dependencies: + ansi-regex "^5.0.0" + +strip-ansi@^3.0.0, strip-ansi@^3.0.1: + version "3.0.1" + resolved "https://registry.yarnpkg.com/strip-ansi/-/strip-ansi-3.0.1.tgz#6a385fb8853d952d5ff05d0e8aaf94278dc63dcf" + integrity sha1-ajhfuIU9lS1f8F0Oiq+UJ43GPc8= + dependencies: + ansi-regex "^2.0.0" + +strip-ansi@^4.0.0: + version "4.0.0" + resolved "https://registry.yarnpkg.com/strip-ansi/-/strip-ansi-4.0.0.tgz#a8479022eb1ac368a871389b635262c505ee368f" + integrity sha1-qEeQIusaw2iocTibY1JixQXuNo8= + dependencies: + ansi-regex "^3.0.0" + strip-ansi@^5.0.0, strip-ansi@^5.1.0, strip-ansi@^5.2.0: version "5.2.0" resolved "https://registry.yarnpkg.com/strip-ansi/-/strip-ansi-5.2.0.tgz#8c9a536feb6afc962bdfa5b104a5091c1ad9c0ae" @@ -12454,13 +15639,6 @@ strip-ansi@^5.0.0, strip-ansi@^5.1.0, strip-ansi@^5.2.0: dependencies: ansi-regex "^4.1.0" -strip-ansi@^6.0.0: - version "6.0.0" - resolved "https://registry.yarnpkg.com/strip-ansi/-/strip-ansi-6.0.0.tgz#0b1571dd7669ccd4f3e06e14ef1eed26225ae532" - integrity sha512-AuvKTrTfQNYNIctbR1K/YGTR1756GycPsg7b9bdV9Duqur4gv6aKqHXah67Z8ImS7WEz5QVcOtlfW2rZEugt6w== - dependencies: - ansi-regex "^5.0.0" - strip-bom@^2.0.0: version "2.0.0" resolved "https://registry.yarnpkg.com/strip-bom/-/strip-bom-2.0.0.tgz#6219a85616520491f35788bdbf1447a99c7e6b0e" @@ -12512,11 +15690,34 @@ strip-outer@^1.0.1: dependencies: escape-string-regexp "^1.0.2" +style-loader@2.0.0: + version "2.0.0" + resolved "https://registry.yarnpkg.com/style-loader/-/style-loader-2.0.0.tgz#9669602fd4690740eaaec137799a03addbbc393c" + integrity sha512-Z0gYUJmzZ6ZdRUqpg1r8GsaFKypE+3xAzuFeMuoHgjc9KZv3wMyCRjQIWEbhoFSq7+7yoHXySDJyyWQaPajeiQ== + dependencies: + loader-utils "^2.0.0" + schema-utils "^3.0.0" + +style-loader@^1.3.0: + version "1.3.0" + resolved "https://registry.yarnpkg.com/style-loader/-/style-loader-1.3.0.tgz#828b4a3b3b7e7aa5847ce7bae9e874512114249e" + integrity sha512-V7TCORko8rs9rIqkSrlMfkqA63DfoGBBJmK1kKGCcSi+BWb4cqz0SRsnp4l6rU5iwOEd0/2ePv68SV22VXon4Q== + dependencies: + loader-utils "^2.0.0" + schema-utils "^2.7.0" + style-search@^0.1.0: version "0.1.0" resolved "https://registry.yarnpkg.com/style-search/-/style-search-0.1.0.tgz#7958c793e47e32e07d2b5cafe5c0bf8e12e77902" integrity sha1-eVjHk+R+MuB9K1yv5cC/jhLneQI= +style-to-object@0.3.0, style-to-object@^0.3.0: + version "0.3.0" + resolved "https://registry.yarnpkg.com/style-to-object/-/style-to-object-0.3.0.tgz#b1b790d205991cc783801967214979ee19a76e46" + integrity sha512-CzFnRRXhzWIdItT3OmF8SQfWyahHhjq3HwcMNCNLn+N7klOOqPjMeG/4JSu77D7ypZdGvSzvkrbyeTMizz2VrA== + dependencies: + inline-style-parser "0.1.1" + stylelint-config-recommended-scss@^4.2.0: version "4.2.0" resolved "https://registry.yarnpkg.com/stylelint-config-recommended-scss/-/stylelint-config-recommended-scss-4.2.0.tgz#3ad3fc858215cfd16a0f90aecf1ac0ea8a3e6971" @@ -12671,6 +15872,16 @@ symbol-tree@^3.2.4: resolved "https://registry.yarnpkg.com/symbol-tree/-/symbol-tree-3.2.4.tgz#430637d248ba77e078883951fb9aa0eed7c63fa2" integrity sha512-9QNk5KwDF+Bvz+PyObkmSYjI5ksVUYtjW7AU22r2NKcfLJcXp96hkDWU3+XndOsUb+AQ9QhfzfCT2O+CNWT5Tw== +symbol.prototype.description@^1.0.0: + version "1.0.4" + resolved "https://registry.yarnpkg.com/symbol.prototype.description/-/symbol.prototype.description-1.0.4.tgz#c30edd3fe8c040d941cf7dc15842be15adf66855" + integrity sha512-fZkHwJ8ZNRVRzF/+/2OtygyyH06CjC0YZAQRHu9jKKw8RXlJpbizEHvGRUu22Qkg182wJk1ugb5Aovcv3UPrww== + dependencies: + call-bind "^1.0.2" + es-abstract "^1.18.0-next.2" + has-symbols "^1.0.1" + object.getownpropertydescriptors "^2.1.2" + table@^6.0.9, table@^6.6.0: version "6.7.1" resolved "https://registry.yarnpkg.com/table/-/table-6.7.1.tgz#ee05592b7143831a8c94f3cee6aae4c1ccef33e2" @@ -12733,6 +15944,25 @@ tar@^6.0.2: mkdirp "^1.0.3" yallist "^4.0.0" +telejson@^5.3.2: + version "5.3.3" + resolved "https://registry.yarnpkg.com/telejson/-/telejson-5.3.3.tgz#fa8ca84543e336576d8734123876a9f02bf41d2e" + integrity sha512-PjqkJZpzEggA9TBpVtJi1LVptP7tYtXB6rEubwlHap76AMjzvOdKX41CxyaW7ahhzDU1aftXnMCx5kAPDZTQBA== + dependencies: + "@types/is-function" "^1.0.0" + global "^4.4.0" + is-function "^1.0.2" + is-regex "^1.1.2" + is-symbol "^1.0.3" + isobject "^4.0.0" + lodash "^4.17.21" + memoizerific "^1.11.3" + +term-size@^2.1.0: + version "2.2.1" + resolved "https://registry.yarnpkg.com/term-size/-/term-size-2.2.1.tgz#2a6a54840432c2fb6320fea0f415531e90189f54" + integrity sha512-wK0Ri4fOGjv/XPy8SBHZChl8CM7uMc5VML7SqiQ0zG7+J5Vr+RMQDoHa2CNT6KHUnTGIXH34UDMkPzAUyapBZg== + terminal-link@^2.0.0: version "2.1.1" resolved "https://registry.yarnpkg.com/terminal-link/-/terminal-link-2.1.1.tgz#14a64a27ab3c0df933ea546fba55f2d078edc994" @@ -12771,6 +16001,21 @@ terser-webpack-plugin@^3.0.3: terser "^4.8.0" webpack-sources "^1.4.3" +terser-webpack-plugin@^4.2.3: + version "4.2.3" + resolved "https://registry.yarnpkg.com/terser-webpack-plugin/-/terser-webpack-plugin-4.2.3.tgz#28daef4a83bd17c1db0297070adc07fc8cfc6a9a" + integrity sha512-jTgXh40RnvOrLQNgIkwEKnQ8rmHjHK4u+6UBEi+W+FPmvb+uo+chJXntKe7/3lW5mNysgSWD60KyesnhW8D6MQ== + dependencies: + cacache "^15.0.5" + find-cache-dir "^3.3.1" + jest-worker "^26.5.0" + p-limit "^3.0.2" + schema-utils "^3.0.0" + serialize-javascript "^5.0.1" + source-map "^0.6.1" + terser "^5.3.4" + webpack-sources "^1.4.3" + terser-webpack-plugin@^5.1.3: version "5.1.4" resolved "https://registry.yarnpkg.com/terser-webpack-plugin/-/terser-webpack-plugin-5.1.4.tgz#c369cf8a47aa9922bd0d8a94fe3d3da11a7678a1" @@ -12783,7 +16028,7 @@ terser-webpack-plugin@^5.1.3: source-map "^0.6.1" terser "^5.7.0" -terser@^4.1.2, terser@^4.8.0: +terser@^4.1.2, terser@^4.6.3, terser@^4.8.0: version "4.8.0" resolved "https://registry.yarnpkg.com/terser/-/terser-4.8.0.tgz#63056343d7c70bb29f3af665865a46fe03a0df17" integrity sha512-EAPipTNeWsb/3wLPeup1tVPaXfIaU68xMnVdPafIL1TV05OhASArYyIfFvnvJCNrR2NIOvDVNNTFRa+Re2MWyw== @@ -12792,7 +16037,7 @@ terser@^4.1.2, terser@^4.8.0: source-map "~0.6.1" source-map-support "~0.5.12" -terser@^5.7.0: +terser@^5.3.4, terser@^5.7.0: version "5.7.1" resolved "https://registry.yarnpkg.com/terser/-/terser-5.7.1.tgz#2dc7a61009b66bb638305cb2a824763b116bf784" integrity sha512-b3e+d5JbHAe/JSjwsC3Zn55wsBIM7AsHLjKxT31kGCldgbpFePaFo+PiddtO6uwRZWRw7sPXmAN8dTW61xmnSg== @@ -12810,7 +16055,7 @@ test-exclude@^6.0.0: glob "^7.1.4" minimatch "^3.0.4" -text-table@^0.2.0: +text-table@0.2.0, text-table@^0.2.0: version "0.2.0" resolved "https://registry.yarnpkg.com/text-table/-/text-table-0.2.0.tgz#7f5ee823ae805207c00af2df4a84ec3fcfa570b4" integrity sha1-f17oI66AUgfACvLfSoTsP8+lcLQ= @@ -12831,6 +16076,11 @@ throat@^5.0.0: resolved "https://registry.yarnpkg.com/throat/-/throat-5.0.0.tgz#c5199235803aad18754a667d659b5e72ce16764b" integrity sha512-fcwX4mndzpLQKBS1DVYhGAcYaYt7vsHNIvQV+WXMvnow5cgjPphq5CaayLaGsjRdSCKZFNGt7/GYAuXaNOiYCA== +throttle-debounce@^3.0.1: + version "3.0.1" + resolved "https://registry.yarnpkg.com/throttle-debounce/-/throttle-debounce-3.0.1.tgz#32f94d84dfa894f786c9a1f290e7a645b6a19abb" + integrity sha512-dTEWWNu6JmeVXY0ZYoPuH5cRIwc0MeGbJwah9KUNYSJwommQpCzTySTpEe8Gs1J23aeWEuAobe4Ag7EHVt/LOg== + through2@^2.0.0: version "2.0.5" resolved "https://registry.yarnpkg.com/through2/-/through2-2.0.5.tgz#01c1e39eb31d07cb7d03a96a70823260b23132cd" @@ -12947,6 +16197,16 @@ to-regex@^3.0.1, to-regex@^3.0.2: regex-not "^1.0.2" safe-regex "^1.1.0" +toggle-selection@^1.0.6: + version "1.0.6" + resolved "https://registry.yarnpkg.com/toggle-selection/-/toggle-selection-1.0.6.tgz#6e45b1263f2017fa0acc7d89d78b15b8bf77da32" + integrity sha1-bkWxJj8gF/oKzH2J14sVuL932jI= + +toidentifier@1.0.0: + version "1.0.0" + resolved "https://registry.yarnpkg.com/toidentifier/-/toidentifier-1.0.0.tgz#7e1be3470f1e77948bc43d94a3c8f4d7752ba553" + integrity sha512-yaOH/Pk/VEhBWWTlhI+qXxDFXlejDGcQipMlyxda9nthulaxLZUNcUqFxokp0vcYnvteJln5FNQDRrxj3YcbVw== + totalist@^1.0.0: version "1.1.0" resolved "https://registry.yarnpkg.com/totalist/-/totalist-1.1.0.tgz#a4d65a3e546517701e3e5c37a47a70ac97fe56df" @@ -13013,6 +16273,21 @@ trough@^1.0.0: resolved "https://registry.yarnpkg.com/trough/-/trough-1.0.5.tgz#b8b639cefad7d0bb2abd37d433ff8293efa5f406" integrity sha512-rvuRbTarPXmMb79SmzEp8aqXNKcK+y0XaB298IXueQ8I2PsrATcPBCSPyK/dDNa2iWOhKlfNnOjdAOTBU/nkFA== +ts-dedent@^2.0.0, ts-dedent@^2.1.1: + version "2.1.1" + resolved "https://registry.yarnpkg.com/ts-dedent/-/ts-dedent-2.1.1.tgz#6dd56870bb5493895171334fa5d7e929107e5bbc" + integrity sha512-riHuwnzAUCfdIeTBNUq7+Yj+ANnrMXo/7+Z74dIdudS7ys2k8aSGMzpJRMFDF7CLwUTbtvi1ZZff/Wl+XxmqIA== + +ts-essentials@^2.0.3: + version "2.0.12" + resolved "https://registry.yarnpkg.com/ts-essentials/-/ts-essentials-2.0.12.tgz#c9303f3d74f75fa7528c3d49b80e089ab09d8745" + integrity sha512-3IVX4nI6B5cc31/GFFE+i8ey/N2eA0CZDbo6n0yrz0zDX8ZJ8djmU1p+XRz7G3is0F3bB3pu2pAroFdAWQKU3w== + +ts-pnp@^1.1.6: + version "1.2.0" + resolved "https://registry.yarnpkg.com/ts-pnp/-/ts-pnp-1.2.0.tgz#a500ad084b0798f1c3071af391e65912c86bca92" + integrity sha512-csd+vJOb/gkzvcCHgTGSChYpy5f1/XKNsmvBGO4JXS+z1v2HobugDz4s1IeFXM3wZB44uczs+eazB5Q/ccdhQw== + tsconfig-paths@^3.9.0: version "3.9.0" resolved "https://registry.yarnpkg.com/tsconfig-paths/-/tsconfig-paths-3.9.0.tgz#098547a6c4448807e8fcb8eae081064ee9a3c90b" @@ -13033,7 +16308,7 @@ tslib@^1.8.1, tslib@^1.9.0, tslib@^1.9.3: resolved "https://registry.yarnpkg.com/tslib/-/tslib-1.14.1.tgz#cf2d38bdc34a134bcaf1091c41f6619e2f672d00" integrity sha512-Xni35NKzjgMrwevysHTCArtLDpPvye8zV/0E4EyYn43P7/7qvQwPh9BGkHewbMulVntbigmcT7rdX3BNo9wRJg== -tslib@^2.2.0: +tslib@^2.0.0, tslib@^2.0.1, tslib@^2.0.3, tslib@^2.2.0: version "2.3.0" resolved "https://registry.yarnpkg.com/tslib/-/tslib-2.3.0.tgz#803b8cdab3e12ba581a4ca41c8839bbb0dacb09e" integrity sha512-N82ooyxVNm6h1riLCoyS9e3fuJ3AMG2zIZs2Gd1ATcSFjSA23Q0fzjjZeh0jbJvWVDZ0cJT8yaNNaaXHzueNjg== @@ -13116,6 +16391,14 @@ type-fest@^0.8.1: resolved "https://registry.yarnpkg.com/type-fest/-/type-fest-0.8.1.tgz#09e249ebde851d3b1e48d27c105444667f17b83d" integrity sha512-4dbzIzqvjtgiM5rw1k5rEHtBANKmdudhGyBEajN01fEyhaAIhsoKNy6y7+IN93IfpFtwY9iqi7kD+xwKhQsNJA== +type-is@~1.6.17, type-is@~1.6.18: + version "1.6.18" + resolved "https://registry.yarnpkg.com/type-is/-/type-is-1.6.18.tgz#4e552cd05df09467dcbc4ef739de89f2cf37c131" + integrity sha512-TkRKr9sUTxEH8MdfuCSP7VizJyzRNMjj2J2do2Jr3Kym598JVdEksuzPQCnlFPW4ky9Q+iA+ma9BGm06XQBy8g== + dependencies: + media-typer "0.3.0" + mime-types "~2.1.24" + typedarray-to-buffer@^3.1.5: version "3.1.5" resolved "https://registry.yarnpkg.com/typedarray-to-buffer/-/typedarray-to-buffer-3.1.5.tgz#a97ee7a9ff42691b9f783ff1bc5112fe3fca9080" @@ -13156,6 +16439,11 @@ unbzip2-stream@^1.3.3: buffer "^5.2.1" through "^2.3.8" +unfetch@^4.2.0: + version "4.2.0" + resolved "https://registry.yarnpkg.com/unfetch/-/unfetch-4.2.0.tgz#7e21b0ef7d363d8d9af0fb929a5555f6ef97a3be" + integrity sha512-F9p7yYCn6cIW9El1zi0HI6vqpeIvBsr3dSuRO6Xuppb1u5rXpCPmMvLSyECLhybr9isec8Ohl0hPekMVrEinDA== + unherit@^1.0.4: version "1.1.3" resolved "https://registry.yarnpkg.com/unherit/-/unherit-1.1.3.tgz#6c9b503f2b41b262330c80e91c8614abdaa69c22" @@ -13187,6 +16475,18 @@ unicode-property-aliases-ecmascript@^1.0.4: resolved "https://registry.yarnpkg.com/unicode-property-aliases-ecmascript/-/unicode-property-aliases-ecmascript-1.1.0.tgz#dd57a99f6207bedff4628abefb94c50db941c8f4" integrity sha512-PqSoPh/pWetQ2phoj5RLiaqIk4kCNwoV3CI+LfGmWLKI3rE3kl1h59XpX2BjgDrmbxD9ARtQobPGU1SguCYuQg== +unified@9.2.0: + version "9.2.0" + resolved "https://registry.yarnpkg.com/unified/-/unified-9.2.0.tgz#67a62c627c40589edebbf60f53edfd4d822027f8" + integrity sha512-vx2Z0vY+a3YoTj8+pttM3tiJHCwY5UFbYdiWrwBEbHmK8pvsPj2rtAX2BFfgXen8T39CJWblWRDT4L5WGXtDdg== + dependencies: + bail "^1.0.0" + extend "^3.0.0" + is-buffer "^2.0.0" + is-plain-obj "^2.0.0" + trough "^1.0.0" + vfile "^4.0.0" + unified@^6.1.2: version "6.2.0" resolved "https://registry.yarnpkg.com/unified/-/unified-6.2.0.tgz#7fbd630f719126d67d40c644b7e3f617035f6dba" @@ -13242,6 +16542,11 @@ unique-string@^2.0.0: dependencies: crypto-random-string "^2.0.0" +unist-builder@2.0.3, unist-builder@^2.0.0: + version "2.0.3" + resolved "https://registry.yarnpkg.com/unist-builder/-/unist-builder-2.0.3.tgz#77648711b5d86af0942f334397a33c5e91516436" + integrity sha512-f98yt5pnlMWlzP539tPc4grGMsFaQQlP/vM396b00jngsiINumNmsY8rkXjfoi1c6QaM8nQ3vaGDuoKWbe/1Uw== + unist-util-find-all-after@^3.0.2: version "3.0.2" resolved "https://registry.yarnpkg.com/unist-util-find-all-after/-/unist-util-find-all-after-3.0.2.tgz#fdfecd14c5b7aea5e9ef38d5e0d5f774eeb561f6" @@ -13249,6 +16554,11 @@ unist-util-find-all-after@^3.0.2: dependencies: unist-util-is "^4.0.0" +unist-util-generated@^1.0.0: + version "1.1.6" + resolved "https://registry.yarnpkg.com/unist-util-generated/-/unist-util-generated-1.1.6.tgz#5ab51f689e2992a472beb1b35f2ce7ff2f324d4b" + integrity sha512-cln2Mm1/CZzN5ttGK7vkoGw+RZ8VcUH6BtGbq98DDtRGquAAOXig1mrBQYelOwMXYS8rK+vZDyyojSjp7JX+Lg== + unist-util-is@^3.0.0: version "3.0.0" resolved "https://registry.yarnpkg.com/unist-util-is/-/unist-util-is-3.0.0.tgz#d9e84381c2468e82629e4a5be9d7d05a2dd324cd" @@ -13259,6 +16569,11 @@ unist-util-is@^4.0.0: resolved "https://registry.yarnpkg.com/unist-util-is/-/unist-util-is-4.1.0.tgz#976e5f462a7a5de73d94b706bac1b90671b57797" integrity sha512-ZOQSsnce92GrxSqlnEEseX0gi7GH9zTJZ0p9dtu87WRb/37mMPO2Ilx1s/t9vBHrFhbgweUwb+t7cIn5dxPhZg== +unist-util-position@^3.0.0: + version "3.1.0" + resolved "https://registry.yarnpkg.com/unist-util-position/-/unist-util-position-3.1.0.tgz#1c42ee6301f8d52f47d14f62bbdb796571fa2d47" + integrity sha512-w+PkwCbYSFw8vpgWD0v7zRCl1FpY3fjDSQ3/N/wNd9Ffa4gPi8+4keqt99N3XW6F99t/mUzp2xAhNmfKWp95QA== + unist-util-remove-position@^1.0.0: version "1.1.4" resolved "https://registry.yarnpkg.com/unist-util-remove-position/-/unist-util-remove-position-1.1.4.tgz#ec037348b6102c897703eee6d0294ca4755a2020" @@ -13266,6 +16581,20 @@ unist-util-remove-position@^1.0.0: dependencies: unist-util-visit "^1.1.0" +unist-util-remove-position@^2.0.0: + version "2.0.1" + resolved "https://registry.yarnpkg.com/unist-util-remove-position/-/unist-util-remove-position-2.0.1.tgz#5d19ca79fdba712301999b2b73553ca8f3b352cc" + integrity sha512-fDZsLYIe2uT+oGFnuZmy73K6ZxOPG/Qcm+w7jbEjaFcJgbQ6cqjs/eSPzXhsmGpAsWPkqZM9pYjww5QTn3LHMA== + dependencies: + unist-util-visit "^2.0.0" + +unist-util-remove@^2.0.0: + version "2.1.0" + resolved "https://registry.yarnpkg.com/unist-util-remove/-/unist-util-remove-2.1.0.tgz#b0b4738aa7ee445c402fda9328d604a02d010588" + integrity sha512-J8NYPyBm4baYLdCbjmf1bhPu45Cr1MWTm77qd9istEkzWpnN6O9tMsEbB2JhNnBCqGENRqEWomQ+He6au0B27Q== + dependencies: + unist-util-is "^4.0.0" + unist-util-stringify-position@^1.0.0, unist-util-stringify-position@^1.1.1: version "1.1.2" resolved "https://registry.yarnpkg.com/unist-util-stringify-position/-/unist-util-stringify-position-1.1.2.tgz#3f37fcf351279dcbca7480ab5889bb8a832ee1c6" @@ -13285,6 +16614,23 @@ unist-util-visit-parents@^2.0.0: dependencies: unist-util-is "^3.0.0" +unist-util-visit-parents@^3.0.0: + version "3.1.1" + resolved "https://registry.yarnpkg.com/unist-util-visit-parents/-/unist-util-visit-parents-3.1.1.tgz#65a6ce698f78a6b0f56aa0e88f13801886cdaef6" + integrity sha512-1KROIZWo6bcMrZEwiH2UrXDyalAa0uqzWCxCJj6lPOvTve2WkfgCytoDTPaMnodXh1WrXOq0haVYHj99ynJlsg== + dependencies: + "@types/unist" "^2.0.0" + unist-util-is "^4.0.0" + +unist-util-visit@2.0.3, unist-util-visit@^2.0.0: + version "2.0.3" + resolved "https://registry.yarnpkg.com/unist-util-visit/-/unist-util-visit-2.0.3.tgz#c3703893146df47203bb8a9795af47d7b971208c" + integrity sha512-iJ4/RczbJMkD0712mGktuGpm/U4By4FfDonL7N/9tATGIF4imikjOuagyMY53tnZq3NP6BcmlrHhEKAfGWjh7Q== + dependencies: + "@types/unist" "^2.0.0" + unist-util-is "^4.0.0" + unist-util-visit-parents "^3.0.0" + unist-util-visit@^1.1.0: version "1.4.1" resolved "https://registry.yarnpkg.com/unist-util-visit/-/unist-util-visit-1.4.1.tgz#4724aaa8486e6ee6e26d7ff3c8685960d560b1e3" @@ -13302,7 +16648,17 @@ universalify@^0.1.2: resolved "https://registry.yarnpkg.com/universalify/-/universalify-0.1.2.tgz#b646f69be3942dabcecc9d6639c80dc105efaa66" integrity sha512-rBJeI5CXAlmy1pV+617WB9J63U6XcazHHF2f2dbJix4XzpUF0RS3Zbj0FGIOCAva5P/d/GBOYaACQ1w+0azUkg== -unquote@~1.1.1: +universalify@^2.0.0: + version "2.0.0" + resolved "https://registry.yarnpkg.com/universalify/-/universalify-2.0.0.tgz#75a4984efedc4b08975c5aeb73f530d02df25717" + integrity sha512-hAZsKq7Yy11Zu1DE0OzWjw7nnLZmJZYTDZZyEFHZdUhV8FkH5MCfoU1XMaxXovpyW5nq5scPqq0ZDP9Zyl04oQ== + +unpipe@1.0.0, unpipe@~1.0.0: + version "1.0.0" + resolved "https://registry.yarnpkg.com/unpipe/-/unpipe-1.0.0.tgz#b2bf4ee8514aae6165b4817829d21b2ef49904ec" + integrity sha1-sr9O6FFKrmFltIF4KdIbLvSZBOw= + +unquote@^1.1.0, unquote@~1.1.1: version "1.1.1" resolved "https://registry.yarnpkg.com/unquote/-/unquote-1.1.1.tgz#8fded7324ec6e88a0ff8b905e7c098cdc086d544" integrity sha1-j97XMk7G6IoP+LkF58CYzcCG1UQ= @@ -13381,6 +16737,25 @@ url@^0.11.0: punycode "1.3.2" querystring "0.2.0" +use-composed-ref@^1.0.0: + version "1.1.0" + resolved "https://registry.yarnpkg.com/use-composed-ref/-/use-composed-ref-1.1.0.tgz#9220e4e94a97b7b02d7d27eaeab0b37034438bbc" + integrity sha512-my1lNHGWsSDAhhVAT4MKs6IjBUtG6ZG11uUqexPH9PptiIZDQOzaF4f5tEbJ2+7qvNbtXNBbU3SfmN+fXlWDhg== + dependencies: + ts-essentials "^2.0.3" + +use-isomorphic-layout-effect@^1.0.0: + version "1.1.1" + resolved "https://registry.yarnpkg.com/use-isomorphic-layout-effect/-/use-isomorphic-layout-effect-1.1.1.tgz#7bb6589170cd2987a152042f9084f9effb75c225" + integrity sha512-L7Evj8FGcwo/wpbv/qvSfrkHFtOpCzvM5yl2KVyDJoylVuSvzphiiasmjgQPttIGBAy2WKiBNR98q8w7PiNgKQ== + +use-latest@^1.0.0: + version "1.2.0" + resolved "https://registry.yarnpkg.com/use-latest/-/use-latest-1.2.0.tgz#a44f6572b8288e0972ec411bdd0840ada366f232" + integrity sha512-d2TEuG6nSLKQLAfW3By8mKr8HurOlTkul0sOpxbClIv4SQ4iOd7BYr7VIzdbktUCnv7dua/60xzd8igMU6jmyw== + dependencies: + use-isomorphic-layout-effect "^1.0.0" + use-local-storage-state@^6.0.0: version "6.0.3" resolved "https://registry.yarnpkg.com/use-local-storage-state/-/use-local-storage-state-6.0.3.tgz#65add61b8450b071354ce31b5a69b8908e69b497" @@ -13401,6 +16776,14 @@ util-deprecate@^1.0.1, util-deprecate@^1.0.2, util-deprecate@~1.0.1: resolved "https://registry.yarnpkg.com/util-deprecate/-/util-deprecate-1.0.2.tgz#450d4dc9fa70de732762fbd2d4a28981419a0ccf" integrity sha1-RQ1Nyfpw3nMnYvvS1KKJgUGaDM8= +util.promisify@1.0.0: + version "1.0.0" + resolved "https://registry.yarnpkg.com/util.promisify/-/util.promisify-1.0.0.tgz#440f7165a459c9a16dc145eb8e72f35687097030" + integrity sha512-i+6qA2MPhvoKLuxnJNpXAGhg7HphQOSUq2LKMZD0m15EiskXUkMvKdF4Uui0WYeCUGea+o2cw/ZuwehtfsrNkA== + dependencies: + define-properties "^1.1.2" + object.getownpropertydescriptors "^2.0.3" + util.promisify@~1.0.0: version "1.0.1" resolved "https://registry.yarnpkg.com/util.promisify/-/util.promisify-1.0.1.tgz#6baf7774b80eeb0f7520d8b81d07982a59abbaee" @@ -13425,11 +16808,26 @@ util@^0.11.0: dependencies: inherits "2.0.3" +utila@~0.4: + version "0.4.0" + resolved "https://registry.yarnpkg.com/utila/-/utila-0.4.0.tgz#8a16a05d445657a3aea5eecc5b12a4fa5379772c" + integrity sha1-ihagXURWV6Oupe7MWxKk+lN5dyw= + utility-types@^3.10.0: version "3.10.0" resolved "https://registry.yarnpkg.com/utility-types/-/utility-types-3.10.0.tgz#ea4148f9a741015f05ed74fd615e1d20e6bed82b" integrity sha512-O11mqxmi7wMKCo6HKFt5AhO4BwY3VV68YU07tgxfz8zJTIxr4BpsezN49Ffwy9j3ZpwwJp4fkRwjRzq3uWE6Rg== +utils-merge@1.0.1: + version "1.0.1" + resolved "https://registry.yarnpkg.com/utils-merge/-/utils-merge-1.0.1.tgz#9f95710f50a267947b2ccc124741c1028427e713" + integrity sha1-n5VxD1CiZ5R7LMwSR0HBAoQn5xM= + +uuid-browser@^3.1.0: + version "3.1.0" + resolved "https://registry.yarnpkg.com/uuid-browser/-/uuid-browser-3.1.0.tgz#0f05a40aef74f9e5951e20efbf44b11871e56410" + integrity sha1-DwWkCu90+eWVHiDvv0SxGHHlZBA= + uuid@8.3.2, uuid@^8.3.0, uuid@^8.3.2: version "8.3.2" resolved "https://registry.yarnpkg.com/uuid/-/uuid-8.3.2.tgz#80d5b5ced271bb9af6c445f21a1a04c606cefbe2" @@ -13454,6 +16852,15 @@ v8-to-istanbul@^7.0.0: convert-source-map "^1.6.0" source-map "^0.7.3" +v8-to-istanbul@^8.0.0: + version "8.0.0" + resolved "https://registry.yarnpkg.com/v8-to-istanbul/-/v8-to-istanbul-8.0.0.tgz#4229f2a99e367f3f018fa1d5c2b8ec684667c69c" + integrity sha512-LkmXi8UUNxnCC+JlH7/fsfsKr5AU110l+SYGJimWNkWhxbN5EyeOtm1MJ0hhvqMMOhGwBj1Fp70Yv9i+hX0QAg== + dependencies: + "@types/istanbul-lib-coverage" "^2.0.1" + convert-source-map "^1.6.0" + source-map "^0.7.3" + validate-npm-package-license@^3.0.1: version "3.0.4" resolved "https://registry.yarnpkg.com/validate-npm-package-license/-/validate-npm-package-license-3.0.4.tgz#fc91f6b9c7ba15c857f4cb2c5defeec39d4f410a" @@ -13467,6 +16874,11 @@ value-equal@^1.0.1: resolved "https://registry.yarnpkg.com/value-equal/-/value-equal-1.0.1.tgz#1e0b794c734c5c0cade179c437d356d931a34d6c" integrity sha512-NOJ6JZCAWr0zlxZt+xqCHNTEKOsrks2HQd4MqhP1qy4z1SkbEP467eNx6TgDKXMvUOb+OENfJCZwM+16n7fRfw== +vary@~1.1.2: + version "1.1.2" + resolved "https://registry.yarnpkg.com/vary/-/vary-1.1.2.tgz#2299f02c6ded30d4a5961b0b9f74524a18f634fc" + integrity sha1-IpnwLG3tMNSllhsLn3RSShj2NPw= + verror@1.10.0: version "1.10.0" resolved "https://registry.yarnpkg.com/verror/-/verror-1.10.0.tgz#3a105ca17053af55d6e270c1f8288682e18da400" @@ -13481,6 +16893,11 @@ vfile-location@^2.0.0: resolved "https://registry.yarnpkg.com/vfile-location/-/vfile-location-2.0.6.tgz#8a274f39411b8719ea5728802e10d9e0dff1519e" integrity sha512-sSFdyCP3G6Ka0CEmN83A2YCMKIieHx0EDaj5IDP4g1pa5ZJ4FJDvpO0WODLxo4LUX4oe52gmSCK7Jw4SBghqxA== +vfile-location@^3.0.0, vfile-location@^3.2.0: + version "3.2.0" + resolved "https://registry.yarnpkg.com/vfile-location/-/vfile-location-3.2.0.tgz#d8e41fbcbd406063669ebf6c33d56ae8721d0f3c" + integrity sha512-aLEIZKv/oxuCDZ8lkJGhuhztf/BW4M+iHdCwglA/eWc+vtuRFJj8EtgceYFX4LRjOhCAAiNHsKGssC6onJ+jbA== + vfile-message@^1.0.0: version "1.1.1" resolved "https://registry.yarnpkg.com/vfile-message/-/vfile-message-1.1.1.tgz#5833ae078a1dfa2d96e9647886cd32993ab313e1" @@ -13562,6 +16979,13 @@ walker@^1.0.7, walker@~1.0.5: dependencies: makeerror "1.0.x" +warning@^4.0.2, warning@^4.0.3: + version "4.0.3" + resolved "https://registry.yarnpkg.com/warning/-/warning-4.0.3.tgz#16e9e077eb8a86d6af7d64aa1e05fd85b4678ca3" + integrity sha512-rpJyN222KWIvHJ/F53XSZv0Zl/accqHR8et1kpaMTD/fLCRxtV8iX8czMzY7sVZupTI3zcUTg8eycS2kNF9l6w== + dependencies: + loose-envify "^1.0.0" + watchpack-chokidar2@^2.0.1: version "2.0.1" resolved "https://registry.yarnpkg.com/watchpack-chokidar2/-/watchpack-chokidar2-2.0.1.tgz#38500072ee6ece66f3769936950ea1771be1c957" @@ -13595,6 +17019,11 @@ wcwidth@^1.0.1: dependencies: defaults "^1.0.3" +web-namespaces@^1.0.0: + version "1.1.4" + resolved "https://registry.yarnpkg.com/web-namespaces/-/web-namespaces-1.1.4.tgz#bc98a3de60dadd7faefc403d1076d529f5e030ec" + integrity sha512-wYxSGajtmoP4WxfejAPIr4l0fVh+jeMXZb08wNc0tMg6xsfZXj3cECqIK0G7ZAqUq0PP8WlMDtaOGVBTAWztNw== + webidl-conversions@^5.0.0: version "5.0.0" resolved "https://registry.yarnpkg.com/webidl-conversions/-/webidl-conversions-5.0.0.tgz#ae59c8a00b121543a2acc65c0434f57b0fc11aff" @@ -13656,6 +17085,32 @@ webpack-cli@^4.7.2: v8-compile-cache "^2.2.0" webpack-merge "^5.7.3" +webpack-dev-middleware@^3.7.3: + version "3.7.3" + resolved "https://registry.yarnpkg.com/webpack-dev-middleware/-/webpack-dev-middleware-3.7.3.tgz#0639372b143262e2b84ab95d3b91a7597061c2c5" + integrity sha512-djelc/zGiz9nZj/U7PTBi2ViorGJXEWo/3ltkPbDyxCXhhEXkW0ce99falaok4TPj+AsxLiXJR0EBOb0zh9fKQ== + dependencies: + memory-fs "^0.4.1" + mime "^2.4.4" + mkdirp "^0.5.1" + range-parser "^1.2.1" + webpack-log "^2.0.0" + +webpack-filter-warnings-plugin@^1.2.1: + version "1.2.1" + resolved "https://registry.yarnpkg.com/webpack-filter-warnings-plugin/-/webpack-filter-warnings-plugin-1.2.1.tgz#dc61521cf4f9b4a336fbc89108a75ae1da951cdb" + integrity sha512-Ez6ytc9IseDMLPo0qCuNNYzgtUl8NovOqjIq4uAU8LTD4uoa1w1KpZyyzFtLTEMZpkkOkLfL9eN+KGYdk1Qtwg== + +webpack-hot-middleware@^2.25.0: + version "2.25.0" + resolved "https://registry.yarnpkg.com/webpack-hot-middleware/-/webpack-hot-middleware-2.25.0.tgz#4528a0a63ec37f8f8ef565cf9e534d57d09fe706" + integrity sha512-xs5dPOrGPCzuRXNi8F6rwhawWvQQkeli5Ro48PRuQh8pYPCPmNnltP9itiUPT4xI8oW+y0m59lyyeQk54s5VgA== + dependencies: + ansi-html "0.0.7" + html-entities "^1.2.0" + querystring "^0.2.0" + strip-ansi "^3.0.0" + webpack-livereload-plugin@^2.3.0: version "2.3.0" resolved "https://registry.yarnpkg.com/webpack-livereload-plugin/-/webpack-livereload-plugin-2.3.0.tgz#61994e0500a0c1e27355ff753a9642641bef5d6a" @@ -13665,6 +17120,14 @@ webpack-livereload-plugin@^2.3.0: portfinder "^1.0.17" tiny-lr "^1.1.1" +webpack-log@^2.0.0: + version "2.0.0" + resolved "https://registry.yarnpkg.com/webpack-log/-/webpack-log-2.0.0.tgz#5b7928e0637593f119d32f6227c1e0ac31e1b47f" + integrity sha512-cX8G2vR/85UYG59FgkoMamwHUIkSSlV3bBMRsbxVXVUk2j6NleCKjQ/WE9eYg9WY4w25O9w8wKP4rzNZFmUcUg== + dependencies: + ansi-colors "^3.0.0" + uuid "^3.3.2" + webpack-merge@^5.7.3: version "5.8.0" resolved "https://registry.yarnpkg.com/webpack-merge/-/webpack-merge-5.8.0.tgz#2b39dbf22af87776ad744c390223731d30a68f61" @@ -13689,7 +17152,14 @@ webpack-sources@^2.2.0, webpack-sources@^2.3.0: source-list-map "^2.0.1" source-map "^0.6.1" -webpack@^4.46.0: +webpack-virtual-modules@^0.2.2: + version "0.2.2" + resolved "https://registry.yarnpkg.com/webpack-virtual-modules/-/webpack-virtual-modules-0.2.2.tgz#20863dc3cb6bb2104729fff951fbe14b18bd0299" + integrity sha512-kDUmfm3BZrei0y+1NTHJInejzxfhtU8eDj2M7OKb2IWrPFAeO1SOH2KuQ68MSZu9IGEHcxbkKKR1v18FrUSOmA== + dependencies: + debug "^3.0.0" + +webpack@4, webpack@^4.46.0: version "4.46.0" resolved "https://registry.yarnpkg.com/webpack/-/webpack-4.46.0.tgz#bf9b4404ea20a073605e0a011d188d77cb6ad542" integrity sha512-6jJuJjg8znb/xRItk7bkT0+Q7AHCYjjFnvKIWQPkNIOyRqoCGvkOs0ipeQzrqz4l5FtN5ZI/ukEHroeX/o1/5Q== @@ -13821,6 +17291,13 @@ which@^2.0.1, which@^2.0.2: dependencies: isexe "^2.0.0" +wide-align@^1.1.0: + version "1.1.3" + resolved "https://registry.yarnpkg.com/wide-align/-/wide-align-1.1.3.tgz#ae074e6bdc0c14a431e804e624549c633b000457" + integrity sha512-QGkOQc8XL6Bt5PwnsExKBPuMKBxnGxWWW3fU55Xt4feHozMUhdUMaBCk290qpm/wG5u/RSKzwdAC4i51YigihA== + dependencies: + string-width "^1.0.2 || 2" + widest-line@^3.1.0: version "3.1.0" resolved "https://registry.yarnpkg.com/widest-line/-/widest-line-3.1.0.tgz#8292333bbf66cb45ff0de1603b136b7ae1496eca" @@ -13852,6 +17329,13 @@ worker-farm@^1.7.0: dependencies: errno "~0.1.7" +worker-rpc@^0.1.0: + version "0.1.1" + resolved "https://registry.yarnpkg.com/worker-rpc/-/worker-rpc-0.1.1.tgz#cb565bd6d7071a8f16660686051e969ad32f54d5" + integrity sha512-P1WjMrUB3qgJNI9jfmpZ/htmBEjFh//6l/5y8SD9hg1Ef5zTTVVoRjTrTEzPrNBQvmhMxkoTsjOXN10GWU7aCg== + dependencies: + microevent.ts "~0.1.1" + wrap-ansi@^5.1.0: version "5.1.0" resolved "https://registry.yarnpkg.com/wrap-ansi/-/wrap-ansi-5.1.0.tgz#1fd1f67235d5b6d0fee781056001bfb694c03b09" @@ -13939,6 +17423,11 @@ y18n@^4.0.0: resolved "https://registry.yarnpkg.com/y18n/-/y18n-4.0.3.tgz#b5f259c82cd6e336921efd7bfd8bf560de9eeedf" integrity sha512-JKhqTOwSrqNA1NY5lSztJ1GrBiUodLMmIZuLiDaMRJ+itFd+ABVE8XBjOvIWL+rSqNDC74LCSFmlb/U4UZ4hJQ== +y18n@^5.0.5: + version "5.0.8" + resolved "https://registry.yarnpkg.com/y18n/-/y18n-5.0.8.tgz#7f4934d0f7ca8c56f95314939ddcd2dd91ce1d55" + integrity sha512-0pfFzegeDWJHJIAmTLRP2DwHjdF5s7jo9tuztdQxAhINCdvS+3nGINqPd00AphqJR/0LhANUS6/+7SCb98YOfA== + yallist@^2.1.2: version "2.1.2" resolved "https://registry.yarnpkg.com/yallist/-/yallist-2.1.2.tgz#1c11f9218f076089a47dd512f93c6699a6a81d52" @@ -13988,7 +17477,7 @@ yargs-parser@^18.1.2, yargs-parser@^18.1.3: camelcase "^5.0.0" decamelize "^1.2.0" -yargs-parser@^20.2.3: +yargs-parser@^20.2.2, yargs-parser@^20.2.3, yargs-parser@^20.2.7: version "20.2.9" resolved "https://registry.yarnpkg.com/yargs-parser/-/yargs-parser-20.2.9.tgz#2eb7dc3b0289718fc295f362753845c41a0c94ee" integrity sha512-y11nGElTIV+CT3Zv9t7VKl+Q3hTQoT9a1Qzezhhl6Rp21gJ/IVTW7Z3y9EWXhuUBC2Shnf+DX0antecpAwSP8w== @@ -14043,6 +17532,19 @@ yargs@^15.4.1: y18n "^4.0.0" yargs-parser "^18.1.2" +yargs@^16.2.0: + version "16.2.0" + resolved "https://registry.yarnpkg.com/yargs/-/yargs-16.2.0.tgz#1c82bf0f6b6a66eafce7ef30e376f49a12477f66" + integrity sha512-D1mvvtDG0L5ft/jGWkLpG1+m0eQxOfaBvTNELraWj22wSVUMWxZUvYgJYcKh6jGGIkJFhH4IZPQhR4TKpc8mBw== + dependencies: + cliui "^7.0.2" + escalade "^3.1.1" + get-caller-file "^2.0.5" + require-directory "^2.1.1" + string-width "^4.2.0" + y18n "^5.0.5" + yargs-parser "^20.2.2" + yauzl@^2.10.0: version "2.10.0" resolved "https://registry.yarnpkg.com/yauzl/-/yauzl-2.10.0.tgz#c7eb17c93e112cb1086fa6d8e51fb0667b79a5f9" From 65eafd7b29691dbd6de04ee845a19008ed095ed1 Mon Sep 17 00:00:00 2001 From: Lena Morita Date: Sat, 17 Jul 2021 10:08:50 +0900 Subject: [PATCH 08/53] Only enable via settings --- .../block-editor-contents/use-yjs.js | 6 ++- src/components/default-settings/index.js | 7 ++-- src/index.js | 3 +- src/stories/Collaboration.stories.js | 17 -------- src/stories/Collaboration.stories.tsx | 42 +++++++++++++++++++ 5 files changed, 53 insertions(+), 22 deletions(-) delete mode 100644 src/stories/Collaboration.stories.js create mode 100644 src/stories/Collaboration.stories.tsx diff --git a/src/components/block-editor-contents/use-yjs.js b/src/components/block-editor-contents/use-yjs.js index 5ce0ef121..afa6f8c3d 100644 --- a/src/components/block-editor-contents/use-yjs.js +++ b/src/components/block-editor-contents/use-yjs.js @@ -12,7 +12,7 @@ import { postDocToObject, updatePostDoc } from 'asblocks/src/components/editor/s import { useEffect, useRef } from '@wordpress/element'; /** @typedef {import('../..').CollaborationSettings} CollaborationSettings */ -/** @typedef {import('.').onUpdate} OnUpdate */ +/** @typedef {import('.').OnUpdate} OnUpdate */ window.fakeTransport = { sendMessage: ( message ) => { @@ -91,6 +91,10 @@ export default function useYjs( { initialBlocks, onRemoteDataChange, settings } const ydoc = useRef(); useEffect( () => { + if ( ! settings?.enabled ) { + return; + } + let onUnmount = noop; initYDoc( { initialBlocks, onRemoteDataChange, channelId: settings?.channelId } ).then( diff --git a/src/components/default-settings/index.js b/src/components/default-settings/index.js index be55fa81f..996e1f991 100644 --- a/src/components/default-settings/index.js +++ b/src/components/default-settings/index.js @@ -21,7 +21,7 @@ function getMenu( current, defaultMenu ) { * @returns {BlockEditorSettings} **/ export default function applyDefaultSettings( settings ) { - const { iso, editor } = settings; + const { iso, editor, collab } = settings; return { iso: { @@ -121,9 +121,10 @@ export default function applyDefaultSettings( settings ) { // Default to no link suggestions // @ts-ignore */} __experimentalFetchLinkSuggestions: editor?.__experimentalFetchLinkSuggestions - // @ts-ignore */} - ? editor?.__experimentalFetchLinkSuggestions + ? // @ts-ignore */} + editor?.__experimentalFetchLinkSuggestions : () => [], }, + collab, }; } diff --git a/src/index.js b/src/index.js index 0f67d0767..0144806aa 100644 --- a/src/index.js +++ b/src/index.js @@ -96,7 +96,8 @@ import './style.scss'; /** * Real time collaboration settings * @typedef CollaborationSettings - * @property {string} channelId + * @property {boolean} [enabled] + * @property {string} [channelId] */ /** diff --git a/src/stories/Collaboration.stories.js b/src/stories/Collaboration.stories.js deleted file mode 100644 index 00beb7466..000000000 --- a/src/stories/Collaboration.stories.js +++ /dev/null @@ -1,17 +0,0 @@ -import IsolatedBlockEditor from '../index'; - -export default { - title: 'Collaboration', - component: IsolatedBlockEditor, -}; - -const Template = ( args ) => ; - -export const Default = Template.bind( {} ); -Default.args = { - settings: { - iso: { - moreMenu: false, - }, - }, -}; diff --git a/src/stories/Collaboration.stories.tsx b/src/stories/Collaboration.stories.tsx new file mode 100644 index 000000000..55b92530d --- /dev/null +++ b/src/stories/Collaboration.stories.tsx @@ -0,0 +1,42 @@ +import IsolatedBlockEditor, { BlockEditorSettings } from '../index'; + +import type { Story } from '@storybook/react'; + +export default { + title: 'Collaboration', + component: IsolatedBlockEditor, +}; + +type Props = { + settings: BlockEditorSettings; +}; + +const Template: Story< Props > = ( args ) => { + return ( + <> +

Open this page in another window to test real time collaborative editing.

+ + + ); +}; + +export const Default = Template.bind( {} ); +Default.args = { + settings: { + iso: { + moreMenu: false, + }, + collab: { + enabled: true, + }, + }, +}; + +export const CollabDisabled = Template.bind( {} ); +CollabDisabled.args = { + ...Default.args, + settings: { + ...Default.args.settings, + collab: undefined, + }, +}; From 049b2f26bac5fe9f03b0e47d6fb47fa83593bb46 Mon Sep 17 00:00:00 2001 From: Lena Morita Date: Tue, 20 Jul 2021 04:09:28 +0900 Subject: [PATCH 09/53] Fix unmount bug and add debug --- package.json | 1 + src/components/block-editor-contents/index.js | 1 + .../block-editor-contents/use-yjs.js | 25 +++++++++++-------- yarn.lock | 23 +++++++++++------ 4 files changed, 32 insertions(+), 18 deletions(-) diff --git a/package.json b/package.json index c7843041a..af0affb02 100644 --- a/package.json +++ b/package.json @@ -84,6 +84,7 @@ "@wordpress/wordcount": "^3.1.1", "asblocks": "git+https://github.com/youknowriad/asblocks", "classnames": "^2.3.1", + "debug": "^4.3.2", "react": "17.0.2", "react-autosize-textarea": "^7.1.0", "react-dom": "17.0.2", diff --git a/src/components/block-editor-contents/index.js b/src/components/block-editor-contents/index.js index a8aceabaf..90d205782 100644 --- a/src/components/block-editor-contents/index.js +++ b/src/components/block-editor-contents/index.js @@ -30,6 +30,7 @@ import useYjs from './use-yjs'; * Update callback * @callback OnUpdate * @param {object[]} blocks - Editor content to save + * @param {object} [options] */ function getInitialContent( settings, content ) { diff --git a/src/components/block-editor-contents/use-yjs.js b/src/components/block-editor-contents/use-yjs.js index afa6f8c3d..1ec950436 100644 --- a/src/components/block-editor-contents/use-yjs.js +++ b/src/components/block-editor-contents/use-yjs.js @@ -11,12 +11,14 @@ import { postDocToObject, updatePostDoc } from 'asblocks/src/components/editor/s */ import { useEffect, useRef } from '@wordpress/element'; +const debug = require( 'debug' )( 'iso-editor:collab' ); + /** @typedef {import('../..').CollaborationSettings} CollaborationSettings */ /** @typedef {import('.').OnUpdate} OnUpdate */ window.fakeTransport = { sendMessage: ( message ) => { - console.log( 'sendMessage', message ); + debug( 'sendMessage', message ); window.localStorage.setItem( 'isoEditorYjsMessage', JSON.stringify( message ) ); }, connect: ( channelId ) => { @@ -28,12 +30,8 @@ window.fakeTransport = { return Promise.resolve( { event: 'connected', isFirstInChannel } ); }, disconnect: () => { - return Promise.resolve( - window.localStorage.setItem( - 'isoEditorClients', - ( parseInt( window.localStorage.getItem( 'isoEditorClients' ) || '0' ) - 1 ).toString() - ) - ); + const clientCount = Math.max( 0, parseInt( window.localStorage.getItem( 'isoEditorClients' ) || '0' ) - 1 ); + return Promise.resolve( window.localStorage.setItem( 'isoEditorClients', clientCount.toString() ) ); }, }; @@ -44,6 +42,8 @@ window.fakeTransport = { * @param {string} [opts.channelId] */ function initYDoc( { initialBlocks, onRemoteDataChange, channelId } ) { + debug( 'initYDoc' ); + const doc = createDocument( { identity: uuidv4(), applyDataChanges: updatePostDoc, @@ -59,11 +59,13 @@ function initYDoc( { initialBlocks, onRemoteDataChange, channelId } ) { } ); doc.onRemoteDataChange( ( changes ) => { - console.log( 'remote change received', changes ); + debug( 'remote change received', changes ); onRemoteDataChange( changes.blocks ); } ); return window.fakeTransport.connect( channelId ).then( ( { isFirstInChannel } ) => { + debug( 'connected' ); + if ( isFirstInChannel ) { doc.startSharing( { title: '', initialBlocks } ); } else { @@ -100,11 +102,14 @@ export default function useYjs( { initialBlocks, onRemoteDataChange, settings } initYDoc( { initialBlocks, onRemoteDataChange, channelId: settings?.channelId } ).then( ( { doc, disconnect } ) => { ydoc.current = doc; - onUnmount = disconnect; + onUnmount = () => { + debug( 'unmount' ); + disconnect(); + }; } ); - return onUnmount; + return () => onUnmount(); }, [] ); const applyChangesToYjs = ( blocks ) => ydoc.current?.applyDataChanges?.( { blocks } ); diff --git a/yarn.lock b/yarn.lock index 7da22e262..91fbe600d 100644 --- a/yarn.lock +++ b/yarn.lock @@ -6977,6 +6977,13 @@ debug@^3.0.0, debug@^3.1.0, debug@^3.1.1, debug@^3.2.7: dependencies: ms "^2.1.1" +debug@^4.3.2: + version "4.3.2" + resolved "https://registry.yarnpkg.com/debug/-/debug-4.3.2.tgz#f0a49c18ac8779e31d4a0c6029dfb76873c7428b" + integrity sha512-mOp8wKcvj7XxC78zLgw/ZA+6TSgkoE2C/ienthhRD298T7UNwAg9diBpLRxC0mOezLl4B0xV7M0cCO6P/O0Xhw== + dependencies: + ms "2.1.2" + debug@~3.1.0: version "3.1.0" resolved "https://registry.yarnpkg.com/debug/-/debug-3.1.0.tgz#5bb5a0672628b64149566ba16819e61518c67261" @@ -15690,14 +15697,6 @@ strip-outer@^1.0.1: dependencies: escape-string-regexp "^1.0.2" -style-loader@2.0.0: - version "2.0.0" - resolved "https://registry.yarnpkg.com/style-loader/-/style-loader-2.0.0.tgz#9669602fd4690740eaaec137799a03addbbc393c" - integrity sha512-Z0gYUJmzZ6ZdRUqpg1r8GsaFKypE+3xAzuFeMuoHgjc9KZv3wMyCRjQIWEbhoFSq7+7yoHXySDJyyWQaPajeiQ== - dependencies: - loader-utils "^2.0.0" - schema-utils "^3.0.0" - style-loader@^1.3.0: version "1.3.0" resolved "https://registry.yarnpkg.com/style-loader/-/style-loader-1.3.0.tgz#828b4a3b3b7e7aa5847ce7bae9e874512114249e" @@ -15706,6 +15705,14 @@ style-loader@^1.3.0: loader-utils "^2.0.0" schema-utils "^2.7.0" +style-loader@^2.0.0: + version "2.0.0" + resolved "https://registry.yarnpkg.com/style-loader/-/style-loader-2.0.0.tgz#9669602fd4690740eaaec137799a03addbbc393c" + integrity sha512-Z0gYUJmzZ6ZdRUqpg1r8GsaFKypE+3xAzuFeMuoHgjc9KZv3wMyCRjQIWEbhoFSq7+7yoHXySDJyyWQaPajeiQ== + dependencies: + loader-utils "^2.0.0" + schema-utils "^3.0.0" + style-search@^0.1.0: version "0.1.0" resolved "https://registry.yarnpkg.com/style-search/-/style-search-0.1.0.tgz#7958c793e47e32e07d2b5cafe5c0bf8e12e77902" From 0c0d814eb105ae5a7b01fb05e4bd221caa56157d Mon Sep 17 00:00:00 2001 From: Lena Morita Date: Tue, 20 Jul 2021 05:21:23 +0900 Subject: [PATCH 10/53] Refactor and add types --- .../block-editor-contents/use-yjs.js | 53 +++++++------------ src/index.js | 9 ++++ .../{ => collab}/Collaboration.stories.tsx | 5 +- src/stories/collab/mock-transport.js | 19 +++++++ 4 files changed, 52 insertions(+), 34 deletions(-) rename src/stories/{ => collab}/Collaboration.stories.tsx (78%) create mode 100644 src/stories/collab/mock-transport.js diff --git a/src/components/block-editor-contents/use-yjs.js b/src/components/block-editor-contents/use-yjs.js index 1ec950436..24e682c1d 100644 --- a/src/components/block-editor-contents/use-yjs.js +++ b/src/components/block-editor-contents/use-yjs.js @@ -16,39 +16,23 @@ const debug = require( 'debug' )( 'iso-editor:collab' ); /** @typedef {import('../..').CollaborationSettings} CollaborationSettings */ /** @typedef {import('.').OnUpdate} OnUpdate */ -window.fakeTransport = { - sendMessage: ( message ) => { - debug( 'sendMessage', message ); - window.localStorage.setItem( 'isoEditorYjsMessage', JSON.stringify( message ) ); - }, - connect: ( channelId ) => { - window.localStorage.setItem( - 'isoEditorClients', - ( parseInt( window.localStorage.getItem( 'isoEditorClients' ) || '0' ) + 1 ).toString() - ); - const isFirstInChannel = window.localStorage.getItem( 'isoEditorClients' ) === '1'; - return Promise.resolve( { event: 'connected', isFirstInChannel } ); - }, - disconnect: () => { - const clientCount = Math.max( 0, parseInt( window.localStorage.getItem( 'isoEditorClients' ) || '0' ) - 1 ); - return Promise.resolve( window.localStorage.setItem( 'isoEditorClients', clientCount.toString() ) ); - }, -}; - /** * @param {object} opts - Hook options * @param {object[]} opts.initialBlocks * @param {OnUpdate} opts.onRemoteDataChange * @param {string} [opts.channelId] */ -function initYDoc( { initialBlocks, onRemoteDataChange, channelId } ) { +function initYDoc( { initialBlocks, onRemoteDataChange, channelId, transport } ) { debug( 'initYDoc' ); const doc = createDocument( { identity: uuidv4(), applyDataChanges: updatePostDoc, getData: postDocToObject, - sendMessage: window.fakeTransport.sendMessage, + sendMessage: ( ...args ) => { + debug( 'sendMessage', ...args ); + transport.sendMessage( ...args ); + }, } ); window.addEventListener( 'storage', ( event ) => { @@ -63,8 +47,8 @@ function initYDoc( { initialBlocks, onRemoteDataChange, channelId } ) { onRemoteDataChange( changes.blocks ); } ); - return window.fakeTransport.connect( channelId ).then( ( { isFirstInChannel } ) => { - debug( 'connected' ); + return transport.connect( channelId ).then( ( { isFirstInChannel } ) => { + debug( `connected (channelId: ${ channelId })` ); if ( isFirstInChannel ) { doc.startSharing( { title: '', initialBlocks } ); @@ -73,7 +57,7 @@ function initYDoc( { initialBlocks, onRemoteDataChange, channelId } ) { } const disconnect = () => { - window.fakeTransport.disconnect(); + transport.disconnect(); doc.disconnect(); }; @@ -99,15 +83,18 @@ export default function useYjs( { initialBlocks, onRemoteDataChange, settings } let onUnmount = noop; - initYDoc( { initialBlocks, onRemoteDataChange, channelId: settings?.channelId } ).then( - ( { doc, disconnect } ) => { - ydoc.current = doc; - onUnmount = () => { - debug( 'unmount' ); - disconnect(); - }; - } - ); + initYDoc( { + initialBlocks, + onRemoteDataChange, + channelId: settings?.channelId, + transport: settings?.transport, + } ).then( ( { doc, disconnect } ) => { + ydoc.current = doc; + onUnmount = () => { + debug( 'unmount' ); + disconnect(); + }; + } ); return () => onUnmount(); }, [] ); diff --git a/src/index.js b/src/index.js index 0144806aa..2609909bc 100644 --- a/src/index.js +++ b/src/index.js @@ -98,6 +98,15 @@ import './style.scss'; * @typedef CollaborationSettings * @property {boolean} [enabled] * @property {string} [channelId] + * @property {CollaborationTransport} [transport] + */ + +/** + * Transport module for real time collaboration + * @typedef CollaborationTransport + * @property {(message: object) => void} sendMessage + * @property {(channelId?: string) => Promise<{isFirstInChannel: boolean}>} connect + * @property {() => Promise} disconnect */ /** diff --git a/src/stories/Collaboration.stories.tsx b/src/stories/collab/Collaboration.stories.tsx similarity index 78% rename from src/stories/Collaboration.stories.tsx rename to src/stories/collab/Collaboration.stories.tsx index 55b92530d..4bf80163e 100644 --- a/src/stories/Collaboration.stories.tsx +++ b/src/stories/collab/Collaboration.stories.tsx @@ -1,4 +1,5 @@ -import IsolatedBlockEditor, { BlockEditorSettings } from '../index'; +import IsolatedBlockEditor, { BlockEditorSettings } from '../../index'; +import mockTransport from './mock-transport'; import type { Story } from '@storybook/react'; @@ -28,6 +29,8 @@ Default.args = { }, collab: { enabled: true, + channelId: 'storybook-collab-editor', + transport: mockTransport, }, }, }; diff --git a/src/stories/collab/mock-transport.js b/src/stories/collab/mock-transport.js new file mode 100644 index 000000000..2e506805a --- /dev/null +++ b/src/stories/collab/mock-transport.js @@ -0,0 +1,19 @@ +const mockTransport = { + sendMessage: ( message ) => { + window.localStorage.setItem( 'isoEditorYjsMessage', JSON.stringify( message ) ); + }, + connect: ( channelId ) => { + window.localStorage.setItem( + 'isoEditorClients', + ( parseInt( window.localStorage.getItem( 'isoEditorClients' ) || '0' ) + 1 ).toString() + ); + const isFirstInChannel = window.localStorage.getItem( 'isoEditorClients' ) === '1'; + return Promise.resolve( { isFirstInChannel } ); + }, + disconnect: () => { + const clientCount = Math.max( 0, parseInt( window.localStorage.getItem( 'isoEditorClients' ) || '0' ) - 1 ); + return Promise.resolve( window.localStorage.setItem( 'isoEditorClients', clientCount.toString() ) ); + }, +}; + +export default mockTransport; From aceef2747810e3e29059b14d7eff8a5d74f0c690 Mon Sep 17 00:00:00 2001 From: Lena Morita Date: Tue, 20 Jul 2021 06:03:29 +0900 Subject: [PATCH 11/53] Handle edge case --- .../block-editor-contents/use-yjs.js | 19 ++++++++++++++----- 1 file changed, 14 insertions(+), 5 deletions(-) diff --git a/src/components/block-editor-contents/use-yjs.js b/src/components/block-editor-contents/use-yjs.js index 24e682c1d..6c3eb07ef 100644 --- a/src/components/block-editor-contents/use-yjs.js +++ b/src/components/block-editor-contents/use-yjs.js @@ -14,6 +14,7 @@ import { useEffect, useRef } from '@wordpress/element'; const debug = require( 'debug' )( 'iso-editor:collab' ); /** @typedef {import('../..').CollaborationSettings} CollaborationSettings */ +/** @typedef {import('../..').CollaborationTransport} CollaborationTransport */ /** @typedef {import('.').OnUpdate} OnUpdate */ /** @@ -21,6 +22,7 @@ const debug = require( 'debug' )( 'iso-editor:collab' ); * @param {object[]} opts.initialBlocks * @param {OnUpdate} opts.onRemoteDataChange * @param {string} [opts.channelId] + * @param {CollaborationTransport} opts.transport */ function initYDoc( { initialBlocks, onRemoteDataChange, channelId, transport } ) { debug( 'initYDoc' ); @@ -29,9 +31,9 @@ function initYDoc( { initialBlocks, onRemoteDataChange, channelId, transport } ) identity: uuidv4(), applyDataChanges: updatePostDoc, getData: postDocToObject, - sendMessage: ( ...args ) => { - debug( 'sendMessage', ...args ); - transport.sendMessage( ...args ); + sendMessage: ( message ) => { + debug( 'sendMessage', message ); + transport.sendMessage( message ); }, } ); @@ -81,13 +83,18 @@ export default function useYjs( { initialBlocks, onRemoteDataChange, settings } return; } + if ( ! settings.transport ) { + console.error( `Collaborative editor is disabled because a transport module wasn't provided.` ); + return; + } + let onUnmount = noop; initYDoc( { initialBlocks, onRemoteDataChange, - channelId: settings?.channelId, - transport: settings?.transport, + channelId: settings.channelId, + transport: settings.transport, } ).then( ( { doc, disconnect } ) => { ydoc.current = doc; onUnmount = () => { @@ -99,6 +106,8 @@ export default function useYjs( { initialBlocks, onRemoteDataChange, settings } return () => onUnmount(); }, [] ); + // noop when collab is disabled (i.e. ydoc isn't initialized) + // @ts-ignore: Don't know how to fix :( const applyChangesToYjs = ( blocks ) => ydoc.current?.applyDataChanges?.( { blocks } ); return [ applyChangesToYjs ]; From 948bb07752ff88613a971c7e9ae858090688de88 Mon Sep 17 00:00:00 2001 From: Lena Morita Date: Tue, 20 Jul 2021 06:40:45 +0900 Subject: [PATCH 12/53] Refactor --- src/components/block-editor-contents/use-yjs.js | 9 +-------- src/index.js | 6 +++++- src/stories/collab/mock-transport.js | 17 ++++++++++++++++- 3 files changed, 22 insertions(+), 10 deletions(-) diff --git a/src/components/block-editor-contents/use-yjs.js b/src/components/block-editor-contents/use-yjs.js index 6c3eb07ef..1c26b3d6a 100644 --- a/src/components/block-editor-contents/use-yjs.js +++ b/src/components/block-editor-contents/use-yjs.js @@ -37,19 +37,12 @@ function initYDoc( { initialBlocks, onRemoteDataChange, channelId, transport } ) }, } ); - window.addEventListener( 'storage', ( event ) => { - if ( event.storageArea !== localStorage ) return; - if ( event.key === 'isoEditorYjsMessage' && event.newValue ) { - doc.receiveMessage( JSON.parse( event.newValue ) ); - } - } ); - doc.onRemoteDataChange( ( changes ) => { debug( 'remote change received', changes ); onRemoteDataChange( changes.blocks ); } ); - return transport.connect( channelId ).then( ( { isFirstInChannel } ) => { + return transport.connect( { channelId, onReceiveMessage: doc.receiveMessage } ).then( ( { isFirstInChannel } ) => { debug( `connected (channelId: ${ channelId })` ); if ( isFirstInChannel ) { diff --git a/src/index.js b/src/index.js index 2609909bc..da39e7618 100644 --- a/src/index.js +++ b/src/index.js @@ -105,8 +105,12 @@ import './style.scss'; * Transport module for real time collaboration * @typedef CollaborationTransport * @property {(message: object) => void} sendMessage - * @property {(channelId?: string) => Promise<{isFirstInChannel: boolean}>} connect + * @property {(options: CollaborationTransportConnectOpts) => Promise<{isFirstInChannel: boolean}>} connect * @property {() => Promise} disconnect + * + * @typedef CollaborationTransportConnectOpts + * @property {string} [channelId] + * @property {(message: object) => void} onReceiveMessage */ /** diff --git a/src/stories/collab/mock-transport.js b/src/stories/collab/mock-transport.js index 2e506805a..a4f6343fc 100644 --- a/src/stories/collab/mock-transport.js +++ b/src/stories/collab/mock-transport.js @@ -1,8 +1,21 @@ +const listeners = []; + +/** @type {import("../../components/block-editor-contents/use-yjs").CollaborationTransport} */ const mockTransport = { sendMessage: ( message ) => { window.localStorage.setItem( 'isoEditorYjsMessage', JSON.stringify( message ) ); }, - connect: ( channelId ) => { + connect: ( { channelId, onReceiveMessage } ) => { + listeners.push( { + event: 'storage', + listener: window.addEventListener( 'storage', ( event ) => { + if ( event.storageArea !== localStorage ) return; + if ( event.key === 'isoEditorYjsMessage' && event.newValue ) { + onReceiveMessage( JSON.parse( event.newValue ) ); + } + } ), + } ); + window.localStorage.setItem( 'isoEditorClients', ( parseInt( window.localStorage.getItem( 'isoEditorClients' ) || '0' ) + 1 ).toString() @@ -11,6 +24,8 @@ const mockTransport = { return Promise.resolve( { isFirstInChannel } ); }, disconnect: () => { + listeners.forEach( ( { event, listener } ) => window.removeEventListener( event, listener ) ); + const clientCount = Math.max( 0, parseInt( window.localStorage.getItem( 'isoEditorClients' ) || '0' ) - 1 ); return Promise.resolve( window.localStorage.setItem( 'isoEditorClients', clientCount.toString() ) ); }, From c92a7bf4998db0b987764945ef980c765522b23c Mon Sep 17 00:00:00 2001 From: Lena Morita Date: Wed, 21 Jul 2021 08:11:48 +0900 Subject: [PATCH 13/53] Add tech notes --- src/components/block-editor-contents/use-yjs.js | 1 + src/stories/collab/Collaboration.stories.tsx | 12 ++++++++++++ 2 files changed, 13 insertions(+) diff --git a/src/components/block-editor-contents/use-yjs.js b/src/components/block-editor-contents/use-yjs.js index 1c26b3d6a..7957d0516 100644 --- a/src/components/block-editor-contents/use-yjs.js +++ b/src/components/block-editor-contents/use-yjs.js @@ -46,6 +46,7 @@ function initYDoc( { initialBlocks, onRemoteDataChange, channelId, transport } ) debug( `connected (channelId: ${ channelId })` ); if ( isFirstInChannel ) { + debug( 'first in channel' ); doc.startSharing( { title: '', initialBlocks } ); } else { doc.connect(); diff --git a/src/stories/collab/Collaboration.stories.tsx b/src/stories/collab/Collaboration.stories.tsx index 4bf80163e..99f19a017 100644 --- a/src/stories/collab/Collaboration.stories.tsx +++ b/src/stories/collab/Collaboration.stories.tsx @@ -17,6 +17,18 @@ const Template: Story< Props > = ( args ) => { <>

Open this page in another window to test real time collaborative editing.

+

+ This local demo depends on shared Local Storage (instead of network) to pass messages across tabs. It + will not work: +

+
    +
  • across browsers
  • +
  • across private browsing windows
  • +
  • + in Safari, until the fix to this bug{ ' ' } + has shipped +
  • +
); }; From f170ee932d0967390152fa840503a82e5265dea9 Mon Sep 17 00:00:00 2001 From: Lena Morita Date: Wed, 21 Jul 2021 10:42:54 +0900 Subject: [PATCH 14/53] Send selection --- src/components/block-editor-contents/index.js | 2 +- .../block-editor-contents/use-yjs.js | 55 ++++++++++++++----- src/index.js | 3 +- src/stories/collab/mock-transport.js | 7 ++- 4 files changed, 50 insertions(+), 17 deletions(-) diff --git a/src/components/block-editor-contents/index.js b/src/components/block-editor-contents/index.js index 90d205782..4206dfa47 100644 --- a/src/components/block-editor-contents/index.js +++ b/src/components/block-editor-contents/index.js @@ -62,7 +62,7 @@ function BlockEditorContents( props ) { const { children, settings, renderMoreMenu, onLoad } = props; const [ applyChangesToYjs ] = useYjs( { - initialBlocks: blocks, + blocks: blocks, onRemoteDataChange: updateBlocksWithoutUndo, settings: settings.collab, } ); diff --git a/src/components/block-editor-contents/use-yjs.js b/src/components/block-editor-contents/use-yjs.js index 7957d0516..3c6c05bb6 100644 --- a/src/components/block-editor-contents/use-yjs.js +++ b/src/components/block-editor-contents/use-yjs.js @@ -9,6 +9,7 @@ import { postDocToObject, updatePostDoc } from 'asblocks/src/components/editor/s /** * WordPress dependencies */ +import { useSelect } from '@wordpress/data'; import { useEffect, useRef } from '@wordpress/element'; const debug = require( 'debug' )( 'iso-editor:collab' ); @@ -19,12 +20,17 @@ const debug = require( 'debug' )( 'iso-editor:collab' ); /** * @param {object} opts - Hook options - * @param {object[]} opts.initialBlocks - * @param {OnUpdate} opts.onRemoteDataChange - * @param {string} [opts.channelId] - * @param {CollaborationTransport} opts.transport + * @param {object[]} opts.blocks + * @param {OnUpdate} opts.onRemoteDataChange Function to update editor blocks in redux state. + * @param {string} [opts.channelId] Optional channel id to pass to the transport. + * @param {CollaborationTransport} opts.transport Transport module. + * @param {() => Selection} opts.getSelection + * + * @typedef Selection + * @property {object} selectionStart + * @property {object} selectionEnd */ -function initYDoc( { initialBlocks, onRemoteDataChange, channelId, transport } ) { +async function initYDoc( { blocks, onRemoteDataChange, channelId, transport, getSelection } ) { debug( 'initYDoc' ); const doc = createDocument( { @@ -32,22 +38,40 @@ function initYDoc( { initialBlocks, onRemoteDataChange, channelId, transport } ) applyDataChanges: updatePostDoc, getData: postDocToObject, sendMessage: ( message ) => { - debug( 'sendMessage', message ); - transport.sendMessage( message ); + debug( 'sendDocMessage', message ); + transport.sendDocMessage( message ); + + const { selectionStart, selectionEnd } = getSelection() || {}; + debug( 'sendSelection', selectionStart, selectionEnd ); + transport.sendSelection( selectionStart, selectionEnd ); }, } ); + const onReceiveMessage = ( data ) => { + debug( 'remote change received by transport', data ); + + switch ( data.type ) { + case 'doc': { + doc.receiveMessage( data.message ); + break; + } + case 'selection': { + // setPeerSelection(data.identity, data.selection); + } + } + }; + doc.onRemoteDataChange( ( changes ) => { - debug( 'remote change received', changes ); + debug( 'remote change received by ydoc', changes ); onRemoteDataChange( changes.blocks ); } ); - return transport.connect( { channelId, onReceiveMessage: doc.receiveMessage } ).then( ( { isFirstInChannel } ) => { + return transport.connect( { channelId, onReceiveMessage } ).then( ( { isFirstInChannel } ) => { debug( `connected (channelId: ${ channelId })` ); if ( isFirstInChannel ) { debug( 'first in channel' ); - doc.startSharing( { title: '', initialBlocks } ); + doc.startSharing( { title: '', blocks } ); } else { doc.connect(); } @@ -65,13 +89,17 @@ function initYDoc( { initialBlocks, onRemoteDataChange, channelId, transport } ) /** * @param {object} opts - Hook options - * @param {object[]} opts.initialBlocks + * @param {object[]} opts.blocks * @param {OnUpdate} opts.onRemoteDataChange * @param {CollaborationSettings} [opts.settings] */ -export default function useYjs( { initialBlocks, onRemoteDataChange, settings } ) { +export default function useYjs( { blocks, onRemoteDataChange, settings } ) { const ydoc = useRef(); + const getSelection = useSelect( ( select ) => { + return select( 'isolated/editor' ).getEditorSelection; + }, [] ); + useEffect( () => { if ( ! settings?.enabled ) { return; @@ -85,10 +113,11 @@ export default function useYjs( { initialBlocks, onRemoteDataChange, settings } let onUnmount = noop; initYDoc( { - initialBlocks, + blocks, onRemoteDataChange, channelId: settings.channelId, transport: settings.transport, + getSelection, } ).then( ( { doc, disconnect } ) => { ydoc.current = doc; onUnmount = () => { diff --git a/src/index.js b/src/index.js index da39e7618..fe24b3756 100644 --- a/src/index.js +++ b/src/index.js @@ -104,7 +104,8 @@ import './style.scss'; /** * Transport module for real time collaboration * @typedef CollaborationTransport - * @property {(message: object) => void} sendMessage + * @property {(message: object) => void} sendDocMessage + * @property {(start: object, end: object) => void} sendSelection * @property {(options: CollaborationTransportConnectOpts) => Promise<{isFirstInChannel: boolean}>} connect * @property {() => Promise} disconnect * diff --git a/src/stories/collab/mock-transport.js b/src/stories/collab/mock-transport.js index a4f6343fc..0a8928024 100644 --- a/src/stories/collab/mock-transport.js +++ b/src/stories/collab/mock-transport.js @@ -2,8 +2,11 @@ const listeners = []; /** @type {import("../../components/block-editor-contents/use-yjs").CollaborationTransport} */ const mockTransport = { - sendMessage: ( message ) => { - window.localStorage.setItem( 'isoEditorYjsMessage', JSON.stringify( message ) ); + sendDocMessage: ( message ) => { + window.localStorage.setItem( 'isoEditorYjsMessage', JSON.stringify( { type: 'doc', message } ) ); + }, + sendSelection: ( start, end ) => { + window.localStorage.setItem( 'isoEditorYjsMessage', JSON.stringify( { type: 'selection', start, end } ) ); }, connect: ( { channelId, onReceiveMessage } ) => { listeners.push( { From de12d022fd3ae65176892359137b434ed528e9e0 Mon Sep 17 00:00:00 2001 From: Lena Morita Date: Thu, 22 Jul 2021 08:49:45 +0900 Subject: [PATCH 15/53] Add position indicators --- .../block-editor-contents/use-yjs.js | 88 ++++++++++++----- src/components/formats/collab-caret/index.js | 96 +++++++++++++++++++ src/components/formats/collab-caret/style.css | 39 ++++++++ src/index.js | 25 ++++- src/store/index.js | 10 +- src/store/peers/actions.js | 19 ++++ src/store/peers/reducer.js | 18 ++++ src/store/peers/selectors.js | 3 + src/stories/collab/mock-transport.js | 61 ++++++++---- 9 files changed, 311 insertions(+), 48 deletions(-) create mode 100644 src/components/formats/collab-caret/index.js create mode 100644 src/components/formats/collab-caret/style.css create mode 100644 src/store/peers/actions.js create mode 100644 src/store/peers/reducer.js create mode 100644 src/store/peers/selectors.js diff --git a/src/components/block-editor-contents/use-yjs.js b/src/components/block-editor-contents/use-yjs.js index 3c6c05bb6..3f181cb54 100644 --- a/src/components/block-editor-contents/use-yjs.js +++ b/src/components/block-editor-contents/use-yjs.js @@ -9,13 +9,16 @@ import { postDocToObject, updatePostDoc } from 'asblocks/src/components/editor/s /** * WordPress dependencies */ -import { useSelect } from '@wordpress/data'; +import { useDispatch, useSelect } from '@wordpress/data'; import { useEffect, useRef } from '@wordpress/element'; +import { registerFormatCollabCaret } from '../formats/collab-caret'; + const debug = require( 'debug' )( 'iso-editor:collab' ); /** @typedef {import('../..').CollaborationSettings} CollaborationSettings */ /** @typedef {import('../..').CollaborationTransport} CollaborationTransport */ +/** @typedef {import('../..').CollaborationPeers} CollaborationPeers */ /** @typedef {import('.').OnUpdate} OnUpdate */ /** @@ -25,25 +28,46 @@ const debug = require( 'debug' )( 'iso-editor:collab' ); * @param {string} [opts.channelId] Optional channel id to pass to the transport. * @param {CollaborationTransport} opts.transport Transport module. * @param {() => Selection} opts.getSelection + * @param {(peers: CollaborationPeers) => void} opts.setAvailablePeers + * @param {(peer: string, selection: Selection) => void} opts.setPeerSelection * * @typedef Selection * @property {object} selectionStart * @property {object} selectionEnd */ -async function initYDoc( { blocks, onRemoteDataChange, channelId, transport, getSelection } ) { - debug( 'initYDoc' ); +async function initYDoc( { + blocks, + onRemoteDataChange, + channelId, + transport, + getSelection, + setPeerSelection, + setAvailablePeers, +} ) { + /** @type string */ + const identity = uuidv4(); + + debug( `initYDoc (identity: ${ identity })` ); const doc = createDocument( { - identity: uuidv4(), + identity, applyDataChanges: updatePostDoc, getData: postDocToObject, + /** @param {object} message */ sendMessage: ( message ) => { debug( 'sendDocMessage', message ); - transport.sendDocMessage( message ); + transport.sendDocMessage( { type: 'doc', identity, message } ); const { selectionStart, selectionEnd } = getSelection() || {}; debug( 'sendSelection', selectionStart, selectionEnd ); - transport.sendSelection( selectionStart, selectionEnd ); + transport.sendSelection( { + type: 'selection', + identity, + selection: { + start: selectionStart, + end: selectionEnd, + }, + } ); }, } ); @@ -56,7 +80,8 @@ async function initYDoc( { blocks, onRemoteDataChange, channelId, transport, get break; } case 'selection': { - // setPeerSelection(data.identity, data.selection); + setPeerSelection( data.identity, data.selection ); + break; } } }; @@ -66,25 +91,35 @@ async function initYDoc( { blocks, onRemoteDataChange, channelId, transport, get onRemoteDataChange( changes.blocks ); } ); - return transport.connect( { channelId, onReceiveMessage } ).then( ( { isFirstInChannel } ) => { - debug( `connected (channelId: ${ channelId })` ); - - if ( isFirstInChannel ) { - debug( 'first in channel' ); - doc.startSharing( { title: '', blocks } ); - } else { - doc.connect(); - } + return transport + .connect( { + identity, + onReceiveMessage, + setAvailablePeers: ( peers ) => { + debug( 'setAvailablePeers', peers ); + setAvailablePeers( peers ); + }, + channelId, + } ) + .then( ( { isFirstInChannel } ) => { + debug( `connected (channelId: ${ channelId })` ); + + if ( isFirstInChannel ) { + debug( 'first in channel' ); + doc.startSharing( { title: '', blocks } ); + } else { + doc.connect(); + } - const disconnect = () => { - transport.disconnect(); - doc.disconnect(); - }; + const disconnect = () => { + transport.disconnect(); + doc.disconnect(); + }; - window.addEventListener( 'beforeunload', () => disconnect() ); + window.addEventListener( 'beforeunload', () => disconnect() ); - return { doc, disconnect }; - } ); + return { doc, disconnect }; + } ); } /** @@ -100,6 +135,8 @@ export default function useYjs( { blocks, onRemoteDataChange, settings } ) { return select( 'isolated/editor' ).getEditorSelection; }, [] ); + const { setAvailablePeers, setPeerSelection } = useDispatch( 'isolated/editor' ); + useEffect( () => { if ( ! settings?.enabled ) { return; @@ -110,6 +147,9 @@ export default function useYjs( { blocks, onRemoteDataChange, settings } ) { return; } + debug( 'registered collab caret format' ); + registerFormatCollabCaret(); + let onUnmount = noop; initYDoc( { @@ -118,6 +158,8 @@ export default function useYjs( { blocks, onRemoteDataChange, settings } ) { channelId: settings.channelId, transport: settings.transport, getSelection, + setPeerSelection, + setAvailablePeers, } ).then( ( { doc, disconnect } ) => { ydoc.current = doc; onUnmount = () => { diff --git a/src/components/formats/collab-caret/index.js b/src/components/formats/collab-caret/index.js new file mode 100644 index 000000000..635cdfc7d --- /dev/null +++ b/src/components/formats/collab-caret/index.js @@ -0,0 +1,96 @@ +import memoize from 'memize'; +import classnames from 'classnames'; +import { applyFormat, registerFormatType } from '@wordpress/rich-text'; +import './style.css'; + +const FORMAT_NAME = 'asblocks/caret'; + +/** + * Applies given carets to the given record. + * + * @param {Object} record The record to apply carets to. + * @param {Array} carets The carets to apply. + * @return {Object} A record with the carets applied. + */ +export function applyCarets( record, carets = [] ) { + carets.forEach( ( caret ) => { + let { start, end, id } = caret; + const isCollapsed = start === end; + const isShifted = isCollapsed && end >= record.text.length; + + if ( isShifted ) { + start = record.text.length - 1; + } + + if ( isCollapsed ) { + end = start + 1; + } + + record = applyFormat( + record, + { + type: FORMAT_NAME, + attributes: { + id: 'asblocks-caret-' + id, + class: classnames( { + 'is-collapsed': isCollapsed, + 'is-shifted': isShifted, + } ), + }, + }, + start, + end + ); + } ); + + return record; +} + +const getCarets = memoize( ( peers, richTextIdentifier, blockClientId ) => { + return Object.entries( peers ) + .filter( ( [ , peer ] ) => { + return ( + peer?.start?.clientId === blockClientId && + peer?.end?.clientId === blockClientId && + peer.start.attributeKey === richTextIdentifier + ); + } ) + .map( ( [ id, peer ] ) => ( { + id, + start: peer.start.offset, + end: peer.end.offset, + } ) ); +} ); + +export const settings = { + title: 'AsBlocks caret', + tagName: 'mark', + className: 'asblocks-caret', + attributes: { + id: 'id', + className: 'class', + }, + edit() { + return null; + }, + __experimentalGetPropsForEditableTreePreparation( select, { richTextIdentifier, blockClientId } ) { + return { + carets: getCarets( select( 'isolated/editor' ).getPeers(), richTextIdentifier, blockClientId ), + }; + }, + __experimentalCreatePrepareEditableTree( { carets } ) { + return ( formats, text ) => { + if ( ! carets?.length ) { + return formats; + } + + let record = { formats, text }; + record = applyCarets( record, carets ); + return record.formats; + }; + }, +}; + +export const registerFormatCollabCaret = () => { + registerFormatType( FORMAT_NAME, settings ); +}; diff --git a/src/components/formats/collab-caret/style.css b/src/components/formats/collab-caret/style.css new file mode 100644 index 000000000..cc035ff45 --- /dev/null +++ b/src/components/formats/collab-caret/style.css @@ -0,0 +1,39 @@ +mark.asblocks-caret { + position: relative; + background: #eee; +} + +mark.asblocks-caret.is-collapsed { + background: none; +} + +mark.asblocks-caret::before { + left: -1px; + top: 0; + bottom: 0; + position: absolute; + content: ""; + font-size: 1em; + width: 2px; + background: #2e3d48; +} + +mark.asblocks-caret.is-shifted::before { + left: auto; + right: -1px; +} + +mark.asblocks-caret::after { + position: absolute; + top: -8px; + left: -4px; + width: 8px; + height: 8px; + content: ""; + background-color: #2e3d48; +} + +mark.asblocks-caret.is-shifted::after { + left: auto; + right: -4px; +} diff --git a/src/index.js b/src/index.js index fe24b3756..79b22f621 100644 --- a/src/index.js +++ b/src/index.js @@ -104,14 +104,33 @@ import './style.scss'; /** * Transport module for real time collaboration * @typedef CollaborationTransport - * @property {(message: object) => void} sendDocMessage - * @property {(start: object, end: object) => void} sendSelection + * @property {(data: CollaborationTransportDocMessage) => void} sendDocMessage + * @property {(data: CollaborationTransportSelectionMessage) => void} sendSelection * @property {(options: CollaborationTransportConnectOpts) => Promise<{isFirstInChannel: boolean}>} connect * @property {() => Promise} disconnect * * @typedef CollaborationTransportConnectOpts - * @property {string} [channelId] + * @property {string} identity * @property {(message: object) => void} onReceiveMessage + * @property {(peers: CollaborationPeers) => void} setAvailablePeers + * @property {string} [channelId] + * + * @typedef CollaborationTransportDocMessage + * @property {string} identity + * @property {'doc'} type + * @property {object} message + * + * @typedef CollaborationTransportSelectionMessage + * @property {string} identity + * @property {'selection'} type + * @property {EditorSelection} selection + * + * @typedef CollaborationPeers + * @type {Object.} + * + * @typedef EditorSelection + * @property {object} start + * @property {object} end */ /** diff --git a/src/store/index.js b/src/store/index.js index 921276ee0..c01456f40 100644 --- a/src/store/index.js +++ b/src/store/index.js @@ -16,10 +16,13 @@ import preferencesReducer from './preferences/reducer'; import preferenceActions from './preferences/actions'; import optionsReducer from './options/reducer'; import optionActions from './options/actions'; +import peersReducer from './peers/reducer'; +import peersActions from './peers/actions'; import * as blockSelectors from './blocks/selectors'; import * as editorSelectors from './editor/selectors'; import * as preferenceSelectors from './preferences/selectors'; import * as optionSelectors from './options/selectors'; +import * as peersSelectors from './peers/selectors'; function storeConfig( preferencesKey, defaultPreferences ) { return { @@ -28,6 +31,7 @@ function storeConfig( preferencesKey, defaultPreferences ) { editor: editorReducer, preferences: preferencesReducer, options: optionsReducer, + peers: peersReducer, } ), actions: { @@ -35,6 +39,7 @@ function storeConfig( preferencesKey, defaultPreferences ) { ...editorActions, ...optionActions, ...preferenceActions, + ...peersActions, }, selectors: { @@ -42,6 +47,7 @@ function storeConfig( preferencesKey, defaultPreferences ) { ...editorSelectors, ...preferenceSelectors, ...optionSelectors, + ...peersSelectors, }, persist: [ 'preferences' ], @@ -49,8 +55,8 @@ function storeConfig( preferencesKey, defaultPreferences ) { initialState: { preferences: preferencesKey && localStorage.getItem( preferencesKey ) - // @ts-ignore - ? JSON.parse( localStorage.getItem( preferencesKey ) ) + ? // @ts-ignore + JSON.parse( localStorage.getItem( preferencesKey ) ) : defaultPreferences, }, }; diff --git a/src/store/peers/actions.js b/src/store/peers/actions.js new file mode 100644 index 000000000..c94fea860 --- /dev/null +++ b/src/store/peers/actions.js @@ -0,0 +1,19 @@ +function setAvailablePeers( peers ) { + return { + type: 'SET_AVAILABLE_PEERS', + peers, + }; +} + +function setPeerSelection( peer, selection ) { + return { + type: 'SET_PEER_SELECTION', + peer, + selection, + }; +} + +export default { + setAvailablePeers, + setPeerSelection, +}; diff --git a/src/store/peers/reducer.js b/src/store/peers/reducer.js new file mode 100644 index 000000000..7d01a9c8c --- /dev/null +++ b/src/store/peers/reducer.js @@ -0,0 +1,18 @@ +const reducer = ( state = {}, action ) => { + switch ( action.type ) { + case 'SET_PEER_SELECTION': + if ( ! state[ action.peer ] ) { + return state; + } + return { ...state, [ action.peer ]: action.selection }; + case 'SET_AVAILABLE_PEERS': + return action.peers.reduce( ( acc, peer ) => { + acc[ peer ] = state[ peer ] || {}; + return acc; + }, {} ); + } + + return state; +}; + +export default reducer; diff --git a/src/store/peers/selectors.js b/src/store/peers/selectors.js new file mode 100644 index 000000000..1de714372 --- /dev/null +++ b/src/store/peers/selectors.js @@ -0,0 +1,3 @@ +export function getPeers( state ) { + return state.peers; +} diff --git a/src/stories/collab/mock-transport.js b/src/stories/collab/mock-transport.js index 0a8928024..7024539c0 100644 --- a/src/stories/collab/mock-transport.js +++ b/src/stories/collab/mock-transport.js @@ -1,36 +1,57 @@ const listeners = []; +const disconnectHandlers = []; /** @type {import("../../components/block-editor-contents/use-yjs").CollaborationTransport} */ const mockTransport = { - sendDocMessage: ( message ) => { - window.localStorage.setItem( 'isoEditorYjsMessage', JSON.stringify( { type: 'doc', message } ) ); + sendDocMessage: ( data ) => { + window.localStorage.setItem( 'isoEditorYjsMessage', JSON.stringify( data ) ); }, - sendSelection: ( start, end ) => { - window.localStorage.setItem( 'isoEditorYjsMessage', JSON.stringify( { type: 'selection', start, end } ) ); + sendSelection: ( data ) => { + window.localStorage.setItem( 'isoEditorYjsMessage', JSON.stringify( data ) ); }, - connect: ( { channelId, onReceiveMessage } ) => { - listeners.push( { - event: 'storage', - listener: window.addEventListener( 'storage', ( event ) => { - if ( event.storageArea !== localStorage ) return; - if ( event.key === 'isoEditorYjsMessage' && event.newValue ) { - onReceiveMessage( JSON.parse( event.newValue ) ); - } - } ), + connect: ( { identity, onReceiveMessage, setAvailablePeers, channelId } ) => { + listeners.push( + { + event: 'storage', + listener: window.addEventListener( 'storage', ( event ) => { + if ( event.storageArea !== localStorage ) return; + if ( event.key === 'isoEditorYjsMessage' && event.newValue ) { + onReceiveMessage( JSON.parse( event.newValue ) ); + } + } ), + }, + { + event: 'storage', + listener: window.addEventListener( 'storage', ( event ) => { + if ( event.storageArea !== localStorage ) return; + if ( event.key === 'isoEditorYjsPeers' && event.newValue ) { + setAvailablePeers( JSON.parse( event.newValue ) ); + } + } ), + } + ); + + const peers = JSON.parse( window.localStorage.getItem( 'isoEditorYjsPeers' ) || '[]' ); + const isFirstInChannel = peers.length === 0; + setAvailablePeers( peers ); // everyone except me + + window.localStorage.setItem( 'isoEditorYjsPeers', JSON.stringify( [ ...peers, identity ] ) ); + + disconnectHandlers.push( () => { + const peers = JSON.parse( window.localStorage.getItem( 'isoEditorYjsPeers' ) || '[]' ); + window.localStorage.setItem( + 'isoEditorYjsPeers', + JSON.stringify( peers.filter( ( id ) => id !== identity ) ) + ); } ); - window.localStorage.setItem( - 'isoEditorClients', - ( parseInt( window.localStorage.getItem( 'isoEditorClients' ) || '0' ) + 1 ).toString() - ); - const isFirstInChannel = window.localStorage.getItem( 'isoEditorClients' ) === '1'; return Promise.resolve( { isFirstInChannel } ); }, disconnect: () => { listeners.forEach( ( { event, listener } ) => window.removeEventListener( event, listener ) ); + disconnectHandlers.forEach( ( fn ) => fn() ); - const clientCount = Math.max( 0, parseInt( window.localStorage.getItem( 'isoEditorClients' ) || '0' ) - 1 ); - return Promise.resolve( window.localStorage.setItem( 'isoEditorClients', clientCount.toString() ) ); + return Promise.resolve(); }, }; From 1e03b0b88da263388c79477878add332ef8a67c3 Mon Sep 17 00:00:00 2001 From: Lena Morita Date: Thu, 22 Jul 2021 20:45:31 +0900 Subject: [PATCH 16/53] Add `title` to identify carets --- src/components/formats/collab-caret/index.js | 1 + 1 file changed, 1 insertion(+) diff --git a/src/components/formats/collab-caret/index.js b/src/components/formats/collab-caret/index.js index 635cdfc7d..a5d6535e0 100644 --- a/src/components/formats/collab-caret/index.js +++ b/src/components/formats/collab-caret/index.js @@ -36,6 +36,7 @@ export function applyCarets( record, carets = [] ) { 'is-collapsed': isCollapsed, 'is-shifted': isShifted, } ), + title: id, }, }, start, From 5f972cd58b36b9644445cfba02087b0ace761bd6 Mon Sep 17 00:00:00 2001 From: Lena Morita Date: Thu, 22 Jul 2021 20:48:45 +0900 Subject: [PATCH 17/53] Rename from asblocks --- src/components/formats/collab-caret/index.js | 8 ++++---- src/components/formats/collab-caret/style.css | 16 ++++++++-------- 2 files changed, 12 insertions(+), 12 deletions(-) diff --git a/src/components/formats/collab-caret/index.js b/src/components/formats/collab-caret/index.js index a5d6535e0..59722f63d 100644 --- a/src/components/formats/collab-caret/index.js +++ b/src/components/formats/collab-caret/index.js @@ -3,7 +3,7 @@ import classnames from 'classnames'; import { applyFormat, registerFormatType } from '@wordpress/rich-text'; import './style.css'; -const FORMAT_NAME = 'asblocks/caret'; +const FORMAT_NAME = 'isolated/collab-caret'; /** * Applies given carets to the given record. @@ -31,7 +31,7 @@ export function applyCarets( record, carets = [] ) { { type: FORMAT_NAME, attributes: { - id: 'asblocks-caret-' + id, + id: 'iso-editor-collab-caret-' + id, class: classnames( { 'is-collapsed': isCollapsed, 'is-shifted': isShifted, @@ -64,9 +64,9 @@ const getCarets = memoize( ( peers, richTextIdentifier, blockClientId ) => { } ); export const settings = { - title: 'AsBlocks caret', + title: 'Collaboration peer caret', tagName: 'mark', - className: 'asblocks-caret', + className: 'iso-editor-collab-caret', attributes: { id: 'id', className: 'class', diff --git a/src/components/formats/collab-caret/style.css b/src/components/formats/collab-caret/style.css index cc035ff45..f7c4069ec 100644 --- a/src/components/formats/collab-caret/style.css +++ b/src/components/formats/collab-caret/style.css @@ -1,39 +1,39 @@ -mark.asblocks-caret { +mark.iso-editor-collab-caret { position: relative; background: #eee; } -mark.asblocks-caret.is-collapsed { +mark.iso-editor-collab-caret.is-collapsed { background: none; } -mark.asblocks-caret::before { +mark.iso-editor-collab-caret::before { left: -1px; top: 0; bottom: 0; position: absolute; - content: ""; + content: ''; font-size: 1em; width: 2px; background: #2e3d48; } -mark.asblocks-caret.is-shifted::before { +mark.iso-editor-collab-caret.is-shifted::before { left: auto; right: -1px; } -mark.asblocks-caret::after { +mark.iso-editor-collab-caret::after { position: absolute; top: -8px; left: -4px; width: 8px; height: 8px; - content: ""; + content: ''; background-color: #2e3d48; } -mark.asblocks-caret.is-shifted::after { +mark.iso-editor-collab-caret.is-shifted::after { left: auto; right: -4px; } From 38fcb4f39f38a873998d3c038fded07f7f6ff836 Mon Sep 17 00:00:00 2001 From: Lena Morita Date: Thu, 22 Jul 2021 23:31:41 +0900 Subject: [PATCH 18/53] Simplify messaging --- src/components/block-editor-contents/use-yjs.js | 4 ++-- src/components/formats/collab-caret/index.js | 11 +++++++++++ src/index.js | 3 +-- src/stories/collab/mock-transport.js | 5 +---- 4 files changed, 15 insertions(+), 8 deletions(-) diff --git a/src/components/block-editor-contents/use-yjs.js b/src/components/block-editor-contents/use-yjs.js index 3f181cb54..3b5a90b30 100644 --- a/src/components/block-editor-contents/use-yjs.js +++ b/src/components/block-editor-contents/use-yjs.js @@ -56,11 +56,11 @@ async function initYDoc( { /** @param {object} message */ sendMessage: ( message ) => { debug( 'sendDocMessage', message ); - transport.sendDocMessage( { type: 'doc', identity, message } ); + transport.sendMessage( { type: 'doc', identity, message } ); const { selectionStart, selectionEnd } = getSelection() || {}; debug( 'sendSelection', selectionStart, selectionEnd ); - transport.sendSelection( { + transport.sendMessage( { type: 'selection', identity, selection: { diff --git a/src/components/formats/collab-caret/index.js b/src/components/formats/collab-caret/index.js index 59722f63d..52ffa70ad 100644 --- a/src/components/formats/collab-caret/index.js +++ b/src/components/formats/collab-caret/index.js @@ -1,6 +1,17 @@ +/** + * External dependencies + */ import memoize from 'memize'; import classnames from 'classnames'; + +/** + * WordPress dependencies + */ import { applyFormat, registerFormatType } from '@wordpress/rich-text'; + +/** + * Internal dependencies + */ import './style.css'; const FORMAT_NAME = 'isolated/collab-caret'; diff --git a/src/index.js b/src/index.js index 79b22f621..8320e9835 100644 --- a/src/index.js +++ b/src/index.js @@ -104,8 +104,7 @@ import './style.scss'; /** * Transport module for real time collaboration * @typedef CollaborationTransport - * @property {(data: CollaborationTransportDocMessage) => void} sendDocMessage - * @property {(data: CollaborationTransportSelectionMessage) => void} sendSelection + * @property {(data: CollaborationTransportDocMessage|CollaborationTransportSelectionMessage) => void} sendMessage * @property {(options: CollaborationTransportConnectOpts) => Promise<{isFirstInChannel: boolean}>} connect * @property {() => Promise} disconnect * diff --git a/src/stories/collab/mock-transport.js b/src/stories/collab/mock-transport.js index 7024539c0..b961ae047 100644 --- a/src/stories/collab/mock-transport.js +++ b/src/stories/collab/mock-transport.js @@ -3,10 +3,7 @@ const disconnectHandlers = []; /** @type {import("../../components/block-editor-contents/use-yjs").CollaborationTransport} */ const mockTransport = { - sendDocMessage: ( data ) => { - window.localStorage.setItem( 'isoEditorYjsMessage', JSON.stringify( data ) ); - }, - sendSelection: ( data ) => { + sendMessage: ( data ) => { window.localStorage.setItem( 'isoEditorYjsMessage', JSON.stringify( data ) ); }, connect: ( { identity, onReceiveMessage, setAvailablePeers, channelId } ) => { From 45cf3aee77890d80df8d7e4faf2afc5d39ced066 Mon Sep 17 00:00:00 2001 From: Lena Morita Date: Fri, 23 Jul 2021 02:07:03 +0900 Subject: [PATCH 19/53] Allow arbitrary identities --- .../block-editor-contents/use-yjs.js | 20 +++----- src/index.js | 5 +- src/stories/collab/Collaboration.stories.tsx | 46 +++++++++++++------ 3 files changed, 42 insertions(+), 29 deletions(-) diff --git a/src/components/block-editor-contents/use-yjs.js b/src/components/block-editor-contents/use-yjs.js index 3b5a90b30..2a4432a2e 100644 --- a/src/components/block-editor-contents/use-yjs.js +++ b/src/components/block-editor-contents/use-yjs.js @@ -25,8 +25,7 @@ const debug = require( 'debug' )( 'iso-editor:collab' ); * @param {object} opts - Hook options * @param {object[]} opts.blocks * @param {OnUpdate} opts.onRemoteDataChange Function to update editor blocks in redux state. - * @param {string} [opts.channelId] Optional channel id to pass to the transport. - * @param {CollaborationTransport} opts.transport Transport module. + * @param {CollaborationSettings} opts.settings * @param {() => Selection} opts.getSelection * @param {(peers: CollaborationPeers) => void} opts.setAvailablePeers * @param {(peer: string, selection: Selection) => void} opts.setPeerSelection @@ -35,17 +34,11 @@ const debug = require( 'debug' )( 'iso-editor:collab' ); * @property {object} selectionStart * @property {object} selectionEnd */ -async function initYDoc( { - blocks, - onRemoteDataChange, - channelId, - transport, - getSelection, - setPeerSelection, - setAvailablePeers, -} ) { +async function initYDoc( { blocks, onRemoteDataChange, settings, getSelection, setPeerSelection, setAvailablePeers } ) { + const { channelId, transport } = settings; + /** @type string */ - const identity = uuidv4(); + const identity = settings.identity || uuidv4(); debug( `initYDoc (identity: ${ identity })` ); @@ -155,8 +148,7 @@ export default function useYjs( { blocks, onRemoteDataChange, settings } ) { initYDoc( { blocks, onRemoteDataChange, - channelId: settings.channelId, - transport: settings.transport, + settings, getSelection, setPeerSelection, setAvailablePeers, diff --git a/src/index.js b/src/index.js index 8320e9835..c7d25e85e 100644 --- a/src/index.js +++ b/src/index.js @@ -97,8 +97,9 @@ import './style.scss'; * Real time collaboration settings * @typedef CollaborationSettings * @property {boolean} [enabled] - * @property {string} [channelId] - * @property {CollaborationTransport} [transport] + * @property {string} [channelId] Optional channel id to pass to transport.connect(). + * @property {string} [identity] If unspecified, a random uuid will be generated. + * @property {CollaborationTransport} transport Required if collab is enabled. */ /** diff --git a/src/stories/collab/Collaboration.stories.tsx b/src/stories/collab/Collaboration.stories.tsx index 99f19a017..34e8ee4b6 100644 --- a/src/stories/collab/Collaboration.stories.tsx +++ b/src/stories/collab/Collaboration.stories.tsx @@ -1,6 +1,7 @@ import IsolatedBlockEditor, { BlockEditorSettings } from '../../index'; import mockTransport from './mock-transport'; +import { sample } from 'lodash'; import type { Story } from '@storybook/react'; export default { @@ -12,23 +13,41 @@ type Props = { settings: BlockEditorSettings; }; +const identity = sample( [ 'Pink', 'Yellow', 'Blue' ] ) + ' ' + sample( [ 'Panda', 'Zeebra', 'Unicorn' ] ); + const Template: Story< Props > = ( args ) => { return ( <> -

Open this page in another window to test real time collaborative editing.

-

- This local demo depends on shared Local Storage (instead of network) to pass messages across tabs. It - will not work: -

-
    -
  • across browsers
  • -
  • across private browsing windows
  • -
  • - in Safari, until the fix to this bug{ ' ' } - has shipped -
  • -
+ + { args.settings.collab?.enabled && ( + <> +

My identity: { identity }

+ +
+ +

How to test

+

Open this page in another window to test real time collaborative editing.

+ +

+ To view logging messages, open DevTools console and enter{ ' ' } + localStorage.debug = 'iso-editor:*'. +

+ +

+ This local demo depends on shared Local Storage (instead of network) to pass messages across + tabs. It will not work: +

+
    +
  • across browsers
  • +
  • across private browsing windows
  • +
  • + in Safari, until the fix to{ ' ' } + this bug has shipped +
  • +
+ + ) } ); }; @@ -43,6 +62,7 @@ Default.args = { enabled: true, channelId: 'storybook-collab-editor', transport: mockTransport, + identity, }, }, }; From f629c6f2c1baef8a9ceefe2a668c1fa0e2480407 Mon Sep 17 00:00:00 2001 From: Lena Morita Date: Fri, 23 Jul 2021 02:33:05 +0900 Subject: [PATCH 20/53] Add caret names --- src/components/formats/collab-caret/index.js | 2 +- .../collab-caret/{style.css => style.scss} | 25 +++++++++++++++---- src/stories/collab/Collaboration.stories.tsx | 2 +- 3 files changed, 22 insertions(+), 7 deletions(-) rename src/components/formats/collab-caret/{style.css => style.scss} (54%) diff --git a/src/components/formats/collab-caret/index.js b/src/components/formats/collab-caret/index.js index 52ffa70ad..e64c8bf4b 100644 --- a/src/components/formats/collab-caret/index.js +++ b/src/components/formats/collab-caret/index.js @@ -12,7 +12,7 @@ import { applyFormat, registerFormatType } from '@wordpress/rich-text'; /** * Internal dependencies */ -import './style.css'; +import './style.scss'; const FORMAT_NAME = 'isolated/collab-caret'; diff --git a/src/components/formats/collab-caret/style.css b/src/components/formats/collab-caret/style.scss similarity index 54% rename from src/components/formats/collab-caret/style.css rename to src/components/formats/collab-caret/style.scss index f7c4069ec..9ee226549 100644 --- a/src/components/formats/collab-caret/style.css +++ b/src/components/formats/collab-caret/style.scss @@ -1,3 +1,5 @@ +$caretColor: #2e3d48; + mark.iso-editor-collab-caret { position: relative; background: #eee; @@ -15,7 +17,7 @@ mark.iso-editor-collab-caret::before { content: ''; font-size: 1em; width: 2px; - background: #2e3d48; + background: $caretColor; } mark.iso-editor-collab-caret.is-shifted::before { @@ -25,12 +27,25 @@ mark.iso-editor-collab-caret.is-shifted::before { mark.iso-editor-collab-caret::after { position: absolute; - top: -8px; + top: -14px; left: -4px; - width: 8px; + overflow: hidden; + min-width: 8px; + max-width: 140px; + text-overflow: ellipsis; height: 8px; - content: ''; - background-color: #2e3d48; + padding: 2px 4px 4px; + content: attr( title ); // identity + color: white; + vertical-align: top; + font-size: 10px; + line-height: 1; + white-space: nowrap; + background: $caretColor; + + // Ensure that bold/italic isn't inherited from the editor selection + font-style: normal; + font-weight: normal; } mark.iso-editor-collab-caret.is-shifted::after { diff --git a/src/stories/collab/Collaboration.stories.tsx b/src/stories/collab/Collaboration.stories.tsx index 34e8ee4b6..11c82394f 100644 --- a/src/stories/collab/Collaboration.stories.tsx +++ b/src/stories/collab/Collaboration.stories.tsx @@ -13,7 +13,7 @@ type Props = { settings: BlockEditorSettings; }; -const identity = sample( [ 'Pink', 'Yellow', 'Blue' ] ) + ' ' + sample( [ 'Panda', 'Zeebra', 'Unicorn' ] ); +const identity = sample( [ 'Pink', 'Yellow', 'Blue', 'Green' ] ) + ' ' + sample( [ 'Panda', 'Zeebra', 'Unicorn' ] ); const Template: Story< Props > = ( args ) => { return ( From 8ad1b2cfee9e6d538e63d2d071736f3729bb9bb6 Mon Sep 17 00:00:00 2001 From: Lena Morita Date: Fri, 23 Jul 2021 02:56:19 +0900 Subject: [PATCH 21/53] Rename param back to initialBlocks --- src/components/block-editor-contents/index.js | 2 +- .../block-editor-contents/use-yjs.js | 21 ++++++++++++------- 2 files changed, 15 insertions(+), 8 deletions(-) diff --git a/src/components/block-editor-contents/index.js b/src/components/block-editor-contents/index.js index 4206dfa47..90d205782 100644 --- a/src/components/block-editor-contents/index.js +++ b/src/components/block-editor-contents/index.js @@ -62,7 +62,7 @@ function BlockEditorContents( props ) { const { children, settings, renderMoreMenu, onLoad } = props; const [ applyChangesToYjs ] = useYjs( { - blocks: blocks, + initialBlocks: blocks, onRemoteDataChange: updateBlocksWithoutUndo, settings: settings.collab, } ); diff --git a/src/components/block-editor-contents/use-yjs.js b/src/components/block-editor-contents/use-yjs.js index 2a4432a2e..55ee11977 100644 --- a/src/components/block-editor-contents/use-yjs.js +++ b/src/components/block-editor-contents/use-yjs.js @@ -23,8 +23,8 @@ const debug = require( 'debug' )( 'iso-editor:collab' ); /** * @param {object} opts - Hook options - * @param {object[]} opts.blocks - * @param {OnUpdate} opts.onRemoteDataChange Function to update editor blocks in redux state. + * @param {object[]} opts.initialBlocks - Initial array of blocks used to initialize the Yjs doc. + * @param {OnUpdate} opts.onRemoteDataChange - Function to update editor blocks in redux state. * @param {CollaborationSettings} opts.settings * @param {() => Selection} opts.getSelection * @param {(peers: CollaborationPeers) => void} opts.setAvailablePeers @@ -34,7 +34,14 @@ const debug = require( 'debug' )( 'iso-editor:collab' ); * @property {object} selectionStart * @property {object} selectionEnd */ -async function initYDoc( { blocks, onRemoteDataChange, settings, getSelection, setPeerSelection, setAvailablePeers } ) { +async function initYDoc( { + initialBlocks, + onRemoteDataChange, + settings, + getSelection, + setPeerSelection, + setAvailablePeers, +} ) { const { channelId, transport } = settings; /** @type string */ @@ -99,7 +106,7 @@ async function initYDoc( { blocks, onRemoteDataChange, settings, getSelection, s if ( isFirstInChannel ) { debug( 'first in channel' ); - doc.startSharing( { title: '', blocks } ); + doc.startSharing( { title: '', blocks: initialBlocks } ); } else { doc.connect(); } @@ -117,11 +124,11 @@ async function initYDoc( { blocks, onRemoteDataChange, settings, getSelection, s /** * @param {object} opts - Hook options - * @param {object[]} opts.blocks + * @param {object[]} opts.initialBlocks - Initial array of blocks used to initialize the Yjs doc. * @param {OnUpdate} opts.onRemoteDataChange * @param {CollaborationSettings} [opts.settings] */ -export default function useYjs( { blocks, onRemoteDataChange, settings } ) { +export default function useYjs( { initialBlocks, onRemoteDataChange, settings } ) { const ydoc = useRef(); const getSelection = useSelect( ( select ) => { @@ -146,7 +153,7 @@ export default function useYjs( { blocks, onRemoteDataChange, settings } ) { let onUnmount = noop; initYDoc( { - blocks, + initialBlocks, onRemoteDataChange, settings, getSelection, From 51311c1c2a0d4a74fb110c6b82e19e728bdd6ead Mon Sep 17 00:00:00 2001 From: Lena Morita Date: Fri, 23 Jul 2021 06:43:48 +0900 Subject: [PATCH 22/53] Add caret colors --- .../block-editor-contents/use-yjs.js | 20 +++++++++++++------ src/components/formats/collab-caret/index.js | 4 +++- .../formats/collab-caret/style.scss | 6 ++---- src/index.js | 2 ++ src/store/peers/actions.js | 3 ++- src/store/peers/reducer.js | 15 +++++++++++--- 6 files changed, 35 insertions(+), 15 deletions(-) diff --git a/src/components/block-editor-contents/use-yjs.js b/src/components/block-editor-contents/use-yjs.js index 55ee11977..7e1a2aee4 100644 --- a/src/components/block-editor-contents/use-yjs.js +++ b/src/components/block-editor-contents/use-yjs.js @@ -2,7 +2,7 @@ * External dependencies */ import { v4 as uuidv4 } from 'uuid'; -import { noop } from 'lodash'; +import { noop, sample } from 'lodash'; import { createDocument } from 'asblocks/src/lib/yjs-doc'; import { postDocToObject, updatePostDoc } from 'asblocks/src/components/editor/sync/algorithms/yjs'; @@ -19,18 +19,23 @@ const debug = require( 'debug' )( 'iso-editor:collab' ); /** @typedef {import('../..').CollaborationSettings} CollaborationSettings */ /** @typedef {import('../..').CollaborationTransport} CollaborationTransport */ /** @typedef {import('../..').CollaborationPeers} CollaborationPeers */ +/** @typedef {import('../..').CollaborationTransportDocMessage} CollaborationTransportDocMessage */ +/** @typedef {import('../..').CollaborationTransportSelectionMessage} CollaborationTransportSelectionMessage */ +/** @typedef {import('../..').EditorSelection} EditorSelection */ /** @typedef {import('.').OnUpdate} OnUpdate */ +const defaultColors = [ '#4676C0', '#6F6EBE', '#9063B6', '#C3498D', '#9E6D14', '#3B4856', '#4A807A' ]; + /** * @param {object} opts - Hook options * @param {object[]} opts.initialBlocks - Initial array of blocks used to initialize the Yjs doc. * @param {OnUpdate} opts.onRemoteDataChange - Function to update editor blocks in redux state. * @param {CollaborationSettings} opts.settings - * @param {() => Selection} opts.getSelection + * @param {() => IsoEditorSelection} opts.getSelection * @param {(peers: CollaborationPeers) => void} opts.setAvailablePeers - * @param {(peer: string, selection: Selection) => void} opts.setPeerSelection + * @param {(peer: string, selection: EditorSelection, color: string) => void} opts.setPeerSelection * - * @typedef Selection + * @typedef IsoEditorSelection * @property {object} selectionStart * @property {object} selectionEnd */ @@ -42,10 +47,11 @@ async function initYDoc( { setPeerSelection, setAvailablePeers, } ) { - const { channelId, transport } = settings; + const { channelId, transport, caretColor } = settings; /** @type string */ const identity = settings.identity || uuidv4(); + const color = caretColor || sample( defaultColors ); debug( `initYDoc (identity: ${ identity })` ); @@ -67,10 +73,12 @@ async function initYDoc( { start: selectionStart, end: selectionEnd, }, + color, } ); }, } ); + /** @param {CollaborationTransportDocMessage|CollaborationTransportSelectionMessage} data */ const onReceiveMessage = ( data ) => { debug( 'remote change received by transport', data ); @@ -80,7 +88,7 @@ async function initYDoc( { break; } case 'selection': { - setPeerSelection( data.identity, data.selection ); + setPeerSelection( data.identity, data.selection, data.color ); break; } } diff --git a/src/components/formats/collab-caret/index.js b/src/components/formats/collab-caret/index.js index e64c8bf4b..fb590eb6d 100644 --- a/src/components/formats/collab-caret/index.js +++ b/src/components/formats/collab-caret/index.js @@ -25,7 +25,7 @@ const FORMAT_NAME = 'isolated/collab-caret'; */ export function applyCarets( record, carets = [] ) { carets.forEach( ( caret ) => { - let { start, end, id } = caret; + let { start, end, id, color } = caret; const isCollapsed = start === end; const isShifted = isCollapsed && end >= record.text.length; @@ -48,6 +48,7 @@ export function applyCarets( record, carets = [] ) { 'is-shifted': isShifted, } ), title: id, + style: `--iso-editor-collab-caret-color: ${ color || '#2e3d48' }`, }, }, start, @@ -71,6 +72,7 @@ const getCarets = memoize( ( peers, richTextIdentifier, blockClientId ) => { id, start: peer.start.offset, end: peer.end.offset, + color: peer.color, } ) ); } ); diff --git a/src/components/formats/collab-caret/style.scss b/src/components/formats/collab-caret/style.scss index 9ee226549..f3373846e 100644 --- a/src/components/formats/collab-caret/style.scss +++ b/src/components/formats/collab-caret/style.scss @@ -1,5 +1,3 @@ -$caretColor: #2e3d48; - mark.iso-editor-collab-caret { position: relative; background: #eee; @@ -17,7 +15,7 @@ mark.iso-editor-collab-caret::before { content: ''; font-size: 1em; width: 2px; - background: $caretColor; + background: var( --iso-editor-collab-caret-color ); } mark.iso-editor-collab-caret.is-shifted::before { @@ -41,7 +39,7 @@ mark.iso-editor-collab-caret::after { font-size: 10px; line-height: 1; white-space: nowrap; - background: $caretColor; + background: var( --iso-editor-collab-caret-color ); // Ensure that bold/italic isn't inherited from the editor selection font-style: normal; diff --git a/src/index.js b/src/index.js index c7d25e85e..bdc10b961 100644 --- a/src/index.js +++ b/src/index.js @@ -99,6 +99,7 @@ import './style.scss'; * @property {boolean} [enabled] * @property {string} [channelId] Optional channel id to pass to transport.connect(). * @property {string} [identity] If unspecified, a random uuid will be generated. + * @property {string} [caretColor] If unspecified, a random color will be selected. * @property {CollaborationTransport} transport Required if collab is enabled. */ @@ -124,6 +125,7 @@ import './style.scss'; * @property {string} identity * @property {'selection'} type * @property {EditorSelection} selection + * @property {string} color Color of the peer indicator caret. * * @typedef CollaborationPeers * @type {Object.} diff --git a/src/store/peers/actions.js b/src/store/peers/actions.js index c94fea860..ba2a8c3f4 100644 --- a/src/store/peers/actions.js +++ b/src/store/peers/actions.js @@ -5,11 +5,12 @@ function setAvailablePeers( peers ) { }; } -function setPeerSelection( peer, selection ) { +function setPeerSelection( peer, selection, color ) { return { type: 'SET_PEER_SELECTION', peer, selection, + color, }; } diff --git a/src/store/peers/reducer.js b/src/store/peers/reducer.js index 7d01a9c8c..148f64bae 100644 --- a/src/store/peers/reducer.js +++ b/src/store/peers/reducer.js @@ -1,15 +1,24 @@ const reducer = ( state = {}, action ) => { switch ( action.type ) { - case 'SET_PEER_SELECTION': + case 'SET_PEER_SELECTION': { if ( ! state[ action.peer ] ) { return state; } - return { ...state, [ action.peer ]: action.selection }; - case 'SET_AVAILABLE_PEERS': + return { + ...state, + [ action.peer ]: { + ...action.selection, + color: action.color, + }, + }; + } + + case 'SET_AVAILABLE_PEERS': { return action.peers.reduce( ( acc, peer ) => { acc[ peer ] = state[ peer ] || {}; return acc; }, {} ); + } } return state; From 0f291b6eab60060df1520a4dfe88b6903b0afcc6 Mon Sep 17 00:00:00 2001 From: Lena Morita Date: Sat, 24 Jul 2021 05:07:15 +0900 Subject: [PATCH 23/53] Make mock transport events arrive asynchronously This makes the timings more realistic --- src/stories/collab/mock-transport.js | 20 ++++++++++++-------- 1 file changed, 12 insertions(+), 8 deletions(-) diff --git a/src/stories/collab/mock-transport.js b/src/stories/collab/mock-transport.js index b961ae047..4d8bedd87 100644 --- a/src/stories/collab/mock-transport.js +++ b/src/stories/collab/mock-transport.js @@ -11,19 +11,23 @@ const mockTransport = { { event: 'storage', listener: window.addEventListener( 'storage', ( event ) => { - if ( event.storageArea !== localStorage ) return; - if ( event.key === 'isoEditorYjsMessage' && event.newValue ) { - onReceiveMessage( JSON.parse( event.newValue ) ); - } + window.setTimeout( () => { + if ( event.storageArea !== localStorage ) return; + if ( event.key === 'isoEditorYjsMessage' && event.newValue ) { + onReceiveMessage( JSON.parse( event.newValue ) ); + } + }, 0 ); } ), }, { event: 'storage', listener: window.addEventListener( 'storage', ( event ) => { - if ( event.storageArea !== localStorage ) return; - if ( event.key === 'isoEditorYjsPeers' && event.newValue ) { - setAvailablePeers( JSON.parse( event.newValue ) ); - } + window.setTimeout( () => { + if ( event.storageArea !== localStorage ) return; + if ( event.key === 'isoEditorYjsPeers' && event.newValue ) { + setAvailablePeers( JSON.parse( event.newValue ) ); + } + }, 0 ); } ), } ); From 5e36074900cf3873b48997b80e73bc88dbb1eb8d Mon Sep 17 00:00:00 2001 From: Lena Morita Date: Sat, 24 Jul 2021 10:44:25 +0900 Subject: [PATCH 24/53] Don't rely on change events Debounces `input` events without relying solely on the `change` event. The `change` event isn't fired in a consistent manner. The expected behavior is for it to fire only on the trailing edge of the debounce, but sometimes it fires only on the leading edge. When this happens, the change will never be communicated to the handlers until another change happens. --- src/components/block-editor-contents/index.js | 11 +++++++---- src/components/block-editor-contents/use-yjs.js | 16 +++++++++++----- 2 files changed, 18 insertions(+), 9 deletions(-) diff --git a/src/components/block-editor-contents/index.js b/src/components/block-editor-contents/index.js index 90d205782..17d0aa776 100644 --- a/src/components/block-editor-contents/index.js +++ b/src/components/block-editor-contents/index.js @@ -79,10 +79,13 @@ function BlockEditorContents( props ) { return ( { - updateBlocksWithUndo( blocks, options ); - applyChangesToYjs( blocks ); + onInput={ ( newBlocks, options ) => { + updateBlocksWithoutUndo( newBlocks, options ); + applyChangesToYjs( newBlocks ); + } } + onChange={ ( newBlocks, options ) => { + updateBlocksWithUndo( newBlocks, options ); + applyChangesToYjs( newBlocks ); } } useSubRegistry={ false } selection={ selection } diff --git a/src/components/block-editor-contents/use-yjs.js b/src/components/block-editor-contents/use-yjs.js index 7e1a2aee4..de8243b6f 100644 --- a/src/components/block-editor-contents/use-yjs.js +++ b/src/components/block-editor-contents/use-yjs.js @@ -2,7 +2,7 @@ * External dependencies */ import { v4 as uuidv4 } from 'uuid'; -import { noop, sample } from 'lodash'; +import { debounce, noop, sample } from 'lodash'; import { createDocument } from 'asblocks/src/lib/yjs-doc'; import { postDocToObject, updatePostDoc } from 'asblocks/src/components/editor/sync/algorithms/yjs'; @@ -24,6 +24,7 @@ const debug = require( 'debug' )( 'iso-editor:collab' ); /** @typedef {import('../..').EditorSelection} EditorSelection */ /** @typedef {import('.').OnUpdate} OnUpdate */ +const DEBOUNCE_WAIT_MS = 800; const defaultColors = [ '#4676C0', '#6F6EBE', '#9063B6', '#C3498D', '#9E6D14', '#3B4856', '#4A807A' ]; /** @@ -138,6 +139,7 @@ async function initYDoc( { */ export default function useYjs( { initialBlocks, onRemoteDataChange, settings } ) { const ydoc = useRef(); + const applyChangesToYjs = useRef( noop ); const getSelection = useSelect( ( select ) => { return select( 'isolated/editor' ).getEditorSelection; @@ -175,12 +177,16 @@ export default function useYjs( { initialBlocks, onRemoteDataChange, settings } }; } ); - return () => onUnmount(); - }, [] ); + applyChangesToYjs.current = debounce( ( blocks ) => { + debug( 'local changes applied to ydoc' ); // noop when collab is disabled (i.e. ydoc isn't initialized) // @ts-ignore: Don't know how to fix :( - const applyChangesToYjs = ( blocks ) => ydoc.current?.applyDataChanges?.( { blocks } ); + ydoc.current.applyDataChanges?.( { blocks } ); + }, DEBOUNCE_WAIT_MS ); + + return () => onUnmount(); + }, [] ); - return [ applyChangesToYjs ]; + return [ applyChangesToYjs.current ]; } From c70939e55ba53903643de0604e7b35f025aecb01 Mon Sep 17 00:00:00 2001 From: Lena Morita Date: Sat, 24 Jul 2021 11:47:58 +0900 Subject: [PATCH 25/53] Better id collision prevension --- src/stories/collab/Collaboration.stories.tsx | 8 ++++++-- 1 file changed, 6 insertions(+), 2 deletions(-) diff --git a/src/stories/collab/Collaboration.stories.tsx b/src/stories/collab/Collaboration.stories.tsx index 11c82394f..d51a1393a 100644 --- a/src/stories/collab/Collaboration.stories.tsx +++ b/src/stories/collab/Collaboration.stories.tsx @@ -1,7 +1,7 @@ import IsolatedBlockEditor, { BlockEditorSettings } from '../../index'; import mockTransport from './mock-transport'; -import { sample } from 'lodash'; +import { random, sample } from 'lodash'; import type { Story } from '@storybook/react'; export default { @@ -13,7 +13,11 @@ type Props = { settings: BlockEditorSettings; }; -const identity = sample( [ 'Pink', 'Yellow', 'Blue', 'Green' ] ) + ' ' + sample( [ 'Panda', 'Zeebra', 'Unicorn' ] ); +const identity = `${ sample( [ 'Pink', 'Yellow', 'Blue', 'Green' ] ) } ${ sample( [ + 'Panda', + 'Zeebra', + 'Unicorn', +] ) } ${ random( 1, 9 ) }`; const Template: Story< Props > = ( args ) => { return ( From 52b5fc120a678b1885f5a27fcd0503f9663528c1 Mon Sep 17 00:00:00 2001 From: Lena Morita Date: Sat, 24 Jul 2021 12:26:04 +0900 Subject: [PATCH 26/53] Update ydoc after undo/redo --- src/components/block-editor-contents/index.js | 16 ++++------- .../block-editor-contents/use-yjs.js | 27 ++++++++----------- src/store/blocks/reducer.js | 4 +++ 3 files changed, 20 insertions(+), 27 deletions(-) diff --git a/src/components/block-editor-contents/index.js b/src/components/block-editor-contents/index.js index 17d0aa776..34e2dd39a 100644 --- a/src/components/block-editor-contents/index.js +++ b/src/components/block-editor-contents/index.js @@ -61,9 +61,9 @@ function BlockEditorContents( props ) { const { blocks, updateBlocksWithoutUndo, updateBlocksWithUndo, selection, isEditing, editorMode } = props; const { children, settings, renderMoreMenu, onLoad } = props; - const [ applyChangesToYjs ] = useYjs( { - initialBlocks: blocks, - onRemoteDataChange: updateBlocksWithoutUndo, + useYjs( { + blocks, + onRemoteDataChange: updateBlocksWithUndo, settings: settings.collab, } ); @@ -79,14 +79,8 @@ function BlockEditorContents( props ) { return ( { - updateBlocksWithoutUndo( newBlocks, options ); - applyChangesToYjs( newBlocks ); - } } - onChange={ ( newBlocks, options ) => { - updateBlocksWithUndo( newBlocks, options ); - applyChangesToYjs( newBlocks ); - } } + onInput={ updateBlocksWithoutUndo } + onChange={ updateBlocksWithUndo } useSubRegistry={ false } selection={ selection } settings={ settings.editor } diff --git a/src/components/block-editor-contents/use-yjs.js b/src/components/block-editor-contents/use-yjs.js index de8243b6f..9909b4fce 100644 --- a/src/components/block-editor-contents/use-yjs.js +++ b/src/components/block-editor-contents/use-yjs.js @@ -29,7 +29,7 @@ const defaultColors = [ '#4676C0', '#6F6EBE', '#9063B6', '#C3498D', '#9E6D14', ' /** * @param {object} opts - Hook options - * @param {object[]} opts.initialBlocks - Initial array of blocks used to initialize the Yjs doc. + * @param {object[]} opts.blocks * @param {OnUpdate} opts.onRemoteDataChange - Function to update editor blocks in redux state. * @param {CollaborationSettings} opts.settings * @param {() => IsoEditorSelection} opts.getSelection @@ -40,14 +40,7 @@ const defaultColors = [ '#4676C0', '#6F6EBE', '#9063B6', '#C3498D', '#9E6D14', ' * @property {object} selectionStart * @property {object} selectionEnd */ -async function initYDoc( { - initialBlocks, - onRemoteDataChange, - settings, - getSelection, - setPeerSelection, - setAvailablePeers, -} ) { +async function initYDoc( { blocks, onRemoteDataChange, settings, getSelection, setPeerSelection, setAvailablePeers } ) { const { channelId, transport, caretColor } = settings; /** @type string */ @@ -115,7 +108,7 @@ async function initYDoc( { if ( isFirstInChannel ) { debug( 'first in channel' ); - doc.startSharing( { title: '', blocks: initialBlocks } ); + doc.startSharing( { title: '', blocks } ); } else { doc.connect(); } @@ -133,11 +126,11 @@ async function initYDoc( { /** * @param {object} opts - Hook options - * @param {object[]} opts.initialBlocks - Initial array of blocks used to initialize the Yjs doc. + * @param {object[]} opts.blocks * @param {OnUpdate} opts.onRemoteDataChange * @param {CollaborationSettings} [opts.settings] */ -export default function useYjs( { initialBlocks, onRemoteDataChange, settings } ) { +export default function useYjs( { blocks, onRemoteDataChange, settings } ) { const ydoc = useRef(); const applyChangesToYjs = useRef( noop ); @@ -163,7 +156,7 @@ export default function useYjs( { initialBlocks, onRemoteDataChange, settings } let onUnmount = noop; initYDoc( { - initialBlocks, + blocks, onRemoteDataChange, settings, getSelection, @@ -180,13 +173,15 @@ export default function useYjs( { initialBlocks, onRemoteDataChange, settings } applyChangesToYjs.current = debounce( ( blocks ) => { debug( 'local changes applied to ydoc' ); - // noop when collab is disabled (i.e. ydoc isn't initialized) - // @ts-ignore: Don't know how to fix :( + // noop when collab is disabled (i.e. ydoc isn't initialized) + // @ts-ignore: Don't know how to fix :( ydoc.current.applyDataChanges?.( { blocks } ); }, DEBOUNCE_WAIT_MS ); return () => onUnmount(); }, [] ); - return [ applyChangesToYjs.current ]; + useEffect( () => { + applyChangesToYjs.current( blocks ); + }, [ blocks ] ); } diff --git a/src/store/blocks/reducer.js b/src/store/blocks/reducer.js index 4ce8d53e0..cb94c80a7 100644 --- a/src/store/blocks/reducer.js +++ b/src/store/blocks/reducer.js @@ -28,6 +28,10 @@ function isNewUndo( action, state ) { return false; } + if ( ! selection ) { + return true; + } + // Not new if selection is same if ( isShallowEqual( selection, state.selection ) ) { const previousBlock = getSelectedBlock( state.blocks, selection.selectionStart ); From f8f1ec44b400e7de4fb6f0169dac196c099ee69c Mon Sep 17 00:00:00 2001 From: Lena Morita Date: Mon, 26 Jul 2021 17:41:28 +0900 Subject: [PATCH 27/53] Simplify --- src/components/block-editor-contents/use-yjs.js | 14 +++++--------- 1 file changed, 5 insertions(+), 9 deletions(-) diff --git a/src/components/block-editor-contents/use-yjs.js b/src/components/block-editor-contents/use-yjs.js index 9909b4fce..bbac8478a 100644 --- a/src/components/block-editor-contents/use-yjs.js +++ b/src/components/block-editor-contents/use-yjs.js @@ -131,7 +131,6 @@ async function initYDoc( { blocks, onRemoteDataChange, settings, getSelection, s * @param {CollaborationSettings} [opts.settings] */ export default function useYjs( { blocks, onRemoteDataChange, settings } ) { - const ydoc = useRef(); const applyChangesToYjs = useRef( noop ); const getSelection = useSelect( ( select ) => { @@ -163,20 +162,17 @@ export default function useYjs( { blocks, onRemoteDataChange, settings } ) { setPeerSelection, setAvailablePeers, } ).then( ( { doc, disconnect } ) => { - ydoc.current = doc; onUnmount = () => { debug( 'unmount' ); disconnect(); }; - } ); - applyChangesToYjs.current = debounce( ( blocks ) => { - debug( 'local changes applied to ydoc' ); + applyChangesToYjs.current = debounce( ( blocks ) => { + debug( 'local changes applied to ydoc' ); - // noop when collab is disabled (i.e. ydoc isn't initialized) - // @ts-ignore: Don't know how to fix :( - ydoc.current.applyDataChanges?.( { blocks } ); - }, DEBOUNCE_WAIT_MS ); + doc.applyDataChanges( { blocks } ); + }, DEBOUNCE_WAIT_MS ); + } ); return () => onUnmount(); }, [] ); From d104c1f929208d6626c80af07e9f89b619b2d60e Mon Sep 17 00:00:00 2001 From: Lena Morita Date: Mon, 26 Jul 2021 23:43:29 +0900 Subject: [PATCH 28/53] Fix set peer bug --- src/stories/collab/mock-transport.js | 3 ++- 1 file changed, 2 insertions(+), 1 deletion(-) diff --git a/src/stories/collab/mock-transport.js b/src/stories/collab/mock-transport.js index 4d8bedd87..d6e27b4d7 100644 --- a/src/stories/collab/mock-transport.js +++ b/src/stories/collab/mock-transport.js @@ -25,7 +25,8 @@ const mockTransport = { window.setTimeout( () => { if ( event.storageArea !== localStorage ) return; if ( event.key === 'isoEditorYjsPeers' && event.newValue ) { - setAvailablePeers( JSON.parse( event.newValue ) ); + const peersExceptMe = JSON.parse( event.newValue ).filter( ( id ) => id !== identity ); + setAvailablePeers( peersExceptMe ); } }, 0 ); } ), From f13f1b168ae56dba22709c4931054647f778c2a4 Mon Sep 17 00:00:00 2001 From: Lena Morita Date: Mon, 26 Jul 2021 23:45:57 +0900 Subject: [PATCH 29/53] Disable undo when sharing --- .../header-toolbar/index.js | 42 +++++++++++-------- src/components/block-editor/index.js | 21 ++++++++-- src/store/peers/selectors.js | 4 ++ 3 files changed, 46 insertions(+), 21 deletions(-) diff --git a/src/components/block-editor-toolbar/header-toolbar/index.js b/src/components/block-editor-toolbar/header-toolbar/index.js index 4bdb73e69..76f9ca4cd 100644 --- a/src/components/block-editor-toolbar/header-toolbar/index.js +++ b/src/components/block-editor-toolbar/header-toolbar/index.js @@ -26,26 +26,32 @@ function HeaderToolbar( props ) { const inserterButton = useRef(); const { setIsInserterOpened } = useDispatch( 'isolated/editor' ); const isMobileViewport = useViewportMatch( 'medium', '<' ); - const { hasFixedToolbar, isInserterEnabled, isTextModeEnabled, previewDeviceType, isInserterOpened } = useSelect( - ( select ) => { - const { hasInserterItems, getBlockRootClientId, getBlockSelectionEnd } = select( 'core/block-editor' ); + const { + hasFixedToolbar, + hasPeers, + isInserterEnabled, + isTextModeEnabled, + previewDeviceType, + isInserterOpened, + } = useSelect( ( select ) => { + const { hasInserterItems, getBlockRootClientId, getBlockSelectionEnd } = select( 'core/block-editor' ); - return { - hasFixedToolbar: select( 'isolated/editor' ).isFeatureActive( 'fixedToolbar' ), - // This setting (richEditingEnabled) should not live in the block editor's setting. - isInserterEnabled: - select( 'isolated/editor' ).getEditorMode() === 'visual' && - select( 'core/editor' ).getEditorSettings().richEditingEnabled && - hasInserterItems( getBlockRootClientId( getBlockSelectionEnd() ) ), - isTextModeEnabled: select( 'isolated/editor' ).getEditorMode() === 'text', - previewDeviceType: 'Desktop', - isInserterOpened: select( 'isolated/editor' ).isInserterOpened(), - }; - }, - [] - ); + return { + hasFixedToolbar: select( 'isolated/editor' ).isFeatureActive( 'fixedToolbar' ), + hasPeers: select( 'isolated/editor' ).hasPeers(), + // This setting (richEditingEnabled) should not live in the block editor's setting. + isInserterEnabled: + select( 'isolated/editor' ).getEditorMode() === 'visual' && + select( 'core/editor' ).getEditorSettings().richEditingEnabled && + hasInserterItems( getBlockRootClientId( getBlockSelectionEnd() ) ), + isTextModeEnabled: select( 'isolated/editor' ).getEditorMode() === 'text', + previewDeviceType: 'Desktop', + isInserterOpened: select( 'isolated/editor' ).isInserterOpened(), + }; + }, [] ); const isLargeViewport = useViewportMatch( 'medium' ); - const { inserter, toc, navigation, undo } = props.settings.iso.toolbar; + const { inserter, toc, navigation, undo: undoSetting } = props.settings.iso.toolbar; + const undo = undoSetting && ! hasPeers; const displayBlockToolbar = ! isLargeViewport || previewDeviceType !== 'Desktop' || hasFixedToolbar; const toolbarAriaLabel = displayBlockToolbar ? /* translators: accessibility text for the editor toolbar when Top Toolbar is on */ diff --git a/src/components/block-editor/index.js b/src/components/block-editor/index.js index da6ddb8a4..1c0527211 100644 --- a/src/components/block-editor/index.js +++ b/src/components/block-editor/index.js @@ -66,11 +66,26 @@ function BlockEditor( props ) { ); } -export default withDispatch( ( dispatch ) => { +export default withDispatch( ( dispatch, _ownProps, { select } ) => { + const hasPeers = select( 'isolated/editor' ).hasPeers; const { redo, undo } = dispatch( 'isolated/editor' ); + const maybeUndo = ( actionCreator ) => () => { + if ( hasPeers() ) { + const noticeId = 'isolated/undo-disabled'; + dispatch( 'core/notices' ).removeNotice( noticeId ); + return dispatch( 'core/notices' ).createNotice( + 'warning', + 'Undo/redo is disabled while editing with other users.', + { id: noticeId } + ); + } else { + return actionCreator(); + } + }; + return { - redo, - undo, + redo: maybeUndo( redo ), + undo: maybeUndo( undo ), }; } )( BlockEditor ); diff --git a/src/store/peers/selectors.js b/src/store/peers/selectors.js index 1de714372..dd9274ae8 100644 --- a/src/store/peers/selectors.js +++ b/src/store/peers/selectors.js @@ -1,3 +1,7 @@ export function getPeers( state ) { return state.peers; } + +export function hasPeers( state ) { + return Object.keys( state.peers ).length > 0; +} From 277a0efc40ad9901343a17c6ef0ccd5158ccec04 Mon Sep 17 00:00:00 2001 From: Lena Morita Date: Tue, 27 Jul 2021 22:18:35 +0900 Subject: [PATCH 30/53] Revert package.json spaces to tabs --- package.json | 274 +++++++++++++++++++++++++-------------------------- 1 file changed, 137 insertions(+), 137 deletions(-) diff --git a/package.json b/package.json index af0affb02..e9ee1db35 100644 --- a/package.json +++ b/package.json @@ -1,139 +1,139 @@ { - "name": "isolated-block-editor", - "version": "1.3.0", - "description": "Repackages Gutenberg's editor playground as multi-instance editor.", - "main": "build/index.js", - "module": "build-module/index.js", - "types": "build-types", - "homepage": "https://github.com/Automattic/isolated-block-editor/blob/trunk/README.md", - "repository": { - "type": "git", - "url": "https://github.com/Automattic/isolated-block-editor.git" - }, - "bugs": { - "url": "https://github.com/Automattic/isolated-block-editor/issues" - }, - "engines": { - "node": ">=12" - }, - "scripts": { - "start": "BUILD_ENV=es6 babel src --out-dir build-module --source-maps --ignore 'src/**/__tests__/*.js' --copy-files --no-copy-ignored --watch", - "build:es6": "BUILD_ENV=es6 babel src --out-dir build-module --source-maps --ignore 'src/**/__tests__/*.js','src/browser/*' --copy-files --no-copy-ignored && rm -rf build-module/browser", - "build:cjs": "BUILD_ENV=cjs babel src --out-dir build --source-maps --ignore 'src/**/__tests__/*.js','src/browser/*' --copy-files --no-copy-ignored && rm -rf build/browser", - "build:browser": "BUILD_ENV=es6 NODE_ENV=production webpack --mode production --progress --config ./webpack.config.browser.js && rm build-browser/core.js", - "build:types": "tsc --build", - "build": "yarn build:es6 && yarn build:cjs && yarn build:browser && yarn build:types", - "clean": "rm -rf build build-module build-browser build-types dist", - "dist": "yarn build && rm -rf dist && mkdir dist && zip build-browser.zip -r build-browser && mv build-browser.zip dist/isolated-block-editor.zip && release-it", - "storybook": "start-storybook -p 6006" - }, - "sideEffects": [ - "*.css", - "*.scss" - ], - "author": "Automattic", - "license": "GPL-2.0-or-later", - "dependencies": { - "@wordpress/a11y": "^3.1.1", - "@wordpress/annotations": "^2.1.2", - "@wordpress/api-fetch": "^5.1.1", - "@wordpress/autop": "^3.1.1", - "@wordpress/blob": "^3.1.1", - "@wordpress/block-editor": "^6.1.8", - "@wordpress/block-library": "^3.2.11", - "@wordpress/block-serialization-default-parser": "^4.1.1", - "@wordpress/block-serialization-spec-parser": "^4.1.1", - "@wordpress/blocks": "^9.1.4", - "@wordpress/components": "^14.1.5", - "@wordpress/compose": "^4.1.2", - "@wordpress/core-data": "^3.1.8", - "@wordpress/data": "^5.1.2", - "@wordpress/data-controls": "^2.1.2", - "@wordpress/date": "^4.1.1", - "@wordpress/deprecated": "^3.1.1", - "@wordpress/dom": "^3.1.1", - "@wordpress/dom-ready": "^3.1.1", - "@wordpress/editor": "^10.1.11", - "@wordpress/element": "^3.1.1", - "@wordpress/escape-html": "^2.1.1", - "@wordpress/format-library": "^2.1.8", - "@wordpress/hooks": "^3.1.1", - "@wordpress/html-entities": "^3.1.1", - "@wordpress/i18n": "^4.1.1", - "@wordpress/icons": "^4.0.1", - "@wordpress/interface": "^3.1.6", - "@wordpress/is-shallow-equal": "^4.1.1", - "@wordpress/keyboard-shortcuts": "^2.1.2", - "@wordpress/keycodes": "^3.1.1", - "@wordpress/list-reusable-blocks": "^2.1.5", - "@wordpress/media-utils": "^2.1.1", - "@wordpress/notices": "^3.1.2", - "@wordpress/plugins": "^3.1.2", - "@wordpress/primitives": "^2.1.1", - "@wordpress/priority-queue": "^2.1.1", - "@wordpress/react-i18n": "^2.1.1", - "@wordpress/redux-routine": "^4.1.1", - "@wordpress/reusable-blocks": "^2.1.11", - "@wordpress/rich-text": "^4.1.2", - "@wordpress/server-side-render": "^2.1.6", - "@wordpress/shortcode": "^3.1.1", - "@wordpress/token-list": "^2.1.1", - "@wordpress/url": "^3.1.1", - "@wordpress/viewport": "^3.1.2", - "@wordpress/warning": "^2.1.1", - "@wordpress/wordcount": "^3.1.1", - "asblocks": "git+https://github.com/youknowriad/asblocks", - "classnames": "^2.3.1", - "debug": "^4.3.2", - "react": "17.0.2", - "react-autosize-textarea": "^7.1.0", - "react-dom": "17.0.2", - "reakit-utils": "^0.15.1", - "redux-undo": "^1.0.1", - "refx": "^3.1.1" - }, - "devDependencies": { - "@babel/cli": "^7.14.5", - "@babel/core": "^7.14.6", - "@babel/plugin-transform-runtime": "^7.14.5", - "@babel/preset-env": "^7.14.7", - "@babel/preset-react": "^7.14.5", - "@storybook/addon-actions": "^6.3.4", - "@storybook/addon-essentials": "^6.3.4", - "@storybook/addon-links": "^6.3.4", - "@storybook/preset-scss": "^1.0.3", - "@storybook/react": "^6.3.4", - "@wordpress/babel-preset-default": "^6.2.0", - "@wordpress/prettier-config": "^1.0.5", - "@wordpress/scripts": "^16.1.3", - "babel-loader": "^8.2.2", - "babel-plugin-inline-json-import": "^0.3.2", - "css-loader": "^5.2.6", - "eslint": "^7.29.0", - "eslint-config-wpcalypso": "^6.1.0", - "eslint-plugin-import": "^2.23.4", - "eslint-plugin-inclusive-language": "^2.1.1", - "eslint-plugin-jest": "^24.3.6", - "eslint-plugin-jsdoc": "^35.4.1", - "eslint-plugin-jsx-a11y": "^6.4.1", - "eslint-plugin-react": "^7.24.0", - "eslint-plugin-wpcalypso": "^5.0.0", - "mini-css-extract-plugin": "^1.6.2", - "prettier": "npm:wp-prettier@2.2.1-beta-1", - "release-it": "^14.10.0", - "sass-loader": "^10.1.1", - "style-loader": "^2.0.0", - "typescript": "^4.3.4", - "webpack": "^5.41.0", - "webpack-cli": "^4.7.2" - }, - "release-it": { - "github": { - "release": true, - "assets": [ - "dist/isolated-block-editor.zip" - ] - }, - "npm": false - } + "name": "isolated-block-editor", + "version": "1.3.0", + "description": "Repackages Gutenberg's editor playground as multi-instance editor.", + "main": "build/index.js", + "module": "build-module/index.js", + "types": "build-types", + "homepage": "https://github.com/Automattic/isolated-block-editor/blob/trunk/README.md", + "repository": { + "type": "git", + "url": "https://github.com/Automattic/isolated-block-editor.git" + }, + "bugs": { + "url": "https://github.com/Automattic/isolated-block-editor/issues" + }, + "engines": { + "node": ">=12" + }, + "scripts": { + "start": "BUILD_ENV=es6 babel src --out-dir build-module --source-maps --ignore 'src/**/__tests__/*.js' --copy-files --no-copy-ignored --watch", + "build:es6": "BUILD_ENV=es6 babel src --out-dir build-module --source-maps --ignore 'src/**/__tests__/*.js','src/browser/*' --copy-files --no-copy-ignored && rm -rf build-module/browser", + "build:cjs": "BUILD_ENV=cjs babel src --out-dir build --source-maps --ignore 'src/**/__tests__/*.js','src/browser/*' --copy-files --no-copy-ignored && rm -rf build/browser", + "build:browser": "BUILD_ENV=es6 NODE_ENV=production webpack --mode production --progress --config ./webpack.config.browser.js && rm build-browser/core.js", + "build:types": "tsc --build", + "build": "yarn build:es6 && yarn build:cjs && yarn build:browser && yarn build:types", + "clean": "rm -rf build build-module build-browser build-types dist", + "dist": "yarn build && rm -rf dist && mkdir dist && zip build-browser.zip -r build-browser && mv build-browser.zip dist/isolated-block-editor.zip && release-it", + "storybook": "start-storybook -p 6006" + }, + "sideEffects": [ + "*.css", + "*.scss" + ], + "author": "Automattic", + "license": "GPL-2.0-or-later", + "dependencies": { + "@wordpress/a11y": "^3.1.1", + "@wordpress/annotations": "^2.1.2", + "@wordpress/api-fetch": "^5.1.1", + "@wordpress/autop": "^3.1.1", + "@wordpress/blob": "^3.1.1", + "@wordpress/block-editor": "^6.1.8", + "@wordpress/block-library": "^3.2.11", + "@wordpress/block-serialization-default-parser": "^4.1.1", + "@wordpress/block-serialization-spec-parser": "^4.1.1", + "@wordpress/blocks": "^9.1.4", + "@wordpress/components": "^14.1.5", + "@wordpress/compose": "^4.1.2", + "@wordpress/core-data": "^3.1.8", + "@wordpress/data": "^5.1.2", + "@wordpress/data-controls": "^2.1.2", + "@wordpress/date": "^4.1.1", + "@wordpress/deprecated": "^3.1.1", + "@wordpress/dom": "^3.1.1", + "@wordpress/dom-ready": "^3.1.1", + "@wordpress/editor": "^10.1.11", + "@wordpress/element": "^3.1.1", + "@wordpress/escape-html": "^2.1.1", + "@wordpress/format-library": "^2.1.8", + "@wordpress/hooks": "^3.1.1", + "@wordpress/html-entities": "^3.1.1", + "@wordpress/i18n": "^4.1.1", + "@wordpress/icons": "^4.0.1", + "@wordpress/interface": "^3.1.6", + "@wordpress/is-shallow-equal": "^4.1.1", + "@wordpress/keyboard-shortcuts": "^2.1.2", + "@wordpress/keycodes": "^3.1.1", + "@wordpress/list-reusable-blocks": "^2.1.5", + "@wordpress/media-utils": "^2.1.1", + "@wordpress/notices": "^3.1.2", + "@wordpress/plugins": "^3.1.2", + "@wordpress/primitives": "^2.1.1", + "@wordpress/priority-queue": "^2.1.1", + "@wordpress/react-i18n": "^2.1.1", + "@wordpress/redux-routine": "^4.1.1", + "@wordpress/reusable-blocks": "^2.1.11", + "@wordpress/rich-text": "^4.1.2", + "@wordpress/server-side-render": "^2.1.6", + "@wordpress/shortcode": "^3.1.1", + "@wordpress/token-list": "^2.1.1", + "@wordpress/url": "^3.1.1", + "@wordpress/viewport": "^3.1.2", + "@wordpress/warning": "^2.1.1", + "@wordpress/wordcount": "^3.1.1", + "asblocks": "git+https://github.com/youknowriad/asblocks", + "classnames": "^2.3.1", + "debug": "^4.3.2", + "react": "17.0.2", + "react-autosize-textarea": "^7.1.0", + "react-dom": "17.0.2", + "reakit-utils": "^0.15.1", + "redux-undo": "^1.0.1", + "refx": "^3.1.1" + }, + "devDependencies": { + "@babel/cli": "^7.14.5", + "@babel/core": "^7.14.6", + "@babel/plugin-transform-runtime": "^7.14.5", + "@babel/preset-env": "^7.14.7", + "@babel/preset-react": "^7.14.5", + "@storybook/addon-actions": "^6.3.4", + "@storybook/addon-essentials": "^6.3.4", + "@storybook/addon-links": "^6.3.4", + "@storybook/preset-scss": "^1.0.3", + "@storybook/react": "^6.3.4", + "@wordpress/babel-preset-default": "^6.2.0", + "@wordpress/prettier-config": "^1.0.5", + "@wordpress/scripts": "^16.1.3", + "babel-loader": "^8.2.2", + "babel-plugin-inline-json-import": "^0.3.2", + "css-loader": "^5.2.6", + "eslint": "^7.29.0", + "eslint-config-wpcalypso": "^6.1.0", + "eslint-plugin-import": "^2.23.4", + "eslint-plugin-inclusive-language": "^2.1.1", + "eslint-plugin-jest": "^24.3.6", + "eslint-plugin-jsdoc": "^35.4.1", + "eslint-plugin-jsx-a11y": "^6.4.1", + "eslint-plugin-react": "^7.24.0", + "eslint-plugin-wpcalypso": "^5.0.0", + "mini-css-extract-plugin": "^1.6.2", + "prettier": "npm:wp-prettier@2.2.1-beta-1", + "release-it": "^14.10.0", + "sass-loader": "^10.1.1", + "style-loader": "^2.0.0", + "typescript": "^4.3.4", + "webpack": "^5.41.0", + "webpack-cli": "^4.7.2" + }, + "release-it": { + "github": { + "release": true, + "assets": [ + "dist/isolated-block-editor.zip" + ] + }, + "npm": false + } } From 5f30179747a0df4999903e4b37b0d5a5ba105ed4 Mon Sep 17 00:00:00 2001 From: Lena Morita Date: Tue, 27 Jul 2021 22:27:42 +0900 Subject: [PATCH 31/53] Fixup --- package.json | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/package.json b/package.json index 1dead9b2b..89d63d703 100644 --- a/package.json +++ b/package.json @@ -19,7 +19,7 @@ "scripts": { "start": "BUILD_ENV=es6 babel src --out-dir build-module --source-maps --ignore 'src/**/__tests__/*.js' --copy-files --no-copy-ignored --watch", "build:es6": "BUILD_ENV=es6 babel src --out-dir build-module --source-maps --ignore 'src/**/__tests__/*.js','src/browser/*' --copy-files --no-copy-ignored && rm -rf build-module/browser", - "build:cjs": "BUILD_ENV=cjs babel src --out-dir build --source-maps --ignore 'src/**/__tests__/*.js','src/browser/*' --copy-files --no-copy-ignored && rm -rf build/browser", + "build:cjs": "BUILD_ENV=cjs babel src --out-dir build --source-maps --ignore 'src/**/__tests__/*.js','src/browser/*' --copy-files --no-copy-ignored && rm -rf build/browser", "build:browser": "BUILD_ENV=es6 NODE_ENV=production webpack --mode production --progress --config ./webpack.config.browser.js && rm build-browser/core.js", "build:types": "tsc --build", "build": "yarn build:es6 && yarn build:cjs && yarn build:browser && yarn build:types", From 91338fa692baf4b5f8e21cc51f4291238ce103c3 Mon Sep 17 00:00:00 2001 From: Lena Morita Date: Tue, 27 Jul 2021 22:41:48 +0900 Subject: [PATCH 32/53] Use webpack 5 for storybook --- .storybook/main.js | 2 +- package.json | 13 +- yarn.lock | 936 ++++++++++++++++++++++++++++++++++----------- 3 files changed, 730 insertions(+), 221 deletions(-) diff --git a/.storybook/main.js b/.storybook/main.js index fdfee3253..65ec75e54 100644 --- a/.storybook/main.js +++ b/.storybook/main.js @@ -1,6 +1,6 @@ module.exports = { core: { - builder: 'webpack4', + builder: 'webpack5', }, stories: [ '../src/**/*.stories.mdx', '../src/**/*.stories.@(js|jsx|ts|tsx)' ], addons: [ '@storybook/addon-links', '@storybook/addon-essentials', '@storybook/preset-scss' ], diff --git a/package.json b/package.json index 89d63d703..bb48b2a2b 100644 --- a/package.json +++ b/package.json @@ -98,11 +98,13 @@ "@babel/plugin-transform-runtime": "^7.14.5", "@babel/preset-env": "^7.14.7", "@babel/preset-react": "^7.14.5", - "@storybook/addon-actions": "^6.3.4", - "@storybook/addon-essentials": "^6.3.4", - "@storybook/addon-links": "^6.3.4", + "@storybook/addon-actions": "^6.3.6", + "@storybook/addon-essentials": "^6.3.6", + "@storybook/addon-links": "^6.3.6", + "@storybook/builder-webpack5": "^6.3.6", + "@storybook/manager-webpack5": "^6.3.6", "@storybook/preset-scss": "^1.0.3", - "@storybook/react": "^6.3.4", + "@storybook/react": "^6.3.6", "@wordpress/babel-preset-default": "^6.2.0", "@wordpress/prettier-config": "^1.0.5", "@wordpress/scripts": "^16.1.3", @@ -121,8 +123,7 @@ "mini-css-extract-plugin": "^1.6.2", "prettier": "npm:wp-prettier@2.2.1-beta-1", "release-it": "^14.10.0", - "sass-loader": "^10.1.1", - "style-loader": "^2.0.0", + "sass-loader": "^12.1.0", "typescript": "^4.3.4", "webpack": "^5.41.0", "webpack-cli": "^4.7.2" diff --git a/yarn.lock b/yarn.lock index 91fbe600d..741440073 100644 --- a/yarn.lock +++ b/yarn.lock @@ -1824,17 +1824,17 @@ dependencies: "@sinonjs/commons" "^1.7.0" -"@storybook/addon-actions@6.3.4", "@storybook/addon-actions@^6.3.4": - version "6.3.4" - resolved "https://registry.yarnpkg.com/@storybook/addon-actions/-/addon-actions-6.3.4.tgz#3dfd9ee288ce3569c6aa53092f283a39460167eb" - integrity sha512-+fTTaWepSaMeMD96zsNap0AcFUu3xyGepIucNMvkpfJfQnyYzr7S0qyjpsW84DLKHPcjujNvOOi98y7cAKV6tw== - dependencies: - "@storybook/addons" "6.3.4" - "@storybook/api" "6.3.4" - "@storybook/client-api" "6.3.4" - "@storybook/components" "6.3.4" - "@storybook/core-events" "6.3.4" - "@storybook/theming" "6.3.4" +"@storybook/addon-actions@6.3.6", "@storybook/addon-actions@^6.3.6": + version "6.3.6" + resolved "https://registry.yarnpkg.com/@storybook/addon-actions/-/addon-actions-6.3.6.tgz#691d61d6aca9c4b3edba50c531cbe4d4139ed451" + integrity sha512-1MBqCbFiupGEDyIXqFkzF4iR8AduuB7qSNduqtsFauvIkrG5bnlbg5JC7WjnixkCaaWlufgbpasEHioXO9EXGw== + dependencies: + "@storybook/addons" "6.3.6" + "@storybook/api" "6.3.6" + "@storybook/client-api" "6.3.6" + "@storybook/components" "6.3.6" + "@storybook/core-events" "6.3.6" + "@storybook/theming" "6.3.6" core-js "^3.8.2" fast-deep-equal "^3.1.3" global "^4.4.0" @@ -1847,17 +1847,17 @@ util-deprecate "^1.0.2" uuid-browser "^3.1.0" -"@storybook/addon-backgrounds@6.3.4": - version "6.3.4" - resolved "https://registry.yarnpkg.com/@storybook/addon-backgrounds/-/addon-backgrounds-6.3.4.tgz#2e506048ec5189d5ee204f6b8bc66d81fd26ad7c" - integrity sha512-Ck0AdZtAJl5sCA6qSqPUY2tEk4X2hmsiEfT/melDoSLE9s+D98CtWRfnajPtAypTlg+a81UjX0wEtWSXWKRjfg== - dependencies: - "@storybook/addons" "6.3.4" - "@storybook/api" "6.3.4" - "@storybook/client-logger" "6.3.4" - "@storybook/components" "6.3.4" - "@storybook/core-events" "6.3.4" - "@storybook/theming" "6.3.4" +"@storybook/addon-backgrounds@6.3.6": + version "6.3.6" + resolved "https://registry.yarnpkg.com/@storybook/addon-backgrounds/-/addon-backgrounds-6.3.6.tgz#93128e6ebfcb953a83cc2165056dd5815d32cef2" + integrity sha512-1lBVAem2M+ggb1UNVgB7/56LaQAor9lI8q0xtQdAzAkt9K4RbbOsLGRhyUm3QH5OiB3qHHG5WQBujWUD6Qfy4g== + dependencies: + "@storybook/addons" "6.3.6" + "@storybook/api" "6.3.6" + "@storybook/client-logger" "6.3.6" + "@storybook/components" "6.3.6" + "@storybook/core-events" "6.3.6" + "@storybook/theming" "6.3.6" core-js "^3.8.2" global "^4.4.0" memoizerific "^1.11.3" @@ -1865,24 +1865,24 @@ ts-dedent "^2.0.0" util-deprecate "^1.0.2" -"@storybook/addon-controls@6.3.4": - version "6.3.4" - resolved "https://registry.yarnpkg.com/@storybook/addon-controls/-/addon-controls-6.3.4.tgz#7849905a0ec56fbea7608c15c08f872211b3a878" - integrity sha512-+MIKcWqsIF6vLoKxukK2m6ADYwyNHOmaMgnJSHKlcNKc7Qxv2w0FZJxIjjkWHXRBIC5MQXxv7/L4sY+EnPdjyg== - dependencies: - "@storybook/addons" "6.3.4" - "@storybook/api" "6.3.4" - "@storybook/client-api" "6.3.4" - "@storybook/components" "6.3.4" - "@storybook/node-logger" "6.3.4" - "@storybook/theming" "6.3.4" +"@storybook/addon-controls@6.3.6": + version "6.3.6" + resolved "https://registry.yarnpkg.com/@storybook/addon-controls/-/addon-controls-6.3.6.tgz#2f8071e5b521375aace60af96e33a19f016581c9" + integrity sha512-wTWmnZl2qEAUqgLh8a7TL5f6w37Q51lAoJNlwxFFBSKtGS7xFUnou4qTUArNy5iKu1cWoVvofJ9RnP1maGByYA== + dependencies: + "@storybook/addons" "6.3.6" + "@storybook/api" "6.3.6" + "@storybook/client-api" "6.3.6" + "@storybook/components" "6.3.6" + "@storybook/node-logger" "6.3.6" + "@storybook/theming" "6.3.6" core-js "^3.8.2" ts-dedent "^2.0.0" -"@storybook/addon-docs@6.3.4": - version "6.3.4" - resolved "https://registry.yarnpkg.com/@storybook/addon-docs/-/addon-docs-6.3.4.tgz#e6dd9026b28d2d007bda7dc3fbcf2d404982939a" - integrity sha512-KoC6GImsC5ZVvco228Jw3+1k/eGeDabjF3+V4In4rPWnOyv0qsFIlE7wcwOCRKcGrPfkBSCWYajH/h+rD0bzUw== +"@storybook/addon-docs@6.3.6": + version "6.3.6" + resolved "https://registry.yarnpkg.com/@storybook/addon-docs/-/addon-docs-6.3.6.tgz#85b8a72b91f9c43edfaf21c416a9b01ad0e06ea4" + integrity sha512-/ZPB9u3lfc6ZUrgt9HENU1BxAHNfTbh9r2LictQ8o9gYE/BqvZutl2zqilTpVuutQtTgQ6JycVhxtpk9+TDcuA== dependencies: "@babel/core" "^7.12.10" "@babel/generator" "^7.12.11" @@ -1893,20 +1893,20 @@ "@mdx-js/loader" "^1.6.22" "@mdx-js/mdx" "^1.6.22" "@mdx-js/react" "^1.6.22" - "@storybook/addons" "6.3.4" - "@storybook/api" "6.3.4" - "@storybook/builder-webpack4" "6.3.4" - "@storybook/client-api" "6.3.4" - "@storybook/client-logger" "6.3.4" - "@storybook/components" "6.3.4" - "@storybook/core" "6.3.4" - "@storybook/core-events" "6.3.4" + "@storybook/addons" "6.3.6" + "@storybook/api" "6.3.6" + "@storybook/builder-webpack4" "6.3.6" + "@storybook/client-api" "6.3.6" + "@storybook/client-logger" "6.3.6" + "@storybook/components" "6.3.6" + "@storybook/core" "6.3.6" + "@storybook/core-events" "6.3.6" "@storybook/csf" "0.0.1" - "@storybook/csf-tools" "6.3.4" - "@storybook/node-logger" "6.3.4" - "@storybook/postinstall" "6.3.4" - "@storybook/source-loader" "6.3.4" - "@storybook/theming" "6.3.4" + "@storybook/csf-tools" "6.3.6" + "@storybook/node-logger" "6.3.6" + "@storybook/postinstall" "6.3.6" + "@storybook/source-loader" "6.3.6" + "@storybook/theming" "6.3.6" acorn "^7.4.1" acorn-jsx "^5.3.1" acorn-walk "^7.2.0" @@ -1929,36 +1929,36 @@ ts-dedent "^2.0.0" util-deprecate "^1.0.2" -"@storybook/addon-essentials@^6.3.4": - version "6.3.4" - resolved "https://registry.yarnpkg.com/@storybook/addon-essentials/-/addon-essentials-6.3.4.tgz#2456c81c939b64918f16d851fd5e52234efa94c5" - integrity sha512-z06IhJaHkledTPc1TdkMikDwcJhPQZCEoQftSj0MwjafdjntYUbNYsGlD40Lo/wmEW4OtUiHOx/3TWaC1WiIbw== +"@storybook/addon-essentials@^6.3.6": + version "6.3.6" + resolved "https://registry.yarnpkg.com/@storybook/addon-essentials/-/addon-essentials-6.3.6.tgz#29f5249daee086fe2d14c899ae61712b8c8fbcbd" + integrity sha512-FUrpCeINaN4L9L81FswtQFEq2xLwj3W7EyhmqsZcYSr64nscpQyjlPVjs5zhrEanOGIf+4E+mBmWafxbYufXwQ== dependencies: - "@storybook/addon-actions" "6.3.4" - "@storybook/addon-backgrounds" "6.3.4" - "@storybook/addon-controls" "6.3.4" - "@storybook/addon-docs" "6.3.4" + "@storybook/addon-actions" "6.3.6" + "@storybook/addon-backgrounds" "6.3.6" + "@storybook/addon-controls" "6.3.6" + "@storybook/addon-docs" "6.3.6" "@storybook/addon-measure" "^2.0.0" - "@storybook/addon-toolbars" "6.3.4" - "@storybook/addon-viewport" "6.3.4" - "@storybook/addons" "6.3.4" - "@storybook/api" "6.3.4" - "@storybook/node-logger" "6.3.4" + "@storybook/addon-toolbars" "6.3.6" + "@storybook/addon-viewport" "6.3.6" + "@storybook/addons" "6.3.6" + "@storybook/api" "6.3.6" + "@storybook/node-logger" "6.3.6" core-js "^3.8.2" regenerator-runtime "^0.13.7" storybook-addon-outline "^1.4.1" ts-dedent "^2.0.0" -"@storybook/addon-links@^6.3.4": - version "6.3.4" - resolved "https://registry.yarnpkg.com/@storybook/addon-links/-/addon-links-6.3.4.tgz#2ec5b7532e67303b7ec693ecc22a6c4feac93cb3" - integrity sha512-qIey6kNcrg43vsmMmEGXGMbO1Wjqc6hbcMaLstUn3xN29vZnjUcv7PVPFlJsBBYIxW7gXBtRmqjdxN5UD0bvZA== +"@storybook/addon-links@^6.3.6": + version "6.3.6" + resolved "https://registry.yarnpkg.com/@storybook/addon-links/-/addon-links-6.3.6.tgz#dc410d5b4a0d222b6b8d0ef03da7a4c16919c092" + integrity sha512-PaeAJTjwtPlhrLZlaSQ1YIFA8V0C1yI0dc351lPbTiE7fJ7DwTE03K6xIF/jEdTo+xzhi2PM1Fgvi/SsSecI8w== dependencies: - "@storybook/addons" "6.3.4" - "@storybook/client-logger" "6.3.4" - "@storybook/core-events" "6.3.4" + "@storybook/addons" "6.3.6" + "@storybook/client-logger" "6.3.6" + "@storybook/core-events" "6.3.6" "@storybook/csf" "0.0.1" - "@storybook/router" "6.3.4" + "@storybook/router" "6.3.6" "@types/qs" "^6.9.5" core-js "^3.8.2" global "^4.4.0" @@ -1972,37 +1972,52 @@ resolved "https://registry.yarnpkg.com/@storybook/addon-measure/-/addon-measure-2.0.0.tgz#c40bbe91bacd3f795963dc1ee6ff86be87deeda9" integrity sha512-ZhdT++cX+L9LwjhGYggvYUUVQH/MGn2rwbrAwCMzA/f2QTFvkjxzX8nDgMxIhaLCDC+gHIxfJG2wrWN0jkBr3g== -"@storybook/addon-toolbars@6.3.4": - version "6.3.4" - resolved "https://registry.yarnpkg.com/@storybook/addon-toolbars/-/addon-toolbars-6.3.4.tgz#fddf547ea447679b7c02ecb659f602809cec58d0" - integrity sha512-QN3EWTQzlUa3VQG9YIJu79Hi1O3Kpft4QRFZZpv7dmLT0Hi8jOe4tFoTrFD1VMJyjQJ45iFOhexu6V2HwonHAQ== +"@storybook/addon-toolbars@6.3.6": + version "6.3.6" + resolved "https://registry.yarnpkg.com/@storybook/addon-toolbars/-/addon-toolbars-6.3.6.tgz#41f5f29988260d2aad9431b7a91f57e848c3e0bf" + integrity sha512-VpwkMtvT/4KNjqdO2SCkFw4koMgYN2k8hckbTGRzuUYYTHBvl9yK4q0A7RELEnkm/tsmDI1TjenV/MBifp2Aiw== dependencies: - "@storybook/addons" "6.3.4" - "@storybook/api" "6.3.4" - "@storybook/client-api" "6.3.4" - "@storybook/components" "6.3.4" - "@storybook/theming" "6.3.4" + "@storybook/addons" "6.3.6" + "@storybook/api" "6.3.6" + "@storybook/client-api" "6.3.6" + "@storybook/components" "6.3.6" + "@storybook/theming" "6.3.6" core-js "^3.8.2" regenerator-runtime "^0.13.7" -"@storybook/addon-viewport@6.3.4": - version "6.3.4" - resolved "https://registry.yarnpkg.com/@storybook/addon-viewport/-/addon-viewport-6.3.4.tgz#9ea72c6fc37efde6d5a3f0fe0368b90c2572afd1" - integrity sha512-6h52s1F+MkIkdAuUgmDv4L9aYRMPB+8gWnPGbBAkm8PsHglddr1QkWZAG7yZJR1+mm4oM5oCyRMvZ0V/oKePhg== - dependencies: - "@storybook/addons" "6.3.4" - "@storybook/api" "6.3.4" - "@storybook/client-logger" "6.3.4" - "@storybook/components" "6.3.4" - "@storybook/core-events" "6.3.4" - "@storybook/theming" "6.3.4" +"@storybook/addon-viewport@6.3.6": + version "6.3.6" + resolved "https://registry.yarnpkg.com/@storybook/addon-viewport/-/addon-viewport-6.3.6.tgz#9117316e918559d389a19571166579858b25b09b" + integrity sha512-Z5eztFFGd6vd+38sDurfTkIr9lY6EYWtMJzr5efedRZGg2IZLXZxQCoyjKEB29VB/IIjHEYHhHSh4SFsHT/m6g== + dependencies: + "@storybook/addons" "6.3.6" + "@storybook/api" "6.3.6" + "@storybook/client-logger" "6.3.6" + "@storybook/components" "6.3.6" + "@storybook/core-events" "6.3.6" + "@storybook/theming" "6.3.6" core-js "^3.8.2" global "^4.4.0" memoizerific "^1.11.3" prop-types "^15.7.2" regenerator-runtime "^0.13.7" -"@storybook/addons@6.3.4", "@storybook/addons@^6.3.0": +"@storybook/addons@6.3.6": + version "6.3.6" + resolved "https://registry.yarnpkg.com/@storybook/addons/-/addons-6.3.6.tgz#330fd722bdae8abefeb029583e89e51e62c20b60" + integrity sha512-tVV0vqaEEN9Md4bgScwfrnZYkN8iKZarpkIOFheLev+PHjSp8lgWMK5SNWDlbBYqfQfzrz9xbs+F07bMjfx9jQ== + dependencies: + "@storybook/api" "6.3.6" + "@storybook/channels" "6.3.6" + "@storybook/client-logger" "6.3.6" + "@storybook/core-events" "6.3.6" + "@storybook/router" "6.3.6" + "@storybook/theming" "6.3.6" + core-js "^3.8.2" + global "^4.4.0" + regenerator-runtime "^0.13.7" + +"@storybook/addons@^6.3.0": version "6.3.4" resolved "https://registry.yarnpkg.com/@storybook/addons/-/addons-6.3.4.tgz#016c5c3e36c78a320eb8b022cf7fe556d81577c2" integrity sha512-rf8K8X3JrB43gq5nw5SYgfucQkFg2QgUMWdByf7dQ4MyIl5zet+2MYiSXJ9lfbhGKJZ8orc81rmMtiocW4oBjg== @@ -2043,10 +2058,36 @@ ts-dedent "^2.0.0" util-deprecate "^1.0.2" -"@storybook/builder-webpack4@6.3.4": - version "6.3.4" - resolved "https://registry.yarnpkg.com/@storybook/builder-webpack4/-/builder-webpack4-6.3.4.tgz#f798d50312d7c70b1d3e9e65d2551d80be9e11dd" - integrity sha512-fDExaPYseRmb/vmxIj+DrbAvUg9reodN32Ssb2wTD4u+ZV5VZ/TDEgYuGqi/Hz/9CLAKtM4DEhMj/9TTILm/Rw== +"@storybook/api@6.3.6": + version "6.3.6" + resolved "https://registry.yarnpkg.com/@storybook/api/-/api-6.3.6.tgz#b110688ae0a970c9443d47b87616a09456f3708e" + integrity sha512-F5VuR1FrEwD51OO/EDDAZXNfF5XmJedYHJLwwCB4az2ZMrzG45TxGRmiEohrSTO6wAHGkAvjlEoX5jWOCqQ4pw== + dependencies: + "@reach/router" "^1.3.4" + "@storybook/channels" "6.3.6" + "@storybook/client-logger" "6.3.6" + "@storybook/core-events" "6.3.6" + "@storybook/csf" "0.0.1" + "@storybook/router" "6.3.6" + "@storybook/semver" "^7.3.2" + "@storybook/theming" "6.3.6" + "@types/reach__router" "^1.3.7" + core-js "^3.8.2" + fast-deep-equal "^3.1.3" + global "^4.4.0" + lodash "^4.17.20" + memoizerific "^1.11.3" + qs "^6.10.0" + regenerator-runtime "^0.13.7" + store2 "^2.12.0" + telejson "^5.3.2" + ts-dedent "^2.0.0" + util-deprecate "^1.0.2" + +"@storybook/builder-webpack4@6.3.6": + version "6.3.6" + resolved "https://registry.yarnpkg.com/@storybook/builder-webpack4/-/builder-webpack4-6.3.6.tgz#fe444abfc178e005ea077e2bcfd6ae7509522908" + integrity sha512-LhTPQQowS2t6BRnyfusWZLbhjjf54/HiQyovJTTDnqrCiO6QoCMbVnp79LeO1aSkpQCKoeqOZ7TzH87fCytnZA== dependencies: "@babel/core" "^7.12.10" "@babel/plugin-proposal-class-properties" "^7.12.1" @@ -2069,20 +2110,20 @@ "@babel/preset-env" "^7.12.11" "@babel/preset-react" "^7.12.10" "@babel/preset-typescript" "^7.12.7" - "@storybook/addons" "6.3.4" - "@storybook/api" "6.3.4" - "@storybook/channel-postmessage" "6.3.4" - "@storybook/channels" "6.3.4" - "@storybook/client-api" "6.3.4" - "@storybook/client-logger" "6.3.4" - "@storybook/components" "6.3.4" - "@storybook/core-common" "6.3.4" - "@storybook/core-events" "6.3.4" - "@storybook/node-logger" "6.3.4" - "@storybook/router" "6.3.4" + "@storybook/addons" "6.3.6" + "@storybook/api" "6.3.6" + "@storybook/channel-postmessage" "6.3.6" + "@storybook/channels" "6.3.6" + "@storybook/client-api" "6.3.6" + "@storybook/client-logger" "6.3.6" + "@storybook/components" "6.3.6" + "@storybook/core-common" "6.3.6" + "@storybook/core-events" "6.3.6" + "@storybook/node-logger" "6.3.6" + "@storybook/router" "6.3.6" "@storybook/semver" "^7.3.2" - "@storybook/theming" "6.3.4" - "@storybook/ui" "6.3.4" + "@storybook/theming" "6.3.6" + "@storybook/ui" "6.3.6" "@types/node" "^14.0.10" "@types/webpack" "^4.41.26" autoprefixer "^9.8.6" @@ -2119,14 +2160,76 @@ webpack-hot-middleware "^2.25.0" webpack-virtual-modules "^0.2.2" -"@storybook/channel-postmessage@6.3.4": - version "6.3.4" - resolved "https://registry.yarnpkg.com/@storybook/channel-postmessage/-/channel-postmessage-6.3.4.tgz#1a0000aefc9494d5585a1d2c7bdb75f540965f70" - integrity sha512-UIHNrMD9ZaT249nkKXibqRjKEoqfeFJk5HKW2W17/Z/imVcKG9THBnRJ7cb+r7LqS8Yoh+Q87ycRqcPVLRJ/Xw== +"@storybook/builder-webpack5@^6.3.6": + version "6.3.6" + resolved "https://registry.yarnpkg.com/@storybook/builder-webpack5/-/builder-webpack5-6.3.6.tgz#3679df2d78b067b8c903fab2cd2523e1e9361ce4" + integrity sha512-66Yk3YsvPXRKcBiWLBR3poVTtMSnJW8CmVsFbKHjpP9LZ8qT+YTmLnXhFhZWSzfSAv3dWvKUEyJftuPIxSJl5A== dependencies: - "@storybook/channels" "6.3.4" - "@storybook/client-logger" "6.3.4" - "@storybook/core-events" "6.3.4" + "@babel/core" "^7.12.10" + "@babel/plugin-proposal-class-properties" "^7.12.1" + "@babel/plugin-proposal-decorators" "^7.12.12" + "@babel/plugin-proposal-export-default-from" "^7.12.1" + "@babel/plugin-proposal-nullish-coalescing-operator" "^7.12.1" + "@babel/plugin-proposal-object-rest-spread" "^7.12.1" + "@babel/plugin-proposal-optional-chaining" "^7.12.7" + "@babel/plugin-proposal-private-methods" "^7.12.1" + "@babel/plugin-syntax-dynamic-import" "^7.8.3" + "@babel/plugin-transform-arrow-functions" "^7.12.1" + "@babel/plugin-transform-block-scoping" "^7.12.12" + "@babel/plugin-transform-classes" "^7.12.1" + "@babel/plugin-transform-destructuring" "^7.12.1" + "@babel/plugin-transform-for-of" "^7.12.1" + "@babel/plugin-transform-parameters" "^7.12.1" + "@babel/plugin-transform-shorthand-properties" "^7.12.1" + "@babel/plugin-transform-spread" "^7.12.1" + "@babel/preset-env" "^7.12.11" + "@babel/preset-react" "^7.12.10" + "@babel/preset-typescript" "^7.12.7" + "@storybook/addons" "6.3.6" + "@storybook/api" "6.3.6" + "@storybook/channel-postmessage" "6.3.6" + "@storybook/channels" "6.3.6" + "@storybook/client-api" "6.3.6" + "@storybook/client-logger" "6.3.6" + "@storybook/components" "6.3.6" + "@storybook/core-common" "6.3.6" + "@storybook/core-events" "6.3.6" + "@storybook/node-logger" "6.3.6" + "@storybook/router" "6.3.6" + "@storybook/semver" "^7.3.2" + "@storybook/theming" "6.3.6" + "@types/node" "^14.0.10" + babel-loader "^8.2.2" + babel-plugin-macros "^3.0.1" + babel-plugin-polyfill-corejs3 "^0.1.0" + case-sensitive-paths-webpack-plugin "^2.3.0" + core-js "^3.8.2" + css-loader "^5.0.1" + dotenv-webpack "^7.0.0" + fork-ts-checker-webpack-plugin "^6.0.4" + fs-extra "^9.0.1" + glob "^7.1.6" + glob-promise "^3.4.0" + html-webpack-plugin "^5.0.0" + react-dev-utils "^11.0.3" + stable "^0.1.8" + style-loader "^2.0.0" + terser-webpack-plugin "^5.0.3" + ts-dedent "^2.0.0" + util-deprecate "^1.0.2" + webpack "^5.9.0" + webpack-dev-middleware "^4.1.0" + webpack-hot-middleware "^2.25.0" + webpack-virtual-modules "^0.4.1" + +"@storybook/channel-postmessage@6.3.6": + version "6.3.6" + resolved "https://registry.yarnpkg.com/@storybook/channel-postmessage/-/channel-postmessage-6.3.6.tgz#f29c3678161462428e78c9cfed2da11ffca4acb0" + integrity sha512-GK7hXnaa+1pxEeMpREDzAZ3+2+k1KN1lbrZf+V7Kc1JZv1/Ji/vxk8AgxwiuzPAMx5J0yh/FduPscIPZ87Pibw== + dependencies: + "@storybook/channels" "6.3.6" + "@storybook/client-logger" "6.3.6" + "@storybook/core-events" "6.3.6" core-js "^3.8.2" global "^4.4.0" qs "^6.10.0" @@ -2141,16 +2244,25 @@ ts-dedent "^2.0.0" util-deprecate "^1.0.2" -"@storybook/client-api@6.3.4": - version "6.3.4" - resolved "https://registry.yarnpkg.com/@storybook/client-api/-/client-api-6.3.4.tgz#7dd6dda0126012ed37fa885642973cc75366b5a8" - integrity sha512-lOrfz8ic3+nHZzqIdNH2I7Q3Wp0kS/Ic0PD/3QKvI2f6iVIapIjjWW1xAuor80Dl7rMhOn8zxgXta+7G7Pn2yQ== +"@storybook/channels@6.3.6": + version "6.3.6" + resolved "https://registry.yarnpkg.com/@storybook/channels/-/channels-6.3.6.tgz#a258764ed78fd836ff90489ae74ac055312bf056" + integrity sha512-gCIQVr+dS/tg3AyCxIvkOXMVAs08BCIHXsaa2+XzmacnJBSP+CEHtI6IZ8WEv7tzZuXOiKLVg+wugeIh4j2I4g== dependencies: - "@storybook/addons" "6.3.4" - "@storybook/channel-postmessage" "6.3.4" - "@storybook/channels" "6.3.4" - "@storybook/client-logger" "6.3.4" - "@storybook/core-events" "6.3.4" + core-js "^3.8.2" + ts-dedent "^2.0.0" + util-deprecate "^1.0.2" + +"@storybook/client-api@6.3.6": + version "6.3.6" + resolved "https://registry.yarnpkg.com/@storybook/client-api/-/client-api-6.3.6.tgz#4826ce366ae109f608da6ade24b29efeb9b7f7dd" + integrity sha512-Q/bWuH691L6k7xkiKtBmZo8C+ijgmQ+vc2Fz8pzIRZuMV8ROL74qhrS4BMKV4LhiYm4f8todtWfaQPBjawZMIA== + dependencies: + "@storybook/addons" "6.3.6" + "@storybook/channel-postmessage" "6.3.6" + "@storybook/channels" "6.3.6" + "@storybook/client-logger" "6.3.6" + "@storybook/core-events" "6.3.6" "@storybook/csf" "0.0.1" "@types/qs" "^6.9.5" "@types/webpack-env" "^1.16.0" @@ -2173,7 +2285,45 @@ core-js "^3.8.2" global "^4.4.0" -"@storybook/components@6.3.4", "@storybook/components@^6.3.0": +"@storybook/client-logger@6.3.6": + version "6.3.6" + resolved "https://registry.yarnpkg.com/@storybook/client-logger/-/client-logger-6.3.6.tgz#020ba518ab8286194ce103a6ff91767042e296c0" + integrity sha512-qpXQ52ylxPm7l3+WAteV42NmqWA+L1FaJhMOvm2gwl3PxRd2cNXn2BwEhw++eA6qmJH/7mfOKXG+K+QQwOTpRA== + dependencies: + core-js "^3.8.2" + global "^4.4.0" + +"@storybook/components@6.3.6": + version "6.3.6" + resolved "https://registry.yarnpkg.com/@storybook/components/-/components-6.3.6.tgz#bc2fa1dbe59f42b5b2aeb9f84424072835d4ce8b" + integrity sha512-aZkmtAY8b+LFXG6dVp6cTS6zGJuxkHRHcesRSWRQPxtgitaz1G58clRHxbKPRokfjPHNgYA3snogyeqxSA7YNQ== + dependencies: + "@popperjs/core" "^2.6.0" + "@storybook/client-logger" "6.3.6" + "@storybook/csf" "0.0.1" + "@storybook/theming" "6.3.6" + "@types/color-convert" "^2.0.0" + "@types/overlayscrollbars" "^1.12.0" + "@types/react-syntax-highlighter" "11.0.5" + color-convert "^2.0.1" + core-js "^3.8.2" + fast-deep-equal "^3.1.3" + global "^4.4.0" + lodash "^4.17.20" + markdown-to-jsx "^7.1.3" + memoizerific "^1.11.3" + overlayscrollbars "^1.13.1" + polished "^4.0.5" + prop-types "^15.7.2" + react-colorful "^5.1.2" + react-popper-tooltip "^3.1.1" + react-syntax-highlighter "^13.5.3" + react-textarea-autosize "^8.3.0" + regenerator-runtime "^0.13.7" + ts-dedent "^2.0.0" + util-deprecate "^1.0.2" + +"@storybook/components@^6.3.0": version "6.3.4" resolved "https://registry.yarnpkg.com/@storybook/components/-/components-6.3.4.tgz#c872ec267edf315eaada505be8595c70eb6db09b" integrity sha512-0hBKTkkQbW+daaA6nRedkviPr2bEzy1kwq0H5eaLKI1zYeXN3U5Z8fVhO137PPqH5LmLietrmTPkqiljUBk9ug== @@ -2203,18 +2353,18 @@ ts-dedent "^2.0.0" util-deprecate "^1.0.2" -"@storybook/core-client@6.3.4": - version "6.3.4" - resolved "https://registry.yarnpkg.com/@storybook/core-client/-/core-client-6.3.4.tgz#ac75ede84f4ce87c7fc3b31a5d7f602fa712f845" - integrity sha512-DIxDWnSoUEwqyu01EygoAhkNwvEIIooFXZleTesZYkjAbEQJJ6KUmgehaVC9BKoTKYf2OQW6HdFkqrW034n93g== +"@storybook/core-client@6.3.6": + version "6.3.6" + resolved "https://registry.yarnpkg.com/@storybook/core-client/-/core-client-6.3.6.tgz#7def721aa15d4faaff574780d30b92055db7261c" + integrity sha512-Bq86flEdXdMNbdHrGMNQ6OT1tcBQU8ym56d+nG46Ctjf5GN+Dl+rPtRWuu7cIZs10KgqJH+86DXp+tvpQIDidg== dependencies: - "@storybook/addons" "6.3.4" - "@storybook/channel-postmessage" "6.3.4" - "@storybook/client-api" "6.3.4" - "@storybook/client-logger" "6.3.4" - "@storybook/core-events" "6.3.4" + "@storybook/addons" "6.3.6" + "@storybook/channel-postmessage" "6.3.6" + "@storybook/client-api" "6.3.6" + "@storybook/client-logger" "6.3.6" + "@storybook/core-events" "6.3.6" "@storybook/csf" "0.0.1" - "@storybook/ui" "6.3.4" + "@storybook/ui" "6.3.6" airbnb-js-shims "^2.2.1" ansi-to-html "^0.6.11" core-js "^3.8.2" @@ -2226,10 +2376,10 @@ unfetch "^4.2.0" util-deprecate "^1.0.2" -"@storybook/core-common@6.3.4": - version "6.3.4" - resolved "https://registry.yarnpkg.com/@storybook/core-common/-/core-common-6.3.4.tgz#b51fe790d1c9e664ce4b70c685911c7951832476" - integrity sha512-RL+Q7RMbCQrqNMi+pKB1IdtoUnRY6PuEnabcbaUrQBkc+DyR6Q8iOz71NR3PxRZgVbHNwlN8QEroeF31PFzUEg== +"@storybook/core-common@6.3.6": + version "6.3.6" + resolved "https://registry.yarnpkg.com/@storybook/core-common/-/core-common-6.3.6.tgz#da8eed703b609968e15177446f0f1609d1d6d0d0" + integrity sha512-nHolFOmTPymI50j180bCtcf1UJZ2eOnYaECRtHvVrCUod5KFF7wh2EHrgWoKqrKrsn84UOY/LkX2C2WkbYtWRg== dependencies: "@babel/core" "^7.12.10" "@babel/plugin-proposal-class-properties" "^7.12.1" @@ -2252,7 +2402,7 @@ "@babel/preset-react" "^7.12.10" "@babel/preset-typescript" "^7.12.7" "@babel/register" "^7.12.1" - "@storybook/node-logger" "6.3.4" + "@storybook/node-logger" "6.3.6" "@storybook/semver" "^7.3.2" "@types/glob-base" "^0.3.0" "@types/micromatch" "^4.0.1" @@ -2287,17 +2437,24 @@ dependencies: core-js "^3.8.2" -"@storybook/core-server@6.3.4": - version "6.3.4" - resolved "https://registry.yarnpkg.com/@storybook/core-server/-/core-server-6.3.4.tgz#03f931d938061b7b14c154167d8639ad36512e48" - integrity sha512-BIhTYoLbxd8RY1wVji3WbEaZ1LxhccZhF/q2jviXRCdeBQqFcFFvMjRixrGFnr8/FTh06pSSoD8XsIMyK5y9fA== - dependencies: - "@storybook/builder-webpack4" "6.3.4" - "@storybook/core-client" "6.3.4" - "@storybook/core-common" "6.3.4" - "@storybook/csf-tools" "6.3.4" - "@storybook/manager-webpack4" "6.3.4" - "@storybook/node-logger" "6.3.4" +"@storybook/core-events@6.3.6": + version "6.3.6" + resolved "https://registry.yarnpkg.com/@storybook/core-events/-/core-events-6.3.6.tgz#c4a09e2c703170995604d63e46e45adc3c9cd759" + integrity sha512-Ut1dz96bJ939oSn5t1ckPXd3WcFejK96Sb3+R/z23vEHUWGBFtygGyw8r/SX/WNDVzGmQU8c+mzJJTZwCBJz8A== + dependencies: + core-js "^3.8.2" + +"@storybook/core-server@6.3.6": + version "6.3.6" + resolved "https://registry.yarnpkg.com/@storybook/core-server/-/core-server-6.3.6.tgz#43c1415573c3b72ec6b9ae48d68e1bb446722f7c" + integrity sha512-47ZcfxYn7t891oAMG98iH1BQIgQT9Yk/2BBNVCWY43Ong+ME1xJ6j4C/jkRUOseP7URlfLUQsUYKAYJNVijDvg== + dependencies: + "@storybook/builder-webpack4" "6.3.6" + "@storybook/core-client" "6.3.6" + "@storybook/core-common" "6.3.6" + "@storybook/csf-tools" "6.3.6" + "@storybook/manager-webpack4" "6.3.6" + "@storybook/node-logger" "6.3.6" "@storybook/semver" "^7.3.2" "@types/node" "^14.0.10" "@types/node-fetch" "^2.5.7" @@ -2326,18 +2483,18 @@ util-deprecate "^1.0.2" webpack "4" -"@storybook/core@6.3.4": - version "6.3.4" - resolved "https://registry.yarnpkg.com/@storybook/core/-/core-6.3.4.tgz#340c8201180004a067f9ac90f0451cdd4f98b6ad" - integrity sha512-OmzcTKYFLr9KaFnC0JF1Hb/zy7Y7HKrL5FUrcQdJz1td/8Kb6woH9CXAPhX39HUrTNNu69BdM1qQGbzd37j4dA== +"@storybook/core@6.3.6": + version "6.3.6" + resolved "https://registry.yarnpkg.com/@storybook/core/-/core-6.3.6.tgz#604419d346433103675901b3736bfa1ed9bc534f" + integrity sha512-y71VvVEbqCpG28fDBnfNg3RnUPnicwFYq9yuoFVRF0LYcJCy5cYhkIfW3JG8mN2m0P+LzH80mt2Rj6xlSXrkdQ== dependencies: - "@storybook/core-client" "6.3.4" - "@storybook/core-server" "6.3.4" + "@storybook/core-client" "6.3.6" + "@storybook/core-server" "6.3.6" -"@storybook/csf-tools@6.3.4": - version "6.3.4" - resolved "https://registry.yarnpkg.com/@storybook/csf-tools/-/csf-tools-6.3.4.tgz#5c5df4fcb2bbb71cd6c04b2936ff2d6501562c24" - integrity sha512-q7+owEWlQa7e/YOt8HXqOvNbtk28YqFOt5/RliXr8s6w7KY7PAlXWckdSBThVSHQnpbk6Fzb0RPqNjxM+qEXiw== +"@storybook/csf-tools@6.3.6": + version "6.3.6" + resolved "https://registry.yarnpkg.com/@storybook/csf-tools/-/csf-tools-6.3.6.tgz#603d9e832f946998b75ff8368fe862375d6cb52c" + integrity sha512-MQevelkEUVNCSjKMXLNc/G8q/BB5babPnSeI0IcJq4k+kLUSHtviimLNpPowMgGJBPx/y9VihH8N7vdJUWVj9w== dependencies: "@babel/generator" "^7.12.11" "@babel/parser" "^7.12.11" @@ -2361,20 +2518,20 @@ dependencies: lodash "^4.17.15" -"@storybook/manager-webpack4@6.3.4": - version "6.3.4" - resolved "https://registry.yarnpkg.com/@storybook/manager-webpack4/-/manager-webpack4-6.3.4.tgz#001635efa3ebcf7aefa330af69aebeb87b1388e2" - integrity sha512-iH6cXhHcHC2RZEhbhtUhvPzAz5zLZQsZo/l+iNqynNvpXcSxvRuh+dytGBy7Np8yzYeaIenU43nNXm85SewdlQ== +"@storybook/manager-webpack4@6.3.6": + version "6.3.6" + resolved "https://registry.yarnpkg.com/@storybook/manager-webpack4/-/manager-webpack4-6.3.6.tgz#a5334aa7ae1e048bca8f4daf868925d7054fb715" + integrity sha512-qh/jV4b6mFRpRFfhk1JSyO2gKRz8PLPvDt2AD52/bTAtNRzypKoiWqyZNR2CJ9hgNQtDrk2CO3eKPrcdKYGizQ== dependencies: "@babel/core" "^7.12.10" "@babel/plugin-transform-template-literals" "^7.12.1" "@babel/preset-react" "^7.12.10" - "@storybook/addons" "6.3.4" - "@storybook/core-client" "6.3.4" - "@storybook/core-common" "6.3.4" - "@storybook/node-logger" "6.3.4" - "@storybook/theming" "6.3.4" - "@storybook/ui" "6.3.4" + "@storybook/addons" "6.3.6" + "@storybook/core-client" "6.3.6" + "@storybook/core-common" "6.3.6" + "@storybook/node-logger" "6.3.6" + "@storybook/theming" "6.3.6" + "@storybook/ui" "6.3.6" "@types/node" "^14.0.10" "@types/webpack" "^4.41.26" babel-loader "^8.2.2" @@ -2404,10 +2561,51 @@ webpack-dev-middleware "^3.7.3" webpack-virtual-modules "^0.2.2" -"@storybook/node-logger@6.3.4": - version "6.3.4" - resolved "https://registry.yarnpkg.com/@storybook/node-logger/-/node-logger-6.3.4.tgz#ab7bd9f78f9ff10c9d20439734de6882233a9a75" - integrity sha512-z65CCCQPbZcHKnofley15+dl8UfrJOeCi7M9c7AJQ0aGh7z1ofySNjwrAf3SO1YMn4K4dkRPDFFq0SY3LA1DLw== +"@storybook/manager-webpack5@^6.3.6": + version "6.3.6" + resolved "https://registry.yarnpkg.com/@storybook/manager-webpack5/-/manager-webpack5-6.3.6.tgz#dc0a49e442314b77ea7e33f3f2a735375fca9b4c" + integrity sha512-Mn54pn+8bFHSk8vLTu19tzdljCWDmcvAR6CVSyh1O3LXpT5hJ8v9qpskNyUrXVDjH0ydo6xcNbNh1yYCDitAuw== + dependencies: + "@babel/core" "^7.12.10" + "@babel/plugin-transform-template-literals" "^7.12.1" + "@babel/preset-react" "^7.12.10" + "@storybook/addons" "6.3.6" + "@storybook/core-client" "6.3.6" + "@storybook/core-common" "6.3.6" + "@storybook/node-logger" "6.3.6" + "@storybook/theming" "6.3.6" + "@storybook/ui" "6.3.6" + "@types/node" "^14.0.10" + babel-loader "^8.2.2" + case-sensitive-paths-webpack-plugin "^2.3.0" + chalk "^4.1.0" + core-js "^3.8.2" + css-loader "^5.0.1" + dotenv-webpack "^7.0.0" + express "^4.17.1" + file-loader "^6.2.0" + file-system-cache "^1.0.5" + find-up "^5.0.0" + fs-extra "^9.0.1" + html-webpack-plugin "^5.0.0" + node-fetch "^2.6.1" + read-pkg-up "^7.0.1" + regenerator-runtime "^0.13.7" + resolve-from "^5.0.0" + style-loader "^2.0.0" + telejson "^5.3.2" + terser-webpack-plugin "^5.0.3" + ts-dedent "^2.0.0" + url-loader "^4.1.1" + util-deprecate "^1.0.2" + webpack "^5.9.0" + webpack-dev-middleware "^4.1.0" + webpack-virtual-modules "^0.4.1" + +"@storybook/node-logger@6.3.6": + version "6.3.6" + resolved "https://registry.yarnpkg.com/@storybook/node-logger/-/node-logger-6.3.6.tgz#10356608593440a8e3acf2aababef40333a3401b" + integrity sha512-XMDkMN7nVRojjiezrURlkI57+nz3OoH4UBV6qJZICKclxtdKAy0wwOlUSYEUq+axcJ4nvdfzPPoDfGoj37SW7A== dependencies: "@types/npmlog" "^4.1.2" chalk "^4.1.0" @@ -2415,10 +2613,10 @@ npmlog "^4.1.2" pretty-hrtime "^1.0.3" -"@storybook/postinstall@6.3.4": - version "6.3.4" - resolved "https://registry.yarnpkg.com/@storybook/postinstall/-/postinstall-6.3.4.tgz#134981ce120715b5914c04e91e162adc086c92ca" - integrity sha512-HGqpChxBiDH7iQ1KDKr1sWoSdwPrVYPAuhvxAPaQhmL159cGyrcJ1PSit9iQt2NMkm+hIfuTcBQOu6eiZw3iYg== +"@storybook/postinstall@6.3.6": + version "6.3.6" + resolved "https://registry.yarnpkg.com/@storybook/postinstall/-/postinstall-6.3.6.tgz#fd79a6c109b38ced4b9b40db2d27b88ee184d449" + integrity sha512-90Izr8/GwLiXvdF2A3v1PCpWoxUBgqA0TrWGuiWXfJnfFRVlVrX9A/ClGUPSh80L3oE01E6raaOG4wW4JTRKfw== dependencies: core-js "^3.8.2" @@ -2440,18 +2638,18 @@ react-docgen-typescript "^2.0.0" tslib "^2.0.0" -"@storybook/react@^6.3.4": - version "6.3.4" - resolved "https://registry.yarnpkg.com/@storybook/react/-/react-6.3.4.tgz#b5677736cc90b75594190a2ca367b696d2c9bc7b" - integrity sha512-A4wycYqu/IcIaFb0cw2dPi8azhDj3SWZZModSRaQP3GkKi1LH5p14corP8RLKu2+dWC3FP4ZR6Yyaq/ymPGMzA== +"@storybook/react@^6.3.6": + version "6.3.6" + resolved "https://registry.yarnpkg.com/@storybook/react/-/react-6.3.6.tgz#593bc0743ad22ed5e6e072e6157c20c704864fc3" + integrity sha512-2c30XTe7WzKnvgHBGOp1dzBVlhcbc3oEX0SIeVE9ZYkLvRPF+J1jG948a26iqOCOgRAW13Bele37mG1gbl4tiw== dependencies: "@babel/preset-flow" "^7.12.1" "@babel/preset-react" "^7.12.10" "@pmmmwh/react-refresh-webpack-plugin" "^0.4.3" - "@storybook/addons" "6.3.4" - "@storybook/core" "6.3.4" - "@storybook/core-common" "6.3.4" - "@storybook/node-logger" "6.3.4" + "@storybook/addons" "6.3.6" + "@storybook/core" "6.3.6" + "@storybook/core-common" "6.3.6" + "@storybook/node-logger" "6.3.6" "@storybook/react-docgen-typescript-plugin" "1.0.2-canary.253f8c1.0" "@storybook/semver" "^7.3.2" "@types/webpack-env" "^1.16.0" @@ -2485,6 +2683,22 @@ qs "^6.10.0" ts-dedent "^2.0.0" +"@storybook/router@6.3.6": + version "6.3.6" + resolved "https://registry.yarnpkg.com/@storybook/router/-/router-6.3.6.tgz#cea20d64bae17397dc9e1689a656b80a98674c34" + integrity sha512-fQ1n7cm7lPFav7I+fStQciSVMlNdU+yLY6Fue252rpV5Q68bMTjwKpjO9P2/Y3CCj4QD3dPqwEkn4s0qUn5tNA== + dependencies: + "@reach/router" "^1.3.4" + "@storybook/client-logger" "6.3.6" + "@types/reach__router" "^1.3.7" + core-js "^3.8.2" + fast-deep-equal "^3.1.3" + global "^4.4.0" + lodash "^4.17.20" + memoizerific "^1.11.3" + qs "^6.10.0" + ts-dedent "^2.0.0" + "@storybook/semver@^7.3.2": version "7.3.2" resolved "https://registry.yarnpkg.com/@storybook/semver/-/semver-7.3.2.tgz#f3b9c44a1c9a0b933c04e66d0048fcf2fa10dac0" @@ -2493,13 +2707,13 @@ core-js "^3.6.5" find-up "^4.1.0" -"@storybook/source-loader@6.3.4": - version "6.3.4" - resolved "https://registry.yarnpkg.com/@storybook/source-loader/-/source-loader-6.3.4.tgz#a63af7122e7ea895f7756892b5b592855176cb15" - integrity sha512-6gHuWDJ5MLMSOO5X6R7CbKoZDY+P78vZsZBBY2TB+xIQ3pT9MaSl2aA7bxSO7JCSoFG0GiStHHyYx220nNgaWQ== +"@storybook/source-loader@6.3.6": + version "6.3.6" + resolved "https://registry.yarnpkg.com/@storybook/source-loader/-/source-loader-6.3.6.tgz#2d3d01919baad7a40f67d1150c74e41dea5f1d4c" + integrity sha512-om3iS3a+D287FzBrbXB/IXB6Z5Ql2yc4dFKTy6FPe5v4N3U0p5puWOKUYWWbTX1JbcpRj0IXXo7952G68tcC1g== dependencies: - "@storybook/addons" "6.3.4" - "@storybook/client-logger" "6.3.4" + "@storybook/addons" "6.3.6" + "@storybook/client-logger" "6.3.6" "@storybook/csf" "0.0.1" core-js "^3.8.2" estraverse "^5.2.0" @@ -2527,21 +2741,39 @@ resolve-from "^5.0.0" ts-dedent "^2.0.0" -"@storybook/ui@6.3.4": - version "6.3.4" - resolved "https://registry.yarnpkg.com/@storybook/ui/-/ui-6.3.4.tgz#348ea6eb2b0d5428ab88221485c531fb761ef27d" - integrity sha512-vO2365MEFpqc6Lvg8dK6qBnvcWjdIWi8imXGyWEPPhx27bdAiteCewtXTKX11VM2EmHkJvekbcqNhTIKYPPG7g== +"@storybook/theming@6.3.6": + version "6.3.6" + resolved "https://registry.yarnpkg.com/@storybook/theming/-/theming-6.3.6.tgz#75624f6d4e01530b87afca3eab9996a16c0370ab" + integrity sha512-mPrQrMUREajNEWxzgR8t0YIZsI9avPv25VNA08fANnwVsc887p4OL5eCTL2dFIlD34YDzAwiyRKYoLj2vDW4nw== dependencies: "@emotion/core" "^10.1.1" - "@storybook/addons" "6.3.4" - "@storybook/api" "6.3.4" - "@storybook/channels" "6.3.4" - "@storybook/client-logger" "6.3.4" - "@storybook/components" "6.3.4" - "@storybook/core-events" "6.3.4" - "@storybook/router" "6.3.4" + "@emotion/is-prop-valid" "^0.8.6" + "@emotion/styled" "^10.0.27" + "@storybook/client-logger" "6.3.6" + core-js "^3.8.2" + deep-object-diff "^1.1.0" + emotion-theming "^10.0.27" + global "^4.4.0" + memoizerific "^1.11.3" + polished "^4.0.5" + resolve-from "^5.0.0" + ts-dedent "^2.0.0" + +"@storybook/ui@6.3.6": + version "6.3.6" + resolved "https://registry.yarnpkg.com/@storybook/ui/-/ui-6.3.6.tgz#a9ed8265e34bb8ef9f0dd08f40170b3dcf8a8931" + integrity sha512-S9FjISUiAmbBR7d6ubUEcELQdffDfRxerloxkXs5Ou7n8fEPqpgQB01Hw5MLRUwTEpxPzHn+xtIGYritAGxt/Q== + dependencies: + "@emotion/core" "^10.1.1" + "@storybook/addons" "6.3.6" + "@storybook/api" "6.3.6" + "@storybook/channels" "6.3.6" + "@storybook/client-logger" "6.3.6" + "@storybook/components" "6.3.6" + "@storybook/core-events" "6.3.6" + "@storybook/router" "6.3.6" "@storybook/semver" "^7.3.2" - "@storybook/theming" "6.3.4" + "@storybook/theming" "6.3.6" "@types/markdown-to-jsx" "^6.11.3" copy-to-clipboard "^3.3.1" core-js "^3.8.2" @@ -2812,6 +3044,11 @@ resolved "https://registry.yarnpkg.com/@types/estree/-/estree-0.0.48.tgz#18dc8091b285df90db2f25aa7d906cfc394b7f74" integrity sha512-LfZwXoGUDo0C3me81HXgkBg5CTQYb6xzEl+fNmbO4JdRiSKQ8A0GD1OBBvKAIsbCUgoyAty7m99GqqMQe784ew== +"@types/estree@^0.0.50": + version "0.0.50" + resolved "https://registry.yarnpkg.com/@types/estree/-/estree-0.0.50.tgz#1e0caa9364d3fccd2931c3ed96fdbeaa5d4cca83" + integrity sha512-C6N5s2ZFtuZRj54k2/zyRhNDjJwwcViAM3Nbm8zjBpbqAdZ00mr0CFxvSKeO8Y/e03WVFLpQMdHYVfUd6SB+Hw== + "@types/glob-base@^0.3.0": version "0.3.0" resolved "https://registry.yarnpkg.com/@types/glob-base/-/glob-base-0.3.0.tgz#a581d688347e10e50dd7c17d6f2880a10354319d" @@ -2886,7 +3123,7 @@ resolved "https://registry.yarnpkg.com/@types/json-schema/-/json-schema-7.0.7.tgz#98a993516c859eb0d5c4c8f098317a9ea68db9ad" integrity sha512-cxWFQVseBm6O9Gbw1IWb8r6OS4OhSt3hPZLkFApLjM8TEXROBuQGLAH2i2gZpcXdLBIrpXuTDhH7Vbm1iXmNGA== -"@types/json-schema@^7.0.4": +"@types/json-schema@^7.0.4", "@types/json-schema@^7.0.8": version "7.0.8" resolved "https://registry.yarnpkg.com/@types/json-schema/-/json-schema-7.0.8.tgz#edf1bf1dbf4e04413ca8e5b17b3b7d7d54b59818" integrity sha512-YSBPTLTVm2e2OoQIDYx8HaeWJ5tTToLH67kXR7zYNGupXMEHa2++G8k+DczX2cFVgalypqtyZIcU19AFcmOpmg== @@ -3224,6 +3461,14 @@ "@webassemblyjs/helper-numbers" "1.11.0" "@webassemblyjs/helper-wasm-bytecode" "1.11.0" +"@webassemblyjs/ast@1.11.1": + version "1.11.1" + resolved "https://registry.yarnpkg.com/@webassemblyjs/ast/-/ast-1.11.1.tgz#2bfd767eae1a6996f432ff7e8d7fc75679c0b6a7" + integrity sha512-ukBh14qFLjxTQNTXocdyksN5QdM28S1CxHt2rdskFyL+xFV7VremuBLVbmCePj+URalXBENx/9Lm7lnhihtCSw== + dependencies: + "@webassemblyjs/helper-numbers" "1.11.1" + "@webassemblyjs/helper-wasm-bytecode" "1.11.1" + "@webassemblyjs/ast@1.9.0": version "1.9.0" resolved "https://registry.yarnpkg.com/@webassemblyjs/ast/-/ast-1.9.0.tgz#bd850604b4042459a5a41cd7d338cbed695ed964" @@ -3238,6 +3483,11 @@ resolved "https://registry.yarnpkg.com/@webassemblyjs/floating-point-hex-parser/-/floating-point-hex-parser-1.11.0.tgz#34d62052f453cd43101d72eab4966a022587947c" integrity sha512-Q/aVYs/VnPDVYvsCBL/gSgwmfjeCb4LW8+TMrO3cSzJImgv8lxxEPM2JA5jMrivE7LSz3V+PFqtMbls3m1exDA== +"@webassemblyjs/floating-point-hex-parser@1.11.1": + version "1.11.1" + resolved "https://registry.yarnpkg.com/@webassemblyjs/floating-point-hex-parser/-/floating-point-hex-parser-1.11.1.tgz#f6c61a705f0fd7a6aecaa4e8198f23d9dc179e4f" + integrity sha512-iGRfyc5Bq+NnNuX8b5hwBrRjzf0ocrJPI6GWFodBFzmFnyvrQ83SHKhmilCU/8Jv67i4GJZBMhEzltxzcNagtQ== + "@webassemblyjs/floating-point-hex-parser@1.9.0": version "1.9.0" resolved "https://registry.yarnpkg.com/@webassemblyjs/floating-point-hex-parser/-/floating-point-hex-parser-1.9.0.tgz#3c3d3b271bddfc84deb00f71344438311d52ffb4" @@ -3248,6 +3498,11 @@ resolved "https://registry.yarnpkg.com/@webassemblyjs/helper-api-error/-/helper-api-error-1.11.0.tgz#aaea8fb3b923f4aaa9b512ff541b013ffb68d2d4" integrity sha512-baT/va95eXiXb2QflSx95QGT5ClzWpGaa8L7JnJbgzoYeaA27FCvuBXU758l+KXWRndEmUXjP0Q5fibhavIn8w== +"@webassemblyjs/helper-api-error@1.11.1": + version "1.11.1" + resolved "https://registry.yarnpkg.com/@webassemblyjs/helper-api-error/-/helper-api-error-1.11.1.tgz#1a63192d8788e5c012800ba6a7a46c705288fd16" + integrity sha512-RlhS8CBCXfRUR/cwo2ho9bkheSXG0+NwooXcc3PAILALf2QLdFyj7KGsKRbVc95hZnhnERon4kW/D3SZpp6Tcg== + "@webassemblyjs/helper-api-error@1.9.0": version "1.9.0" resolved "https://registry.yarnpkg.com/@webassemblyjs/helper-api-error/-/helper-api-error-1.9.0.tgz#203f676e333b96c9da2eeab3ccef33c45928b6a2" @@ -3258,6 +3513,11 @@ resolved "https://registry.yarnpkg.com/@webassemblyjs/helper-buffer/-/helper-buffer-1.11.0.tgz#d026c25d175e388a7dbda9694e91e743cbe9b642" integrity sha512-u9HPBEl4DS+vA8qLQdEQ6N/eJQ7gT7aNvMIo8AAWvAl/xMrcOSiI2M0MAnMCy3jIFke7bEee/JwdX1nUpCtdyA== +"@webassemblyjs/helper-buffer@1.11.1": + version "1.11.1" + resolved "https://registry.yarnpkg.com/@webassemblyjs/helper-buffer/-/helper-buffer-1.11.1.tgz#832a900eb444884cde9a7cad467f81500f5e5ab5" + integrity sha512-gwikF65aDNeeXa8JxXa2BAk+REjSyhrNC9ZwdT0f8jc4dQQeDQ7G4m0f2QCLPJiMTTO6wfDmRmj/pW0PsUvIcA== + "@webassemblyjs/helper-buffer@1.9.0": version "1.9.0" resolved "https://registry.yarnpkg.com/@webassemblyjs/helper-buffer/-/helper-buffer-1.9.0.tgz#a1442d269c5feb23fcbc9ef759dac3547f29de00" @@ -3291,11 +3551,25 @@ "@webassemblyjs/helper-api-error" "1.11.0" "@xtuc/long" "4.2.2" +"@webassemblyjs/helper-numbers@1.11.1": + version "1.11.1" + resolved "https://registry.yarnpkg.com/@webassemblyjs/helper-numbers/-/helper-numbers-1.11.1.tgz#64d81da219fbbba1e3bd1bfc74f6e8c4e10a62ae" + integrity sha512-vDkbxiB8zfnPdNK9Rajcey5C0w+QJugEglN0of+kmO8l7lDb77AnlKYQF7aarZuCrv+l0UvqL+68gSDr3k9LPQ== + dependencies: + "@webassemblyjs/floating-point-hex-parser" "1.11.1" + "@webassemblyjs/helper-api-error" "1.11.1" + "@xtuc/long" "4.2.2" + "@webassemblyjs/helper-wasm-bytecode@1.11.0": version "1.11.0" resolved "https://registry.yarnpkg.com/@webassemblyjs/helper-wasm-bytecode/-/helper-wasm-bytecode-1.11.0.tgz#85fdcda4129902fe86f81abf7e7236953ec5a4e1" integrity sha512-MbmhvxXExm542tWREgSFnOVo07fDpsBJg3sIl6fSp9xuu75eGz5lz31q7wTLffwL3Za7XNRCMZy210+tnsUSEA== +"@webassemblyjs/helper-wasm-bytecode@1.11.1": + version "1.11.1" + resolved "https://registry.yarnpkg.com/@webassemblyjs/helper-wasm-bytecode/-/helper-wasm-bytecode-1.11.1.tgz#f328241e41e7b199d0b20c18e88429c4433295e1" + integrity sha512-PvpoOGiJwXeTrSf/qfudJhwlvDQxFgelbMqtq52WWiXC6Xgg1IREdngmPN3bs4RoO83PnL/nFrxucXj1+BX62Q== + "@webassemblyjs/helper-wasm-bytecode@1.9.0": version "1.9.0" resolved "https://registry.yarnpkg.com/@webassemblyjs/helper-wasm-bytecode/-/helper-wasm-bytecode-1.9.0.tgz#4fed8beac9b8c14f8c58b70d124d549dd1fe5790" @@ -3311,6 +3585,16 @@ "@webassemblyjs/helper-wasm-bytecode" "1.11.0" "@webassemblyjs/wasm-gen" "1.11.0" +"@webassemblyjs/helper-wasm-section@1.11.1": + version "1.11.1" + resolved "https://registry.yarnpkg.com/@webassemblyjs/helper-wasm-section/-/helper-wasm-section-1.11.1.tgz#21ee065a7b635f319e738f0dd73bfbda281c097a" + integrity sha512-10P9No29rYX1j7F3EVPX3JvGPQPae+AomuSTPiF9eBQeChHI6iqjMIwR9JmOJXwpnn/oVGDk7I5IlskuMwU/pg== + dependencies: + "@webassemblyjs/ast" "1.11.1" + "@webassemblyjs/helper-buffer" "1.11.1" + "@webassemblyjs/helper-wasm-bytecode" "1.11.1" + "@webassemblyjs/wasm-gen" "1.11.1" + "@webassemblyjs/helper-wasm-section@1.9.0": version "1.9.0" resolved "https://registry.yarnpkg.com/@webassemblyjs/helper-wasm-section/-/helper-wasm-section-1.9.0.tgz#5a4138d5a6292ba18b04c5ae49717e4167965346" @@ -3328,6 +3612,13 @@ dependencies: "@xtuc/ieee754" "^1.2.0" +"@webassemblyjs/ieee754@1.11.1": + version "1.11.1" + resolved "https://registry.yarnpkg.com/@webassemblyjs/ieee754/-/ieee754-1.11.1.tgz#963929e9bbd05709e7e12243a099180812992614" + integrity sha512-hJ87QIPtAMKbFq6CGTkZYJivEwZDbQUgYd3qKSadTNOhVY7p+gfP6Sr0lLRVTaG1JjFj+r3YchoqRYxNH3M0GQ== + dependencies: + "@xtuc/ieee754" "^1.2.0" + "@webassemblyjs/ieee754@1.9.0": version "1.9.0" resolved "https://registry.yarnpkg.com/@webassemblyjs/ieee754/-/ieee754-1.9.0.tgz#15c7a0fbaae83fb26143bbacf6d6df1702ad39e4" @@ -3342,6 +3633,13 @@ dependencies: "@xtuc/long" "4.2.2" +"@webassemblyjs/leb128@1.11.1": + version "1.11.1" + resolved "https://registry.yarnpkg.com/@webassemblyjs/leb128/-/leb128-1.11.1.tgz#ce814b45574e93d76bae1fb2644ab9cdd9527aa5" + integrity sha512-BJ2P0hNZ0u+Th1YZXJpzW6miwqQUGcIHT1G/sf72gLVD9DZ5AdYTqPNbHZh6K1M5VmKvFXwGSWZADz+qBWxeRw== + dependencies: + "@xtuc/long" "4.2.2" + "@webassemblyjs/leb128@1.9.0": version "1.9.0" resolved "https://registry.yarnpkg.com/@webassemblyjs/leb128/-/leb128-1.9.0.tgz#f19ca0b76a6dc55623a09cffa769e838fa1e1c95" @@ -3354,6 +3652,11 @@ resolved "https://registry.yarnpkg.com/@webassemblyjs/utf8/-/utf8-1.11.0.tgz#86e48f959cf49e0e5091f069a709b862f5a2cadf" integrity sha512-A/lclGxH6SpSLSyFowMzO/+aDEPU4hvEiooCMXQPcQFPPJaYcPQNKGOCLUySJsYJ4trbpr+Fs08n4jelkVTGVw== +"@webassemblyjs/utf8@1.11.1": + version "1.11.1" + resolved "https://registry.yarnpkg.com/@webassemblyjs/utf8/-/utf8-1.11.1.tgz#d1f8b764369e7c6e6bae350e854dec9a59f0a3ff" + integrity sha512-9kqcxAEdMhiwQkHpkNiorZzqpGrodQQ2IGrHHxCy+Ozng0ofyMA0lTqiLkVs1uzTRejX+/O0EOT7KxqVPuXosQ== + "@webassemblyjs/utf8@1.9.0": version "1.9.0" resolved "https://registry.yarnpkg.com/@webassemblyjs/utf8/-/utf8-1.9.0.tgz#04d33b636f78e6a6813227e82402f7637b6229ab" @@ -3373,6 +3676,20 @@ "@webassemblyjs/wasm-parser" "1.11.0" "@webassemblyjs/wast-printer" "1.11.0" +"@webassemblyjs/wasm-edit@1.11.1": + version "1.11.1" + resolved "https://registry.yarnpkg.com/@webassemblyjs/wasm-edit/-/wasm-edit-1.11.1.tgz#ad206ebf4bf95a058ce9880a8c092c5dec8193d6" + integrity sha512-g+RsupUC1aTHfR8CDgnsVRVZFJqdkFHpsHMfJuWQzWU3tvnLC07UqHICfP+4XyL2tnr1amvl1Sdp06TnYCmVkA== + dependencies: + "@webassemblyjs/ast" "1.11.1" + "@webassemblyjs/helper-buffer" "1.11.1" + "@webassemblyjs/helper-wasm-bytecode" "1.11.1" + "@webassemblyjs/helper-wasm-section" "1.11.1" + "@webassemblyjs/wasm-gen" "1.11.1" + "@webassemblyjs/wasm-opt" "1.11.1" + "@webassemblyjs/wasm-parser" "1.11.1" + "@webassemblyjs/wast-printer" "1.11.1" + "@webassemblyjs/wasm-edit@1.9.0": version "1.9.0" resolved "https://registry.yarnpkg.com/@webassemblyjs/wasm-edit/-/wasm-edit-1.9.0.tgz#3fe6d79d3f0f922183aa86002c42dd256cfee9cf" @@ -3398,6 +3715,17 @@ "@webassemblyjs/leb128" "1.11.0" "@webassemblyjs/utf8" "1.11.0" +"@webassemblyjs/wasm-gen@1.11.1": + version "1.11.1" + resolved "https://registry.yarnpkg.com/@webassemblyjs/wasm-gen/-/wasm-gen-1.11.1.tgz#86c5ea304849759b7d88c47a32f4f039ae3c8f76" + integrity sha512-F7QqKXwwNlMmsulj6+O7r4mmtAlCWfO/0HdgOxSklZfQcDu0TpLiD1mRt/zF25Bk59FIjEuGAIyn5ei4yMfLhA== + dependencies: + "@webassemblyjs/ast" "1.11.1" + "@webassemblyjs/helper-wasm-bytecode" "1.11.1" + "@webassemblyjs/ieee754" "1.11.1" + "@webassemblyjs/leb128" "1.11.1" + "@webassemblyjs/utf8" "1.11.1" + "@webassemblyjs/wasm-gen@1.9.0": version "1.9.0" resolved "https://registry.yarnpkg.com/@webassemblyjs/wasm-gen/-/wasm-gen-1.9.0.tgz#50bc70ec68ded8e2763b01a1418bf43491a7a49c" @@ -3419,6 +3747,16 @@ "@webassemblyjs/wasm-gen" "1.11.0" "@webassemblyjs/wasm-parser" "1.11.0" +"@webassemblyjs/wasm-opt@1.11.1": + version "1.11.1" + resolved "https://registry.yarnpkg.com/@webassemblyjs/wasm-opt/-/wasm-opt-1.11.1.tgz#657b4c2202f4cf3b345f8a4c6461c8c2418985f2" + integrity sha512-VqnkNqnZlU5EB64pp1l7hdm3hmQw7Vgqa0KF/KCNO9sIpI6Fk6brDEiX+iCOYrvMuBWDws0NkTOxYEb85XQHHw== + dependencies: + "@webassemblyjs/ast" "1.11.1" + "@webassemblyjs/helper-buffer" "1.11.1" + "@webassemblyjs/wasm-gen" "1.11.1" + "@webassemblyjs/wasm-parser" "1.11.1" + "@webassemblyjs/wasm-opt@1.9.0": version "1.9.0" resolved "https://registry.yarnpkg.com/@webassemblyjs/wasm-opt/-/wasm-opt-1.9.0.tgz#2211181e5b31326443cc8112eb9f0b9028721a61" @@ -3441,6 +3779,18 @@ "@webassemblyjs/leb128" "1.11.0" "@webassemblyjs/utf8" "1.11.0" +"@webassemblyjs/wasm-parser@1.11.1": + version "1.11.1" + resolved "https://registry.yarnpkg.com/@webassemblyjs/wasm-parser/-/wasm-parser-1.11.1.tgz#86ca734534f417e9bd3c67c7a1c75d8be41fb199" + integrity sha512-rrBujw+dJu32gYB7/Lup6UhdkPx9S9SnobZzRVL7VcBH9Bt9bCBLEuX/YXOOtBsOZ4NQrRykKhffRWHvigQvOA== + dependencies: + "@webassemblyjs/ast" "1.11.1" + "@webassemblyjs/helper-api-error" "1.11.1" + "@webassemblyjs/helper-wasm-bytecode" "1.11.1" + "@webassemblyjs/ieee754" "1.11.1" + "@webassemblyjs/leb128" "1.11.1" + "@webassemblyjs/utf8" "1.11.1" + "@webassemblyjs/wasm-parser@1.9.0": version "1.9.0" resolved "https://registry.yarnpkg.com/@webassemblyjs/wasm-parser/-/wasm-parser-1.9.0.tgz#9d48e44826df4a6598294aa6c87469d642fff65e" @@ -3473,6 +3823,14 @@ "@webassemblyjs/ast" "1.11.0" "@xtuc/long" "4.2.2" +"@webassemblyjs/wast-printer@1.11.1": + version "1.11.1" + resolved "https://registry.yarnpkg.com/@webassemblyjs/wast-printer/-/wast-printer-1.11.1.tgz#d0c73beda8eec5426f10ae8ef55cee5e7084c2f0" + integrity sha512-IQboUWM4eKzWW+N/jij2sRatKMh99QEelo3Eb2q0qXkvPRISAj8Qxtmw5itwqK+TTkBuUIE45AxYPToqPtL5gg== + dependencies: + "@webassemblyjs/ast" "1.11.1" + "@xtuc/long" "4.2.2" + "@webassemblyjs/wast-printer@1.9.0": version "1.9.0" resolved "https://registry.yarnpkg.com/@webassemblyjs/wast-printer/-/wast-printer-1.9.0.tgz#4935d54c85fef637b00ce9f52377451d00d47899" @@ -4741,7 +5099,7 @@ acorn@^7.1.1, acorn@^7.4.0, acorn@^7.4.1: resolved "https://registry.yarnpkg.com/acorn/-/acorn-7.4.1.tgz#feaed255973d2e77555b83dbc08851a6c63520fa" integrity sha512-nQyp0o1/mNdbTO1PO6kHkwSrmgZ0MT/jCCpNiwbUjGoRN4dlBhqJtoQuCnEOKzgTVwg0ZWiCoQy6SxMebQVh8A== -acorn@^8.0.4, acorn@^8.2.1, acorn@^8.2.4: +acorn@^8.0.4, acorn@^8.2.1, acorn@^8.2.4, acorn@^8.4.1: version "8.4.1" resolved "https://registry.yarnpkg.com/acorn/-/acorn-8.4.1.tgz#56c36251fc7cabc7096adc18f05afe814321a28c" integrity sha512-asabaBSkEKosYKMITunzX177CXxQ4Q8BSSzMTKD+FefUhipQC70gfW5SiUDhYQ3vk8G+81HqQk7Fv9OXwwn9KA== @@ -6810,6 +7168,22 @@ css-loader@^3.6.0: schema-utils "^2.7.0" semver "^6.3.0" +css-loader@^5.0.1: + version "5.2.7" + resolved "https://registry.yarnpkg.com/css-loader/-/css-loader-5.2.7.tgz#9b9f111edf6fb2be5dc62525644cbc9c232064ae" + integrity sha512-Q7mOvpBNBG7YrVGMxRxcBJZFL75o+cH2abNASdibkj/fffYD8qWbInZrD0S9ccI6vZclF3DsHE7njGlLtaHbhg== + dependencies: + icss-utils "^5.1.0" + loader-utils "^2.0.0" + postcss "^8.2.15" + postcss-modules-extract-imports "^3.0.0" + postcss-modules-local-by-default "^4.0.0" + postcss-modules-scope "^3.0.0" + postcss-modules-values "^4.0.0" + postcss-value-parser "^4.1.0" + schema-utils "^3.0.0" + semver "^7.3.5" + css-loader@^5.1.3, css-loader@^5.2.6: version "5.2.6" resolved "https://registry.yarnpkg.com/css-loader/-/css-loader-5.2.6.tgz#c3c82ab77fea1f360e587d871a6811f4450cc8d1" @@ -7386,6 +7760,13 @@ dotenv-defaults@^1.0.2: dependencies: dotenv "^6.2.0" +dotenv-defaults@^2.0.2: + version "2.0.2" + resolved "https://registry.yarnpkg.com/dotenv-defaults/-/dotenv-defaults-2.0.2.tgz#6b3ec2e4319aafb70940abda72d3856770ee77ac" + integrity sha512-iOIzovWfsUHU91L5i8bJce3NYK5JXeAwH50Jh6+ARUdLiiGlYWfGw6UkzsYqaXZH/hjE/eCd/PlfM/qqyK0AMg== + dependencies: + dotenv "^8.2.0" + dotenv-expand@^5.1.0: version "5.1.0" resolved "https://registry.yarnpkg.com/dotenv-expand/-/dotenv-expand-5.1.0.tgz#3fbaf020bfd794884072ea26b1e9791d45a629f0" @@ -7398,12 +7779,19 @@ dotenv-webpack@^1.8.0: dependencies: dotenv-defaults "^1.0.2" +dotenv-webpack@^7.0.0: + version "7.0.3" + resolved "https://registry.yarnpkg.com/dotenv-webpack/-/dotenv-webpack-7.0.3.tgz#f50ec3c7083a69ec6076e110566720003b7b107b" + integrity sha512-O0O9pOEwrk+n1zzR3T2uuXRlw64QxHSPeNN1GaiNBloQFNaCUL9V8jxSVz4jlXXFP/CIqK8YecWf8BAvsSgMjw== + dependencies: + dotenv-defaults "^2.0.2" + dotenv@^6.2.0: version "6.2.0" resolved "https://registry.yarnpkg.com/dotenv/-/dotenv-6.2.0.tgz#941c0410535d942c8becf28d3f357dbd9d476064" integrity sha512-HygQCKUBSFl8wKQZBSemMywRWcEDNidvNbjGVyZu3nbZ8qq9ubiPoGLMdRDpfSrpkkm9BXYFkpKxxFX38o/76w== -dotenv@^8.0.0: +dotenv@^8.0.0, dotenv@^8.2.0: version "8.6.0" resolved "https://registry.yarnpkg.com/dotenv/-/dotenv-8.6.0.tgz#061af664d19f7f4d8fc6e4ff9b584ce237adcb8b" integrity sha512-IrPdXQsk2BbzvCBGBOTmmSH5SodmqZNt4ERAZDmW4CT+tL8VtvinqywuANaFu4bOMWki16nqf0e4oC0QIaDr/g== @@ -7785,6 +8173,11 @@ es-module-lexer@^0.6.0: resolved "https://registry.yarnpkg.com/es-module-lexer/-/es-module-lexer-0.6.0.tgz#e72ab05b7412e62b9be37c37a09bdb6000d706f0" integrity sha512-f8kcHX1ArhllUtb/wVSyvygoKCznIjnxhLxy7TCvIiMdT7fL4ZDTIKaadMe6eLvOXg6Wk02UeoFgUoZ2EKZZUA== +es-module-lexer@^0.7.1: + version "0.7.1" + resolved "https://registry.yarnpkg.com/es-module-lexer/-/es-module-lexer-0.7.1.tgz#c2c8e0f46f2df06274cdaf0dd3f3b33e0a0b267d" + integrity sha512-MgtWFl5No+4S3TmhDmCz2ObFGm6lEpTnzbQi+Dd+pw4mlTIZTmM2iAs5gRlmx5zS9luzobCSBSI90JM/1/JgOw== + es-to-primitive@^1.2.1: version "1.2.1" resolved "https://registry.yarnpkg.com/es-to-primitive/-/es-to-primitive-1.2.1.tgz#e55cd4c9cdc188bcefb03b366c736323fc5c898a" @@ -9644,6 +10037,17 @@ html-webpack-plugin@^4.0.0: tapable "^1.1.3" util.promisify "1.0.0" +html-webpack-plugin@^5.0.0: + version "5.3.2" + resolved "https://registry.yarnpkg.com/html-webpack-plugin/-/html-webpack-plugin-5.3.2.tgz#7b04bf80b1f6fe84a6d3f66c8b79d64739321b08" + integrity sha512-HvB33boVNCz2lTyBsSiMffsJ+m0YLIQ+pskblXgN9fnjS1BgEcuAfdInfXfGrkdXV406k9FiDi86eVCDBgJOyQ== + dependencies: + "@types/html-minifier-terser" "^5.0.0" + html-minifier-terser "^5.0.1" + lodash "^4.17.21" + pretty-error "^3.0.4" + tapable "^2.0.0" + htmlparser2@^3.10.0: version "3.10.1" resolved "https://registry.yarnpkg.com/htmlparser2/-/htmlparser2-3.10.1.tgz#bd679dc3f59897b6a34bb10749c855bb53a9392f" @@ -11568,6 +11972,13 @@ makeerror@1.0.x: dependencies: tmpl "1.0.x" +map-age-cleaner@^0.1.3: + version "0.1.3" + resolved "https://registry.yarnpkg.com/map-age-cleaner/-/map-age-cleaner-0.1.3.tgz#7d583a7306434c055fe474b0f45078e6e1b4b92a" + integrity sha512-bJzx6nMoP6PDLPBFmg7+xRKeFZvFboMrGlxmNj9ClvX53KrmvM5bXFXEWjbz4cz1AFn+jWJ9z/DJSz7hrs0w3w== + dependencies: + p-defer "^1.0.0" + map-cache@^0.2.2: version "0.2.2" resolved "https://registry.yarnpkg.com/map-cache/-/map-cache-0.2.2.tgz#c32abd0bd6525d9b051645bb4f26ac5dc98a0dbf" @@ -11755,7 +12166,15 @@ media-typer@0.3.0: resolved "https://registry.yarnpkg.com/media-typer/-/media-typer-0.3.0.tgz#8710d7af0aa626f8fffa1ce00168545263255748" integrity sha1-hxDXrwqmJvj/+hzgAWhUUmMlV0g= -memfs@^3.1.2: +mem@^8.1.1: + version "8.1.1" + resolved "https://registry.yarnpkg.com/mem/-/mem-8.1.1.tgz#cf118b357c65ab7b7e0817bdf00c8062297c0122" + integrity sha512-qFCFUDs7U3b8mBDPyz5EToEKoAkgCzqquIgi9nkkR9bixxOVOre+09lbuH7+9Kn2NFpm56M3GUWVbU2hQgdACA== + dependencies: + map-age-cleaner "^0.1.3" + mimic-fn "^3.1.0" + +memfs@^3.1.2, memfs@^3.2.2: version "3.2.2" resolved "https://registry.yarnpkg.com/memfs/-/memfs-3.2.2.tgz#5de461389d596e3f23d48bb7c2afb6161f4df40e" integrity sha512-RE0CwmIM3CEvpcdK3rZ19BC4E6hv9kADkMN5rPduRak58cNArWLi/9jFLsa4rhsjfVxMP3v0jO7FHXq7SvFY5Q== @@ -11912,7 +12331,7 @@ mime-db@1.48.0, "mime-db@>= 1.43.0 < 2": resolved "https://registry.yarnpkg.com/mime-db/-/mime-db-1.48.0.tgz#e35b31045dd7eada3aaad537ed88a33afbef2d1d" integrity sha512-FM3QwxV+TnZYQ2aRqhlKBMHxk10lTbMt3bBkMAp54ddrNeVSfcQYOOKuGuy3Ddrm38I04If834fOUSq1yzslJQ== -mime-types@2.1.31, mime-types@^2.1.12, mime-types@^2.1.27, mime-types@~2.1.19, mime-types@~2.1.24: +mime-types@2.1.31, mime-types@^2.1.12, mime-types@^2.1.27, mime-types@^2.1.30, mime-types@~2.1.19, mime-types@~2.1.24: version "2.1.31" resolved "https://registry.yarnpkg.com/mime-types/-/mime-types-2.1.31.tgz#a00d76b74317c61f9c2db2218b8e9f8e9c5c9e6b" integrity sha512-XGZnNzm3QvgKxa8dpzyhFTHmpP3l5YNusmne07VUOXxou9CqUqYa/HBy124RqtVh/O2pECas/MOcsDgpilPOPg== @@ -11934,6 +12353,11 @@ mimic-fn@^2.1.0: resolved "https://registry.yarnpkg.com/mimic-fn/-/mimic-fn-2.1.0.tgz#7ed2c2ccccaf84d3ffcb7a69b57711fc2083401b" integrity sha512-OqbOk5oEQeAZ8WXWydlu9HJjz9WVdEIvamMCcXmuqUYjTknH/sqsWvhQ3vgwKFRR1HpjvNBKQ37nbJgYzGqGcg== +mimic-fn@^3.1.0: + version "3.1.0" + resolved "https://registry.yarnpkg.com/mimic-fn/-/mimic-fn-3.1.0.tgz#65755145bbf3e36954b949c16450427451d5ca74" + integrity sha512-Ysbi9uYW9hFyfrThdDEQuykN4Ey6BuwPD2kpI5ES/nFTDn/98yxYNLZJcgUAKPT/mcrLLKaGzJR9YVxJrIdASQ== + mimic-response@^1.0.0, mimic-response@^1.0.1: version "1.0.1" resolved "https://registry.yarnpkg.com/mimic-response/-/mimic-response-1.0.1.tgz#4923538878eef42063cb8a3e3b0798781487ab1b" @@ -12660,6 +13084,11 @@ p-cancelable@^2.0.0: resolved "https://registry.yarnpkg.com/p-cancelable/-/p-cancelable-2.1.1.tgz#aab7fbd416582fa32a3db49859c122487c5ed2cf" integrity sha512-BZOr3nRQHOntUjTrH8+Lh54smKHoHyur8We1V8DSMVrl5A2malOOwuJRnKRDjSnkoeBh4at6BwEnb5I7Jl31wg== +p-defer@^1.0.0: + version "1.0.0" + resolved "https://registry.yarnpkg.com/p-defer/-/p-defer-1.0.0.tgz#9f6eb182f6c9aa8cd743004a7d4f96b196b0fb0c" + integrity sha1-n26xgvbJqozXQwBKfU+WsZaw+ww= + p-each-series@^2.1.0: version "2.2.0" resolved "https://registry.yarnpkg.com/p-each-series/-/p-each-series-2.2.0.tgz#105ab0357ce72b202a8a8b94933672657b5e2a9a" @@ -13366,6 +13795,14 @@ pretty-error@^2.1.1: lodash "^4.17.20" renderkid "^2.0.4" +pretty-error@^3.0.4: + version "3.0.4" + resolved "https://registry.yarnpkg.com/pretty-error/-/pretty-error-3.0.4.tgz#94b1d54f76c1ed95b9c604b9de2194838e5b574e" + integrity sha512-ytLFLfv1So4AO1UkoBF6GXQgJRaKbiSiGFICaOPNwQ3CMvBvXpLRubeQWyPGnsbV/t9ml9qto6IeCsho0aEvwQ== + dependencies: + lodash "^4.17.20" + renderkid "^2.0.6" + pretty-format@^26.6.2: version "26.6.2" resolved "https://registry.yarnpkg.com/pretty-format/-/pretty-format-26.6.2.tgz#e35c2705f14cb7fe2fe94fa078345b444120fc93" @@ -14552,7 +14989,7 @@ remove-trailing-separator@^1.0.1: resolved "https://registry.yarnpkg.com/remove-trailing-separator/-/remove-trailing-separator-1.1.0.tgz#c24bce2a283adad5bc3f58e0d48249b92379d8ef" integrity sha1-wkvOKig62tW8P1jg1IJJuSN52O8= -renderkid@^2.0.4: +renderkid@^2.0.4, renderkid@^2.0.6: version "2.0.7" resolved "https://registry.yarnpkg.com/renderkid/-/renderkid-2.0.7.tgz#464f276a6bdcee606f4a15993f9b29fc74ca8609" integrity sha512-oCcFyxaMrKsKcTY59qnCAtmDVSLfPbrv6A3tVbPdFMMrv5jaK10V6m40cKsoPNhAqN6rmHW9sswW4o3ruSrwUQ== @@ -14873,6 +15310,14 @@ sass-loader@^10.1.1: schema-utils "^3.0.0" semver "^7.3.2" +sass-loader@^12.1.0: + version "12.1.0" + resolved "https://registry.yarnpkg.com/sass-loader/-/sass-loader-12.1.0.tgz#b73324622231009da6fba61ab76013256380d201" + integrity sha512-FVJZ9kxVRYNZTIe2xhw93n3xJNYZADr+q69/s98l9nTCrWASo+DR2Ot0s5xTKQDDEosUkatsGeHxcH4QBp5bSg== + dependencies: + klona "^2.0.4" + neo-async "^2.6.2" + sass@^1.26.11: version "1.35.1" resolved "https://registry.yarnpkg.com/sass/-/sass-1.35.1.tgz#90ecf774dfe68f07b6193077e3b42fb154b9e1cd" @@ -14944,6 +15389,15 @@ schema-utils@^3.0.0: ajv "^6.12.5" ajv-keywords "^3.5.2" +schema-utils@^3.1.0: + version "3.1.1" + resolved "https://registry.yarnpkg.com/schema-utils/-/schema-utils-3.1.1.tgz#bc74c4b6b6995c1d88f76a8b77bea7219e0c8281" + integrity sha512-Y5PQxS4ITlC+EahLuXaY86TXfR7Dc5lw294alXOq86JAHCihAIZfqv8nNCWvaEJvaC51uN9hbLGeV0cFBdH+Fw== + dependencies: + "@types/json-schema" "^7.0.8" + ajv "^6.12.5" + ajv-keywords "^3.5.2" + select@^1.1.2: version "1.1.2" resolved "https://registry.yarnpkg.com/select/-/select-1.1.2.tgz#0e7350acdec80b1108528786ec1d4418d11b396d" @@ -15913,7 +16367,7 @@ tapable@^1.0.0, tapable@^1.1.3: resolved "https://registry.yarnpkg.com/tapable/-/tapable-1.1.3.tgz#a1fccc06b58db61fd7a45da2da44f5f3a3e67ba2" integrity sha512-4WK/bYZmj8xLr+HUCODHGF1ZFzsYffasLUgEiMBY4fgtltdO6B4WJtlSbPaDTLpYTcGVwM2qLnFTICEcNxs3kA== -tapable@^2.1.1, tapable@^2.2.0: +tapable@^2.0.0, tapable@^2.1.1, tapable@^2.2.0: version "2.2.0" resolved "https://registry.yarnpkg.com/tapable/-/tapable-2.2.0.tgz#5c373d281d9c672848213d0e037d1c4165ab426b" integrity sha512-FBk4IesMV1rBxX2tfiK8RAmogtWn53puLOQlvO8XuwlgxcYbP4mVPS9Ph4aeamSyyVjOl24aYWAuc8U5kCVwMw== @@ -16023,7 +16477,7 @@ terser-webpack-plugin@^4.2.3: terser "^5.3.4" webpack-sources "^1.4.3" -terser-webpack-plugin@^5.1.3: +terser-webpack-plugin@^5.0.3, terser-webpack-plugin@^5.1.3: version "5.1.4" resolved "https://registry.yarnpkg.com/terser-webpack-plugin/-/terser-webpack-plugin-5.1.4.tgz#c369cf8a47aa9922bd0d8a94fe3d3da11a7678a1" integrity sha512-C2WkFwstHDhVEmsmlCxrXUtVklS+Ir1A7twrYzrDrQQOIMOaVAYykaoo/Aq1K0QRkMoY2hhvDQY1cm4jnIMFwA== @@ -17103,6 +17557,18 @@ webpack-dev-middleware@^3.7.3: range-parser "^1.2.1" webpack-log "^2.0.0" +webpack-dev-middleware@^4.1.0: + version "4.3.0" + resolved "https://registry.yarnpkg.com/webpack-dev-middleware/-/webpack-dev-middleware-4.3.0.tgz#179cc40795882cae510b1aa7f3710cbe93c9333e" + integrity sha512-PjwyVY95/bhBh6VUqt6z4THplYcsvQ8YNNBTBM873xLVmw8FLeALn0qurHbs9EmcfhzQis/eoqypSnZeuUz26w== + dependencies: + colorette "^1.2.2" + mem "^8.1.1" + memfs "^3.2.2" + mime-types "^2.1.30" + range-parser "^1.2.1" + schema-utils "^3.0.0" + webpack-filter-warnings-plugin@^1.2.1: version "1.2.1" resolved "https://registry.yarnpkg.com/webpack-filter-warnings-plugin/-/webpack-filter-warnings-plugin-1.2.1.tgz#dc61521cf4f9b4a336fbc89108a75ae1da951cdb" @@ -17159,6 +17625,14 @@ webpack-sources@^2.2.0, webpack-sources@^2.3.0: source-list-map "^2.0.1" source-map "^0.6.1" +webpack-sources@^2.3.1: + version "2.3.1" + resolved "https://registry.yarnpkg.com/webpack-sources/-/webpack-sources-2.3.1.tgz#570de0af163949fe272233c2cefe1b56f74511fd" + integrity sha512-y9EI9AO42JjEcrTJFOYmVywVZdKVUfOvDUPsJea5GIr1JOEGFVqwlY2K098fFoIjOkDzHn2AjRvM8dsBZu+gCA== + dependencies: + source-list-map "^2.0.1" + source-map "^0.6.1" + webpack-virtual-modules@^0.2.2: version "0.2.2" resolved "https://registry.yarnpkg.com/webpack-virtual-modules/-/webpack-virtual-modules-0.2.2.tgz#20863dc3cb6bb2104729fff951fbe14b18bd0299" @@ -17166,6 +17640,11 @@ webpack-virtual-modules@^0.2.2: dependencies: debug "^3.0.0" +webpack-virtual-modules@^0.4.1: + version "0.4.3" + resolved "https://registry.yarnpkg.com/webpack-virtual-modules/-/webpack-virtual-modules-0.4.3.tgz#cd597c6d51d5a5ecb473eea1983a58fa8a17ded9" + integrity sha512-5NUqC2JquIL2pBAAo/VfBP6KuGkHIZQXW/lNKupLPfhViwh8wNsu0BObtl09yuKZszeEUfbXz8xhrHvSG16Nqw== + webpack@4, webpack@^4.46.0: version "4.46.0" resolved "https://registry.yarnpkg.com/webpack/-/webpack-4.46.0.tgz#bf9b4404ea20a073605e0a011d188d77cb6ad542" @@ -17224,6 +17703,35 @@ webpack@^5.41.0: watchpack "^2.2.0" webpack-sources "^2.3.0" +webpack@^5.9.0: + version "5.46.0" + resolved "https://registry.yarnpkg.com/webpack/-/webpack-5.46.0.tgz#105d20d96f79db59b316b0ae54316f0f630314b5" + integrity sha512-qxD0t/KTedJbpcXUmvMxY5PUvXDbF8LsThCzqomeGaDlCA6k998D8yYVwZMvO8sSM3BTEOaD4uzFniwpHaTIJw== + dependencies: + "@types/eslint-scope" "^3.7.0" + "@types/estree" "^0.0.50" + "@webassemblyjs/ast" "1.11.1" + "@webassemblyjs/wasm-edit" "1.11.1" + "@webassemblyjs/wasm-parser" "1.11.1" + acorn "^8.4.1" + browserslist "^4.14.5" + chrome-trace-event "^1.0.2" + enhanced-resolve "^5.8.0" + es-module-lexer "^0.7.1" + eslint-scope "5.1.1" + events "^3.2.0" + glob-to-regexp "^0.4.1" + graceful-fs "^4.2.4" + json-parse-better-errors "^1.0.2" + loader-runner "^4.2.0" + mime-types "^2.1.27" + neo-async "^2.6.2" + schema-utils "^3.1.0" + tapable "^2.1.1" + terser-webpack-plugin "^5.1.3" + watchpack "^2.2.0" + webpack-sources "^2.3.1" + websocket-driver@>=0.5.1: version "0.7.4" resolved "https://registry.yarnpkg.com/websocket-driver/-/websocket-driver-0.7.4.tgz#89ad5295bbf64b480abcba31e4953aca706f5760" From d4284e4a5fc25ae24557e5634536f4f2550140a7 Mon Sep 17 00:00:00 2001 From: Lena Morita Date: Wed, 28 Jul 2021 04:35:11 +0900 Subject: [PATCH 33/53] Move stories out of src folder --- .storybook/main.js | 2 +- {src/stories => stories}/collab/Collaboration.stories.tsx | 2 +- {src/stories => stories}/collab/mock-transport.js | 2 +- 3 files changed, 3 insertions(+), 3 deletions(-) rename {src/stories => stories}/collab/Collaboration.stories.tsx (99%) rename {src/stories => stories}/collab/mock-transport.js (95%) diff --git a/.storybook/main.js b/.storybook/main.js index 65ec75e54..8490ee8c0 100644 --- a/.storybook/main.js +++ b/.storybook/main.js @@ -2,7 +2,7 @@ module.exports = { core: { builder: 'webpack5', }, - stories: [ '../src/**/*.stories.mdx', '../src/**/*.stories.@(js|jsx|ts|tsx)' ], + stories: [ '../(src|stories)/**/*.stories.mdx', '../(src|stories)/**/*.stories.@(js|jsx|ts|tsx)' ], addons: [ '@storybook/addon-links', '@storybook/addon-essentials', '@storybook/preset-scss' ], webpackFinal: ( config ) => { config.module.rules.push( { diff --git a/src/stories/collab/Collaboration.stories.tsx b/stories/collab/Collaboration.stories.tsx similarity index 99% rename from src/stories/collab/Collaboration.stories.tsx rename to stories/collab/Collaboration.stories.tsx index d51a1393a..31b6c3106 100644 --- a/src/stories/collab/Collaboration.stories.tsx +++ b/stories/collab/Collaboration.stories.tsx @@ -1,4 +1,4 @@ -import IsolatedBlockEditor, { BlockEditorSettings } from '../../index'; +import IsolatedBlockEditor, { BlockEditorSettings } from '../../src/index'; import mockTransport from './mock-transport'; import { random, sample } from 'lodash'; diff --git a/src/stories/collab/mock-transport.js b/stories/collab/mock-transport.js similarity index 95% rename from src/stories/collab/mock-transport.js rename to stories/collab/mock-transport.js index d6e27b4d7..f9f4100d9 100644 --- a/src/stories/collab/mock-transport.js +++ b/stories/collab/mock-transport.js @@ -1,7 +1,7 @@ const listeners = []; const disconnectHandlers = []; -/** @type {import("../../components/block-editor-contents/use-yjs").CollaborationTransport} */ +/** @type {import("../../src/components/block-editor-contents/use-yjs").CollaborationTransport} */ const mockTransport = { sendMessage: ( data ) => { window.localStorage.setItem( 'isoEditorYjsMessage', JSON.stringify( data ) ); From 2857bd6f60a2ce2b743103dfe43b050d828f4831 Mon Sep 17 00:00:00 2001 From: Lena Morita Date: Wed, 28 Jul 2021 21:22:58 +0900 Subject: [PATCH 34/53] Fix duplicate @types/react `yarn build:types` fails because Storybook and WP packages both have @types/react as a dep and they conflict. https://github.com/WordPress/gutenberg/issues/31722 --- tsconfig.json | 3 ++- 1 file changed, 2 insertions(+), 1 deletion(-) diff --git a/tsconfig.json b/tsconfig.json index d78b2cf27..41dfcf8a4 100644 --- a/tsconfig.json +++ b/tsconfig.json @@ -39,7 +39,8 @@ "./node_modules/@types" ], "rootDir": "src", - "declarationDir": "build-types" + "declarationDir": "build-types", + "skipLibCheck": true, }, "include": [ "src/**/*" From 264ad31e9ef22c926f09cc42bc0fee0b205c4b1a Mon Sep 17 00:00:00 2001 From: Lena Morita Date: Thu, 29 Jul 2021 20:59:12 +0900 Subject: [PATCH 35/53] Add comments --- src/index.js | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/src/index.js b/src/index.js index bdc10b961..b84ada878 100644 --- a/src/index.js +++ b/src/index.js @@ -112,8 +112,8 @@ import './style.scss'; * * @typedef CollaborationTransportConnectOpts * @property {string} identity - * @property {(message: object) => void} onReceiveMessage - * @property {(peers: CollaborationPeers) => void} setAvailablePeers + * @property {(message: object) => void} onReceiveMessage Callback to run when a message is received. + * @property {(peers: CollaborationPeers) => void} setAvailablePeers Callback to run when peers change. * @property {string} [channelId] * * @typedef CollaborationTransportDocMessage From 4b55ca9167375730bb54c05ee72a4cc74f7642ae Mon Sep 17 00:00:00 2001 From: Lena Morita Date: Sat, 31 Jul 2021 06:55:10 +0900 Subject: [PATCH 36/53] Fix types --- src/components/block-editor-contents/use-yjs.js | 5 ++--- src/index.js | 5 +---- src/store/peers/actions.js | 12 ++++++++++-- 3 files changed, 13 insertions(+), 9 deletions(-) diff --git a/src/components/block-editor-contents/use-yjs.js b/src/components/block-editor-contents/use-yjs.js index bbac8478a..53f258db4 100644 --- a/src/components/block-editor-contents/use-yjs.js +++ b/src/components/block-editor-contents/use-yjs.js @@ -18,7 +18,6 @@ const debug = require( 'debug' )( 'iso-editor:collab' ); /** @typedef {import('../..').CollaborationSettings} CollaborationSettings */ /** @typedef {import('../..').CollaborationTransport} CollaborationTransport */ -/** @typedef {import('../..').CollaborationPeers} CollaborationPeers */ /** @typedef {import('../..').CollaborationTransportDocMessage} CollaborationTransportDocMessage */ /** @typedef {import('../..').CollaborationTransportSelectionMessage} CollaborationTransportSelectionMessage */ /** @typedef {import('../..').EditorSelection} EditorSelection */ @@ -33,8 +32,8 @@ const defaultColors = [ '#4676C0', '#6F6EBE', '#9063B6', '#C3498D', '#9E6D14', ' * @param {OnUpdate} opts.onRemoteDataChange - Function to update editor blocks in redux state. * @param {CollaborationSettings} opts.settings * @param {() => IsoEditorSelection} opts.getSelection - * @param {(peers: CollaborationPeers) => void} opts.setAvailablePeers - * @param {(peer: string, selection: EditorSelection, color: string) => void} opts.setPeerSelection + * @param {import('../../store/peers/actions').setAvailablePeers} opts.setAvailablePeers + * @param {import('../../store/peers/actions').setPeerSelection} opts.setPeerSelection * * @typedef IsoEditorSelection * @property {object} selectionStart diff --git a/src/index.js b/src/index.js index b84ada878..12bbc3ed1 100644 --- a/src/index.js +++ b/src/index.js @@ -113,7 +113,7 @@ import './style.scss'; * @typedef CollaborationTransportConnectOpts * @property {string} identity * @property {(message: object) => void} onReceiveMessage Callback to run when a message is received. - * @property {(peers: CollaborationPeers) => void} setAvailablePeers Callback to run when peers change. + * @property {(peers: string[]) => void} setAvailablePeers Callback to run when peers change. * @property {string} [channelId] * * @typedef CollaborationTransportDocMessage @@ -127,9 +127,6 @@ import './style.scss'; * @property {EditorSelection} selection * @property {string} color Color of the peer indicator caret. * - * @typedef CollaborationPeers - * @type {Object.} - * * @typedef EditorSelection * @property {object} start * @property {object} end diff --git a/src/store/peers/actions.js b/src/store/peers/actions.js index ba2a8c3f4..d73a94de2 100644 --- a/src/store/peers/actions.js +++ b/src/store/peers/actions.js @@ -1,11 +1,19 @@ -function setAvailablePeers( peers ) { +/** + * @param {string[]} peers + */ +export function setAvailablePeers( peers ) { return { type: 'SET_AVAILABLE_PEERS', peers, }; } -function setPeerSelection( peer, selection, color ) { +/** + * @param {string} peer + * @param {import('../..').EditorSelection} selection + * @param {string} color + */ +export function setPeerSelection( peer, selection, color ) { return { type: 'SET_PEER_SELECTION', peer, From 6f94be84dfdf3a9067ee735b90f7325d67f3e62d Mon Sep 17 00:00:00 2001 From: Lena Morita Date: Sat, 31 Jul 2021 07:48:01 +0900 Subject: [PATCH 37/53] Handle ids and usernames separately --- src/components/block-editor-contents/use-yjs.js | 3 ++- src/components/formats/collab-caret/index.js | 5 +++-- src/index.js | 3 ++- src/store/peers/actions.js | 6 +++--- src/store/peers/reducer.js | 5 +++-- stories/collab/Collaboration.stories.tsx | 6 +++--- stories/collab/mock-transport.js | 11 +++++++---- 7 files changed, 23 insertions(+), 16 deletions(-) diff --git a/src/components/block-editor-contents/use-yjs.js b/src/components/block-editor-contents/use-yjs.js index 53f258db4..e92a03eee 100644 --- a/src/components/block-editor-contents/use-yjs.js +++ b/src/components/block-editor-contents/use-yjs.js @@ -43,7 +43,7 @@ async function initYDoc( { blocks, onRemoteDataChange, settings, getSelection, s const { channelId, transport, caretColor } = settings; /** @type string */ - const identity = settings.identity || uuidv4(); + const identity = uuidv4(); const color = caretColor || sample( defaultColors ); debug( `initYDoc (identity: ${ identity })` ); @@ -95,6 +95,7 @@ async function initYDoc( { blocks, onRemoteDataChange, settings, getSelection, s return transport .connect( { identity, + username: settings.username, onReceiveMessage, setAvailablePeers: ( peers ) => { debug( 'setAvailablePeers', peers ); diff --git a/src/components/formats/collab-caret/index.js b/src/components/formats/collab-caret/index.js index fb590eb6d..30aa16d24 100644 --- a/src/components/formats/collab-caret/index.js +++ b/src/components/formats/collab-caret/index.js @@ -25,7 +25,7 @@ const FORMAT_NAME = 'isolated/collab-caret'; */ export function applyCarets( record, carets = [] ) { carets.forEach( ( caret ) => { - let { start, end, id, color } = caret; + let { start, end, id, color, label } = caret; const isCollapsed = start === end; const isShifted = isCollapsed && end >= record.text.length; @@ -47,7 +47,7 @@ export function applyCarets( record, carets = [] ) { 'is-collapsed': isCollapsed, 'is-shifted': isShifted, } ), - title: id, + title: label, style: `--iso-editor-collab-caret-color: ${ color || '#2e3d48' }`, }, }, @@ -70,6 +70,7 @@ const getCarets = memoize( ( peers, richTextIdentifier, blockClientId ) => { } ) .map( ( [ id, peer ] ) => ( { id, + label: peer.name, start: peer.start.offset, end: peer.end.offset, color: peer.color, diff --git a/src/index.js b/src/index.js index 12bbc3ed1..b38bd7b59 100644 --- a/src/index.js +++ b/src/index.js @@ -98,7 +98,7 @@ import './style.scss'; * @typedef CollaborationSettings * @property {boolean} [enabled] * @property {string} [channelId] Optional channel id to pass to transport.connect(). - * @property {string} [identity] If unspecified, a random uuid will be generated. + * @property {string} username The name displayed to peers. Required if collab is enabled. * @property {string} [caretColor] If unspecified, a random color will be selected. * @property {CollaborationTransport} transport Required if collab is enabled. */ @@ -112,6 +112,7 @@ import './style.scss'; * * @typedef CollaborationTransportConnectOpts * @property {string} identity + * @property {string} username * @property {(message: object) => void} onReceiveMessage Callback to run when a message is received. * @property {(peers: string[]) => void} setAvailablePeers Callback to run when peers change. * @property {string} [channelId] diff --git a/src/store/peers/actions.js b/src/store/peers/actions.js index d73a94de2..85f425ace 100644 --- a/src/store/peers/actions.js +++ b/src/store/peers/actions.js @@ -1,5 +1,5 @@ /** - * @param {string[]} peers + * @param {string[]} peers Peer ids. */ export function setAvailablePeers( peers ) { return { @@ -9,9 +9,9 @@ export function setAvailablePeers( peers ) { } /** - * @param {string} peer + * @param {string} peer Peer id. * @param {import('../..').EditorSelection} selection - * @param {string} color + * @param {string} color Hex values prefixed by #. */ export function setPeerSelection( peer, selection, color ) { return { diff --git a/src/store/peers/reducer.js b/src/store/peers/reducer.js index 148f64bae..eb8753821 100644 --- a/src/store/peers/reducer.js +++ b/src/store/peers/reducer.js @@ -7,6 +7,7 @@ const reducer = ( state = {}, action ) => { return { ...state, [ action.peer ]: { + ...state[ action.peer ], ...action.selection, color: action.color, }, @@ -14,8 +15,8 @@ const reducer = ( state = {}, action ) => { } case 'SET_AVAILABLE_PEERS': { - return action.peers.reduce( ( acc, peer ) => { - acc[ peer ] = state[ peer ] || {}; + return action.peers.reduce( ( acc, { id, name } ) => { + acc[ id ] = state[ id ] || { name }; return acc; }, {} ); } diff --git a/stories/collab/Collaboration.stories.tsx b/stories/collab/Collaboration.stories.tsx index 31b6c3106..3f9d58b0d 100644 --- a/stories/collab/Collaboration.stories.tsx +++ b/stories/collab/Collaboration.stories.tsx @@ -13,7 +13,7 @@ type Props = { settings: BlockEditorSettings; }; -const identity = `${ sample( [ 'Pink', 'Yellow', 'Blue', 'Green' ] ) } ${ sample( [ +const username = `${ sample( [ 'Pink', 'Yellow', 'Blue', 'Green' ] ) } ${ sample( [ 'Panda', 'Zeebra', 'Unicorn', @@ -26,7 +26,7 @@ const Template: Story< Props > = ( args ) => { { args.settings.collab?.enabled && ( <> -

My identity: { identity }

+

My name: { username }


@@ -66,7 +66,7 @@ Default.args = { enabled: true, channelId: 'storybook-collab-editor', transport: mockTransport, - identity, + username, }, }, }; diff --git a/stories/collab/mock-transport.js b/stories/collab/mock-transport.js index f9f4100d9..38354cf72 100644 --- a/stories/collab/mock-transport.js +++ b/stories/collab/mock-transport.js @@ -6,7 +6,7 @@ const mockTransport = { sendMessage: ( data ) => { window.localStorage.setItem( 'isoEditorYjsMessage', JSON.stringify( data ) ); }, - connect: ( { identity, onReceiveMessage, setAvailablePeers, channelId } ) => { + connect: ( { identity, username, onReceiveMessage, setAvailablePeers, channelId } ) => { listeners.push( { event: 'storage', @@ -25,7 +25,7 @@ const mockTransport = { window.setTimeout( () => { if ( event.storageArea !== localStorage ) return; if ( event.key === 'isoEditorYjsPeers' && event.newValue ) { - const peersExceptMe = JSON.parse( event.newValue ).filter( ( id ) => id !== identity ); + const peersExceptMe = JSON.parse( event.newValue ).filter( ( { id } ) => id !== identity ); setAvailablePeers( peersExceptMe ); } }, 0 ); @@ -37,13 +37,16 @@ const mockTransport = { const isFirstInChannel = peers.length === 0; setAvailablePeers( peers ); // everyone except me - window.localStorage.setItem( 'isoEditorYjsPeers', JSON.stringify( [ ...peers, identity ] ) ); + window.localStorage.setItem( + 'isoEditorYjsPeers', + JSON.stringify( [ ...peers, { id: identity, name: username } ] ) + ); disconnectHandlers.push( () => { const peers = JSON.parse( window.localStorage.getItem( 'isoEditorYjsPeers' ) || '[]' ); window.localStorage.setItem( 'isoEditorYjsPeers', - JSON.stringify( peers.filter( ( id ) => id !== identity ) ) + JSON.stringify( peers.filter( ( { id } ) => id !== identity ) ) ); } ); From 464c6dae1ab8fae99db5ab571da2a517c80c3459 Mon Sep 17 00:00:00 2001 From: Lena Morita Date: Sat, 31 Jul 2021 08:47:41 +0900 Subject: [PATCH 38/53] Only send caret color on channel connect --- src/components/block-editor-contents/use-yjs.js | 8 ++++---- src/index.js | 13 +++++++++---- src/store/peers/actions.js | 10 ++++------ src/store/peers/reducer.js | 11 +++++------ stories/collab/mock-transport.js | 4 ++-- 5 files changed, 24 insertions(+), 22 deletions(-) diff --git a/src/components/block-editor-contents/use-yjs.js b/src/components/block-editor-contents/use-yjs.js index e92a03eee..433a5b129 100644 --- a/src/components/block-editor-contents/use-yjs.js +++ b/src/components/block-editor-contents/use-yjs.js @@ -40,11 +40,11 @@ const defaultColors = [ '#4676C0', '#6F6EBE', '#9063B6', '#C3498D', '#9E6D14', ' * @property {object} selectionEnd */ async function initYDoc( { blocks, onRemoteDataChange, settings, getSelection, setPeerSelection, setAvailablePeers } ) { - const { channelId, transport, caretColor } = settings; + const { channelId, transport } = settings; /** @type string */ const identity = uuidv4(); - const color = caretColor || sample( defaultColors ); + const caretColor = settings.caretColor || sample( defaultColors ); debug( `initYDoc (identity: ${ identity })` ); @@ -66,7 +66,6 @@ async function initYDoc( { blocks, onRemoteDataChange, settings, getSelection, s start: selectionStart, end: selectionEnd, }, - color, } ); }, } ); @@ -81,7 +80,7 @@ async function initYDoc( { blocks, onRemoteDataChange, settings, getSelection, s break; } case 'selection': { - setPeerSelection( data.identity, data.selection, data.color ); + setPeerSelection( data.identity, data.selection ); break; } } @@ -96,6 +95,7 @@ async function initYDoc( { blocks, onRemoteDataChange, settings, getSelection, s .connect( { identity, username: settings.username, + caretColor, onReceiveMessage, setAvailablePeers: ( peers ) => { debug( 'setAvailablePeers', peers ); diff --git a/src/index.js b/src/index.js index b38bd7b59..6a7d591e0 100644 --- a/src/index.js +++ b/src/index.js @@ -98,8 +98,8 @@ import './style.scss'; * @typedef CollaborationSettings * @property {boolean} [enabled] * @property {string} [channelId] Optional channel id to pass to transport.connect(). - * @property {string} username The name displayed to peers. Required if collab is enabled. - * @property {string} [caretColor] If unspecified, a random color will be selected. + * @property {string} username Name displayed to peers. Required if collab is enabled. + * @property {string} [caretColor] Color of the caret indicator displayed to peers. If unspecified, a random color will be selected. * @property {CollaborationTransport} transport Required if collab is enabled. */ @@ -113,10 +113,16 @@ import './style.scss'; * @typedef CollaborationTransportConnectOpts * @property {string} identity * @property {string} username + * @property {string} caretColor Color of the caret indicator displayed to peers. * @property {(message: object) => void} onReceiveMessage Callback to run when a message is received. - * @property {(peers: string[]) => void} setAvailablePeers Callback to run when peers change. + * @property {(peers: AvailablePeer[]) => void} setAvailablePeers Callback to run when peers change. * @property {string} [channelId] * + * @typedef AvailablePeer + * @property {string} id + * @property {string} name + * @property {string} color + * * @typedef CollaborationTransportDocMessage * @property {string} identity * @property {'doc'} type @@ -126,7 +132,6 @@ import './style.scss'; * @property {string} identity * @property {'selection'} type * @property {EditorSelection} selection - * @property {string} color Color of the peer indicator caret. * * @typedef EditorSelection * @property {object} start diff --git a/src/store/peers/actions.js b/src/store/peers/actions.js index 85f425ace..c0fd2bdab 100644 --- a/src/store/peers/actions.js +++ b/src/store/peers/actions.js @@ -1,5 +1,5 @@ /** - * @param {string[]} peers Peer ids. + * @param {import('../../').AvailablePeer[]} peers */ export function setAvailablePeers( peers ) { return { @@ -9,16 +9,14 @@ export function setAvailablePeers( peers ) { } /** - * @param {string} peer Peer id. + * @param {string} peerId * @param {import('../..').EditorSelection} selection - * @param {string} color Hex values prefixed by #. */ -export function setPeerSelection( peer, selection, color ) { +export function setPeerSelection( peerId, selection ) { return { type: 'SET_PEER_SELECTION', - peer, + peerId, selection, - color, }; } diff --git a/src/store/peers/reducer.js b/src/store/peers/reducer.js index eb8753821..a13eb82cd 100644 --- a/src/store/peers/reducer.js +++ b/src/store/peers/reducer.js @@ -1,22 +1,21 @@ const reducer = ( state = {}, action ) => { switch ( action.type ) { case 'SET_PEER_SELECTION': { - if ( ! state[ action.peer ] ) { + if ( ! state[ action.peerId ] ) { return state; } return { ...state, - [ action.peer ]: { - ...state[ action.peer ], + [ action.peerId ]: { + ...state[ action.peerId ], ...action.selection, - color: action.color, }, }; } case 'SET_AVAILABLE_PEERS': { - return action.peers.reduce( ( acc, { id, name } ) => { - acc[ id ] = state[ id ] || { name }; + return action.peers.reduce( ( acc, { id, name, color } ) => { + acc[ id ] = state[ id ] || { name, color }; return acc; }, {} ); } diff --git a/stories/collab/mock-transport.js b/stories/collab/mock-transport.js index 38354cf72..60eee0039 100644 --- a/stories/collab/mock-transport.js +++ b/stories/collab/mock-transport.js @@ -6,7 +6,7 @@ const mockTransport = { sendMessage: ( data ) => { window.localStorage.setItem( 'isoEditorYjsMessage', JSON.stringify( data ) ); }, - connect: ( { identity, username, onReceiveMessage, setAvailablePeers, channelId } ) => { + connect: ( { identity, username, caretColor, onReceiveMessage, setAvailablePeers, channelId } ) => { listeners.push( { event: 'storage', @@ -39,7 +39,7 @@ const mockTransport = { window.localStorage.setItem( 'isoEditorYjsPeers', - JSON.stringify( [ ...peers, { id: identity, name: username } ] ) + JSON.stringify( [ ...peers, { id: identity, name: username, color: caretColor } ] ) ); disconnectHandlers.push( () => { From ad79f6b7482f6bb122620c6d906a0614028212e8 Mon Sep 17 00:00:00 2001 From: Lena Morita Date: Sat, 31 Jul 2021 10:15:15 +0900 Subject: [PATCH 39/53] Group together user settings --- src/components/block-editor-contents/use-yjs.js | 9 +++++---- src/index.js | 7 ++++--- stories/collab/mock-transport.js | 4 ++-- 3 files changed, 11 insertions(+), 9 deletions(-) diff --git a/src/components/block-editor-contents/use-yjs.js b/src/components/block-editor-contents/use-yjs.js index 433a5b129..6c75d649d 100644 --- a/src/components/block-editor-contents/use-yjs.js +++ b/src/components/block-editor-contents/use-yjs.js @@ -44,7 +44,6 @@ async function initYDoc( { blocks, onRemoteDataChange, settings, getSelection, s /** @type string */ const identity = uuidv4(); - const caretColor = settings.caretColor || sample( defaultColors ); debug( `initYDoc (identity: ${ identity })` ); @@ -93,9 +92,11 @@ async function initYDoc( { blocks, onRemoteDataChange, settings, getSelection, s return transport .connect( { - identity, - username: settings.username, - caretColor, + user: { + identity, + name: settings.username, + color: settings.caretColor || sample( defaultColors ), + }, onReceiveMessage, setAvailablePeers: ( peers ) => { debug( 'setAvailablePeers', peers ); diff --git a/src/index.js b/src/index.js index 6a7d591e0..fa92ea956 100644 --- a/src/index.js +++ b/src/index.js @@ -111,9 +111,10 @@ import './style.scss'; * @property {() => Promise} disconnect * * @typedef CollaborationTransportConnectOpts - * @property {string} identity - * @property {string} username - * @property {string} caretColor Color of the caret indicator displayed to peers. + * @property {object} user + * @property {string} user.identity + * @property {string} user.name + * @property {string} user.color Color of the caret indicator displayed to peers. * @property {(message: object) => void} onReceiveMessage Callback to run when a message is received. * @property {(peers: AvailablePeer[]) => void} setAvailablePeers Callback to run when peers change. * @property {string} [channelId] diff --git a/stories/collab/mock-transport.js b/stories/collab/mock-transport.js index 60eee0039..5280adfcc 100644 --- a/stories/collab/mock-transport.js +++ b/stories/collab/mock-transport.js @@ -6,7 +6,7 @@ const mockTransport = { sendMessage: ( data ) => { window.localStorage.setItem( 'isoEditorYjsMessage', JSON.stringify( data ) ); }, - connect: ( { identity, username, caretColor, onReceiveMessage, setAvailablePeers, channelId } ) => { + connect: ( { user: { identity, name, color }, onReceiveMessage, setAvailablePeers, channelId } ) => { listeners.push( { event: 'storage', @@ -39,7 +39,7 @@ const mockTransport = { window.localStorage.setItem( 'isoEditorYjsPeers', - JSON.stringify( [ ...peers, { id: identity, name: username, color: caretColor } ] ) + JSON.stringify( [ ...peers, { id: identity, name, color } ] ) ); disconnectHandlers.push( () => { From bb35c419010f47b70023223de739fb258f4b408c Mon Sep 17 00:00:00 2001 From: Lena Morita Date: Sat, 7 Aug 2021 02:06:53 +0900 Subject: [PATCH 40/53] Tweak caret styles --- src/components/formats/collab-caret/style.scss | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/src/components/formats/collab-caret/style.scss b/src/components/formats/collab-caret/style.scss index f3373846e..eae85f1dc 100644 --- a/src/components/formats/collab-caret/style.scss +++ b/src/components/formats/collab-caret/style.scss @@ -31,8 +31,8 @@ mark.iso-editor-collab-caret::after { min-width: 8px; max-width: 140px; text-overflow: ellipsis; - height: 8px; - padding: 2px 4px 4px; + min-height: 8px; + padding: 2px 4px 3px; content: attr( title ); // identity color: white; vertical-align: top; From 2aa2daaec8f66dd657feea4ea97543a6f2aeeed3 Mon Sep 17 00:00:00 2001 From: Lena Morita Date: Tue, 10 Aug 2021 19:08:09 +0900 Subject: [PATCH 41/53] Fix invalid glob https://github.com/storybookjs/storybook/blob/next/MIGRATION.md#correct-globs-in-mainjs --- .storybook/main.js | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/.storybook/main.js b/.storybook/main.js index 8490ee8c0..2a5c2d381 100644 --- a/.storybook/main.js +++ b/.storybook/main.js @@ -2,7 +2,7 @@ module.exports = { core: { builder: 'webpack5', }, - stories: [ '../(src|stories)/**/*.stories.mdx', '../(src|stories)/**/*.stories.@(js|jsx|ts|tsx)' ], + stories: [ '../@(src|stories)/**/*.stories.mdx', '../@(src|stories)/**/*.stories.@(js|jsx|ts|tsx)' ], addons: [ '@storybook/addon-links', '@storybook/addon-essentials', '@storybook/preset-scss' ], webpackFinal: ( config ) => { config.module.rules.push( { From dcfc246050debfd907d4c52888f7dbb0f10eaff5 Mon Sep 17 00:00:00 2001 From: Lena Morita Date: Tue, 10 Aug 2021 19:20:18 +0900 Subject: [PATCH 42/53] Add commit hash for asblocks dep --- package.json | 2 +- yarn.lock | 2 +- 2 files changed, 2 insertions(+), 2 deletions(-) diff --git a/package.json b/package.json index bb48b2a2b..c1f4e38b5 100644 --- a/package.json +++ b/package.json @@ -82,7 +82,7 @@ "@wordpress/viewport": "^3.1.2", "@wordpress/warning": "^2.1.1", "@wordpress/wordcount": "^3.1.1", - "asblocks": "git+https://github.com/youknowriad/asblocks", + "asblocks": "git+https://github.com/youknowriad/asblocks#48f351f9be9a1041dca0e99b033d119d9f797ddf", "classnames": "^2.3.1", "debug": "^4.3.2", "react": "17.0.2", diff --git a/yarn.lock b/yarn.lock index 741440073..42dff95d4 100644 --- a/yarn.lock +++ b/yarn.lock @@ -5433,7 +5433,7 @@ arrify@^2.0.1: resolved "https://registry.yarnpkg.com/arrify/-/arrify-2.0.1.tgz#c9655e9331e0abcd588d2a7cad7e9956f66701fa" integrity sha512-3duEwti880xqi4eAMN8AyR4a0ByT90zoYdLlevfrvU43vb0YZwZVfxOgxWrLXXXpyugL0hNZc9G6BiB5B3nUug== -"asblocks@git+https://github.com/youknowriad/asblocks": +"asblocks@git+https://github.com/youknowriad/asblocks#48f351f9be9a1041dca0e99b033d119d9f797ddf": version "1.2.0" resolved "git+https://github.com/youknowriad/asblocks#48f351f9be9a1041dca0e99b033d119d9f797ddf" dependencies: From 3856baf1b87e81a7adb12d5d5512d64e6a1d09ca Mon Sep 17 00:00:00 2001 From: Lena Morita Date: Wed, 11 Aug 2021 21:21:18 +0900 Subject: [PATCH 43/53] Fix type for `color` --- src/index.js | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/src/index.js b/src/index.js index 4f4d1026d..4c5166bcf 100644 --- a/src/index.js +++ b/src/index.js @@ -115,7 +115,7 @@ import './style.scss'; * @property {object} user * @property {string} user.identity * @property {string} user.name - * @property {string} user.color Color of the caret indicator displayed to peers. + * @property {string} [user.color] Color of the caret indicator displayed to peers. * @property {(message: object) => void} onReceiveMessage Callback to run when a message is received. * @property {(peers: AvailablePeer[]) => void} setAvailablePeers Callback to run when peers change. * @property {string} [channelId] From 1b6ce5d4790946d8729688cb08619217eba5e506 Mon Sep 17 00:00:00 2001 From: Lena Morita Date: Thu, 12 Aug 2021 00:02:03 +0900 Subject: [PATCH 44/53] Move to folder --- .../{use-yjs.js => use-yjs/index.js} | 18 +++++++++--------- 1 file changed, 9 insertions(+), 9 deletions(-) rename src/components/block-editor-contents/{use-yjs.js => use-yjs/index.js} (85%) diff --git a/src/components/block-editor-contents/use-yjs.js b/src/components/block-editor-contents/use-yjs/index.js similarity index 85% rename from src/components/block-editor-contents/use-yjs.js rename to src/components/block-editor-contents/use-yjs/index.js index 6c75d649d..8ae23095d 100644 --- a/src/components/block-editor-contents/use-yjs.js +++ b/src/components/block-editor-contents/use-yjs/index.js @@ -12,16 +12,16 @@ import { postDocToObject, updatePostDoc } from 'asblocks/src/components/editor/s import { useDispatch, useSelect } from '@wordpress/data'; import { useEffect, useRef } from '@wordpress/element'; -import { registerFormatCollabCaret } from '../formats/collab-caret'; +import { registerFormatCollabCaret } from '../../formats/collab-caret'; const debug = require( 'debug' )( 'iso-editor:collab' ); -/** @typedef {import('../..').CollaborationSettings} CollaborationSettings */ -/** @typedef {import('../..').CollaborationTransport} CollaborationTransport */ -/** @typedef {import('../..').CollaborationTransportDocMessage} CollaborationTransportDocMessage */ -/** @typedef {import('../..').CollaborationTransportSelectionMessage} CollaborationTransportSelectionMessage */ -/** @typedef {import('../..').EditorSelection} EditorSelection */ -/** @typedef {import('.').OnUpdate} OnUpdate */ +/** @typedef {import('../../..').CollaborationSettings} CollaborationSettings */ +/** @typedef {import('../../..').CollaborationTransport} CollaborationTransport */ +/** @typedef {import('../../..').CollaborationTransportDocMessage} CollaborationTransportDocMessage */ +/** @typedef {import('../../..').CollaborationTransportSelectionMessage} CollaborationTransportSelectionMessage */ +/** @typedef {import('../../..').EditorSelection} EditorSelection */ +/** @typedef {import('..').OnUpdate} OnUpdate */ const DEBOUNCE_WAIT_MS = 800; const defaultColors = [ '#4676C0', '#6F6EBE', '#9063B6', '#C3498D', '#9E6D14', '#3B4856', '#4A807A' ]; @@ -32,8 +32,8 @@ const defaultColors = [ '#4676C0', '#6F6EBE', '#9063B6', '#C3498D', '#9E6D14', ' * @param {OnUpdate} opts.onRemoteDataChange - Function to update editor blocks in redux state. * @param {CollaborationSettings} opts.settings * @param {() => IsoEditorSelection} opts.getSelection - * @param {import('../../store/peers/actions').setAvailablePeers} opts.setAvailablePeers - * @param {import('../../store/peers/actions').setPeerSelection} opts.setPeerSelection + * @param {import('../../../store/peers/actions').setAvailablePeers} opts.setAvailablePeers + * @param {import('../../../store/peers/actions').setPeerSelection} opts.setPeerSelection * * @typedef IsoEditorSelection * @property {object} selectionStart From cb507874c38e80ae4f8b5e71102cbc01ff563aa7 Mon Sep 17 00:00:00 2001 From: Lena Morita Date: Thu, 12 Aug 2021 01:44:29 +0900 Subject: [PATCH 45/53] Copy asblocks code Co-authored-by: Riad Benguella Co-authored-by: Enrique Piqueras --- package.json | 4 +- .../use-yjs/algorithms/__tests__/yjs.js | 391 +++++++ .../use-yjs/algorithms/yjs.js | 243 +++++ .../block-editor-contents/use-yjs/index.js | 4 +- .../block-editor-contents/use-yjs/yjs-doc.js | 152 +++ yarn.lock | 970 +----------------- 6 files changed, 806 insertions(+), 958 deletions(-) create mode 100644 src/components/block-editor-contents/use-yjs/algorithms/__tests__/yjs.js create mode 100644 src/components/block-editor-contents/use-yjs/algorithms/yjs.js create mode 100644 src/components/block-editor-contents/use-yjs/yjs-doc.js diff --git a/package.json b/package.json index 2f4d4d5ee..7da7206e9 100644 --- a/package.json +++ b/package.json @@ -82,7 +82,6 @@ "@wordpress/viewport": "^4.0.0", "@wordpress/warning": "^2.2.1", "@wordpress/wordcount": "^3.2.1", - "asblocks": "git+https://github.com/youknowriad/asblocks#48f351f9be9a1041dca0e99b033d119d9f797ddf", "classnames": "^2.3.1", "debug": "^4.3.2", "react": "17.0.2", @@ -90,7 +89,8 @@ "react-dom": "17.0.2", "reakit-utils": "^0.15.1", "redux-undo": "^1.0.1", - "refx": "^3.1.1" + "refx": "^3.1.1", + "yjs": "^13.5.12" }, "devDependencies": { "@babel/cli": "^7.14.8", diff --git a/src/components/block-editor-contents/use-yjs/algorithms/__tests__/yjs.js b/src/components/block-editor-contents/use-yjs/algorithms/__tests__/yjs.js new file mode 100644 index 000000000..96e1fea66 --- /dev/null +++ b/src/components/block-editor-contents/use-yjs/algorithms/__tests__/yjs.js @@ -0,0 +1,391 @@ +import * as yjs from 'yjs'; +import { updateBlocksDoc, blocksDocToArray } from '../yjs'; + +jest.mock( 'uuid', () => { + let i = 0; + // This ensures nonces are generated in a consistent way. + return { v4: () => i-- }; +} ); + +function applyYjsTransaction( yDoc, callback, origin ) { + return new Promise( ( resolve ) => { + yDoc.on( 'update', () => { + resolve(); + } ); + yDoc.transact( callback, origin ); + } ); +} +function applyYjsUpdate( yDoc, update ) { + return new Promise( ( resolve ) => { + yDoc.on( 'update', () => { + resolve(); + } ); + yjs.applyUpdate( yDoc, update ); + } ); +} + +async function getUpdatedBlocksUsingYjsAlgo( + originalBlocks, + updatedLocalBlocks, + updatedRemoteBlocks +) { + // Local doc. + const localYDoc = new yjs.Doc(); + const localYBlocks = localYDoc.getMap( 'blocks' ); + + // Remote doc. + const remoteYDoc = new yjs.Doc(); + const remoteYBlocks = remoteYDoc.getMap( 'blocks' ); + + // Initialize both docs to the original blocks. + await applyYjsTransaction( + localYDoc, + () => { + updateBlocksDoc( localYBlocks, originalBlocks ); + }, + 1 + ); + await applyYjsUpdate( remoteYDoc, yjs.encodeStateAsUpdate( localYDoc ) ); + + // Local edit. + if ( originalBlocks !== updatedLocalBlocks ) { + await applyYjsTransaction( + localYDoc, + () => { + updateBlocksDoc( localYBlocks, updatedLocalBlocks ); + }, + 1 + ); + } + + // Remote edit. + if ( originalBlocks !== updatedRemoteBlocks ) { + await applyYjsTransaction( + remoteYDoc, + () => { + updateBlocksDoc( remoteYBlocks, updatedRemoteBlocks ); + }, + 2 + ); + + // Merging remote edit into local edit. + await applyYjsUpdate( + localYDoc, + yjs.encodeStateAsUpdate( remoteYDoc ) + ); + } + + return blocksDocToArray( localYBlocks ); +} + +jest.useRealTimers(); + +const syncAlgorithms = [ { name: 'yjs', algo: getUpdatedBlocksUsingYjsAlgo } ]; +syncAlgorithms.forEach( ( { name, algo } ) => { + describe( name + ': Conflict Resolution', () => { + test( 'Remote update to single block.', async () => { + const originalBlocks = [ + { + clientId: '1', + attributes: { + content: 'original', + }, + innerBlocks: [], + }, + ]; + const updatedLocalBlocks = originalBlocks; + + const updateRemoteBlocks = [ + { + clientId: '1', + attributes: { + content: 'updated', + }, + innerBlocks: [], + }, + ]; + + expect( + await algo( + originalBlocks, + updatedLocalBlocks, + updateRemoteBlocks + ) + ).toEqual( updateRemoteBlocks ); + } ); + + test( 'New local block and remote update to single block.', async () => { + const originalBlocks = [ + { + clientId: '1', + attributes: { + content: 'original', + }, + innerBlocks: [], + }, + ]; + const updatedLocalBlocks = [ + { + clientId: '1', + attributes: { + content: 'original', + }, + innerBlocks: [], + }, + { + clientId: '2', + attributes: { + content: 'new', + }, + innerBlocks: [], + }, + ]; + + const updateRemoteBlocks = [ + { + clientId: '1', + attributes: { + content: 'updated', + }, + innerBlocks: [], + }, + ]; + + const expectedMerge = [ + { + clientId: '1', + attributes: { + content: 'updated', + }, + innerBlocks: [], + }, + { + clientId: '2', + attributes: { + content: 'new', + }, + innerBlocks: [], + }, + ]; + + expect( + await algo( + originalBlocks, + updatedLocalBlocks, + updateRemoteBlocks + ) + ).toEqual( expectedMerge ); + } ); + + test( 'Local deletion of multiple blocks and update to single block.', async () => { + const originalBlocks = [ + { + clientId: '1', + attributes: { + content: 'original', + }, + innerBlocks: [], + }, + { + clientId: '2', + attributes: { + content: 'original', + }, + innerBlocks: [], + }, + { + clientId: '3', + attributes: { + content: 'original', + }, + innerBlocks: [], + }, + ]; + const updatedLocalBlocks = [ + { + clientId: '1', + attributes: { + content: 'updated', + }, + innerBlocks: [], + }, + ]; + + const updateRemoteBlocks = originalBlocks; + + const expectedMerge = [ + { + clientId: '1', + attributes: { + content: 'updated', + }, + innerBlocks: [], + }, + ]; + + expect( + await algo( + originalBlocks, + updatedLocalBlocks, + updateRemoteBlocks + ) + ).toEqual( expectedMerge ); + } ); + + test( 'Moving a block locally while updating it remotely.', async () => { + const originalBlocks = [ + { + clientId: '1', + attributes: { + content: 'original', + }, + innerBlocks: [], + }, + { + clientId: '2', + attributes: { + content: 'original', + }, + innerBlocks: [], + }, + ]; + const updatedLocalBlocks = [ + { + clientId: '2', + attributes: { + content: 'original', + }, + innerBlocks: [], + }, + { + clientId: '1', + attributes: { + content: 'original', + }, + innerBlocks: [], + }, + ]; + + const updateRemoteBlocks = [ + { + clientId: '1', + attributes: { + content: 'original', + }, + innerBlocks: [], + }, + { + clientId: '2', + attributes: { + content: 'updated', + }, + innerBlocks: [], + }, + ]; + + const expectedMerge = [ + { + clientId: '2', + attributes: { + content: 'updated', + }, + innerBlocks: [], + }, + { + clientId: '1', + attributes: { + content: 'original', + }, + innerBlocks: [], + }, + ]; + + expect( + await algo( + originalBlocks, + updatedLocalBlocks, + updateRemoteBlocks + ) + ).toEqual( expectedMerge ); + } ); + + test( 'Moving a block to inner blocks while updating it remotely.', async () => { + const originalBlocks = [ + { + clientId: '1', + attributes: { + content: 'original', + }, + innerBlocks: [], + }, + { + clientId: '2', + attributes: { + content: 'original', + }, + innerBlocks: [], + }, + ]; + const updatedLocalBlocks = [ + { + clientId: '1', + attributes: { + content: 'original', + }, + innerBlocks: [ + { + clientId: '2', + attributes: { + content: 'original', + }, + innerBlocks: [], + }, + ], + }, + ]; + + const updateRemoteBlocks = [ + { + clientId: '1', + attributes: { + content: 'original', + }, + innerBlocks: [], + }, + { + clientId: '2', + attributes: { + content: 'updated', + }, + innerBlocks: [], + }, + ]; + + const expectedMerge = [ + { + clientId: '1', + attributes: { + content: 'original', + }, + innerBlocks: [ + { + clientId: '2', + attributes: { + content: 'updated', + }, + innerBlocks: [], + }, + ], + }, + ]; + + expect( + await algo( + originalBlocks, + updatedLocalBlocks, + updateRemoteBlocks + ) + ).toEqual( expectedMerge ); + } ); + } ); +} ); diff --git a/src/components/block-editor-contents/use-yjs/algorithms/yjs.js b/src/components/block-editor-contents/use-yjs/algorithms/yjs.js new file mode 100644 index 000000000..ebe7a0f8c --- /dev/null +++ b/src/components/block-editor-contents/use-yjs/algorithms/yjs.js @@ -0,0 +1,243 @@ +import * as yjs from 'yjs'; +import { isEqual } from 'lodash'; + +/** + * Returns information for splicing array `a` into array `b`, + * by swapping the minimum slice of disagreement. + * + * @param {Array} a + * @param {Array} b + * @return {Object} diff. + */ +function simpleDiff( a, b ) { + let left = 0; + let right = 0; + while ( left < a.length && left < b.length && a[ left ] === b[ left ] ) { + left++; + } + if ( left !== a.length || left !== b.length ) { + while ( + right + left < a.length && + right + left < b.length && + a[ a.length - right - 1 ] === b[ b.length - right - 1 ] + ) { + right++; + } + } + return { + index: left, + remove: a.length - left - right, + insert: b.slice( left, b.length - right ), + }; +} + +/** + * Updates the block doc with the local blocks block changes. + * + * @param {yjs.Map} yDocBlocks Blocks doc. + * @param {Array} blocks Updated blocks. + * @param {string} clientId Current clientId. + */ +export function updateBlocksDoc( yDocBlocks, blocks, clientId = '' ) { + if ( ! yDocBlocks.has( 'order' ) ) { + yDocBlocks.set( 'order', new yjs.Map() ); + } + let order = yDocBlocks.get( 'order' ); + if ( ! order.has( clientId ) ) order.set( clientId, new yjs.Array() ); + order = order.get( clientId ); + if ( ! yDocBlocks.has( 'byClientId' ) ) { + yDocBlocks.set( 'byClientId', new yjs.Map() ); + } + const byClientId = yDocBlocks.get( 'byClientId' ); + const currentOrder = order.toArray(); + const orderDiff = simpleDiff( + currentOrder, + blocks.map( ( block ) => block.clientId ) + ); + currentOrder + .slice( orderDiff.index, orderDiff.remove ) + .forEach( + ( _clientId ) => + ! orderDiff.insert.includes( _clientId ) && + byClientId.delete( _clientId ) + ); + order.delete( orderDiff.index, orderDiff.remove ); + order.insert( orderDiff.index, orderDiff.insert ); + + for ( const _block of blocks ) { + const { innerBlocks, ...block } = _block; + if ( + ! byClientId.has( block.clientId ) || + ! isEqual( byClientId.get( block.clientId ), block ) + ) { + byClientId.set( block.clientId, block ); + } + + updateBlocksDoc( yDocBlocks, innerBlocks, block.clientId ); + } +} + +/** + * Updates the comments doc with the local comments changes. + * + * @param {yjs.Doc} commentsDoc comments doc. + * @param {Object} comments Updated comments. + */ +export function updateCommentsDoc( commentsDoc, comments = [] ) { + comments.forEach( ( comment ) => { + let currentDoc = commentsDoc.get( comment._id ); + const isNewDoc = ! currentDoc; + if ( ! currentDoc ) { + commentsDoc.set( comment._id, new yjs.Map() ); + } + currentDoc = commentsDoc.get( comment._id ); + // Update regular fields + [ + 'type', + 'content', + 'createdAt', + 'status', + 'start', + 'end', + 'authorId', + 'authorName', + ].forEach( ( field ) => { + if ( isNewDoc || currentDoc.get( field ) !== comment[ field ] ) { + currentDoc.set( field, comment[ field ] ); + } + } ); + + if ( isNewDoc ) { + currentDoc.set( 'replies', new yjs.Map() ); + } + + updateCommentRepliesDoc( currentDoc.get( 'replies' ), comment.replies ); + } ); +} + +/** + * Updates the replies doc with the local replies changes. + * + * @param {yjs.Doc} repliesDoc replies doc. + * @param {Object} replies Updated replies. + */ +export function updateCommentRepliesDoc( repliesDoc, replies = [] ) { + replies.forEach( ( reply ) => { + let currentReplyDoc = repliesDoc.get( reply._id ); + const isNewDoc = ! currentReplyDoc; + if ( ! currentReplyDoc ) { + repliesDoc.set( reply._id, new yjs.Map() ); + } + currentReplyDoc = repliesDoc.get( reply._id ); + [ 'content', 'createdAt', 'authorId', 'authorName' ].forEach( + ( field ) => { + if ( + isNewDoc || + currentReplyDoc.get( field ) !== reply[ field ] + ) { + currentReplyDoc.set( field, reply[ field ] ); + } + } + ); + } ); +} + +/** + * Updates the post doc with the local post changes. + * + * @param {yjs.Doc} doc Shared doc. + * @param {Object} newPost Updated post. + */ +export function updatePostDoc( doc, newPost ) { + const postDoc = doc.get( 'post', yjs.Map ); + if ( postDoc.get( 'title' ) !== newPost.title ) { + postDoc.set( 'title', newPost.title ); + } + if ( ! postDoc.get( 'blocks', yjs.Map ) ) { + postDoc.set( 'blocks', new yjs.Map() ); + } + updateBlocksDoc( postDoc.get( 'blocks' ), newPost.blocks || [] ); + if ( ! postDoc.get( 'comments', yjs.Map ) ) { + postDoc.set( 'comments', new yjs.Map() ); + } + updateCommentsDoc( postDoc.get( 'comments' ), newPost.comments ); +} + +/** + * Converts the comments doc into a comment list. + * + * @param {yjs.Map} commentsDoc Comments doc. + * @return {Array} Comment list. + */ +export function commentsDocToArray( commentsDoc ) { + if ( ! commentsDoc ) { + return []; + } + + return Object.entries( commentsDoc.toJSON() ).map( + ( [ id, commentDoc ] ) => { + return { + _id: id, + type: commentDoc.type, + content: commentDoc.content, + createdAt: commentDoc.createdAt, + status: commentDoc.status, + start: commentDoc.start, + end: commentDoc.end, + authorId: commentDoc.authorId, + authorName: commentDoc.authorName, + replies: Object.entries( commentDoc.replies ) + .map( ( [ replyId, entryDoc ] ) => { + return { + _id: replyId, + content: entryDoc.content, + createdAt: entryDoc.createdAt, + authorId: entryDoc.authorId, + authorName: entryDoc.authorName, + }; + } ) + .sort( ( a, b ) => a.createdAt - b.createdAt ), + }; + } + ); +} + +/** + * Converts the block doc into a block list. + * + * @param {yjs.Map} yDocBlocks Block doc. + * @param {string} clientId Current block clientId. + * @return {Array} Block list. + */ +export function blocksDocToArray( yDocBlocks, clientId = '' ) { + if ( ! yDocBlocks ) { + return []; + } + let order = yDocBlocks.get( 'order' ); + order = order.get( clientId )?.toArray(); + if ( ! order ) return []; + const byClientId = yDocBlocks.get( 'byClientId' ); + + return order.map( ( _clientId ) => ( { + ...byClientId.get( _clientId ), + innerBlocks: blocksDocToArray( yDocBlocks, _clientId ), + } ) ); +} + +/** + * Converts the post doc into a post object. + * + * @param {yjs.Map} doc Shared doc. + * @return {Object} Post object. + */ +export function postDocToObject( doc ) { + const postDoc = doc.get( 'post', yjs.Map ); + const blocks = blocksDocToArray( postDoc.get( 'blocks' ) ); + const comments = commentsDocToArray( postDoc.get( 'comments' ) ); + + return { + title: postDoc.get( 'title' ) || '', + blocks, + comments, + }; +} diff --git a/src/components/block-editor-contents/use-yjs/index.js b/src/components/block-editor-contents/use-yjs/index.js index 8ae23095d..e888f798c 100644 --- a/src/components/block-editor-contents/use-yjs/index.js +++ b/src/components/block-editor-contents/use-yjs/index.js @@ -3,8 +3,8 @@ */ import { v4 as uuidv4 } from 'uuid'; import { debounce, noop, sample } from 'lodash'; -import { createDocument } from 'asblocks/src/lib/yjs-doc'; -import { postDocToObject, updatePostDoc } from 'asblocks/src/components/editor/sync/algorithms/yjs'; +import { createDocument } from './yjs-doc'; +import { postDocToObject, updatePostDoc } from './algorithms/yjs'; /** * WordPress dependencies diff --git a/src/components/block-editor-contents/use-yjs/yjs-doc.js b/src/components/block-editor-contents/use-yjs/yjs-doc.js new file mode 100644 index 000000000..ba5ae2e60 --- /dev/null +++ b/src/components/block-editor-contents/use-yjs/yjs-doc.js @@ -0,0 +1,152 @@ +import * as yjs from 'yjs'; + +const encodeArray = ( array ) => array.toString(); +const decodeArray = ( string ) => new Uint8Array( string.split( ',' ) ); + +export function createDocument( { + identity, + applyDataChanges, + getData, + sendMessage, +} ) { + const doc = new yjs.Doc(); + let state = 'off'; + let listeners = []; + let stateListeners = []; + + doc.on( 'update', ( update, origin ) => { + if ( origin === identity && state === 'on' ) { + sendMessage( { + protocol: 'yjs1', + messageType: 'syncUpdate', + update: encodeArray( update ), + } ); + } + + if ( origin !== identity ) { + const newData = getData( doc ); + listeners.forEach( ( listener ) => listener( newData ) ); + } + } ); + + const setState = ( newState ) => { + state = newState; + stateListeners.forEach( ( listener ) => listener( newState ) ); + }; + + const sync = ( destination, isReply ) => { + const stateVector = yjs.encodeStateVector( doc ); + sendMessage( { + protocol: 'yjs1', + messageType: 'sync1', + stateVector: encodeArray( stateVector ), + origin: identity, + destination, + isReply, + } ); + }; + + return { + applyDataChanges( data ) { + if ( state !== 'on' ) { + throw 'wrong state'; + } + doc.transact( () => { + applyDataChanges( doc, data ); + }, identity ); + }, + + connect() { + if ( state === 'on' ) { + throw 'wrong state'; + } + + setState( 'connecting' ); + sync(); + }, + + disconnect() { + setState( 'off' ); + }, + + startSharing( data ) { + if ( state === 'on' ) { + throw 'wrong state'; + } + + setState( 'on' ); + this.applyDataChanges( data ); + }, + + receiveMessage( { protocol, messageType, origin, ...content } ) { + if ( protocol !== 'yjs1' ) { + throw 'wrong protocol'; + } + + switch ( messageType ) { + case 'sync1': + if ( + content.destination && + content.destination !== identity + ) { + return; + } + sendMessage( { + protocol: 'yjs1', + messageType: 'sync2', + update: encodeArray( + yjs.encodeStateAsUpdate( + doc, + decodeArray( content.stateVector ) + ) + ), + destination: origin, + } ); + if ( ! content.isReply ) { + sync( origin, true ); + } + break; + case 'sync2': + if ( content.destination !== identity ) { + return; + } + yjs.applyUpdate( + doc, + decodeArray( content.update ), + origin + ); + setState( 'on' ); + break; + case 'syncUpdate': + yjs.applyUpdate( + doc, + decodeArray( content.update ), + origin + ); + break; + } + }, + + onRemoteDataChange( listener ) { + listeners.push( listener ); + + return () => { + listeners = listeners.filter( ( l ) => l !== listener ); + }; + }, + + onStateChange( listener ) { + stateListeners.push( listener ); + + return () => { + stateListeners = stateListeners.filter( + ( l ) => l !== listener + ); + }; + }, + + getState() { + return state; + }, + }; +} diff --git a/yarn.lock b/yarn.lock index fabaeff63..8af4c31c3 100644 --- a/yarn.lock +++ b/yarn.lock @@ -1320,7 +1320,7 @@ core-js-pure "^3.15.0" regenerator-runtime "^0.13.4" -"@babel/runtime@^7.0.0", "@babel/runtime@^7.1.2", "@babel/runtime@^7.10.2", "@babel/runtime@^7.11.2", "@babel/runtime@^7.12.1", "@babel/runtime@^7.12.5", "@babel/runtime@^7.13.10", "@babel/runtime@^7.14.0", "@babel/runtime@^7.3.1", "@babel/runtime@^7.5.0", "@babel/runtime@^7.5.5", "@babel/runtime@^7.7.2", "@babel/runtime@^7.7.6", "@babel/runtime@^7.8.4", "@babel/runtime@^7.9.2": +"@babel/runtime@^7.0.0", "@babel/runtime@^7.10.2", "@babel/runtime@^7.11.2", "@babel/runtime@^7.12.5", "@babel/runtime@^7.13.10", "@babel/runtime@^7.14.0", "@babel/runtime@^7.3.1", "@babel/runtime@^7.5.0", "@babel/runtime@^7.5.5", "@babel/runtime@^7.7.2", "@babel/runtime@^7.7.6", "@babel/runtime@^7.8.4", "@babel/runtime@^7.9.2": version "7.14.6" resolved "https://registry.yarnpkg.com/@babel/runtime/-/runtime-7.14.6.tgz#535203bc0892efc7dec60bdc27b2ecf6e409062d" integrity sha512-/PCB2uJ7oM44tz8YhC4Z/6PeOKXp4K588f+5M3clr1M4zbqztlo0XEfJ2LEzj/FgwfgGcIdl8n7YYjTCI0BYwg== @@ -1456,7 +1456,7 @@ "@emotion/sheet" "0.9.4" "@emotion/utils" "0.11.3" -"@emotion/css@^10.0.22", "@emotion/css@^10.0.27": +"@emotion/css@^10.0.27": version "10.0.27" resolved "https://registry.yarnpkg.com/@emotion/css/-/css-10.0.27.tgz#3a7458198fbbebb53b01b2b87f64e5e21241e14c" integrity sha512-6wZjsvYeBhyZQYNrGoR5yPMYbMBNEnanDrqmsqS1mzDm1cOTu12shvl2j4QHNS36UaTE0USIJawCH9C8oW34Zw== @@ -1560,7 +1560,7 @@ "@emotion/serialize" "^0.11.15" "@emotion/utils" "0.11.3" -"@emotion/styled@^10.0.23", "@emotion/styled@^10.0.27": +"@emotion/styled@^10.0.27": version "10.0.27" resolved "https://registry.yarnpkg.com/@emotion/styled/-/styled-10.0.27.tgz#12cb67e91f7ad7431e1875b1d83a94b814133eaf" integrity sha512-iK/8Sh7+NLJzyp9a5+vIQIXTYxfT4yB/OJbjzQanB2RZpvmzBQOHZWhpAMZWYEKRNNbsD6WfBw5sVWkb6WzS/Q== @@ -2138,58 +2138,6 @@ prop-types "^15.6.1" react-lifecycles-compat "^3.0.4" -"@sentry/browser@^5.29.0": - version "5.30.0" - resolved "https://registry.yarnpkg.com/@sentry/browser/-/browser-5.30.0.tgz#c28f49d551db3172080caef9f18791a7fd39e3b3" - integrity sha512-rOb58ZNVJWh1VuMuBG1mL9r54nZqKeaIlwSlvzJfc89vyfd7n6tQ1UXMN383QBz/MS5H5z44Hy5eE+7pCrYAfw== - dependencies: - "@sentry/core" "5.30.0" - "@sentry/types" "5.30.0" - "@sentry/utils" "5.30.0" - tslib "^1.9.3" - -"@sentry/core@5.30.0": - version "5.30.0" - resolved "https://registry.yarnpkg.com/@sentry/core/-/core-5.30.0.tgz#6b203664f69e75106ee8b5a2fe1d717379b331f3" - integrity sha512-TmfrII8w1PQZSZgPpUESqjB+jC6MvZJZdLtE/0hZ+SrnKhW3x5WlYLvTXZpcWePYBku7rl2wn1RZu6uT0qCTeg== - dependencies: - "@sentry/hub" "5.30.0" - "@sentry/minimal" "5.30.0" - "@sentry/types" "5.30.0" - "@sentry/utils" "5.30.0" - tslib "^1.9.3" - -"@sentry/hub@5.30.0": - version "5.30.0" - resolved "https://registry.yarnpkg.com/@sentry/hub/-/hub-5.30.0.tgz#2453be9b9cb903404366e198bd30c7ca74cdc100" - integrity sha512-2tYrGnzb1gKz2EkMDQcfLrDTvmGcQPuWxLnJKXJvYTQDGLlEvi2tWz1VIHjunmOvJrB5aIQLhm+dcMRwFZDCqQ== - dependencies: - "@sentry/types" "5.30.0" - "@sentry/utils" "5.30.0" - tslib "^1.9.3" - -"@sentry/minimal@5.30.0": - version "5.30.0" - resolved "https://registry.yarnpkg.com/@sentry/minimal/-/minimal-5.30.0.tgz#ce3d3a6a273428e0084adcb800bc12e72d34637b" - integrity sha512-BwWb/owZKtkDX+Sc4zCSTNcvZUq7YcH3uAVlmh/gtR9rmUvbzAA3ewLuB3myi4wWRAMEtny6+J/FN/x+2wn9Xw== - dependencies: - "@sentry/hub" "5.30.0" - "@sentry/types" "5.30.0" - tslib "^1.9.3" - -"@sentry/types@5.30.0": - version "5.30.0" - resolved "https://registry.yarnpkg.com/@sentry/types/-/types-5.30.0.tgz#19709bbe12a1a0115bc790b8942917da5636f402" - integrity sha512-R8xOqlSTZ+htqrfteCWU5Nk0CDN5ApUTvrlvBuiH1DyP6czDZ4ktbZB0hAgBlVcK0U+qpD3ag3Tqqpa5Q67rPw== - -"@sentry/utils@5.30.0": - version "5.30.0" - resolved "https://registry.yarnpkg.com/@sentry/utils/-/utils-5.30.0.tgz#9a5bd7ccff85ccfe7856d493bffa64cabc41e980" - integrity sha512-zaYmoH0NWWtvnJjC9/CBseXMtKHm/tm40sz3YfJRxeQjyzRqNQPgivpd9R/oDJCYj999mzdW382p/qi2ypjLww== - dependencies: - "@sentry/types" "5.30.0" - tslib "^1.9.3" - "@sindresorhus/is@^0.14.0": version "0.14.0" resolved "https://registry.yarnpkg.com/@sindresorhus/is/-/is-0.14.0.tgz#9fb3a3cf3132328151f353de4632e01e52102bea" @@ -4161,15 +4109,6 @@ object.fromentries "^2.0.0" prop-types "^15.7.0" -"@wordpress/a11y@^3.1.1": - version "3.1.1" - resolved "https://registry.yarnpkg.com/@wordpress/a11y/-/a11y-3.1.1.tgz#2d8b322b2fdf5953232f17c36583271f152d71e6" - integrity sha512-IA5z5LAgYYYTJpKM4c/yuYcaKT3aZOHFmEKOyNsUwZfU1OKYbSaytVCY0SqxiV+S4/kYUaCWyw+e8Ujx4IKaNA== - dependencies: - "@babel/runtime" "^7.13.10" - "@wordpress/dom-ready" "^3.1.1" - "@wordpress/i18n" "^4.1.1" - "@wordpress/a11y@^3.2.1": version "3.2.1" resolved "https://registry.yarnpkg.com/@wordpress/a11y/-/a11y-3.2.1.tgz#87cbb71228388ecf7d04d175f2990391e2882c5e" @@ -4193,15 +4132,6 @@ rememo "^3.0.0" uuid "^8.3.0" -"@wordpress/api-fetch@^5.1.1": - version "5.1.1" - resolved "https://registry.yarnpkg.com/@wordpress/api-fetch/-/api-fetch-5.1.1.tgz#6f5b9bdaf34c5b25335b1d6f5a381accc186646c" - integrity sha512-pThYQhoKiePeGgb5aZnc4A9YT5WktfZkejSk4JIfFxdzXF7YXunyMoA9Aib2YvY94IkItLzBeTl/jDk9yYL2hw== - dependencies: - "@babel/runtime" "^7.13.10" - "@wordpress/i18n" "^4.1.1" - "@wordpress/url" "^3.1.1" - "@wordpress/api-fetch@^5.2.1": version "5.2.1" resolved "https://registry.yarnpkg.com/@wordpress/api-fetch/-/api-fetch-5.2.1.tgz#6c3c9895a931c4c28b5280550e8dbb601097dd54" @@ -4211,13 +4141,6 @@ "@wordpress/i18n" "^4.2.1" "@wordpress/url" "^3.2.1" -"@wordpress/autop@^3.1.1": - version "3.1.1" - resolved "https://registry.yarnpkg.com/@wordpress/autop/-/autop-3.1.1.tgz#e28a0c1921b7db65875abd9204c2e5f2e7f8e1ff" - integrity sha512-ZwZy1DNyXQWX1k4cN3lAzVgcAii6bzFXUS08Zj8kaQf+hNE+BwX5cNb/TK98QQQYNAoiCnt4DiWiD1nxwM+EdA== - dependencies: - "@babel/runtime" "^7.13.10" - "@wordpress/autop@^3.2.1": version "3.2.1" resolved "https://registry.yarnpkg.com/@wordpress/autop/-/autop-3.2.1.tgz#8676ec896796fc9f938a068e4c298d2dac65c414" @@ -4253,13 +4176,6 @@ resolved "https://registry.yarnpkg.com/@wordpress/base-styles/-/base-styles-3.6.0.tgz#ef4d4472457496d1703e35e482c895b4e6e1a18d" integrity sha512-6/vXAmc9FSX7Y17UjKgUJoVU++Pv1U1G8uMx7iClRUaLetc7/jj2DD9PTyX/cdJjHr32e3yXuLVT9wfEbo6SEg== -"@wordpress/blob@^3.1.1": - version "3.1.1" - resolved "https://registry.yarnpkg.com/@wordpress/blob/-/blob-3.1.1.tgz#47d1b6097744dfdc86a06427f5938f6fa9f8a520" - integrity sha512-yuT184YYi690FgsV7+1PgWPV7t6eQFhi/sAkzQ6cc+iZFaIELvX5gBcqomB3tc3GuXnhwmKTjQDzuzaepX4BoQ== - dependencies: - "@babel/runtime" "^7.13.10" - "@wordpress/blob@^3.2.1": version "3.2.1" resolved "https://registry.yarnpkg.com/@wordpress/blob/-/blob-3.2.1.tgz#f8056ac4ca027440ad2fe73bd7e4dad40b85d3cc" @@ -4267,50 +4183,6 @@ dependencies: "@babel/runtime" "^7.13.10" -"@wordpress/block-editor@^6.1.10", "@wordpress/block-editor@^6.1.9": - version "6.1.10" - resolved "https://registry.yarnpkg.com/@wordpress/block-editor/-/block-editor-6.1.10.tgz#e62377ae8b4484fe8eeab6e44ca63c96e4ea6118" - integrity sha512-bf/Gi8ONn39bSdHY1W1UV5m64hG/ldJxebAk7t/ArlNlsmGvCr1XbgMJKYroYbGZXBrPomlP/RvKaJkkzfsOxg== - dependencies: - "@babel/runtime" "^7.13.10" - "@wordpress/a11y" "^3.1.1" - "@wordpress/blob" "^3.1.1" - "@wordpress/block-serialization-default-parser" "^4.1.1" - "@wordpress/blocks" "^9.1.5" - "@wordpress/components" "^14.1.7" - "@wordpress/compose" "^4.1.3" - "@wordpress/data" "^5.1.3" - "@wordpress/data-controls" "^2.1.3" - "@wordpress/deprecated" "^3.1.1" - "@wordpress/dom" "^3.1.2" - "@wordpress/element" "^3.1.1" - "@wordpress/hooks" "^3.1.1" - "@wordpress/html-entities" "^3.1.1" - "@wordpress/i18n" "^4.1.1" - "@wordpress/icons" "^4.0.2" - "@wordpress/is-shallow-equal" "^4.1.1" - "@wordpress/keyboard-shortcuts" "^2.1.3" - "@wordpress/keycodes" "^3.1.1" - "@wordpress/notices" "^3.1.3" - "@wordpress/rich-text" "^4.1.3" - "@wordpress/shortcode" "^3.1.1" - "@wordpress/token-list" "^2.1.1" - "@wordpress/url" "^3.1.1" - "@wordpress/wordcount" "^3.1.1" - classnames "^2.2.5" - css-mediaquery "^0.1.2" - diff "^4.0.2" - dom-scroll-into-view "^1.2.1" - inherits "^2.0.3" - lodash "^4.17.21" - memize "^1.1.0" - react-autosize-textarea "^7.1.0" - react-spring "^8.0.19" - redux-multi "^0.1.12" - rememo "^3.0.0" - tinycolor2 "^1.4.2" - traverse "^0.6.6" - "@wordpress/block-editor@^7.0.0": version "7.0.0" resolved "https://registry.yarnpkg.com/@wordpress/block-editor/-/block-editor-7.0.0.tgz#0f316478ea6cfbac5918aaeed3726cbd868af480" @@ -4356,48 +4228,6 @@ tinycolor2 "^1.4.2" traverse "^0.6.6" -"@wordpress/block-library@^3.2.13": - version "3.2.15" - resolved "https://registry.yarnpkg.com/@wordpress/block-library/-/block-library-3.2.15.tgz#01ead94e9bf323a7615a0d988e59f7e541e48da1" - integrity sha512-JIetVoIfgWCYWlOiPwqnVI3CIdAYjVgFh7k+bPzouCE981quFZdUqU6PTVE0TfNg5veyLOuTu3Pw661ivuzkog== - dependencies: - "@babel/runtime" "^7.13.10" - "@wordpress/a11y" "^3.1.1" - "@wordpress/api-fetch" "^5.1.1" - "@wordpress/autop" "^3.1.1" - "@wordpress/blob" "^3.1.1" - "@wordpress/block-editor" "^6.1.10" - "@wordpress/blocks" "^9.1.5" - "@wordpress/components" "^14.1.7" - "@wordpress/compose" "^4.1.3" - "@wordpress/core-data" "^3.1.9" - "@wordpress/data" "^5.1.3" - "@wordpress/date" "^4.1.1" - "@wordpress/deprecated" "^3.1.1" - "@wordpress/dom" "^3.1.2" - "@wordpress/element" "^3.1.1" - "@wordpress/escape-html" "^2.1.1" - "@wordpress/hooks" "^3.1.1" - "@wordpress/i18n" "^4.1.1" - "@wordpress/icons" "^4.0.2" - "@wordpress/is-shallow-equal" "^4.1.1" - "@wordpress/keycodes" "^3.1.1" - "@wordpress/notices" "^3.1.3" - "@wordpress/primitives" "^2.1.1" - "@wordpress/reusable-blocks" "^2.1.13" - "@wordpress/rich-text" "^4.1.3" - "@wordpress/server-side-render" "^2.1.8" - "@wordpress/url" "^3.1.1" - "@wordpress/viewport" "^3.1.3" - classnames "^2.2.5" - fast-average-color "4.3.0" - lodash "^4.17.21" - memize "^1.1.0" - micromodal "^0.4.6" - moment "^2.22.1" - react-easy-crop "^3.0.0" - tinycolor2 "^1.4.2" - "@wordpress/block-library@^5.0.0": version "5.0.0" resolved "https://registry.yarnpkg.com/@wordpress/block-library/-/block-library-5.0.0.tgz#dd47e33fd0da4c2c6bbd22df015c07b2b3cae07e" @@ -4441,13 +4271,6 @@ react-easy-crop "^3.0.0" tinycolor2 "^1.4.2" -"@wordpress/block-serialization-default-parser@^4.1.1": - version "4.1.1" - resolved "https://registry.yarnpkg.com/@wordpress/block-serialization-default-parser/-/block-serialization-default-parser-4.1.1.tgz#169562114ee81b58e96599c969b71a390019b4e3" - integrity sha512-WBpsFmXy9JK0Jx3CyAe4GFFdIqt7ZRcCD88Wrhf4oJrPbJutdsGMjaSpP3SOwWTh+xeJGiyePjwa3+1Zw0KHcw== - dependencies: - "@babel/runtime" "^7.13.10" - "@wordpress/block-serialization-default-parser@^4.2.1": version "4.2.1" resolved "https://registry.yarnpkg.com/@wordpress/block-serialization-default-parser/-/block-serialization-default-parser-4.2.1.tgz#a9b70b5eaae746727d851420a224ece23eb2fa57" @@ -4491,82 +4314,11 @@ tinycolor2 "^1.4.2" uuid "^8.3.0" -"@wordpress/blocks@^9.1.5": - version "9.1.5" - resolved "https://registry.yarnpkg.com/@wordpress/blocks/-/blocks-9.1.5.tgz#9a2acaafd5f7d473b32cba5e4b722e166d2575a7" - integrity sha512-cdYEVt96vsodYKTLX9XiM3kO45NvCYHMEMEBZpiGmgrLsd61m2yjNtWwAHaLMqSZuNmXsB62rGC+bTdmzznEAA== - dependencies: - "@babel/runtime" "^7.13.10" - "@wordpress/autop" "^3.1.1" - "@wordpress/blob" "^3.1.1" - "@wordpress/block-serialization-default-parser" "^4.1.1" - "@wordpress/compose" "^4.1.3" - "@wordpress/data" "^5.1.3" - "@wordpress/deprecated" "^3.1.1" - "@wordpress/dom" "^3.1.2" - "@wordpress/element" "^3.1.1" - "@wordpress/hooks" "^3.1.1" - "@wordpress/html-entities" "^3.1.1" - "@wordpress/i18n" "^4.1.1" - "@wordpress/icons" "^4.0.2" - "@wordpress/is-shallow-equal" "^4.1.1" - "@wordpress/shortcode" "^3.1.1" - hpq "^1.3.0" - lodash "^4.17.21" - rememo "^3.0.0" - showdown "^1.9.1" - simple-html-tokenizer "^0.5.7" - tinycolor2 "^1.4.2" - uuid "^8.3.0" - "@wordpress/browserslist-config@^4.1.0": version "4.1.0" resolved "https://registry.yarnpkg.com/@wordpress/browserslist-config/-/browserslist-config-4.1.0.tgz#d6ae9d43709b2355eaccc4131fb47a0f2ae072c1" integrity sha512-RSJhgY2xmz6yAdDNhz/NvAO6JS+91vv9cVL7VDG2CftbyjTXBef05vWt3FzZhfeF0xUrYdpZL1PVpxmJiKvbEg== -"@wordpress/components@^14.1.6", "@wordpress/components@^14.1.7": - version "14.1.7" - resolved "https://registry.yarnpkg.com/@wordpress/components/-/components-14.1.7.tgz#0477c39ace84ee0a06ff994b2c5fb1769bae5d4b" - integrity sha512-sB6Wm6JQ0yR8JAamnaz+CBczOslJBl5JWN1g4WhIG3sjgc6tFKbDefwey9U8sOa4e17AJhr4V762srUZ8ffAWw== - dependencies: - "@babel/runtime" "^7.13.10" - "@emotion/cache" "^10.0.27" - "@emotion/core" "^10.1.1" - "@emotion/css" "^10.0.22" - "@emotion/styled" "^10.0.23" - "@wordpress/a11y" "^3.1.1" - "@wordpress/compose" "^4.1.3" - "@wordpress/date" "^4.1.1" - "@wordpress/deprecated" "^3.1.1" - "@wordpress/dom" "^3.1.2" - "@wordpress/element" "^3.1.1" - "@wordpress/hooks" "^3.1.1" - "@wordpress/i18n" "^4.1.1" - "@wordpress/icons" "^4.0.2" - "@wordpress/is-shallow-equal" "^4.1.1" - "@wordpress/keycodes" "^3.1.1" - "@wordpress/primitives" "^2.1.1" - "@wordpress/rich-text" "^4.1.3" - "@wordpress/warning" "^2.1.1" - classnames "^2.2.5" - dom-scroll-into-view "^1.2.1" - downshift "^6.0.15" - emotion "^10.0.23" - gradient-parser "^0.1.5" - highlight-words-core "^1.2.2" - lodash "^4.17.21" - memize "^1.1.0" - moment "^2.22.1" - re-resizable "^6.4.0" - react-dates "^17.1.1" - react-resize-aware "^3.1.0" - react-spring "^8.0.20" - react-use-gesture "^9.0.0" - reakit "^1.3.5" - rememo "^3.0.0" - tinycolor2 "^1.4.2" - uuid "^8.3.0" - "@wordpress/components@^15.0.0": version "15.0.0" resolved "https://registry.yarnpkg.com/@wordpress/components/-/components-15.0.0.tgz#5dac7bc2827d08363f27114d961989058783f281" @@ -4610,25 +4362,6 @@ tinycolor2 "^1.4.2" uuid "^8.3.0" -"@wordpress/compose@^4.1.3": - version "4.1.3" - resolved "https://registry.yarnpkg.com/@wordpress/compose/-/compose-4.1.3.tgz#4f145cc7dfdae399eaebb46be1b6c8f2227bc23c" - integrity sha512-tu+SsKxsJ+wiFcudu+uPvbE8hTl/Ft8j960vDx5sz4UhtIwOEYIANCW7h5v3EykbSQrig4Dw3NqJ2LYiU4OMYQ== - dependencies: - "@babel/runtime" "^7.13.10" - "@wordpress/deprecated" "^3.1.1" - "@wordpress/dom" "^3.1.2" - "@wordpress/element" "^3.1.1" - "@wordpress/is-shallow-equal" "^4.1.1" - "@wordpress/keycodes" "^3.1.1" - "@wordpress/priority-queue" "^2.1.1" - clipboard "^2.0.1" - lodash "^4.17.21" - memize "^1.1.0" - mousetrap "^1.6.5" - react-resize-aware "^3.1.0" - use-memo-one "^1.1.1" - "@wordpress/compose@^5.0.0": version "5.0.0" resolved "https://registry.yarnpkg.com/@wordpress/compose/-/compose-5.0.0.tgz#008ef94b726c9f41ec300efcfa5dc70d2f546450" @@ -4649,26 +4382,6 @@ react-resize-aware "^3.1.0" use-memo-one "^1.1.1" -"@wordpress/core-data@^3.1.9": - version "3.1.9" - resolved "https://registry.yarnpkg.com/@wordpress/core-data/-/core-data-3.1.9.tgz#b582d47dfaea876176c0e687b2484acdb422c5a6" - integrity sha512-I8w+S5r0RJTbqeBkXyZwwPgh/+/1CLmLm9Lg5RveeDTL62KqLOjpi7d0WRk2WCSEREVHTrfRNI4JrB4WbO8jhw== - dependencies: - "@babel/runtime" "^7.13.10" - "@wordpress/api-fetch" "^5.1.1" - "@wordpress/blocks" "^9.1.5" - "@wordpress/data" "^5.1.3" - "@wordpress/data-controls" "^2.1.3" - "@wordpress/element" "^3.1.1" - "@wordpress/html-entities" "^3.1.1" - "@wordpress/i18n" "^4.1.1" - "@wordpress/is-shallow-equal" "^4.1.1" - "@wordpress/url" "^3.1.1" - equivalent-key-map "^0.2.2" - lodash "^4.17.21" - rememo "^3.0.0" - uuid "^8.3.0" - "@wordpress/core-data@^4.0.0": version "4.0.0" resolved "https://registry.yarnpkg.com/@wordpress/core-data/-/core-data-4.0.0.tgz#c5d51d329d3df414b0435d8b3c2bb99cdc1e3ba1" @@ -4689,16 +4402,6 @@ rememo "^3.0.0" uuid "^8.3.0" -"@wordpress/data-controls@^2.1.3": - version "2.1.3" - resolved "https://registry.yarnpkg.com/@wordpress/data-controls/-/data-controls-2.1.3.tgz#3d8e90f08abb84fa75360d104e42839168aefd0e" - integrity sha512-gDNufBbLiGhoIMIcNCL9seKP4ZVuDiO/Fx479RwAWSWdSdUFgJtvwkzdVUF5zFZwLIaeMXTPwrNWV97zl7rDtQ== - dependencies: - "@babel/runtime" "^7.13.10" - "@wordpress/api-fetch" "^5.1.1" - "@wordpress/data" "^5.1.3" - "@wordpress/deprecated" "^3.1.1" - "@wordpress/data-controls@^2.2.1": version "2.2.1" resolved "https://registry.yarnpkg.com/@wordpress/data-controls/-/data-controls-2.2.1.tgz#cb2933acb835f3f9c2b6b4375dd3e552af9d85e5" @@ -4709,26 +4412,6 @@ "@wordpress/data" "^6.0.0" "@wordpress/deprecated" "^3.2.1" -"@wordpress/data@^5.1.3": - version "5.1.3" - resolved "https://registry.yarnpkg.com/@wordpress/data/-/data-5.1.3.tgz#01cba921e338deac71eebf5cdfcb209dac4adc34" - integrity sha512-yzQya3A+bRbOMzZrsjolcmTq/Fe0Hg1eH06dHBAlHkbXfGEg7lfIFlp0yM934BCfOwTl6gRi1HACvcCAvBtUrQ== - dependencies: - "@babel/runtime" "^7.13.10" - "@wordpress/compose" "^4.1.3" - "@wordpress/deprecated" "^3.1.1" - "@wordpress/element" "^3.1.1" - "@wordpress/is-shallow-equal" "^4.1.1" - "@wordpress/priority-queue" "^2.1.1" - "@wordpress/redux-routine" "^4.1.1" - equivalent-key-map "^0.2.2" - is-promise "^4.0.0" - lodash "^4.17.21" - memize "^1.1.0" - redux "^4.1.0" - turbo-combine-reducers "^1.0.2" - use-memo-one "^1.1.1" - "@wordpress/data@^6.0.0": version "6.0.0" resolved "https://registry.yarnpkg.com/@wordpress/data/-/data-6.0.0.tgz#c0413bd7bde3a11ac9c2b5c1afce6edbde39decd" @@ -4748,15 +4431,6 @@ turbo-combine-reducers "^1.0.2" use-memo-one "^1.1.1" -"@wordpress/date@^4.1.1": - version "4.1.1" - resolved "https://registry.yarnpkg.com/@wordpress/date/-/date-4.1.1.tgz#409866d8d524a613a3c9d1f2cb9c8ebf428dc30e" - integrity sha512-TA452SZO6Z35c7HLEmSLT0xb/zbUraKHCmkzgkZbhTRVPnZ824VCTb3ebWko9hoNZ0n6bxDE+ntMwM/YKfzDhw== - dependencies: - "@babel/runtime" "^7.13.10" - moment "^2.22.1" - moment-timezone "^0.5.31" - "@wordpress/date@^4.2.1": version "4.2.1" resolved "https://registry.yarnpkg.com/@wordpress/date/-/date-4.2.1.tgz#4742e82018ec64075a9fefc795d26f3f21643ebc" @@ -4774,14 +4448,6 @@ json2php "^0.0.4" webpack-sources "^2.2.0" -"@wordpress/deprecated@^3.1.1": - version "3.1.1" - resolved "https://registry.yarnpkg.com/@wordpress/deprecated/-/deprecated-3.1.1.tgz#af644af63c28f913a321465c6df1e57284800290" - integrity sha512-0hILlCNhf0DukFo3hMWybf9q507cxnIHhC1GQ1crZtTqzKS2QY2C1/77V4YGPdBShUj5j1dPriYCzfB5jFFgqQ== - dependencies: - "@babel/runtime" "^7.13.10" - "@wordpress/hooks" "^3.1.1" - "@wordpress/deprecated@^3.2.1": version "3.2.1" resolved "https://registry.yarnpkg.com/@wordpress/deprecated/-/deprecated-3.2.1.tgz#6f8fab767308e5f9660961dcbbc9f8f3c843e01c" @@ -4790,13 +4456,6 @@ "@babel/runtime" "^7.13.10" "@wordpress/hooks" "^3.2.0" -"@wordpress/dom-ready@^3.1.1": - version "3.1.1" - resolved "https://registry.yarnpkg.com/@wordpress/dom-ready/-/dom-ready-3.1.1.tgz#c1ec662ca12130e92e41d3d9c95041adce3dde22" - integrity sha512-Kc0jxOgOBKDdJ5OOA1iNHXog5D3QzNrv4IBt4UYYDy59XnuzJEwDSeWQE9gP6ssRx4/qzJxi5KGr3pNZzDwqTg== - dependencies: - "@babel/runtime" "^7.13.10" - "@wordpress/dom-ready@^3.2.1": version "3.2.1" resolved "https://registry.yarnpkg.com/@wordpress/dom-ready/-/dom-ready-3.2.1.tgz#827b61e5e764e2a302c9664609f567266b2954b6" @@ -4804,14 +4463,6 @@ dependencies: "@babel/runtime" "^7.13.10" -"@wordpress/dom@^3.1.2": - version "3.1.2" - resolved "https://registry.yarnpkg.com/@wordpress/dom/-/dom-3.1.2.tgz#c4e86885d0210aeeb7d094b6d3357af953e70e45" - integrity sha512-ahY2nFqX7dktTHbuSyxnx3uz3LC5Y3g5Ji4mkoJZsA2BVAJFc8Vj7dGWnSstcPnuECGlkcEXF5FvMpIgsJB20Q== - dependencies: - "@babel/runtime" "^7.13.10" - lodash "^4.17.21" - "@wordpress/dom@^3.2.1": version "3.2.1" resolved "https://registry.yarnpkg.com/@wordpress/dom/-/dom-3.2.1.tgz#8bc105537ebf05e1452a035f6e2de68a47d32723" @@ -4859,19 +4510,6 @@ react-autosize-textarea "^7.1.0" rememo "^3.0.0" -"@wordpress/element@^3.1.1": - version "3.1.1" - resolved "https://registry.yarnpkg.com/@wordpress/element/-/element-3.1.1.tgz#a1f33ddf54902c671d7a3426bae9731287a80f05" - integrity sha512-OaqKQVEV3CCTdrx/G7fMbmxhrxjApobHUAGAVYCCR1MIqScfluYJRLWFLx8tlkl/Qm/UbF9IfdXS1lphufvYog== - dependencies: - "@babel/runtime" "^7.13.10" - "@types/react" "^16.9.0" - "@types/react-dom" "^16.9.0" - "@wordpress/escape-html" "^2.1.1" - lodash "^4.17.21" - react "^16.13.1" - react-dom "^16.13.1" - "@wordpress/element@^4.0.0": version "4.0.0" resolved "https://registry.yarnpkg.com/@wordpress/element/-/element-4.0.0.tgz#ce184de100f96780196d7b08104f34bc29aaa5bf" @@ -4885,13 +4523,6 @@ react "^17.0.1" react-dom "^17.0.1" -"@wordpress/escape-html@^2.1.1": - version "2.1.1" - resolved "https://registry.yarnpkg.com/@wordpress/escape-html/-/escape-html-2.1.1.tgz#4b9e887c2b1b06ec0d4fc691328224b4e9736c95" - integrity sha512-ZIkLxGLBhXkZu3t0yF82/brPV5aCOGCXGiH0EMV8GCohhXCNIfQwwFrZ5gd5NyNX5Q8alTLsiA84azJd+n0XiQ== - dependencies: - "@babel/runtime" "^7.13.10" - "@wordpress/escape-html@^2.2.1": version "2.2.1" resolved "https://registry.yarnpkg.com/@wordpress/escape-html/-/escape-html-2.2.1.tgz#5fd699cffebf59b174f5043b43b6b3dd770e2755" @@ -4921,27 +4552,6 @@ prettier "npm:wp-prettier@2.2.1-beta-1" requireindex "^1.2.0" -"@wordpress/format-library@^2.1.9": - version "2.1.10" - resolved "https://registry.yarnpkg.com/@wordpress/format-library/-/format-library-2.1.10.tgz#9562c38fe884a791d69f2b463ee336ac00e55c1a" - integrity sha512-cLF6REIuIi/Fjou++FMmKtEEI4QVxJiO4CVxH4MHc5Xd5QSMuUT4AbfqFgyJv9pYOqHMFIx7wgVCSeTEECTx8A== - dependencies: - "@babel/runtime" "^7.13.10" - "@wordpress/a11y" "^3.1.1" - "@wordpress/block-editor" "^6.1.10" - "@wordpress/components" "^14.1.7" - "@wordpress/compose" "^4.1.3" - "@wordpress/data" "^5.1.3" - "@wordpress/dom" "^3.1.2" - "@wordpress/element" "^3.1.1" - "@wordpress/html-entities" "^3.1.1" - "@wordpress/i18n" "^4.1.1" - "@wordpress/icons" "^4.0.2" - "@wordpress/keycodes" "^3.1.1" - "@wordpress/rich-text" "^4.1.3" - "@wordpress/url" "^3.1.1" - lodash "^4.17.21" - "@wordpress/format-library@^3.0.0": version "3.0.0" resolved "https://registry.yarnpkg.com/@wordpress/format-library/-/format-library-3.0.0.tgz#c511e66a108ce72e266e2e1f0e3f34cb0c7ab902" @@ -4963,13 +4573,6 @@ "@wordpress/url" "^3.2.1" lodash "^4.17.21" -"@wordpress/hooks@^3.1.1": - version "3.1.1" - resolved "https://registry.yarnpkg.com/@wordpress/hooks/-/hooks-3.1.1.tgz#be9be2abbe97ad8c0bee52c96381e5a46e559963" - integrity sha512-9f6H9WBwu6x/MM4ZCVLGGBuMiBcyaLapmAku5IwcWaeB2PtPduwjmk2NfGx35TuhBQD554DUg8WtTjIS019UAg== - dependencies: - "@babel/runtime" "^7.13.10" - "@wordpress/hooks@^3.2.0": version "3.2.0" resolved "https://registry.yarnpkg.com/@wordpress/hooks/-/hooks-3.2.0.tgz#84212541ec9b9834d337b233d120f3623de074c6" @@ -4977,13 +4580,6 @@ dependencies: "@babel/runtime" "^7.13.10" -"@wordpress/html-entities@^3.1.1": - version "3.1.1" - resolved "https://registry.yarnpkg.com/@wordpress/html-entities/-/html-entities-3.1.1.tgz#dd396d24fada1e063792bf8b280ef46a96584e0d" - integrity sha512-LDeSO//QV0rm7u4SoYz2wa9fM0VhvInwWI8+mT+7jPubkgC+2DfaPte7ahofPz4/lQd9MAQ9NgvGXWTw2x0/vw== - dependencies: - "@babel/runtime" "^7.13.10" - "@wordpress/html-entities@^3.2.1": version "3.2.1" resolved "https://registry.yarnpkg.com/@wordpress/html-entities/-/html-entities-3.2.1.tgz#05345a0bd8752fbfc321b8b5e8f528e79acda81f" @@ -4991,19 +4587,6 @@ dependencies: "@babel/runtime" "^7.13.10" -"@wordpress/i18n@^4.1.1": - version "4.1.1" - resolved "https://registry.yarnpkg.com/@wordpress/i18n/-/i18n-4.1.1.tgz#3e7efe97dfa22aefa5e1989e5ee30cc6601b7b40" - integrity sha512-Ra/hxR8WCLqDp2P49Ibr9ANhZZZ8WHnsO+4WG3XDarJ3lmzux0TcRThDKRCcYHsW3pzieARmrEa/BOlYD7ZEjQ== - dependencies: - "@babel/runtime" "^7.13.10" - "@wordpress/hooks" "^3.1.1" - gettext-parser "^1.3.1" - lodash "^4.17.21" - memize "^1.1.0" - sprintf-js "^1.1.1" - tannin "^1.2.0" - "@wordpress/i18n@^4.2.1": version "4.2.1" resolved "https://registry.yarnpkg.com/@wordpress/i18n/-/i18n-4.2.1.tgz#a6aa7ca24477faa089b53e3d362a2fea1fb8af84" @@ -5017,15 +4600,6 @@ sprintf-js "^1.1.1" tannin "^1.2.0" -"@wordpress/icons@^4.0.2": - version "4.0.2" - resolved "https://registry.yarnpkg.com/@wordpress/icons/-/icons-4.0.2.tgz#b35bb01058a5341874e1022f48bb46acb3ece2f9" - integrity sha512-WAD6RDbxtutbm2p+Hwe4zc5nl2fiVZSMIj4f6VUqWaVjAdSjy9NxMsUtum6OmyYwRNSvPLFyYUlRfdUJ4AVCaA== - dependencies: - "@babel/runtime" "^7.13.10" - "@wordpress/element" "^3.1.1" - "@wordpress/primitives" "^2.1.1" - "@wordpress/icons@^5.0.0": version "5.0.0" resolved "https://registry.yarnpkg.com/@wordpress/icons/-/icons-5.0.0.tgz#9d57a70c413fbd5876756d5f07781fd0c31b1e14" @@ -5053,13 +4627,6 @@ classnames "^2.3.1" lodash "^4.17.21" -"@wordpress/is-shallow-equal@^4.1.1": - version "4.1.1" - resolved "https://registry.yarnpkg.com/@wordpress/is-shallow-equal/-/is-shallow-equal-4.1.1.tgz#1e1a18ae15711f90e54e956f1d06fbb646c93e26" - integrity sha512-Bc782s4Kte98RKLtuDXOaUBpyJWUgN4XZJevEoFasKQTpABZUDF+Y2C0/dhnlJeYF5TDEd8TQgFfpF5csxEUNw== - dependencies: - "@babel/runtime" "^7.13.10" - "@wordpress/is-shallow-equal@^4.2.0": version "4.2.0" resolved "https://registry.yarnpkg.com/@wordpress/is-shallow-equal/-/is-shallow-equal-4.2.0.tgz#b334829dd0adc6942990cc35a227e6de482f3fa2" @@ -5087,19 +4654,6 @@ enzyme "^3.11.0" enzyme-to-json "^3.4.4" -"@wordpress/keyboard-shortcuts@^2.1.3": - version "2.1.3" - resolved "https://registry.yarnpkg.com/@wordpress/keyboard-shortcuts/-/keyboard-shortcuts-2.1.3.tgz#06c24cf6806e75c9969e13a86661f53ffb34b9ea" - integrity sha512-5CacYrHgGNCtCk3Q399PUn0lebj6vRyFQ9fvIojD7Ak58I4TSiPX4XEB9wmD72lRh8255EYJn/Bx7oGHuSyK1Q== - dependencies: - "@babel/runtime" "^7.13.10" - "@wordpress/compose" "^4.1.3" - "@wordpress/data" "^5.1.3" - "@wordpress/element" "^3.1.1" - "@wordpress/keycodes" "^3.1.1" - lodash "^4.17.21" - rememo "^3.0.0" - "@wordpress/keyboard-shortcuts@^3.0.0": version "3.0.0" resolved "https://registry.yarnpkg.com/@wordpress/keyboard-shortcuts/-/keyboard-shortcuts-3.0.0.tgz#f8f42445aa2f2456f5f58d1afd89fde436951682" @@ -5113,15 +4667,6 @@ lodash "^4.17.21" rememo "^3.0.0" -"@wordpress/keycodes@^3.1.1": - version "3.1.1" - resolved "https://registry.yarnpkg.com/@wordpress/keycodes/-/keycodes-3.1.1.tgz#d842167401967908713d2f43b3ff9f53cbef2bf8" - integrity sha512-lLJTl/PJv0F5c02YfFdzS/sspmMM3kWYcix8sXsAQgjzLkOMizSQySBa3bpT2t5auN0YQ34YVyeupVfoY+evOQ== - dependencies: - "@babel/runtime" "^7.13.10" - "@wordpress/i18n" "^4.1.1" - lodash "^4.17.21" - "@wordpress/keycodes@^3.2.1": version "3.2.1" resolved "https://registry.yarnpkg.com/@wordpress/keycodes/-/keycodes-3.2.1.tgz#107986320440e0e61ddae2c579307892a3e24f43" @@ -5156,16 +4701,6 @@ "@wordpress/i18n" "^4.2.1" lodash "^4.17.21" -"@wordpress/notices@^3.1.3": - version "3.1.3" - resolved "https://registry.yarnpkg.com/@wordpress/notices/-/notices-3.1.3.tgz#becc537ed128da0056564e0b271aa15cc82001c7" - integrity sha512-4GphhTgUfOp1A6t+2GaICZpGjYxz200aXol+/AyG1QPZE1MZ4ANRI0bxYYmbWKNS5w60sZXxN3X65z6V6LIGsw== - dependencies: - "@babel/runtime" "^7.13.10" - "@wordpress/a11y" "^3.1.1" - "@wordpress/data" "^5.1.3" - lodash "^4.17.21" - "@wordpress/notices@^3.2.1": version "3.2.1" resolved "https://registry.yarnpkg.com/@wordpress/notices/-/notices-3.2.1.tgz#0ce6a4332b2b394905646610fe709b941961b4e4" @@ -5207,15 +4742,6 @@ resolved "https://registry.yarnpkg.com/@wordpress/prettier-config/-/prettier-config-1.1.0.tgz#958957120df2b27f496641629e392388a83cb57d" integrity sha512-cMYc/dtuiRo9VAb+m8S2Mvv/jELvoJAtcPsq6HT6XMppXC9slZ5z0q1A4PNf3ewMvvHtodjwkl2oHbO+vaAYzg== -"@wordpress/primitives@^2.1.1": - version "2.1.1" - resolved "https://registry.yarnpkg.com/@wordpress/primitives/-/primitives-2.1.1.tgz#62a8a901f56f7efe4f2d6e17383da2e9abdd5d3f" - integrity sha512-iX31v/302zOrxEVwFUbbwr4BKZcxR+XQ53wuShc8CzcydAYj5JUFdEuwG6Z9jRGJAX2AgizSP6Fex4ercgFLXA== - dependencies: - "@babel/runtime" "^7.13.10" - "@wordpress/element" "^3.1.1" - classnames "^2.2.5" - "@wordpress/primitives@^3.0.0": version "3.0.0" resolved "https://registry.yarnpkg.com/@wordpress/primitives/-/primitives-3.0.0.tgz#f96ea8c04edf9c5eee7f58b3f493f566557c0fca" @@ -5225,13 +4751,6 @@ "@wordpress/element" "^4.0.0" classnames "^2.3.1" -"@wordpress/priority-queue@^2.1.1": - version "2.1.1" - resolved "https://registry.yarnpkg.com/@wordpress/priority-queue/-/priority-queue-2.1.1.tgz#c22fc152c426181fecb0ca1397daff27a6ff2918" - integrity sha512-e4x4B+1F2wXejqjNr6L3LTf5aO7gzy/9MWy5pUgg1rlo8z+B73OyOUmK39WOnzFtzmwTbFqgzzCwY5JqIaZe2g== - dependencies: - "@babel/runtime" "^7.13.10" - "@wordpress/priority-queue@^2.2.1": version "2.2.1" resolved "https://registry.yarnpkg.com/@wordpress/priority-queue/-/priority-queue-2.2.1.tgz#b281c2744ebf0b82e32d5d5fc950ee8b8d09d36f" @@ -5249,16 +4768,6 @@ "@wordpress/i18n" "^4.2.1" utility-types "^3.10.0" -"@wordpress/redux-routine@^4.1.1": - version "4.1.1" - resolved "https://registry.yarnpkg.com/@wordpress/redux-routine/-/redux-routine-4.1.1.tgz#2b1ff3886725011c5e7ef41d1a4b237171cf368c" - integrity sha512-wjHASkmDPiOhnTZGn43kBj5RDVnSTRpj3EHL8boUGmOMiEFm/bUAfefhyvlo9ksBF4ZQm2pJjJTWtp5zE1drgg== - dependencies: - "@babel/runtime" "^7.13.10" - is-promise "^4.0.0" - lodash "^4.17.21" - rungen "^0.3.2" - "@wordpress/redux-routine@^4.2.1": version "4.2.1" resolved "https://registry.yarnpkg.com/@wordpress/redux-routine/-/redux-routine-4.2.1.tgz#9626b5a0b826dd6004c261900278d1aeaf4bc2f7" @@ -5270,24 +4779,6 @@ redux "^4.1.0" rungen "^0.3.2" -"@wordpress/reusable-blocks@^2.1.13": - version "2.1.13" - resolved "https://registry.yarnpkg.com/@wordpress/reusable-blocks/-/reusable-blocks-2.1.13.tgz#d43f9cb54b1a444b7cfd04a7bb39b7293803b629" - integrity sha512-e8+gv0Ne9ZWbnK9F17vLDmZycBXtF4Q9Jcl2WGlwl7N/QN6xVCvm2QT2T3TAD0BgervliHbi4Os5gJZC/NECQA== - dependencies: - "@wordpress/block-editor" "^6.1.10" - "@wordpress/blocks" "^9.1.5" - "@wordpress/components" "^14.1.7" - "@wordpress/compose" "^4.1.3" - "@wordpress/core-data" "^3.1.9" - "@wordpress/data" "^5.1.3" - "@wordpress/element" "^3.1.1" - "@wordpress/i18n" "^4.1.1" - "@wordpress/icons" "^4.0.2" - "@wordpress/notices" "^3.1.3" - "@wordpress/url" "^3.1.1" - lodash "^4.17.21" - "@wordpress/reusable-blocks@^3.0.0": version "3.0.0" resolved "https://registry.yarnpkg.com/@wordpress/reusable-blocks/-/reusable-blocks-3.0.0.tgz#fb1c505528aaa94c7817fdb77eeed982b1dcc7bb" @@ -5306,24 +4797,6 @@ "@wordpress/url" "^3.2.1" lodash "^4.17.21" -"@wordpress/rich-text@^4.1.3": - version "4.1.3" - resolved "https://registry.yarnpkg.com/@wordpress/rich-text/-/rich-text-4.1.3.tgz#ae9e0d831f917ee39b9402d726831cdade603726" - integrity sha512-b5bd1OdxXBikY4asmXEacTgjJDgHoPJL09IKvdQ7Iq0z5w+LzTm4LoAnWJgYpVeHUqXGxzg9Z7W1ucka/qosmQ== - dependencies: - "@babel/runtime" "^7.13.10" - "@wordpress/compose" "^4.1.3" - "@wordpress/data" "^5.1.3" - "@wordpress/dom" "^3.1.2" - "@wordpress/element" "^3.1.1" - "@wordpress/escape-html" "^2.1.1" - "@wordpress/is-shallow-equal" "^4.1.1" - "@wordpress/keycodes" "^3.1.1" - classnames "^2.2.5" - lodash "^4.17.21" - memize "^1.1.0" - rememo "^3.0.0" - "@wordpress/rich-text@^5.0.0": version "5.0.0" resolved "https://registry.yarnpkg.com/@wordpress/rich-text/-/rich-text-5.0.0.tgz#9784dc8b6014bf1544eb12b3b7be620ef72379bb" @@ -5400,23 +4873,6 @@ webpack-livereload-plugin "^2.3.0" webpack-sources "^2.2.0" -"@wordpress/server-side-render@^2.1.8": - version "2.1.8" - resolved "https://registry.yarnpkg.com/@wordpress/server-side-render/-/server-side-render-2.1.8.tgz#3ea9a63302ccde1793d8d5c88f91c2717f4e5a84" - integrity sha512-Pn/FlSAgbIYU78oXA23d7DqB7TzN2YolqfVp0GBy25gCT1PtvyoJtSdhkQanckKnAuazvyIna54Eaqlm/i8ebQ== - dependencies: - "@babel/runtime" "^7.13.10" - "@wordpress/api-fetch" "^5.1.1" - "@wordpress/blocks" "^9.1.5" - "@wordpress/components" "^14.1.7" - "@wordpress/compose" "^4.1.3" - "@wordpress/data" "^5.1.3" - "@wordpress/deprecated" "^3.1.1" - "@wordpress/element" "^3.1.1" - "@wordpress/i18n" "^4.1.1" - "@wordpress/url" "^3.1.1" - lodash "^4.17.21" - "@wordpress/server-side-render@^3.0.0": version "3.0.0" resolved "https://registry.yarnpkg.com/@wordpress/server-side-render/-/server-side-render-3.0.0.tgz#e119c8d61dc715a5dcbab3bf5c4db01b6efffff4" @@ -5434,15 +4890,6 @@ "@wordpress/url" "^3.2.1" lodash "^4.17.21" -"@wordpress/shortcode@^3.1.1": - version "3.1.1" - resolved "https://registry.yarnpkg.com/@wordpress/shortcode/-/shortcode-3.1.1.tgz#da9b6e50c55b3aab58a12bf20cdd2ef57e909a0d" - integrity sha512-NiYTV42zkav0XUbRKAzoPcN3+GlwNlSXYZFLoNz+WInamTcXR5ZxQr4TE7F3DuoDNgyjwpE7vXbDJ0HFWRkgWw== - dependencies: - "@babel/runtime" "^7.13.10" - lodash "^4.17.21" - memize "^1.1.0" - "@wordpress/shortcode@^3.2.1": version "3.2.1" resolved "https://registry.yarnpkg.com/@wordpress/shortcode/-/shortcode-3.2.1.tgz#1961fe329758a97cfad9003f7d4328ce74ee8a4b" @@ -5461,14 +4908,6 @@ stylelint-config-recommended-scss "^4.2.0" stylelint-scss "^3.17.2" -"@wordpress/token-list@^2.1.1": - version "2.1.1" - resolved "https://registry.yarnpkg.com/@wordpress/token-list/-/token-list-2.1.1.tgz#ccd01bfa87d8c9e63c95de78f8526b9d74679780" - integrity sha512-haBjgsroaRjNBZ/wHd6nZamYL3Yfrt0s13Py+aR1ZKtYv+/Rmwu9VB45iB6Xb/G+v3xexopEM8uA8Zks5PNxbQ== - dependencies: - "@babel/runtime" "^7.13.10" - lodash "^4.17.21" - "@wordpress/token-list@^2.2.0": version "2.2.0" resolved "https://registry.yarnpkg.com/@wordpress/token-list/-/token-list-2.2.0.tgz#1b5b832155c482a930e7a8ef6325bea17bc0e989" @@ -5477,15 +4916,6 @@ "@babel/runtime" "^7.13.10" lodash "^4.17.21" -"@wordpress/url@^3.1.1": - version "3.1.1" - resolved "https://registry.yarnpkg.com/@wordpress/url/-/url-3.1.1.tgz#2b1b89858d3f4eec91d9d0c3e72f53c70d2ff2d5" - integrity sha512-I+yEw+a66wZ+FrpYU1F78/3c5p7/323UIrfnPUN51hIJcatsqJyQZW9Z1CNZeN5SuCobha0GPq4lw8517+VUMw== - dependencies: - "@babel/runtime" "^7.13.10" - lodash "^4.17.21" - react-native-url-polyfill "^1.1.2" - "@wordpress/url@^3.2.1": version "3.2.1" resolved "https://registry.yarnpkg.com/@wordpress/url/-/url-3.2.1.tgz#2b813231c04cbfbaebf3c3beba62cc543231f32a" @@ -5495,16 +4925,6 @@ lodash "^4.17.21" react-native-url-polyfill "^1.1.2" -"@wordpress/viewport@^3.1.3": - version "3.1.3" - resolved "https://registry.yarnpkg.com/@wordpress/viewport/-/viewport-3.1.3.tgz#5ef692ca69b869351298c8e5243184f4c3a9ba29" - integrity sha512-5qRKUjrI2H+cJaJYbIY1Dm2NA7DLVU2D/qqxErPTuZNSliypLINP0uzhHkvaDT7GOCv3J99/m0ajavrXusdPtQ== - dependencies: - "@babel/runtime" "^7.13.10" - "@wordpress/compose" "^4.1.3" - "@wordpress/data" "^5.1.3" - lodash "^4.17.21" - "@wordpress/viewport@^4.0.0": version "4.0.0" resolved "https://registry.yarnpkg.com/@wordpress/viewport/-/viewport-4.0.0.tgz#febcb750b2304a211a6d4a3b31fc1952c1d1f839" @@ -5515,24 +4935,11 @@ "@wordpress/data" "^6.0.0" lodash "^4.17.21" -"@wordpress/warning@^2.1.1": - version "2.1.1" - resolved "https://registry.yarnpkg.com/@wordpress/warning/-/warning-2.1.1.tgz#9f7ea1b9e054b0190c3203eb596f5fd025e0577b" - integrity sha512-EX+/6P2bWO0zRrKJYx1yck0rY2K5z5aPb67DTU+2ggcowW8JRP7hBzGdzhXqoE32oMS7RO97nG3uD9sZtn2DJA== - "@wordpress/warning@^2.2.1": version "2.2.1" resolved "https://registry.yarnpkg.com/@wordpress/warning/-/warning-2.2.1.tgz#28c30f18ed3eb9db81125aebe15202468e594c60" integrity sha512-IlwDEcCYCMQjrHjVxPTjqx/y+aeyg0DYpNGArt30WFY/aVfZHNu25UASYjwngEahIAUfA7b3oTQbJv2o3IghGQ== -"@wordpress/wordcount@^3.1.1": - version "3.1.1" - resolved "https://registry.yarnpkg.com/@wordpress/wordcount/-/wordcount-3.1.1.tgz#7548cf59638d4e42185a0d675f9725739d6c4171" - integrity sha512-O7T3lONKZYlPxkvIhZp5wEDl61yJs1h87VrDSkv3ZdOtEgpRF1La6pA/GN/BvBOUQL9ZAbqXUmQgUZ8hHd31eA== - dependencies: - "@babel/runtime" "^7.13.10" - lodash "^4.17.21" - "@wordpress/wordcount@^3.2.1": version "3.2.1" resolved "https://registry.yarnpkg.com/@wordpress/wordcount/-/wordcount-3.2.1.tgz#3a86d5a30491d41055e44f2e856dc8d4b8869859" @@ -5612,11 +5019,6 @@ address@1.1.2, address@^1.0.1: resolved "https://registry.yarnpkg.com/address/-/address-1.1.2.tgz#bf1116c9c758c51b7a933d296b72c221ed9428b6" integrity sha512-aT6camzM4xEA54YVJYSqxz1kv4IHnQZRtThJJHhUMRExaU5spC7jX5ugSwTaTgJliIgs4VhZOk7htClvQ/LmRA== -after@0.8.2: - version "0.8.2" - resolved "https://registry.yarnpkg.com/after/-/after-0.8.2.tgz#fedb394f9f0e02aa9768e702bda23b505fae7e1f" - integrity sha1-/ts5T58OAqqXaOcCvaI7UF+ufh8= - agent-base@6: version "6.0.2" resolved "https://registry.yarnpkg.com/agent-base/-/agent-base-6.0.2.tgz#49fff58577cfee3f37176feab4c22e00f86d7f77" @@ -5926,11 +5328,6 @@ array.prototype.map@^1.0.3: es-array-method-boxes-properly "^1.0.0" is-string "^1.0.5" -arraybuffer.slice@~0.0.7: - version "0.0.7" - resolved "https://registry.yarnpkg.com/arraybuffer.slice/-/arraybuffer.slice-0.0.7.tgz#3bbc4275dd584cc1b10809b89d4e8b63a69e7675" - integrity sha512-wGUIVQXuehL5TCqQun8OW81jGzAWycqzFF8lFp+GOM5BXLYj3bKNsYC4daB7n6XjCqxQA/qgTJ+8ANR3acjrog== - arrify@^1.0.1: version "1.0.1" resolved "https://registry.yarnpkg.com/arrify/-/arrify-1.0.1.tgz#898508da2226f380df904728456849c1501a4b0d" @@ -5941,42 +5338,6 @@ arrify@^2.0.1: resolved "https://registry.yarnpkg.com/arrify/-/arrify-2.0.1.tgz#c9655e9331e0abcd588d2a7cad7e9956f66701fa" integrity sha512-3duEwti880xqi4eAMN8AyR4a0ByT90zoYdLlevfrvU43vb0YZwZVfxOgxWrLXXXpyugL0hNZc9G6BiB5B3nUug== -"asblocks@git+https://github.com/youknowriad/asblocks#48f351f9be9a1041dca0e99b033d119d9f797ddf": - version "1.2.0" - resolved "git+https://github.com/youknowriad/asblocks#48f351f9be9a1041dca0e99b033d119d9f797ddf" - dependencies: - "@sentry/browser" "^5.29.0" - "@wordpress/block-editor" "^6.1.9" - "@wordpress/block-library" "^3.2.13" - "@wordpress/blocks" "^9.1.5" - "@wordpress/components" "^14.1.6" - "@wordpress/compose" "^4.1.3" - "@wordpress/data" "^5.1.3" - "@wordpress/data-controls" "^2.1.3" - "@wordpress/element" "^3.1.1" - "@wordpress/format-library" "^2.1.9" - "@wordpress/hooks" "^3.1.1" - "@wordpress/icons" "^4.0.2" - "@wordpress/is-shallow-equal" "^4.1.1" - "@wordpress/keycodes" "^3.1.1" - "@wordpress/notices" "^3.1.3" - "@wordpress/rich-text" "^4.1.3" - classnames "^2.3.1" - easy-web-crypto "1.1.1" - insights-js "^1.2.10" - is-electron "^2.2.0" - lodash "^4.17.21" - memize "^1.1.0" - react-promise-suspense "^0.3.3" - react-router-dom "^5.2.0" - react-update-notification "^1.0.0" - rememo "^3.0.0" - socket.io-client "^2.3.1" - tiny-emitter "^2.1.0" - use-local-storage-state "^6.0.0" - uuid "^8.3.2" - yjs "^13.4.7" - asn1.js@^5.2.0: version "5.4.1" resolved "https://registry.yarnpkg.com/asn1.js/-/asn1.js-5.4.1.tgz#11a980b84ebb91781ce35b0fdc2ee294e3783f07" @@ -6315,11 +5676,6 @@ babel-preset-jest@^26.6.2: babel-plugin-jest-hoist "^26.6.2" babel-preset-current-node-syntax "^1.0.0" -backo2@1.0.2: - version "1.0.2" - resolved "https://registry.yarnpkg.com/backo2/-/backo2-1.0.2.tgz#31ab1ac8b129363463e35b3ebb69f4dfcfba7947" - integrity sha1-MasayLEpNjRj41s+u2n038+6eUc= - bail@^1.0.0: version "1.0.5" resolved "https://registry.yarnpkg.com/bail/-/bail-1.0.5.tgz#b6fa133404a392cbc1f8c4bf63f5953351e7a776" @@ -6335,11 +5691,6 @@ balanced-match@^2.0.0: resolved "https://registry.yarnpkg.com/balanced-match/-/balanced-match-2.0.0.tgz#dc70f920d78db8b858535795867bf48f820633d9" integrity sha512-1ugUSr8BHXRnK23KfuYS+gVMC3LB8QGH9W1iGtDPsNWoQbgtXSExkBu2aDR4epiGWZOjZsj6lDl/N/AqqTC3UA== -base64-arraybuffer@0.1.4: - version "0.1.4" - resolved "https://registry.yarnpkg.com/base64-arraybuffer/-/base64-arraybuffer-0.1.4.tgz#9818c79e059b1355f97e0428a017c838e90ba812" - integrity sha1-mBjHngWbE1X5fgQooBfIOOkLqBI= - base64-js@^1.0.2, base64-js@^1.3.1: version "1.5.1" resolved "https://registry.yarnpkg.com/base64-js/-/base64-js-1.5.1.tgz#1b1b440160a5bf7ad40b650f095963481903930a" @@ -6413,11 +5764,6 @@ bl@^4.0.3, bl@^4.1.0: inherits "^2.0.4" readable-stream "^3.4.0" -blob@0.0.5: - version "0.0.5" - resolved "https://registry.yarnpkg.com/blob/-/blob-0.0.5.tgz#d680eeef25f8cd91ad533f5b01eed48e64caf683" - integrity sha512-gaqbzQPqOoamawKg0LGVd7SzLgXS+JH61oWprSLH+P+abTczqJbhTR8CmJ2u9/bUYNmHTGJx/UEmn6doAvvuig== - bluebird@^3.3.5, bluebird@^3.5.5: version "3.7.2" resolved "https://registry.yarnpkg.com/bluebird/-/bluebird-3.7.2.tgz#9f229c15be272454ffa973ace0dbee79a1b0c36f" @@ -7336,21 +6682,11 @@ commondir@^1.0.1: resolved "https://registry.yarnpkg.com/commondir/-/commondir-1.0.1.tgz#ddd800da0c66127393cca5950ea968a3aaf1253b" integrity sha1-3dgA2gxmEnOTzKWVDqloo6rxJTs= -component-bind@1.0.0: - version "1.0.0" - resolved "https://registry.yarnpkg.com/component-bind/-/component-bind-1.0.0.tgz#00c608ab7dcd93897c0009651b1d3a8e1e73bbd1" - integrity sha1-AMYIq33Nk4l8AAllGx06jh5zu9E= - -component-emitter@^1.2.1, component-emitter@~1.3.0: +component-emitter@^1.2.1: version "1.3.0" resolved "https://registry.yarnpkg.com/component-emitter/-/component-emitter-1.3.0.tgz#16e4070fba8ae29b679f2215853ee181ab2eabc0" integrity sha512-Rd3se6QB+sO1TwqZjscQrurpEPIfO0/yYnSin6Q/rD3mOutHvUrCAhJub3r90uNb+SESBuE0QYoB90YdfatsRg== -component-inherit@0.0.3: - version "0.0.3" - resolved "https://registry.yarnpkg.com/component-inherit/-/component-inherit-0.0.3.tgz#645fc4adf58b72b649d5cae65135619db26ff143" - integrity sha1-ZF/ErfWLcrZJ1crmUTVhnbJv8UM= - compressible@~2.0.16: version "2.0.18" resolved "https://registry.yarnpkg.com/compressible/-/compressible-2.0.18.tgz#af53cca6b070d4c3c0750fbd77286a6d7cc46fba" @@ -7595,16 +6931,6 @@ create-ecdh@^4.0.0: bn.js "^4.1.0" elliptic "^6.5.3" -create-emotion@^10.0.27: - version "10.0.27" - resolved "https://registry.yarnpkg.com/create-emotion/-/create-emotion-10.0.27.tgz#cb4fa2db750f6ca6f9a001a33fbf1f6c46789503" - integrity sha512-fIK73w82HPPn/RsAij7+Zt8eCE8SptcJ3WoRMfxMtjteYxud8GDTKKld7MYwAX2TVhrw29uR1N/bVGxeStHILg== - dependencies: - "@emotion/cache" "^10.0.27" - "@emotion/serialize" "^0.11.15" - "@emotion/sheet" "0.9.4" - "@emotion/utils" "0.11.3" - create-hash@^1.1.0, create-hash@^1.1.2, create-hash@^1.2.0: version "1.2.0" resolved "https://registry.yarnpkg.com/create-hash/-/create-hash-1.2.0.tgz#889078af11a63756bcfb59bd221996be3a9ef196" @@ -7910,13 +7236,6 @@ debug@^3.0.0, debug@^3.1.0, debug@^3.1.1, debug@^3.2.7: dependencies: ms "^2.1.1" -debug@~3.1.0: - version "3.1.0" - resolved "https://registry.yarnpkg.com/debug/-/debug-3.1.0.tgz#5bb5a0672628b64149566ba16819e61518c67261" - integrity sha512-OX8XqP7/1a9cqkxYw2yXss15f26NKWBpDXQd0/uK/KPqdQhxbPa994hnzjcE2VqQpDslf55723cKPUOGSmMY3g== - dependencies: - ms "2.0.0" - decache@^4.5.1: version "4.6.0" resolved "https://registry.yarnpkg.com/decache/-/decache-4.6.0.tgz#87026bc6e696759e82d57a3841c4e251a30356e8" @@ -8373,11 +7692,6 @@ duplexify@^3.4.2, duplexify@^3.6.0: readable-stream "^2.0.0" stream-shift "^1.0.0" -easy-web-crypto@1.1.1: - version "1.1.1" - resolved "https://registry.yarnpkg.com/easy-web-crypto/-/easy-web-crypto-1.1.1.tgz#930f36746517c60345eefc30c3d5c8ee4ddba95f" - integrity sha512-6qMECbP9Jgrg5tCr2ZIP6s/AyN2rzPbqE/HjKhItI1Y3Ai8TQPNQLfLDabhf21ulYMJzGKJAses5WjyK6bSEhg== - ecc-jsbn@~0.1.1: version "0.1.2" resolved "https://registry.yarnpkg.com/ecc-jsbn/-/ecc-jsbn-0.1.2.tgz#3a83a904e54353287874c564b7549386849a98c9" @@ -8465,14 +7779,6 @@ emotion-theming@^10.0.27: "@emotion/weak-memoize" "0.2.5" hoist-non-react-statics "^3.3.0" -emotion@^10.0.23: - version "10.0.27" - resolved "https://registry.yarnpkg.com/emotion/-/emotion-10.0.27.tgz#f9ca5df98630980a23c819a56262560562e5d75e" - integrity sha512-2xdDzdWWzue8R8lu4G76uWX5WhyQuzATon9LmNeCy/2BHVC6dsEpfhN1a0qhELgtDVdjyEA6J8Y/VlI5ZnaH0g== - dependencies: - babel-plugin-emotion "^10.0.27" - create-emotion "^10.0.27" - encodeurl@~1.0.2: version "1.0.2" resolved "https://registry.yarnpkg.com/encodeurl/-/encodeurl-1.0.2.tgz#ad3ff4c86ec2d029322f5a02c3a9a606c95b3f59" @@ -8501,34 +7807,6 @@ endent@^2.0.1: fast-json-parse "^1.0.3" objectorarray "^1.0.5" -engine.io-client@~3.5.0: - version "3.5.2" - resolved "https://registry.yarnpkg.com/engine.io-client/-/engine.io-client-3.5.2.tgz#0ef473621294004e9ceebe73cef0af9e36f2f5fa" - integrity sha512-QEqIp+gJ/kMHeUun7f5Vv3bteRHppHH/FMBQX/esFj/fuYfjyUKWGMo3VCvIP/V8bE9KcjHmRZrhIz2Z9oNsDA== - dependencies: - component-emitter "~1.3.0" - component-inherit "0.0.3" - debug "~3.1.0" - engine.io-parser "~2.2.0" - has-cors "1.1.0" - indexof "0.0.1" - parseqs "0.0.6" - parseuri "0.0.6" - ws "~7.4.2" - xmlhttprequest-ssl "~1.6.2" - yeast "0.1.2" - -engine.io-parser@~2.2.0: - version "2.2.1" - resolved "https://registry.yarnpkg.com/engine.io-parser/-/engine.io-parser-2.2.1.tgz#57ce5611d9370ee94f99641b589f94c97e4f5da7" - integrity sha512-x+dN/fBH8Ro8TFwJ+rkB2AmuVw9Yu2mockR/p3W8f8YtExwFgDvBDi0GWyb4ZLkpahtDGZgtr3zLovanJghPqg== - dependencies: - after "0.8.2" - arraybuffer.slice "~0.0.7" - base64-arraybuffer "0.1.4" - blob "0.0.5" - has-binary2 "~1.0.2" - enhanced-resolve@^4.1.1, enhanced-resolve@^4.5.0: version "4.5.0" resolved "https://registry.yarnpkg.com/enhanced-resolve/-/enhanced-resolve-4.5.0.tgz#2f3cfd84dbe3b487f18f2db2ef1e064a571ca5ec" @@ -9327,11 +8605,6 @@ fast-average-color@4.3.0: resolved "https://registry.yarnpkg.com/fast-average-color/-/fast-average-color-4.3.0.tgz#baf08eb9c62955c40718a26c47d0b1501c62193e" integrity sha512-k8FXd6+JeXoItmdNqB3hMwFgArryjdYBLuzEM8fRY/oztd/051yhSHU6GUrMOfIQU9dDHyFDcIAkGrQKlYtpDA== -fast-deep-equal@^2.0.1: - version "2.0.1" - resolved "https://registry.yarnpkg.com/fast-deep-equal/-/fast-deep-equal-2.0.1.tgz#7b05218ddf9667bf7f370bf7fdb2cb15fdd0aa49" - integrity sha1-ewUhjd+WZ79/Nwv3/bLLFf3Qqkk= - fast-deep-equal@^3.1.1, fast-deep-equal@^3.1.3: version "3.1.3" resolved "https://registry.yarnpkg.com/fast-deep-equal/-/fast-deep-equal-3.1.3.tgz#3a7d56b559d6cbc3eb512325244e619a65c6c525" @@ -10302,18 +9575,6 @@ has-bigints@^1.0.1: resolved "https://registry.yarnpkg.com/has-bigints/-/has-bigints-1.0.1.tgz#64fe6acb020673e3b78db035a5af69aa9d07b113" integrity sha512-LSBS2LjbNBTf6287JEbEzvJgftkF5qFkmCo9hDRpAzKhUOlJ+hx8dd4USs00SgsUNwc4617J9ki5YtEClM2ffA== -has-binary2@~1.0.2: - version "1.0.3" - resolved "https://registry.yarnpkg.com/has-binary2/-/has-binary2-1.0.3.tgz#7776ac627f3ea77250cfc332dab7ddf5e4f5d11d" - integrity sha512-G1LWKhDSvhGeAQ8mPVQlqNcOB2sJdwATtZKl2pDKKHfpf/rYj24lkinxf69blJbnsvtqqNU+L3SL50vzZhXOnw== - dependencies: - isarray "2.0.1" - -has-cors@1.1.0: - version "1.1.0" - resolved "https://registry.yarnpkg.com/has-cors/-/has-cors-1.1.0.tgz#5e474793f7ea9843d1bb99c23eef49ff126fff39" - integrity sha1-XkdHk/fqmEPRu5nCPu9J/xJv/zk= - has-flag@^3.0.0: version "3.0.0" resolved "https://registry.yarnpkg.com/has-flag/-/has-flag-3.0.0.tgz#b5d454dc2199ae225699f3467e5a07f3b955bafd" @@ -10484,18 +9745,6 @@ highlight.js@^10.1.1, highlight.js@~10.7.0: resolved "https://registry.yarnpkg.com/highlight.js/-/highlight.js-10.7.3.tgz#697272e3991356e40c3cac566a74eef681756531" integrity sha512-tzcUFauisWKNHaRkN4Wjl/ZA07gENAjFl3J/c480dprkGTg5EQstgaNFqBfUqCq54kZRIEcreTsAgF/m2quD7A== -history@^4.9.0: - version "4.10.1" - resolved "https://registry.yarnpkg.com/history/-/history-4.10.1.tgz#33371a65e3a83b267434e2b3f3b1b4c58aad4cf3" - integrity sha512-36nwAD620w12kuzPAsyINPWJqlNbij+hpK1k9XRloDtym8mxzGYl2c17LnV6IAGB2Dmg4tEa7G7DlawS0+qjew== - dependencies: - "@babel/runtime" "^7.1.2" - loose-envify "^1.2.0" - resolve-pathname "^3.0.0" - tiny-invariant "^1.0.2" - tiny-warning "^1.0.0" - value-equal "^1.0.1" - hmac-drbg@^1.0.1: version "1.0.1" resolved "https://registry.yarnpkg.com/hmac-drbg/-/hmac-drbg-1.0.1.tgz#d2745701025a6c775a6c545793ed502fc0c649a1" @@ -10505,7 +9754,7 @@ hmac-drbg@^1.0.1: minimalistic-assert "^1.0.0" minimalistic-crypto-utils "^1.0.1" -hoist-non-react-statics@^3.1.0, hoist-non-react-statics@^3.2.1, hoist-non-react-statics@^3.3.0, hoist-non-react-statics@^3.3.1: +hoist-non-react-statics@^3.2.1, hoist-non-react-statics@^3.3.0, hoist-non-react-statics@^3.3.1: version "3.3.2" resolved "https://registry.yarnpkg.com/hoist-non-react-statics/-/hoist-non-react-statics-3.3.2.tgz#ece0acaf71d62c2969c2ec59feff42a4b1a85b45" integrity sha512-/gGivxi8JPKWNm/W0jSmzcMPpfpPLc3dY/6GxhX2hQ9iGj3aDfklV4ET7NjKpSinLpJ5vafa9iiGIEZg10SfBw== @@ -10832,11 +10081,6 @@ indent-string@^4.0.0: resolved "https://registry.yarnpkg.com/indent-string/-/indent-string-4.0.0.tgz#624f8f4497d619b2d9768531d58f4122854d7251" integrity sha512-EdDDZu4A2OyIK7Lr/2zG+w5jmbuk1DVBnEwREQvBzspBJkCEbRa8GxU1lghYcaGJCnRWibjDXlq779X1/y5xwg== -indexof@0.0.1: - version "0.0.1" - resolved "https://registry.yarnpkg.com/indexof/-/indexof-0.0.1.tgz#82dc336d232b9062179d05ab3293a66059fd435d" - integrity sha1-gtwzbSMrkGIXnQWrMpOmYFn9Q10= - infer-owner@^1.0.3, infer-owner@^1.0.4: version "1.0.4" resolved "https://registry.yarnpkg.com/infer-owner/-/infer-owner-1.0.4.tgz#c4cefcaa8e51051c2a40ba2ce8a3d27295af9467" @@ -10900,11 +10144,6 @@ inquirer@8.1.2: strip-ansi "^6.0.0" through "^2.3.6" -insights-js@^1.2.10: - version "1.2.10" - resolved "https://registry.yarnpkg.com/insights-js/-/insights-js-1.2.10.tgz#e109c83c9d5052c8a4b099f7ecde6924aef538e0" - integrity sha512-BFk00KuGKK9ri4hAC8CuP8ap1xvYfDtU+J6VU9tBhcMKFPIoLR9LTFkb7H0HLW2ltT232DAb8xIlAmZ1JVT7dA== - internal-slot@^1.0.3: version "1.0.3" resolved "https://registry.yarnpkg.com/internal-slot/-/internal-slot-1.0.3.tgz#7347e307deeea2faac2ac6205d4bc7d34967f59c" @@ -11107,11 +10346,6 @@ is-dom@^1.0.0: is-object "^1.0.1" is-window "^1.0.2" -is-electron@^2.2.0: - version "2.2.0" - resolved "https://registry.yarnpkg.com/is-electron/-/is-electron-2.2.0.tgz#8943084f09e8b731b3a7a0298a7b5d56f6b7eef0" - integrity sha512-SpMppC2XR3YdxSzczXReBjqs2zGscWQpBIKqwXYBFic0ERaxNVgwLCHwOLZeESfdJQjX0RDvrJ1lBXX2ij+G1Q== - is-extendable@^0.1.0, is-extendable@^0.1.1: version "0.1.1" resolved "https://registry.yarnpkg.com/is-extendable/-/is-extendable-0.1.1.tgz#62b110e289a471418e3ec36a617d472e301dfc89" @@ -11422,21 +10656,11 @@ is-yarn-global@^0.3.0: resolved "https://registry.yarnpkg.com/is-yarn-global/-/is-yarn-global-0.3.0.tgz#d502d3382590ea3004893746754c89139973e232" integrity sha512-VjSeb/lHmkoyd8ryPVIKvOCn4D1koMqY+vqyjjUfc3xyKtP4dYOxM44sZrnqQSzSds3xyOrUTLTC9LVCVgLngw== -isarray@0.0.1: - version "0.0.1" - resolved "https://registry.yarnpkg.com/isarray/-/isarray-0.0.1.tgz#8a18acfca9a8f4177e09abfc6038939b05d1eedf" - integrity sha1-ihis/Kmo9Bd+Cav8YDiTmwXR7t8= - isarray@1.0.0, isarray@^1.0.0, isarray@~1.0.0: version "1.0.0" resolved "https://registry.yarnpkg.com/isarray/-/isarray-1.0.0.tgz#bb935d48582cba168c06834957a54a3e07124f11" integrity sha1-u5NdSFgsuhaMBoNJV6VKPgcSTxE= -isarray@2.0.1: - version "2.0.1" - resolved "https://registry.yarnpkg.com/isarray/-/isarray-2.0.1.tgz#a37d94ed9cda2d59865c9f76fe596ee1f338741e" - integrity sha1-o32U7ZzaLVmGXJ92/llu4fM4dB4= - isarray@^2.0.5: version "2.0.5" resolved "https://registry.yarnpkg.com/isarray/-/isarray-2.0.5.tgz#8af1e4c1221244cc62459faf38940d4e644a5723" @@ -12452,7 +11676,7 @@ longest-streak@^2.0.0: resolved "https://registry.yarnpkg.com/longest-streak/-/longest-streak-2.0.4.tgz#b8599957da5b5dab64dee3fe316fa774597d90e4" integrity sha512-vM6rUVCVUJJt33bnmHiZEvr7wPT78ztX7rojL+LW51bHtLh6HTjx84LA5W4+oa6aKEJA7jJu5LR6vQRBpA5DVg== -loose-envify@^1.0.0, loose-envify@^1.1.0, loose-envify@^1.2.0, loose-envify@^1.3.1, loose-envify@^1.4.0: +loose-envify@^1.0.0, loose-envify@^1.1.0, loose-envify@^1.4.0: version "1.4.0" resolved "https://registry.yarnpkg.com/loose-envify/-/loose-envify-1.4.0.tgz#71ee51fa7be4caec1a63839f7e682d8132d30caf" integrity sha512-lyuxPGr/Wfhrlem2CL/UcnUc1zcqKAImBDzukY7Y5F/yQiNdko6+fRLevlw1HgMySw7f611UIY408EtxRSoK3Q== @@ -12954,14 +12178,6 @@ min-indent@^1.0.0: resolved "https://registry.yarnpkg.com/min-indent/-/min-indent-1.0.1.tgz#a63f681673b30571fbe8bc25686ae746eefa9869" integrity sha512-I9jwMn07Sy/IwOj3zVkVik2JTvgpaykDZEigL6Rx6N9LbMywwUSMtxET+7lVoDLLd3O3IXwJwvuuns8UB/HeAg== -mini-create-react-context@^0.4.0: - version "0.4.1" - resolved "https://registry.yarnpkg.com/mini-create-react-context/-/mini-create-react-context-0.4.1.tgz#072171561bfdc922da08a60c2197a497cc2d1d5e" - integrity sha512-YWCYEmd5CQeHGSAKrYvXgmzzkrvssZcuuQDDeqkT+PziKGMgE+0MCCtcKbROzocGBG1meBLl2FotlRwf4gAzbQ== - dependencies: - "@babel/runtime" "^7.12.1" - tiny-warning "^1.0.3" - mini-css-extract-plugin@^1.3.9: version "1.6.2" resolved "https://registry.yarnpkg.com/mini-css-extract-plugin/-/mini-css-extract-plugin-1.6.2.tgz#83172b4fd812f8fc4a09d6f6d16f924f53990ca8" @@ -13905,16 +13121,6 @@ parse5@6.0.1, parse5@^6.0.0, parse5@^6.0.1: resolved "https://registry.yarnpkg.com/parse5/-/parse5-6.0.1.tgz#e1a1c085c569b3dc08321184f19a39cc27f7c30b" integrity sha512-Ofn/CTFzRGTTxwpNEs9PP93gXShHcTq255nzRYSKe8AkVpZY7e1fpmTfOyoIvjP5HG7Z2ZM7VS9PPhQGW2pOpw== -parseqs@0.0.6: - version "0.0.6" - resolved "https://registry.yarnpkg.com/parseqs/-/parseqs-0.0.6.tgz#8e4bb5a19d1cdc844a08ac974d34e273afa670d5" - integrity sha512-jeAGzMDbfSHHA091hr0r31eYfTig+29g3GKKE/PPbEQ65X0lmMwlEoqmhzu0iztID5uJpZsFlUPDP8ThPL7M8w== - -parseuri@0.0.6: - version "0.0.6" - resolved "https://registry.yarnpkg.com/parseuri/-/parseuri-0.0.6.tgz#e1496e829e3ac2ff47f39a4dd044b32823c4a25a" - integrity sha512-AUjen8sAkGgao7UyCX6Ahv0gIK2fABKmYjvP4xmy5JaKvcbTRueIqIPHLAfq30xJddqSE033IOMUSOMCcK3Sow== - parseurl@~1.3.2, parseurl@~1.3.3: version "1.3.3" resolved "https://registry.yarnpkg.com/parseurl/-/parseurl-1.3.3.tgz#9da19e7bee8d12dff0513ed5b76957793bc2e8d4" @@ -13990,13 +13196,6 @@ path-to-regexp@0.1.7: resolved "https://registry.yarnpkg.com/path-to-regexp/-/path-to-regexp-0.1.7.tgz#df604178005f522f15eb4490e7247a1bfaa67f8c" integrity sha1-32BBeABfUi8V60SQ5yR6G/qmf4w= -path-to-regexp@^1.7.0: - version "1.8.0" - resolved "https://registry.yarnpkg.com/path-to-regexp/-/path-to-regexp-1.8.0.tgz#887b3ba9d84393e87a0a0b9f4cb756198b53548a" - integrity sha512-n43JRhlUKUAlibEJhPeir1ncUID16QnEjNpwzNdO3Lm4ywrBpBZ5oLD0I6br9evr1Y9JTqwRtAh7JLoOzAQdVA== - dependencies: - isarray "0.0.1" - path-type@^1.0.0: version "1.1.0" resolved "https://registry.yarnpkg.com/path-type/-/path-type-1.1.0.tgz#59c44f7ee491da704da415da5a4070ba4f8fe441" @@ -14841,16 +14040,6 @@ react-dom@17.0.2, react-dom@^17.0.1: object-assign "^4.1.1" scheduler "^0.20.2" -react-dom@^16.13.1: - version "16.14.0" - resolved "https://registry.yarnpkg.com/react-dom/-/react-dom-16.14.0.tgz#7ad838ec29a777fb3c75c3a190f661cf92ab8b89" - integrity sha512-1gCeQXDLoIqMgqD3IO2Ah9bnf0w9kzhwN5q4FGnHZ67hBm9yePzB5JJAIQCc8x3pFnNlwFq4RidZggNAAkzWWw== - dependencies: - loose-envify "^1.1.0" - object-assign "^4.1.1" - prop-types "^15.6.2" - scheduler "^0.19.1" - react-draggable@^4.4.3: version "4.4.3" resolved "https://registry.yarnpkg.com/react-draggable/-/react-draggable-4.4.3.tgz#0727f2cae5813e36b0e4962bf11b2f9ef2b406f3" @@ -14905,7 +14094,7 @@ react-inspector@^5.1.0: is-dom "^1.0.0" prop-types "^15.0.0" -react-is@^16.12.0, react-is@^16.13.1, react-is@^16.6.0, react-is@^16.7.0, react-is@^16.8.1: +react-is@^16.12.0, react-is@^16.13.1, react-is@^16.7.0, react-is@^16.8.1: version "16.13.1" resolved "https://registry.yarnpkg.com/react-is/-/react-is-16.13.1.tgz#789729a4dc36de2999dc156dd6c1d9c18cea56a4" integrity sha512-24e6ynE2H+OKt4kqsOvNd8kBpV65zoxbA4BVsEOB3ARVWQki/DHzaUoC5KuON/BiccDaCCTZBuOcfZs70kR8bQ== @@ -14969,13 +14158,6 @@ react-portal@^4.1.5: dependencies: prop-types "^15.5.8" -react-promise-suspense@^0.3.3: - version "0.3.3" - resolved "https://registry.yarnpkg.com/react-promise-suspense/-/react-promise-suspense-0.3.3.tgz#b085c7e0ac22b85fd3d605b1c4f181cda4310bc9" - integrity sha512-OdehKsCEWYoV6pMcwxbvJH99UrbXylmXJ1QpEL9OfHaUBzcAihyfSJV8jFq325M/wW9iKc/BoiLROXxMul+MxA== - dependencies: - fast-deep-equal "^2.0.1" - react-refresh@^0.8.3: version "0.8.3" resolved "https://registry.yarnpkg.com/react-refresh/-/react-refresh-0.8.3.tgz#721d4657672d400c5e3c75d063c4a85fb2d5d68f" @@ -14986,35 +14168,6 @@ react-resize-aware@^3.1.0: resolved "https://registry.yarnpkg.com/react-resize-aware/-/react-resize-aware-3.1.0.tgz#fa1da751d1d72f90c3b79969d05c2c577dfabd92" integrity sha512-bIhHlxVTX7xKUz14ksXMEHjzCZPTpQZKZISY3nbTD273pDKPABGFNFBP6Tr42KECxzC5YQiKpMchjTVJCqaxpA== -react-router-dom@^5.2.0: - version "5.2.0" - resolved "https://registry.yarnpkg.com/react-router-dom/-/react-router-dom-5.2.0.tgz#9e65a4d0c45e13289e66c7b17c7e175d0ea15662" - integrity sha512-gxAmfylo2QUjcwxI63RhQ5G85Qqt4voZpUXSEqCwykV0baaOTQDR1f0PmY8AELqIyVc0NEZUj0Gov5lNGcXgsA== - dependencies: - "@babel/runtime" "^7.1.2" - history "^4.9.0" - loose-envify "^1.3.1" - prop-types "^15.6.2" - react-router "5.2.0" - tiny-invariant "^1.0.2" - tiny-warning "^1.0.0" - -react-router@5.2.0: - version "5.2.0" - resolved "https://registry.yarnpkg.com/react-router/-/react-router-5.2.0.tgz#424e75641ca8747fbf76e5ecca69781aa37ea293" - integrity sha512-smz1DUuFHRKdcJC0jobGo8cVbhO3x50tCL4icacOlcwDOEQPq4TMqwx3sY1TP+DvtTgz4nm3thuo7A+BK2U0Dw== - dependencies: - "@babel/runtime" "^7.1.2" - history "^4.9.0" - hoist-non-react-statics "^3.1.0" - loose-envify "^1.3.1" - mini-create-react-context "^0.4.0" - path-to-regexp "^1.7.0" - prop-types "^15.6.2" - react-is "^16.6.0" - tiny-invariant "^1.0.2" - tiny-warning "^1.0.0" - react-shallow-renderer@^16.13.1: version "16.14.1" resolved "https://registry.yarnpkg.com/react-shallow-renderer/-/react-shallow-renderer-16.14.1.tgz#bf0d02df8a519a558fd9b8215442efa5c840e124" @@ -15071,14 +14224,6 @@ react-textarea-autosize@^8.3.0: use-composed-ref "^1.0.0" use-latest "^1.0.0" -react-update-notification@^1.0.0: - version "1.1.1" - resolved "https://registry.yarnpkg.com/react-update-notification/-/react-update-notification-1.1.1.tgz#b72b346aa9d0e8a10feb9d17458aa3f76dad33d9" - integrity sha512-H502cYIMuVcHbGUf8Pt+hwQiD2EyO7f9scKEC7yqiQZMx2es44pTcHhLv+njoeqwVU7xlOCEzBOeV4RNJ1w7Rg== - dependencies: - cheerio "^1.0.0-rc.3" - yargs "^15.4.1" - react-use-gesture@^9.0.0: version "9.1.3" resolved "https://registry.yarnpkg.com/react-use-gesture/-/react-use-gesture-9.1.3.tgz#92bd143e4f58e69bd424514a5bfccba2a1d62ec0" @@ -15124,15 +14269,6 @@ react@17.0.2, react@^17.0.1: loose-envify "^1.1.0" object-assign "^4.1.1" -react@^16.13.1: - version "16.14.0" - resolved "https://registry.yarnpkg.com/react/-/react-16.14.0.tgz#94d776ddd0aaa37da3eda8fc5b6b18a4c9a3114d" - integrity sha512-0X2CImDkJGApiAlcf0ODKIneSwBPhqJawOa5wCtKbu7ZECrmS26NvtSILynQ66cgkT/RJ4LidJOc3bUESwmU8g== - dependencies: - loose-envify "^1.1.0" - object-assign "^4.1.1" - prop-types "^15.6.2" - read-pkg-up@^1.0.1: version "1.0.1" resolved "https://registry.yarnpkg.com/read-pkg-up/-/read-pkg-up-1.0.1.tgz#9d63c13276c065918d57f002a57f40a1b643fb02" @@ -15243,7 +14379,7 @@ reakit-warning@^0.6.1: dependencies: reakit-utils "^0.15.1" -reakit@^1.3.5, reakit@^1.3.8: +reakit@^1.3.8: version "1.3.8" resolved "https://registry.yarnpkg.com/reakit/-/reakit-1.3.8.tgz#717e1a3b7cc6da803362a0edc2c55d2b6a001baf" integrity sha512-8SVejx6FUaFi2+Q9eXoDAd4wWi/xAn6v8JgXH8x2xnzye8pb6v5bYvegACVpYVZnrS5w/JUgMTGh1Xy8MkkPww== @@ -15678,11 +14814,6 @@ resolve-from@^5.0.0: resolved "https://registry.yarnpkg.com/resolve-from/-/resolve-from-5.0.0.tgz#c35225843df8f776df21c57557bc087e9dfdfc69" integrity sha512-qYg9KP24dD5qka9J47d0aVky0N+b4fTU89LN9iDnjB5waksiC49rvMB0PrUJQGoTmH50XPiqOvAjDfaijGxYZw== -resolve-pathname@^3.0.0: - version "3.0.0" - resolved "https://registry.yarnpkg.com/resolve-pathname/-/resolve-pathname-3.0.0.tgz#99d02224d3cf263689becbb393bc560313025dcd" - integrity sha512-C7rARubxI8bXFNB/hqcp/4iUeIXJhJZvFPFPiSPRnhU5UPxzMFIl+2E6yY6c4k9giDJAhtV+enfA+G89N6Csng== - resolve-url@^0.2.1: version "0.2.1" resolved "https://registry.yarnpkg.com/resolve-url/-/resolve-url-0.2.1.tgz#2c637fe77c893afd2a663fe21aa9080068e2052a" @@ -15897,14 +15028,6 @@ saxes@^5.0.1: dependencies: xmlchars "^2.2.0" -scheduler@^0.19.1: - version "0.19.1" - resolved "https://registry.yarnpkg.com/scheduler/-/scheduler-0.19.1.tgz#4f3e2ed2c1a7d65681f4c854fa8c5a1ccb40f196" - integrity sha512-n/zwRWRYSUj0/3g/otKDRPMh6qv2SYMWNq85IEa8iZyAv8od9zDYpGSnpBEjNgcMNq6Scbu5KfIPxNF72R/2EA== - dependencies: - loose-envify "^1.1.0" - object-assign "^4.1.1" - scheduler@^0.20.2: version "0.20.2" resolved "https://registry.yarnpkg.com/scheduler/-/scheduler-0.20.2.tgz#4baee39436e34aa93b4874bddcbf0fe8b8b50e91" @@ -16240,32 +15363,6 @@ snapdragon@^0.8.1: source-map-resolve "^0.5.0" use "^3.1.0" -socket.io-client@^2.3.1: - version "2.4.0" - resolved "https://registry.yarnpkg.com/socket.io-client/-/socket.io-client-2.4.0.tgz#aafb5d594a3c55a34355562fc8aea22ed9119a35" - integrity sha512-M6xhnKQHuuZd4Ba9vltCLT9oa+YvTsP8j9NcEiLElfIg8KeYPyhWOes6x4t+LTAC8enQbE/995AdTem2uNyKKQ== - dependencies: - backo2 "1.0.2" - component-bind "1.0.0" - component-emitter "~1.3.0" - debug "~3.1.0" - engine.io-client "~3.5.0" - has-binary2 "~1.0.2" - indexof "0.0.1" - parseqs "0.0.6" - parseuri "0.0.6" - socket.io-parser "~3.3.0" - to-array "0.1.4" - -socket.io-parser@~3.3.0: - version "3.3.2" - resolved "https://registry.yarnpkg.com/socket.io-parser/-/socket.io-parser-3.3.2.tgz#ef872009d0adcf704f2fbe830191a14752ad50b6" - integrity sha512-FJvDBuOALxdCI9qwRrO/Rfp9yfndRtc1jSgVgV8FDraihmSP/MLGD5PEuJrNfjALvcQ+vMDM/33AWOYP/JSjDg== - dependencies: - component-emitter "~1.3.0" - debug "~3.1.0" - isarray "2.0.1" - source-list-map@^2.0.0, source-list-map@^2.0.1: version "2.0.1" resolved "https://registry.yarnpkg.com/source-list-map/-/source-list-map-2.0.1.tgz#3993bd873bfc48479cca9ea3a547835c7c154b34" @@ -17127,16 +16224,11 @@ timers-browserify@^2.0.4: dependencies: setimmediate "^1.0.4" -tiny-emitter@^2.0.0, tiny-emitter@^2.1.0: +tiny-emitter@^2.0.0: version "2.1.0" resolved "https://registry.yarnpkg.com/tiny-emitter/-/tiny-emitter-2.1.0.tgz#1d1a56edfc51c43e863cbb5382a72330e3555423" integrity sha512-NB6Dk1A9xgQPMoGqC5CVXn123gWyte215ONT5Pp5a0yt4nlEoO1ZWeCwpncaekPHXO60i47ihFnZPiRPjRMq4Q== -tiny-invariant@^1.0.2: - version "1.1.0" - resolved "https://registry.yarnpkg.com/tiny-invariant/-/tiny-invariant-1.1.0.tgz#634c5f8efdc27714b7f386c35e6760991d230875" - integrity sha512-ytxQvrb1cPc9WBEI/HSeYYoGD0kWnGEOR8RY6KomWLBVhqz0RgTwVO9dLrGz7dC+nN9llyI7OKAgRq8Vq4ZBSw== - tiny-lr@^1.1.1: version "1.1.1" resolved "https://registry.yarnpkg.com/tiny-lr/-/tiny-lr-1.1.1.tgz#9fa547412f238fedb068ee295af8b682c98b2aab" @@ -17149,11 +16241,6 @@ tiny-lr@^1.1.1: object-assign "^4.1.0" qs "^6.4.0" -tiny-warning@^1.0.0, tiny-warning@^1.0.3: - version "1.0.3" - resolved "https://registry.yarnpkg.com/tiny-warning/-/tiny-warning-1.0.3.tgz#94a30db453df4c643d0fd566060d60a875d84754" - integrity sha512-lBN9zLN/oAf68o3zNXYrdCt1kP8WsiGW8Oo2ka41b2IM5JL/S1CTyX1rW0mb/zSuJun0ZUrDxx4sqvYS2FWzPA== - tinycolor2@^1.4.2: version "1.4.2" resolved "https://registry.yarnpkg.com/tinycolor2/-/tinycolor2-1.4.2.tgz#3f6a4d1071ad07676d7fa472e1fac40a719d8803" @@ -17171,11 +16258,6 @@ tmpl@1.0.x: resolved "https://registry.yarnpkg.com/tmpl/-/tmpl-1.0.4.tgz#23640dd7b42d00433911140820e5cf440e521dd1" integrity sha1-I2QN17QtAEM5ERQIIOXPRA5SHdE= -to-array@0.1.4: - version "0.1.4" - resolved "https://registry.yarnpkg.com/to-array/-/to-array-0.1.4.tgz#17e6c11f73dd4f3d74cda7a4ff3238e9ad9bf890" - integrity sha1-F+bBH3PdTz10zaek/zI46a2b+JA= - to-arraybuffer@^1.0.0: version "1.0.1" resolved "https://registry.yarnpkg.com/to-arraybuffer/-/to-arraybuffer-1.0.1.tgz#7d229b1fcc637e466ca081180836a7aabff83f43" @@ -17329,7 +16411,7 @@ tslib@2.0.1: resolved "https://registry.yarnpkg.com/tslib/-/tslib-2.0.1.tgz#410eb0d113e5b6356490eec749603725b021b43e" integrity sha512-SgIkNheinmEBgx1IUNirK0TUD4X9yjjBRTqqjggWCU3pUEqIk3/Uwl3yRixYKT6WjQuGiwDv4NomL3wqRCj+CQ== -tslib@^1.8.1, tslib@^1.9.3: +tslib@^1.8.1: version "1.14.1" resolved "https://registry.yarnpkg.com/tslib/-/tslib-1.14.1.tgz#cf2d38bdc34a134bcaf1091c41f6619e2f672d00" integrity sha512-Xni35NKzjgMrwevysHTCArtLDpPvye8zV/0E4EyYn43P7/7qvQwPh9BGkHewbMulVntbigmcT7rdX3BNo9wRJg== @@ -17749,11 +16831,6 @@ use-latest@^1.0.0: dependencies: use-isomorphic-layout-effect "^1.0.0" -use-local-storage-state@^6.0.0: - version "6.0.3" - resolved "https://registry.yarnpkg.com/use-local-storage-state/-/use-local-storage-state-6.0.3.tgz#65add61b8450b071354ce31b5a69b8908e69b497" - integrity sha512-VvaMTPhBcV+pT/MSkJKG1gdU9jTdY+liJ7XUXsuCcOKa2+P/WBB7Fe5/k+20XzgqCG8AloIiTOuoHfV9FlnYmQ== - use-memo-one@^1.1.1: version "1.1.2" resolved "https://registry.yarnpkg.com/use-memo-one/-/use-memo-one-1.1.2.tgz#0c8203a329f76e040047a35a1197defe342fab20" @@ -17821,7 +16898,7 @@ uuid-browser@^3.1.0: resolved "https://registry.yarnpkg.com/uuid-browser/-/uuid-browser-3.1.0.tgz#0f05a40aef74f9e5951e20efbf44b11871e56410" integrity sha1-DwWkCu90+eWVHiDvv0SxGHHlZBA= -uuid@8.3.2, uuid@^8.3.0, uuid@^8.3.2: +uuid@8.3.2, uuid@^8.3.0: version "8.3.2" resolved "https://registry.yarnpkg.com/uuid/-/uuid-8.3.2.tgz#80d5b5ced271bb9af6c445f21a1a04c606cefbe2" integrity sha512-+NYs2QeMWy+GWFOEm9xnn6HCDp0l7QBD7ml8zLUmJ+93Q5NF0NocErnwkTkXVFNiX3/fpC6afS8Dhb/gz7R7eg== @@ -17862,11 +16939,6 @@ validate-npm-package-license@^3.0.1: spdx-correct "^3.0.0" spdx-expression-parse "^3.0.0" -value-equal@^1.0.1: - version "1.0.1" - resolved "https://registry.yarnpkg.com/value-equal/-/value-equal-1.0.1.tgz#1e0b794c734c5c0cade179c437d356d931a34d6c" - integrity sha512-NOJ6JZCAWr0zlxZt+xqCHNTEKOsrks2HQd4MqhP1qy4z1SkbEP467eNx6TgDKXMvUOb+OENfJCZwM+16n7fRfw== - vary@~1.1.2: version "1.1.2" resolved "https://registry.yarnpkg.com/vary/-/vary-1.1.2.tgz#2299f02c6ded30d4a5961b0b9f74524a18f634fc" @@ -18409,7 +17481,7 @@ write-file-atomic@^3.0.0, write-file-atomic@^3.0.3: signal-exit "^3.0.2" typedarray-to-buffer "^3.1.5" -ws@7.4.6, ws@~7.4.2: +ws@7.4.6: version "7.4.6" resolved "https://registry.yarnpkg.com/ws/-/ws-7.4.6.tgz#5654ca8ecdeee47c33a9a4bf6d28e2be2980377c" integrity sha512-YmhHDO4MzaDLB+M9ym/mDA5z0naX8j7SIlT8f8z+I0VtzsRbekxEutHSme7NPS2qE8StCYQNUnfWdXta/Yu85A== @@ -18434,11 +17506,6 @@ xmlchars@^2.2.0: resolved "https://registry.yarnpkg.com/xmlchars/-/xmlchars-2.2.0.tgz#060fe1bcb7f9c76fe2a17db86a9bc3ab894210cb" integrity sha512-JZnDKK8B0RCDw84FNdDAIpZK+JuJw+s7Lz8nksI7SIuU3UXJJslUthsi+uWBUYOwPFwW7W7PRLRfUKpxjtjFCw== -xmlhttprequest-ssl@~1.6.2: - version "1.6.3" - resolved "https://registry.yarnpkg.com/xmlhttprequest-ssl/-/xmlhttprequest-ssl-1.6.3.tgz#03b713873b01659dfa2c1c5d056065b27ddc2de6" - integrity sha512-3XfeQE/wNkvrIktn2Kf0869fC0BN6UpydVasGIeSm2B1Llihf7/0UfZM+eCkOw3P7bP4+qPgqhm7ZoxuJtFU0Q== - xtend@^4.0.0, xtend@^4.0.1, xtend@~4.0.1: version "4.0.2" resolved "https://registry.yarnpkg.com/xtend/-/xtend-4.0.2.tgz#bb72779f5fa465186b1f438f674fa347fdb5db54" @@ -18574,15 +17641,10 @@ yauzl@^2.10.0: buffer-crc32 "~0.2.3" fd-slicer "~1.1.0" -yeast@0.1.2: - version "0.1.2" - resolved "https://registry.yarnpkg.com/yeast/-/yeast-0.1.2.tgz#008e06d8094320c372dbc2f8ed76a0ca6c8ac419" - integrity sha1-AI4G2AlDIMNy28L47XagymyKxBk= - -yjs@^13.4.7: - version "13.5.11" - resolved "https://registry.yarnpkg.com/yjs/-/yjs-13.5.11.tgz#8f41a61fd0039a8d720a5b3186b8ad319d88563b" - integrity sha512-nJzML0NoSUh+kZLEOssYViPI1ZECv/7rnLk5mhXvhMTnezNAYWAIfNLvo+FHYRhWBojbrutT4d2IAP/IE9Xaog== +yjs@^13.5.12: + version "13.5.12" + resolved "https://registry.yarnpkg.com/yjs/-/yjs-13.5.12.tgz#7a0cf3119fb368c07243825e989a55de164b3f9c" + integrity sha512-/buy1kh8Ls+t733Lgov9hiNxCsjHSCymTuZNahj2hsPNoGbvnSdDmCz9Z4F19Yr1eUAAXQLJF3q7fiBcvPC6Qg== dependencies: lib0 "^0.2.41" From 2bcec37cdb2796d89ce63452c8b24b8a5d70ed9f Mon Sep 17 00:00:00 2001 From: Lena Morita Date: Thu, 12 Aug 2021 02:03:16 +0900 Subject: [PATCH 46/53] ts-nocheck the algorithms file for now --- src/components/block-editor-contents/use-yjs/algorithms/yjs.js | 2 ++ 1 file changed, 2 insertions(+) diff --git a/src/components/block-editor-contents/use-yjs/algorithms/yjs.js b/src/components/block-editor-contents/use-yjs/algorithms/yjs.js index ebe7a0f8c..5d87eebf9 100644 --- a/src/components/block-editor-contents/use-yjs/algorithms/yjs.js +++ b/src/components/block-editor-contents/use-yjs/algorithms/yjs.js @@ -1,3 +1,5 @@ +// @ts-nocheck TODO + import * as yjs from 'yjs'; import { isEqual } from 'lodash'; From fc800884636396f256518107f708deecab235650 Mon Sep 17 00:00:00 2001 From: Lena Morita Date: Thu, 12 Aug 2021 04:21:10 +0900 Subject: [PATCH 47/53] Refresh yarn lock --- yarn.lock | 2134 +++++++++++++++++++---------------------------------- 1 file changed, 760 insertions(+), 1374 deletions(-) diff --git a/yarn.lock b/yarn.lock index 8af4c31c3..3130c397c 100644 --- a/yarn.lock +++ b/yarn.lock @@ -39,12 +39,7 @@ dependencies: "@babel/highlight" "^7.14.5" -"@babel/compat-data@^7.13.11", "@babel/compat-data@^7.14.5", "@babel/compat-data@^7.14.7": - version "7.14.7" - resolved "https://registry.yarnpkg.com/@babel/compat-data/-/compat-data-7.14.7.tgz#7b047d7a3a89a67d2258dc61f604f098f1bc7e08" - integrity sha512-nS6dZaISCXJ3+518CWiBfEr//gHyMO02uDxBkXTKZDN5POruCnOZ1N4YBRZDCabwF8nZMWBpRxIicmXtBs+fvw== - -"@babel/compat-data@^7.15.0": +"@babel/compat-data@^7.13.11", "@babel/compat-data@^7.14.7", "@babel/compat-data@^7.15.0": version "7.15.0" resolved "https://registry.yarnpkg.com/@babel/compat-data/-/compat-data-7.15.0.tgz#2dbaf8b85334796cafbb0f5793a90a2fc010b176" integrity sha512-0NqAC1IJE0S0+lL1SWFMxMkz1pKCNCjI4tr2Zx4LJSXxCLAdr6KyArnY+sno5m3yH9g737ygOyPABDsnXkpxiA== @@ -71,28 +66,7 @@ semver "^5.4.1" source-map "^0.5.0" -"@babel/core@>=7.9.0", "@babel/core@^7.1.0", "@babel/core@^7.12.10", "@babel/core@^7.12.3", "@babel/core@^7.13.10", "@babel/core@^7.7.5": - version "7.14.6" - resolved "https://registry.yarnpkg.com/@babel/core/-/core-7.14.6.tgz#e0814ec1a950032ff16c13a2721de39a8416fcab" - integrity sha512-gJnOEWSqTk96qG5BoIrl5bVtc23DCycmIePPYnamY9RboYdI4nFy5vAQMSl81O5K/W0sLDWfGysnOECC+KUUCA== - dependencies: - "@babel/code-frame" "^7.14.5" - "@babel/generator" "^7.14.5" - "@babel/helper-compilation-targets" "^7.14.5" - "@babel/helper-module-transforms" "^7.14.5" - "@babel/helpers" "^7.14.6" - "@babel/parser" "^7.14.6" - "@babel/template" "^7.14.5" - "@babel/traverse" "^7.14.5" - "@babel/types" "^7.14.5" - convert-source-map "^1.7.0" - debug "^4.1.0" - gensync "^1.0.0-beta.2" - json5 "^2.1.2" - semver "^6.3.0" - source-map "^0.5.0" - -"@babel/core@^7.14.8": +"@babel/core@>=7.9.0", "@babel/core@^7.1.0", "@babel/core@^7.12.10", "@babel/core@^7.12.3", "@babel/core@^7.13.10", "@babel/core@^7.14.8", "@babel/core@^7.7.5": version "7.15.0" resolved "https://registry.yarnpkg.com/@babel/core/-/core-7.15.0.tgz#749e57c68778b73ad8082775561f67f5196aafa8" integrity sha512-tXtmTminrze5HEUPn/a0JtOzzfp0nk+UEXQ/tqIJo3WDGypl/2OFQEMll/zSFU8f/lfmfLXvTaORHF3cfXIQMw== @@ -113,16 +87,7 @@ semver "^6.3.0" source-map "^0.5.0" -"@babel/generator@^7.12.11", "@babel/generator@^7.12.5", "@babel/generator@^7.14.5": - version "7.14.5" - resolved "https://registry.yarnpkg.com/@babel/generator/-/generator-7.14.5.tgz#848d7b9f031caca9d0cd0af01b063f226f52d785" - integrity sha512-y3rlP+/G25OIX3mYKKIOlQRcqj7YgrvHxOLbVmyLJ9bPmi5ttvUmpydVjcFjZphOktWuA7ovbx91ECloWTfjIA== - dependencies: - "@babel/types" "^7.14.5" - jsesc "^2.5.1" - source-map "^0.5.0" - -"@babel/generator@^7.15.0": +"@babel/generator@^7.12.11", "@babel/generator@^7.12.5", "@babel/generator@^7.15.0": version "7.15.0" resolved "https://registry.yarnpkg.com/@babel/generator/-/generator-7.15.0.tgz#a7d0c172e0d814974bad5aa77ace543b97917f15" integrity sha512-eKl4XdMrbpYvuB505KTta4AV9g+wWzmVBW69tX0H2NwKVKd2YJbKgyK6M8j/rgLbmHOYJn6rUklV677nOyJrEQ== @@ -146,17 +111,7 @@ "@babel/helper-explode-assignable-expression" "^7.14.5" "@babel/types" "^7.14.5" -"@babel/helper-compilation-targets@^7.13.0", "@babel/helper-compilation-targets@^7.14.5": - version "7.14.5" - resolved "https://registry.yarnpkg.com/@babel/helper-compilation-targets/-/helper-compilation-targets-7.14.5.tgz#7a99c5d0967911e972fe2c3411f7d5b498498ecf" - integrity sha512-v+QtZqXEiOnpO6EYvlImB6zCD2Lel06RzOPzmkz/D/XgQiUu3C/Jb1LOqSt/AIA34TYi/Q+KlT8vTQrgdxkbLw== - dependencies: - "@babel/compat-data" "^7.14.5" - "@babel/helper-validator-option" "^7.14.5" - browserslist "^4.16.6" - semver "^6.3.0" - -"@babel/helper-compilation-targets@^7.15.0": +"@babel/helper-compilation-targets@^7.13.0", "@babel/helper-compilation-targets@^7.14.5", "@babel/helper-compilation-targets@^7.15.0": version "7.15.0" resolved "https://registry.yarnpkg.com/@babel/helper-compilation-targets/-/helper-compilation-targets-7.15.0.tgz#973df8cbd025515f3ff25db0c05efc704fa79818" integrity sha512-h+/9t0ncd4jfZ8wsdAsoIxSa61qhBYlycXiHWqJaQBCXAhDCMbPRSMTGnZIkkmt1u4ag+UQmuqcILwqKzZ4N2A== @@ -166,16 +121,16 @@ browserslist "^4.16.6" semver "^6.3.0" -"@babel/helper-create-class-features-plugin@^7.14.5", "@babel/helper-create-class-features-plugin@^7.14.6": - version "7.14.6" - resolved "https://registry.yarnpkg.com/@babel/helper-create-class-features-plugin/-/helper-create-class-features-plugin-7.14.6.tgz#f114469b6c06f8b5c59c6c4e74621f5085362542" - integrity sha512-Z6gsfGofTxH/+LQXqYEK45kxmcensbzmk/oi8DmaQytlQCgqNZt9XQF8iqlI/SeXWVjaMNxvYvzaYw+kh42mDg== +"@babel/helper-create-class-features-plugin@^7.14.5", "@babel/helper-create-class-features-plugin@^7.15.0": + version "7.15.0" + resolved "https://registry.yarnpkg.com/@babel/helper-create-class-features-plugin/-/helper-create-class-features-plugin-7.15.0.tgz#c9a137a4d137b2d0e2c649acf536d7ba1a76c0f7" + integrity sha512-MdmDXgvTIi4heDVX/e9EFfeGpugqm9fobBVg/iioE8kueXrOHdRDe36FAY7SnE9xXLVeYCoJR/gdrBEIHRC83Q== dependencies: "@babel/helper-annotate-as-pure" "^7.14.5" "@babel/helper-function-name" "^7.14.5" - "@babel/helper-member-expression-to-functions" "^7.14.5" + "@babel/helper-member-expression-to-functions" "^7.15.0" "@babel/helper-optimise-call-expression" "^7.14.5" - "@babel/helper-replace-supers" "^7.14.5" + "@babel/helper-replace-supers" "^7.15.0" "@babel/helper-split-export-declaration" "^7.14.5" "@babel/helper-create-regexp-features-plugin@^7.14.5": @@ -244,13 +199,6 @@ dependencies: "@babel/types" "^7.14.5" -"@babel/helper-member-expression-to-functions@^7.14.5": - version "7.14.7" - resolved "https://registry.yarnpkg.com/@babel/helper-member-expression-to-functions/-/helper-member-expression-to-functions-7.14.7.tgz#97e56244beb94211fe277bd818e3a329c66f7970" - integrity sha512-TMUt4xKxJn6ccjcOW7c4hlwyJArizskAhoSTOCkA0uZ+KghIaci0Qg9R043kUMWI9mtQfgny+NQ5QATnZ+paaA== - dependencies: - "@babel/types" "^7.14.5" - "@babel/helper-member-expression-to-functions@^7.15.0": version "7.15.0" resolved "https://registry.yarnpkg.com/@babel/helper-member-expression-to-functions/-/helper-member-expression-to-functions-7.15.0.tgz#0ddaf5299c8179f27f37327936553e9bba60990b" @@ -265,21 +213,7 @@ dependencies: "@babel/types" "^7.14.5" -"@babel/helper-module-transforms@^7.12.1", "@babel/helper-module-transforms@^7.14.5": - version "7.14.5" - resolved "https://registry.yarnpkg.com/@babel/helper-module-transforms/-/helper-module-transforms-7.14.5.tgz#7de42f10d789b423eb902ebd24031ca77cb1e10e" - integrity sha512-iXpX4KW8LVODuAieD7MzhNjmM6dzYY5tfRqT+R9HDXWl0jPn/djKmA+G9s/2C2T9zggw5tK1QNqZ70USfedOwA== - dependencies: - "@babel/helper-module-imports" "^7.14.5" - "@babel/helper-replace-supers" "^7.14.5" - "@babel/helper-simple-access" "^7.14.5" - "@babel/helper-split-export-declaration" "^7.14.5" - "@babel/helper-validator-identifier" "^7.14.5" - "@babel/template" "^7.14.5" - "@babel/traverse" "^7.14.5" - "@babel/types" "^7.14.5" - -"@babel/helper-module-transforms@^7.15.0": +"@babel/helper-module-transforms@^7.12.1", "@babel/helper-module-transforms@^7.14.5", "@babel/helper-module-transforms@^7.15.0": version "7.15.0" resolved "https://registry.yarnpkg.com/@babel/helper-module-transforms/-/helper-module-transforms-7.15.0.tgz#679275581ea056373eddbe360e1419ef23783b08" integrity sha512-RkGiW5Rer7fpXv9m1B3iHIFDZdItnO2/BLfWVW/9q7+KqQSDY5kUfQEbzdXM1MVhJGcugKV7kRrNVzNxmk7NBg== @@ -319,17 +253,7 @@ "@babel/helper-wrap-function" "^7.14.5" "@babel/types" "^7.14.5" -"@babel/helper-replace-supers@^7.14.5": - version "7.14.5" - resolved "https://registry.yarnpkg.com/@babel/helper-replace-supers/-/helper-replace-supers-7.14.5.tgz#0ecc0b03c41cd567b4024ea016134c28414abb94" - integrity sha512-3i1Qe9/8x/hCHINujn+iuHy+mMRLoc77b2nI9TB0zjH1hvn9qGlXjWlggdwUcju36PkPCy/lpM7LLUdcTyH4Ow== - dependencies: - "@babel/helper-member-expression-to-functions" "^7.14.5" - "@babel/helper-optimise-call-expression" "^7.14.5" - "@babel/traverse" "^7.14.5" - "@babel/types" "^7.14.5" - -"@babel/helper-replace-supers@^7.15.0": +"@babel/helper-replace-supers@^7.14.5", "@babel/helper-replace-supers@^7.15.0": version "7.15.0" resolved "https://registry.yarnpkg.com/@babel/helper-replace-supers/-/helper-replace-supers-7.15.0.tgz#ace07708f5bf746bf2e6ba99572cce79b5d4e7f4" integrity sha512-6O+eWrhx+HEra/uJnifCwhwMd6Bp5+ZfZeJwbqUTuqkhIT6YcRhiZCOOFChRypOIe0cV46kFrRBlm+t5vHCEaA== @@ -339,13 +263,6 @@ "@babel/traverse" "^7.15.0" "@babel/types" "^7.15.0" -"@babel/helper-simple-access@^7.14.5": - version "7.14.5" - resolved "https://registry.yarnpkg.com/@babel/helper-simple-access/-/helper-simple-access-7.14.5.tgz#66ea85cf53ba0b4e588ba77fc813f53abcaa41c4" - integrity sha512-nfBN9xvmCt6nrMZjfhkl7i0oTV3yxR4/FztsbOASyTvVcoYd0TRHh7eMLdlEcCqobydC0LAF3LtC92Iwxo0wyw== - dependencies: - "@babel/types" "^7.14.5" - "@babel/helper-simple-access@^7.14.8": version "7.14.8" resolved "https://registry.yarnpkg.com/@babel/helper-simple-access/-/helper-simple-access-7.14.8.tgz#82e1fec0644a7e775c74d305f212c39f8fe73924" @@ -367,12 +284,7 @@ dependencies: "@babel/types" "^7.14.5" -"@babel/helper-validator-identifier@^7.14.5": - version "7.14.5" - resolved "https://registry.yarnpkg.com/@babel/helper-validator-identifier/-/helper-validator-identifier-7.14.5.tgz#d0f0e277c512e0c938277faa85a3968c9a44c0e8" - integrity sha512-5lsetuxCLilmVGyiLEfoHBRX8UCFD+1m2x3Rj97WrW3V7H3u4RWRXA4evMjImCsin2J2YT0QaVDGf+z8ondbAg== - -"@babel/helper-validator-identifier@^7.14.9": +"@babel/helper-validator-identifier@^7.14.5", "@babel/helper-validator-identifier@^7.14.9": version "7.14.9" resolved "https://registry.yarnpkg.com/@babel/helper-validator-identifier/-/helper-validator-identifier-7.14.9.tgz#6654d171b2024f6d8ee151bf2509699919131d48" integrity sha512-pQYxPY0UP6IHISRitNe8bsijHex4TWZXi2HwKVsjPiltzlhse2znVcm9Ace510VT1kxIHjGJCZZQBX2gJDbo0g== @@ -392,23 +304,14 @@ "@babel/traverse" "^7.14.5" "@babel/types" "^7.14.5" -"@babel/helpers@^7.12.5", "@babel/helpers@^7.14.6": - version "7.14.6" - resolved "https://registry.yarnpkg.com/@babel/helpers/-/helpers-7.14.6.tgz#5b58306b95f1b47e2a0199434fa8658fa6c21635" - integrity sha512-yesp1ENQBiLI+iYHSJdoZKUtRpfTlL1grDIX9NRlAVppljLw/4tTyYupIB7uIYmC3stW/imAv8EqaKaS/ibmeA== - dependencies: - "@babel/template" "^7.14.5" - "@babel/traverse" "^7.14.5" - "@babel/types" "^7.14.5" - -"@babel/helpers@^7.14.8": - version "7.14.8" - resolved "https://registry.yarnpkg.com/@babel/helpers/-/helpers-7.14.8.tgz#839f88f463025886cff7f85a35297007e2da1b77" - integrity sha512-ZRDmI56pnV+p1dH6d+UN6GINGz7Krps3+270qqI9UJ4wxYThfAIcI5i7j5vXC4FJ3Wap+S9qcebxeYiqn87DZw== +"@babel/helpers@^7.12.5", "@babel/helpers@^7.14.8": + version "7.15.3" + resolved "https://registry.yarnpkg.com/@babel/helpers/-/helpers-7.15.3.tgz#c96838b752b95dcd525b4e741ed40bb1dc2a1357" + integrity sha512-HwJiz52XaS96lX+28Tnbu31VeFSQJGOeKHJeaEPQlTl7PnlhFElWPj8tUXtqFIzeN86XxXoBr+WFAyK2PPVz6g== dependencies: "@babel/template" "^7.14.5" - "@babel/traverse" "^7.14.8" - "@babel/types" "^7.14.8" + "@babel/traverse" "^7.15.0" + "@babel/types" "^7.15.0" "@babel/highlight@^7.10.4", "@babel/highlight@^7.14.5": version "7.14.5" @@ -419,15 +322,10 @@ chalk "^2.0.0" js-tokens "^4.0.0" -"@babel/parser@^7.1.0", "@babel/parser@^7.12.11", "@babel/parser@^7.12.7", "@babel/parser@^7.14.5", "@babel/parser@^7.14.6", "@babel/parser@^7.14.7", "@babel/parser@^7.7.0": - version "7.14.7" - resolved "https://registry.yarnpkg.com/@babel/parser/-/parser-7.14.7.tgz#6099720c8839ca865a2637e6c85852ead0bdb595" - integrity sha512-X67Z5y+VBJuHB/RjwECp8kSl5uYi0BvRbNeWqkaJCVh+LiTPl19WBUfG627psSgp9rSf6ojuXghQM3ha6qHHdA== - -"@babel/parser@^7.15.0": - version "7.15.2" - resolved "https://registry.yarnpkg.com/@babel/parser/-/parser-7.15.2.tgz#08d4ffcf90d211bf77e7cc7154c6f02d468d2b1d" - integrity sha512-bMJXql1Ss8lFnvr11TZDH4ArtwlAS5NG9qBmdiFW2UHHm6MVoR+GDc5XE2b9K938cyjc9O6/+vjjcffLDtfuDg== +"@babel/parser@^7.1.0", "@babel/parser@^7.12.11", "@babel/parser@^7.12.7", "@babel/parser@^7.14.5", "@babel/parser@^7.15.0", "@babel/parser@^7.7.0": + version "7.15.3" + resolved "https://registry.yarnpkg.com/@babel/parser/-/parser-7.15.3.tgz#3416d9bea748052cfcb63dbcc27368105b1ed862" + integrity sha512-O0L6v/HvqbdJawj0iBEfVQMc3/6WP+AeOsovsIgBFyJaG+W2w7eqvZB7puddATmWuARlm1SX7DwxJ/JJUnDpEA== "@babel/plugin-bugfix-v8-spread-parameters-in-optional-chaining@^7.14.5": version "7.14.5" @@ -438,15 +336,6 @@ "@babel/helper-skip-transparent-expression-wrappers" "^7.14.5" "@babel/plugin-proposal-optional-chaining" "^7.14.5" -"@babel/plugin-proposal-async-generator-functions@^7.14.7": - version "7.14.7" - resolved "https://registry.yarnpkg.com/@babel/plugin-proposal-async-generator-functions/-/plugin-proposal-async-generator-functions-7.14.7.tgz#784a48c3d8ed073f65adcf30b57bcbf6c8119ace" - integrity sha512-RK8Wj7lXLY3bqei69/cc25gwS5puEc3dknoFPFbqfy3XxYQBQFvu4ioWpafMBAB+L9NyptQK4nMOa5Xz16og8Q== - dependencies: - "@babel/helper-plugin-utils" "^7.14.5" - "@babel/helper-remap-async-to-generator" "^7.14.5" - "@babel/plugin-syntax-async-generators" "^7.8.4" - "@babel/plugin-proposal-async-generator-functions@^7.14.9": version "7.14.9" resolved "https://registry.yarnpkg.com/@babel/plugin-proposal-async-generator-functions/-/plugin-proposal-async-generator-functions-7.14.9.tgz#7028dc4fa21dc199bbacf98b39bab1267d0eaf9a" @@ -779,26 +668,13 @@ "@babel/helper-plugin-utils" "^7.14.5" "@babel/plugin-transform-block-scoping@^7.12.12", "@babel/plugin-transform-block-scoping@^7.14.5": - version "7.14.5" - resolved "https://registry.yarnpkg.com/@babel/plugin-transform-block-scoping/-/plugin-transform-block-scoping-7.14.5.tgz#8cc63e61e50f42e078e6f09be775a75f23ef9939" - integrity sha512-LBYm4ZocNgoCqyxMLoOnwpsmQ18HWTQvql64t3GvMUzLQrNoV1BDG0lNftC8QKYERkZgCCT/7J5xWGObGAyHDw== + version "7.15.3" + resolved "https://registry.yarnpkg.com/@babel/plugin-transform-block-scoping/-/plugin-transform-block-scoping-7.15.3.tgz#94c81a6e2fc230bcce6ef537ac96a1e4d2b3afaf" + integrity sha512-nBAzfZwZb4DkaGtOes1Up1nOAp9TDRRFw4XBzBBSG9QK7KVFmYzgj9o9sbPv7TX5ofL4Auq4wZnxCoPnI/lz2Q== dependencies: "@babel/helper-plugin-utils" "^7.14.5" -"@babel/plugin-transform-classes@^7.12.1", "@babel/plugin-transform-classes@^7.14.5": - version "7.14.5" - resolved "https://registry.yarnpkg.com/@babel/plugin-transform-classes/-/plugin-transform-classes-7.14.5.tgz#0e98e82097b38550b03b483f9b51a78de0acb2cf" - integrity sha512-J4VxKAMykM06K/64z9rwiL6xnBHgB1+FVspqvlgCdwD1KUbQNfszeKVVOMh59w3sztHYIZDgnhOC4WbdEfHFDA== - dependencies: - "@babel/helper-annotate-as-pure" "^7.14.5" - "@babel/helper-function-name" "^7.14.5" - "@babel/helper-optimise-call-expression" "^7.14.5" - "@babel/helper-plugin-utils" "^7.14.5" - "@babel/helper-replace-supers" "^7.14.5" - "@babel/helper-split-export-declaration" "^7.14.5" - globals "^11.1.0" - -"@babel/plugin-transform-classes@^7.14.9": +"@babel/plugin-transform-classes@^7.12.1", "@babel/plugin-transform-classes@^7.14.9": version "7.14.9" resolved "https://registry.yarnpkg.com/@babel/plugin-transform-classes/-/plugin-transform-classes-7.14.9.tgz#2a391ffb1e5292710b00f2e2c210e1435e7d449f" integrity sha512-NfZpTcxU3foGWbl4wxmZ35mTsYJy8oQocbeIMoDAGGFarAmSQlL+LWMkDx/tj6pNotpbX3rltIA4dprgAPOq5A== @@ -894,16 +770,6 @@ "@babel/helper-plugin-utils" "^7.14.5" babel-plugin-dynamic-import-node "^2.3.3" -"@babel/plugin-transform-modules-commonjs@^7.14.5": - version "7.14.5" - resolved "https://registry.yarnpkg.com/@babel/plugin-transform-modules-commonjs/-/plugin-transform-modules-commonjs-7.14.5.tgz#7aaee0ea98283de94da98b28f8c35701429dad97" - integrity sha512-en8GfBtgnydoao2PS+87mKyw62k02k7kJ9ltbKe0fXTHrQmG6QZZflYuGI1VVG7sVpx4E1n7KBpNlPb8m78J+A== - dependencies: - "@babel/helper-module-transforms" "^7.14.5" - "@babel/helper-plugin-utils" "^7.14.5" - "@babel/helper-simple-access" "^7.14.5" - babel-plugin-dynamic-import-node "^2.3.3" - "@babel/plugin-transform-modules-commonjs@^7.15.0": version "7.15.0" resolved "https://registry.yarnpkg.com/@babel/plugin-transform-modules-commonjs/-/plugin-transform-modules-commonjs-7.15.0.tgz#3305896e5835f953b5cdb363acd9e8c2219a5281" @@ -933,13 +799,6 @@ "@babel/helper-module-transforms" "^7.14.5" "@babel/helper-plugin-utils" "^7.14.5" -"@babel/plugin-transform-named-capturing-groups-regex@^7.14.7": - version "7.14.7" - resolved "https://registry.yarnpkg.com/@babel/plugin-transform-named-capturing-groups-regex/-/plugin-transform-named-capturing-groups-regex-7.14.7.tgz#60c06892acf9df231e256c24464bfecb0908fd4e" - integrity sha512-DTNOTaS7TkW97xsDMrp7nycUVh6sn/eq22VaxWfEdzuEbRsiaOU0pqU7DlyUGHVsbQbSghvjKRpEl+nUCKGQSg== - dependencies: - "@babel/helper-create-regexp-features-plugin" "^7.14.5" - "@babel/plugin-transform-named-capturing-groups-regex@^7.14.9": version "7.14.9" resolved "https://registry.yarnpkg.com/@babel/plugin-transform-named-capturing-groups-regex/-/plugin-transform-named-capturing-groups-regex-7.14.9.tgz#c68f5c5d12d2ebaba3762e57c2c4f6347a46e7b2" @@ -984,9 +843,9 @@ "@babel/helper-plugin-utils" "^7.14.5" "@babel/plugin-transform-react-display-name@^7.14.5": - version "7.14.5" - resolved "https://registry.yarnpkg.com/@babel/plugin-transform-react-display-name/-/plugin-transform-react-display-name-7.14.5.tgz#baa92d15c4570411301a85a74c13534873885b65" - integrity sha512-07aqY1ChoPgIxsuDviptRpVkWCSbXWmzQqcgy65C6YSFOfPFvb/DX3bBRHh7pCd/PMEEYHYWUTSVkCbkVainYQ== + version "7.15.1" + resolved "https://registry.yarnpkg.com/@babel/plugin-transform-react-display-name/-/plugin-transform-react-display-name-7.15.1.tgz#6aaac6099f1fcf6589d35ae6be1b6e10c8c602b9" + integrity sha512-yQZ/i/pUCJAHI/LbtZr413S3VT26qNrEm0M5RRxQJA947/YNYwbZbBaXGDrq6CG5QsZycI1VIP6d7pQaBfP+8Q== dependencies: "@babel/helper-plugin-utils" "^7.14.5" @@ -998,15 +857,15 @@ "@babel/plugin-transform-react-jsx" "^7.14.5" "@babel/plugin-transform-react-jsx@^7.12.12", "@babel/plugin-transform-react-jsx@^7.12.7", "@babel/plugin-transform-react-jsx@^7.14.5": - version "7.14.5" - resolved "https://registry.yarnpkg.com/@babel/plugin-transform-react-jsx/-/plugin-transform-react-jsx-7.14.5.tgz#39749f0ee1efd8a1bd729152cf5f78f1d247a44a" - integrity sha512-7RylxNeDnxc1OleDm0F5Q/BSL+whYRbOAR+bwgCxIr0L32v7UFh/pz1DLMZideAUxKT6eMoS2zQH6fyODLEi8Q== + version "7.14.9" + resolved "https://registry.yarnpkg.com/@babel/plugin-transform-react-jsx/-/plugin-transform-react-jsx-7.14.9.tgz#3314b2163033abac5200a869c4de242cd50a914c" + integrity sha512-30PeETvS+AeD1f58i1OVyoDlVYQhap/K20ZrMjLmmzmC2AYR/G43D4sdJAaDAqCD3MYpSWbmrz3kES158QSLjw== dependencies: "@babel/helper-annotate-as-pure" "^7.14.5" "@babel/helper-module-imports" "^7.14.5" "@babel/helper-plugin-utils" "^7.14.5" "@babel/plugin-syntax-jsx" "^7.14.5" - "@babel/types" "^7.14.5" + "@babel/types" "^7.14.9" "@babel/plugin-transform-react-pure-annotations@^7.14.5": version "7.14.5" @@ -1031,9 +890,9 @@ "@babel/helper-plugin-utils" "^7.14.5" "@babel/plugin-transform-runtime@^7.13.10", "@babel/plugin-transform-runtime@^7.14.5": - version "7.14.5" - resolved "https://registry.yarnpkg.com/@babel/plugin-transform-runtime/-/plugin-transform-runtime-7.14.5.tgz#30491dad49c6059f8f8fa5ee8896a0089e987523" - integrity sha512-fPMBhh1AV8ZyneiCIA+wYYUH1arzlXR1UMcApjvchDhfKxhy2r2lReJv8uHEyihi4IFIGlr1Pdx7S5fkESDQsg== + version "7.15.0" + resolved "https://registry.yarnpkg.com/@babel/plugin-transform-runtime/-/plugin-transform-runtime-7.15.0.tgz#d3aa650d11678ca76ce294071fda53d7804183b3" + integrity sha512-sfHYkLGjhzWTq6xsuQ01oEsUYjkHRux9fW1iUA68dC7Qd8BS1Unq4aZ8itmQp95zUzIcyR2EbNMTzAicFj+guw== dependencies: "@babel/helper-module-imports" "^7.14.5" "@babel/helper-plugin-utils" "^7.14.5" @@ -1078,12 +937,12 @@ dependencies: "@babel/helper-plugin-utils" "^7.14.5" -"@babel/plugin-transform-typescript@^7.14.5": - version "7.14.6" - resolved "https://registry.yarnpkg.com/@babel/plugin-transform-typescript/-/plugin-transform-typescript-7.14.6.tgz#6e9c2d98da2507ebe0a883b100cde3c7279df36c" - integrity sha512-XlTdBq7Awr4FYIzqhmYY80WN0V0azF74DMPyFqVHBvf81ZUgc4X7ZOpx6O8eLDK6iM5cCQzeyJw0ynTaefixRA== +"@babel/plugin-transform-typescript@^7.15.0": + version "7.15.0" + resolved "https://registry.yarnpkg.com/@babel/plugin-transform-typescript/-/plugin-transform-typescript-7.15.0.tgz#553f230b9d5385018716586fc48db10dd228eb7e" + integrity sha512-WIIEazmngMEEHDaPTx0IZY48SaAmjVWe3TRSX7cmJXn0bEv9midFzAjxiruOWYIVf5iQ10vFx7ASDpgEO08L5w== dependencies: - "@babel/helper-create-class-features-plugin" "^7.14.6" + "@babel/helper-create-class-features-plugin" "^7.15.0" "@babel/helper-plugin-utils" "^7.14.5" "@babel/plugin-syntax-typescript" "^7.14.5" @@ -1102,86 +961,7 @@ "@babel/helper-create-regexp-features-plugin" "^7.14.5" "@babel/helper-plugin-utils" "^7.14.5" -"@babel/preset-env@^7.12.1", "@babel/preset-env@^7.12.11", "@babel/preset-env@^7.13.10": - version "7.14.7" - resolved "https://registry.yarnpkg.com/@babel/preset-env/-/preset-env-7.14.7.tgz#5c70b22d4c2d893b03d8c886a5c17422502b932a" - integrity sha512-itOGqCKLsSUl0Y+1nSfhbuuOlTs0MJk2Iv7iSH+XT/mR8U1zRLO7NjWlYXB47yhK4J/7j+HYty/EhFZDYKa/VA== - dependencies: - "@babel/compat-data" "^7.14.7" - "@babel/helper-compilation-targets" "^7.14.5" - "@babel/helper-plugin-utils" "^7.14.5" - "@babel/helper-validator-option" "^7.14.5" - "@babel/plugin-bugfix-v8-spread-parameters-in-optional-chaining" "^7.14.5" - "@babel/plugin-proposal-async-generator-functions" "^7.14.7" - "@babel/plugin-proposal-class-properties" "^7.14.5" - "@babel/plugin-proposal-class-static-block" "^7.14.5" - "@babel/plugin-proposal-dynamic-import" "^7.14.5" - "@babel/plugin-proposal-export-namespace-from" "^7.14.5" - "@babel/plugin-proposal-json-strings" "^7.14.5" - "@babel/plugin-proposal-logical-assignment-operators" "^7.14.5" - "@babel/plugin-proposal-nullish-coalescing-operator" "^7.14.5" - "@babel/plugin-proposal-numeric-separator" "^7.14.5" - "@babel/plugin-proposal-object-rest-spread" "^7.14.7" - "@babel/plugin-proposal-optional-catch-binding" "^7.14.5" - "@babel/plugin-proposal-optional-chaining" "^7.14.5" - "@babel/plugin-proposal-private-methods" "^7.14.5" - "@babel/plugin-proposal-private-property-in-object" "^7.14.5" - "@babel/plugin-proposal-unicode-property-regex" "^7.14.5" - "@babel/plugin-syntax-async-generators" "^7.8.4" - "@babel/plugin-syntax-class-properties" "^7.12.13" - "@babel/plugin-syntax-class-static-block" "^7.14.5" - "@babel/plugin-syntax-dynamic-import" "^7.8.3" - "@babel/plugin-syntax-export-namespace-from" "^7.8.3" - "@babel/plugin-syntax-json-strings" "^7.8.3" - "@babel/plugin-syntax-logical-assignment-operators" "^7.10.4" - "@babel/plugin-syntax-nullish-coalescing-operator" "^7.8.3" - "@babel/plugin-syntax-numeric-separator" "^7.10.4" - "@babel/plugin-syntax-object-rest-spread" "^7.8.3" - "@babel/plugin-syntax-optional-catch-binding" "^7.8.3" - "@babel/plugin-syntax-optional-chaining" "^7.8.3" - "@babel/plugin-syntax-private-property-in-object" "^7.14.5" - "@babel/plugin-syntax-top-level-await" "^7.14.5" - "@babel/plugin-transform-arrow-functions" "^7.14.5" - "@babel/plugin-transform-async-to-generator" "^7.14.5" - "@babel/plugin-transform-block-scoped-functions" "^7.14.5" - "@babel/plugin-transform-block-scoping" "^7.14.5" - "@babel/plugin-transform-classes" "^7.14.5" - "@babel/plugin-transform-computed-properties" "^7.14.5" - "@babel/plugin-transform-destructuring" "^7.14.7" - "@babel/plugin-transform-dotall-regex" "^7.14.5" - "@babel/plugin-transform-duplicate-keys" "^7.14.5" - "@babel/plugin-transform-exponentiation-operator" "^7.14.5" - "@babel/plugin-transform-for-of" "^7.14.5" - "@babel/plugin-transform-function-name" "^7.14.5" - "@babel/plugin-transform-literals" "^7.14.5" - "@babel/plugin-transform-member-expression-literals" "^7.14.5" - "@babel/plugin-transform-modules-amd" "^7.14.5" - "@babel/plugin-transform-modules-commonjs" "^7.14.5" - "@babel/plugin-transform-modules-systemjs" "^7.14.5" - "@babel/plugin-transform-modules-umd" "^7.14.5" - "@babel/plugin-transform-named-capturing-groups-regex" "^7.14.7" - "@babel/plugin-transform-new-target" "^7.14.5" - "@babel/plugin-transform-object-super" "^7.14.5" - "@babel/plugin-transform-parameters" "^7.14.5" - "@babel/plugin-transform-property-literals" "^7.14.5" - "@babel/plugin-transform-regenerator" "^7.14.5" - "@babel/plugin-transform-reserved-words" "^7.14.5" - "@babel/plugin-transform-shorthand-properties" "^7.14.5" - "@babel/plugin-transform-spread" "^7.14.6" - "@babel/plugin-transform-sticky-regex" "^7.14.5" - "@babel/plugin-transform-template-literals" "^7.14.5" - "@babel/plugin-transform-typeof-symbol" "^7.14.5" - "@babel/plugin-transform-unicode-escapes" "^7.14.5" - "@babel/plugin-transform-unicode-regex" "^7.14.5" - "@babel/preset-modules" "^0.1.4" - "@babel/types" "^7.14.5" - babel-plugin-polyfill-corejs2 "^0.2.2" - babel-plugin-polyfill-corejs3 "^0.2.2" - babel-plugin-polyfill-regenerator "^0.2.2" - core-js-compat "^3.15.0" - semver "^6.3.0" - -"@babel/preset-env@^7.14.8": +"@babel/preset-env@^7.12.1", "@babel/preset-env@^7.12.11", "@babel/preset-env@^7.13.10", "@babel/preset-env@^7.14.8": version "7.15.0" resolved "https://registry.yarnpkg.com/@babel/preset-env/-/preset-env-7.15.0.tgz#e2165bf16594c9c05e52517a194bf6187d6fe464" integrity sha512-FhEpCNFCcWW3iZLg0L2NPE9UerdtsCR6ZcsGHUX6Om6kbCQeL5QZDqFDmeNHC6/fy6UH3jEge7K4qG5uC9In0Q== @@ -1293,18 +1073,18 @@ "@babel/plugin-transform-react-pure-annotations" "^7.14.5" "@babel/preset-typescript@^7.12.7", "@babel/preset-typescript@^7.13.0": - version "7.14.5" - resolved "https://registry.yarnpkg.com/@babel/preset-typescript/-/preset-typescript-7.14.5.tgz#aa98de119cf9852b79511f19e7f44a2d379bcce0" - integrity sha512-u4zO6CdbRKbS9TypMqrlGH7sd2TAJppZwn3c/ZRLeO/wGsbddxgbPDUZVNrie3JWYLQ9vpineKlsrWFvO6Pwkw== + version "7.15.0" + resolved "https://registry.yarnpkg.com/@babel/preset-typescript/-/preset-typescript-7.15.0.tgz#e8fca638a1a0f64f14e1119f7fe4500277840945" + integrity sha512-lt0Y/8V3y06Wq/8H/u0WakrqciZ7Fz7mwPDHWUJAXlABL5hiUG42BNlRXiELNjeWjO5rWmnNKlx+yzJvxezHow== dependencies: "@babel/helper-plugin-utils" "^7.14.5" "@babel/helper-validator-option" "^7.14.5" - "@babel/plugin-transform-typescript" "^7.14.5" + "@babel/plugin-transform-typescript" "^7.15.0" "@babel/register@^7.12.1": - version "7.14.5" - resolved "https://registry.yarnpkg.com/@babel/register/-/register-7.14.5.tgz#d0eac615065d9c2f1995842f85d6e56c345f3233" - integrity sha512-TjJpGz/aDjFGWsItRBQMOFTrmTI9tr79CHOK+KIvLeCkbxuOAk2M5QHjvruIMGoo9OuccMh5euplPzc5FjAKGg== + version "7.15.3" + resolved "https://registry.yarnpkg.com/@babel/register/-/register-7.15.3.tgz#6b40a549e06ec06c885b2ec42c3dd711f55fe752" + integrity sha512-mj4IY1ZJkorClxKTImccn4T81+UKTo4Ux0+OFSV9hME1ooqS9UV+pJ6BjD0qXPK4T3XW/KNa79XByjeEMZz+fw== dependencies: clone-deep "^4.0.1" find-cache-dir "^2.0.0" @@ -1313,17 +1093,17 @@ source-map-support "^0.5.16" "@babel/runtime-corejs3@^7.10.2": - version "7.14.7" - resolved "https://registry.yarnpkg.com/@babel/runtime-corejs3/-/runtime-corejs3-7.14.7.tgz#0ef292bbce40ca00f874c9724ef175a12476465c" - integrity sha512-Wvzcw4mBYbTagyBVZpAJWI06auSIj033T/yNE0Zn1xcup83MieCddZA7ls3kme17L4NOGBrQ09Q+nKB41RLWBA== + version "7.15.3" + resolved "https://registry.yarnpkg.com/@babel/runtime-corejs3/-/runtime-corejs3-7.15.3.tgz#28754263988198f2a928c09733ade2fb4d28089d" + integrity sha512-30A3lP+sRL6ml8uhoJSs+8jwpKzbw8CqBvDc1laeptxPm5FahumJxirigcbD2qTs71Sonvj1cyZB0OKGAmxQ+A== dependencies: - core-js-pure "^3.15.0" + core-js-pure "^3.16.0" regenerator-runtime "^0.13.4" -"@babel/runtime@^7.0.0", "@babel/runtime@^7.10.2", "@babel/runtime@^7.11.2", "@babel/runtime@^7.12.5", "@babel/runtime@^7.13.10", "@babel/runtime@^7.14.0", "@babel/runtime@^7.3.1", "@babel/runtime@^7.5.0", "@babel/runtime@^7.5.5", "@babel/runtime@^7.7.2", "@babel/runtime@^7.7.6", "@babel/runtime@^7.8.4", "@babel/runtime@^7.9.2": - version "7.14.6" - resolved "https://registry.yarnpkg.com/@babel/runtime/-/runtime-7.14.6.tgz#535203bc0892efc7dec60bdc27b2ecf6e409062d" - integrity sha512-/PCB2uJ7oM44tz8YhC4Z/6PeOKXp4K588f+5M3clr1M4zbqztlo0XEfJ2LEzj/FgwfgGcIdl8n7YYjTCI0BYwg== +"@babel/runtime@^7.0.0", "@babel/runtime@^7.10.2", "@babel/runtime@^7.11.2", "@babel/runtime@^7.12.5", "@babel/runtime@^7.13.10", "@babel/runtime@^7.14.0", "@babel/runtime@^7.14.8", "@babel/runtime@^7.3.1", "@babel/runtime@^7.5.0", "@babel/runtime@^7.5.5", "@babel/runtime@^7.7.2", "@babel/runtime@^7.7.6", "@babel/runtime@^7.8.4", "@babel/runtime@^7.9.2": + version "7.15.3" + resolved "https://registry.yarnpkg.com/@babel/runtime/-/runtime-7.15.3.tgz#2e1c2880ca118e5b2f9988322bd8a7656a32502b" + integrity sha512-OvwMLqNXkCXSz1kSm58sEsNuhqOx/fKpnUnKnFB5v8uDda5bLNEHNgKPvhDN6IU0LDcnHQ90LlJ0Q6jnyBSIBA== dependencies: regenerator-runtime "^0.13.4" @@ -1336,22 +1116,7 @@ "@babel/parser" "^7.14.5" "@babel/types" "^7.14.5" -"@babel/traverse@^7.1.0", "@babel/traverse@^7.1.6", "@babel/traverse@^7.12.11", "@babel/traverse@^7.12.9", "@babel/traverse@^7.13.0", "@babel/traverse@^7.14.5", "@babel/traverse@^7.7.0": - version "7.14.7" - resolved "https://registry.yarnpkg.com/@babel/traverse/-/traverse-7.14.7.tgz#64007c9774cfdc3abd23b0780bc18a3ce3631753" - integrity sha512-9vDr5NzHu27wgwejuKL7kIOm4bwEtaPQ4Z6cpCmjSuaRqpH/7xc4qcGEscwMqlkwgcXl6MvqoAjZkQ24uSdIZQ== - dependencies: - "@babel/code-frame" "^7.14.5" - "@babel/generator" "^7.14.5" - "@babel/helper-function-name" "^7.14.5" - "@babel/helper-hoist-variables" "^7.14.5" - "@babel/helper-split-export-declaration" "^7.14.5" - "@babel/parser" "^7.14.7" - "@babel/types" "^7.14.5" - debug "^4.1.0" - globals "^11.1.0" - -"@babel/traverse@^7.14.8", "@babel/traverse@^7.15.0": +"@babel/traverse@^7.1.0", "@babel/traverse@^7.1.6", "@babel/traverse@^7.12.11", "@babel/traverse@^7.12.9", "@babel/traverse@^7.13.0", "@babel/traverse@^7.14.5", "@babel/traverse@^7.15.0", "@babel/traverse@^7.7.0": version "7.15.0" resolved "https://registry.yarnpkg.com/@babel/traverse/-/traverse-7.15.0.tgz#4cca838fd1b2a03283c1f38e141f639d60b3fc98" integrity sha512-392d8BN0C9eVxVWd8H6x9WfipgVH5IaIoLp23334Sc1vbKKWINnvwRpb4us0xtPaCumlwbTtIYNA0Dv/32sVFw== @@ -1366,15 +1131,7 @@ debug "^4.1.0" globals "^11.1.0" -"@babel/types@^7.0.0", "@babel/types@^7.12.11", "@babel/types@^7.12.6", "@babel/types@^7.12.7", "@babel/types@^7.14.5", "@babel/types@^7.2.0", "@babel/types@^7.3.0", "@babel/types@^7.3.3", "@babel/types@^7.4.4", "@babel/types@^7.7.0": - version "7.14.5" - resolved "https://registry.yarnpkg.com/@babel/types/-/types-7.14.5.tgz#3bb997ba829a2104cedb20689c4a5b8121d383ff" - integrity sha512-M/NzBpEL95I5Hh4dwhin5JlE7EzO5PHMAuzjxss3tiOBD46KfQvVedN/3jEPZvdRvtsK2222XfdHogNIttFgcg== - dependencies: - "@babel/helper-validator-identifier" "^7.14.5" - to-fast-properties "^2.0.0" - -"@babel/types@^7.14.8", "@babel/types@^7.15.0": +"@babel/types@^7.0.0", "@babel/types@^7.12.11", "@babel/types@^7.12.6", "@babel/types@^7.12.7", "@babel/types@^7.14.5", "@babel/types@^7.14.8", "@babel/types@^7.14.9", "@babel/types@^7.15.0", "@babel/types@^7.2.0", "@babel/types@^7.3.0", "@babel/types@^7.3.3", "@babel/types@^7.4.4", "@babel/types@^7.7.0": version "7.15.0" resolved "https://registry.yarnpkg.com/@babel/types/-/types-7.15.0.tgz#61af11f2286c4e9c69ca8deb5f4375a73c72dcbd" integrity sha512-OBvfqnllOIdX4ojTHpwZbpvz4j3EWyjkZEdmjH0/cgsd6QOdSgU8rLSk6ard/pcW7rlmjdVSX/AWOaORR1uNOQ== @@ -1622,21 +1379,6 @@ esquery "^1.4.0" jsdoctypeparser "^9.0.0" -"@eslint/eslintrc@^0.4.2": - version "0.4.2" - resolved "https://registry.yarnpkg.com/@eslint/eslintrc/-/eslintrc-0.4.2.tgz#f63d0ef06f5c0c57d76c4ab5f63d3835c51b0179" - integrity sha512-8nmGq/4ycLpIwzvhI4tNDmQztZ8sp+hI7cyG8i1nQDhkAbRzHpXPidRAHlNvCZQpJTKw5ItIpMw9RSToGF00mg== - dependencies: - ajv "^6.12.4" - debug "^4.1.1" - espree "^7.3.0" - globals "^13.9.0" - ignore "^4.0.6" - import-fresh "^3.2.1" - js-yaml "^3.13.1" - minimatch "^3.0.4" - strip-json-comments "^3.1.1" - "@eslint/eslintrc@^0.4.3": version "0.4.3" resolved "https://registry.yarnpkg.com/@eslint/eslintrc/-/eslintrc-0.4.3.tgz#9e42981ef035beb3dd49add17acb96e8ff6f394c" @@ -1978,9 +1720,9 @@ integrity sha512-shAmDyaQC4H92APFoIaVDHCx5bStIocgvbwQyxPRrbUY20V1EYTbSDchWbuwlMG3V17cprZhA6+78JfB+3DTPw== "@nodelib/fs.walk@^1.2.3": - version "1.2.7" - resolved "https://registry.yarnpkg.com/@nodelib/fs.walk/-/fs.walk-1.2.7.tgz#94c23db18ee4653e129abd26fb06f870ac9e1ee2" - integrity sha512-BTIhocbPBSrRmHxOAJFtR18oLhxTtAFDAvL8hY1S3iU8k+E60W/YFs4jrixGzQjMpF4qPXxIQHcjVD9dz1C2QA== + version "1.2.8" + resolved "https://registry.yarnpkg.com/@nodelib/fs.walk/-/fs.walk-1.2.8.tgz#e95737e8bb6746ddedf69c556953494f196fe69a" + integrity sha512-oGB+UxlgWcgQkgwo8GcEGwemoTFt3FIO9ababBmaGwXIoBKZ+GTy0pP185beGg7Llih/NSHSV2XAs1lnznocSg== dependencies: "@nodelib/fs.scandir" "2.1.5" fastq "^1.6.0" @@ -2031,22 +1773,17 @@ "@octokit/types" "^6.0.3" universal-user-agent "^6.0.0" -"@octokit/openapi-types@^7.4.0": - version "7.4.0" - resolved "https://registry.yarnpkg.com/@octokit/openapi-types/-/openapi-types-7.4.0.tgz#07631899dc32b72a532178e27235c541f3c359f1" - integrity sha512-V2qNML1knHjrjTJcIIvhYZSTkvtSAoQpNEX8y0ykTJI8vOQPqIh0y6Jf9EU6c/y+v0c9+LeC1acwLQh1xo96MA== - -"@octokit/openapi-types@^9.4.0": - version "9.4.0" - resolved "https://registry.yarnpkg.com/@octokit/openapi-types/-/openapi-types-9.4.0.tgz#31a76fb4c0f2e15af300edd880cedf4f75be212b" - integrity sha512-rKRkXikOJgDNImPl49IJuECLVXjj+t4qOXHhl8SBjMQCGGp1w4m5Ud/0kfdUx+zCpTvBN8vaOUDF4nnboZoOtQ== +"@octokit/openapi-types@^9.5.0": + version "9.7.0" + resolved "https://registry.yarnpkg.com/@octokit/openapi-types/-/openapi-types-9.7.0.tgz#9897cdefd629cd88af67b8dbe2e5fb19c63426b2" + integrity sha512-TUJ16DJU8mekne6+KVcMV5g6g/rJlrnIKn7aALG9QrNpnEipFc1xjoarh0PKaAWf2Hf+HwthRKYt+9mCm5RsRg== "@octokit/plugin-paginate-rest@^2.6.2": - version "2.13.5" - resolved "https://registry.yarnpkg.com/@octokit/plugin-paginate-rest/-/plugin-paginate-rest-2.13.5.tgz#e459f9b5dccbe0a53f039a355d5b80c0a2b0dc57" - integrity sha512-3WSAKBLa1RaR/7GG+LQR/tAZ9fp9H9waE9aPXallidyci9oZsfgsLn5M836d3LuDC6Fcym+2idRTBpssHZePVg== + version "2.15.1" + resolved "https://registry.yarnpkg.com/@octokit/plugin-paginate-rest/-/plugin-paginate-rest-2.15.1.tgz#264189dd3ce881c6c33758824aac05a4002e056a" + integrity sha512-47r52KkhQDkmvUKZqXzA1lKvcyJEfYh3TKAIe5+EzMeyDM3d+/s5v11i2gTk8/n6No6DPi3k5Ind6wtDbo/AEg== dependencies: - "@octokit/types" "^6.13.0" + "@octokit/types" "^6.24.0" "@octokit/plugin-request-log@^1.0.2": version "1.0.4" @@ -2092,19 +1829,12 @@ "@octokit/plugin-request-log" "^1.0.2" "@octokit/plugin-rest-endpoint-methods" "5.7.0" -"@octokit/types@^6.0.3", "@octokit/types@^6.13.0", "@octokit/types@^6.16.1": - version "6.17.1" - resolved "https://registry.yarnpkg.com/@octokit/types/-/types-6.17.1.tgz#b8e3fbf22efb939e1cb428f05f2991a258996810" - integrity sha512-x1RDwjjSzGHK8hfwyNa4Gz0t5YtwUfIxEtejFpm2cjH1gMMk6XDv8La3gUAPzYpDgdzTEF8Lpz+7BGv9aZR/0w== - dependencies: - "@octokit/openapi-types" "^7.4.0" - -"@octokit/types@^6.24.0": - version "6.24.0" - resolved "https://registry.yarnpkg.com/@octokit/types/-/types-6.24.0.tgz#d7858ceae8ac29256da85dcfcb9acbae28e6ba22" - integrity sha512-MfEimJeQ8AV1T2nI5kOfHqsqPHaAnG0Dw3MVoHSEsEq6iLKx2N91o+k2uAgXhPYeSE76LVBqjgTShnFFgNwe0A== +"@octokit/types@^6.0.3", "@octokit/types@^6.16.1", "@octokit/types@^6.24.0": + version "6.25.0" + resolved "https://registry.yarnpkg.com/@octokit/types/-/types-6.25.0.tgz#c8e37e69dbe7ce55ed98ee63f75054e7e808bf1a" + integrity sha512-bNvyQKfngvAd/08COlYIN54nRgxskmejgywodizQNyiKoXmWRAjKup2/LYwm+T9V0gsKH6tuld1gM0PzmOiB4Q== dependencies: - "@octokit/openapi-types" "^9.4.0" + "@octokit/openapi-types" "^9.5.0" "@pmmmwh/react-refresh-webpack-plugin@^0.4.3": version "0.4.3" @@ -2124,9 +1854,9 @@ integrity sha512-15spi3V28QdevleWBNXE4pIls3nFZmBbUGrW9IVPwiQczuSb9n76TCB4bsk8TSel+I1OkHEdPhu5QKMfY6rQHA== "@popperjs/core@^2.5.4", "@popperjs/core@^2.6.0": - version "2.9.2" - resolved "https://registry.yarnpkg.com/@popperjs/core/-/core-2.9.2.tgz#adea7b6953cbb34651766b0548468e743c6a2353" - integrity sha512-VZMYa7+fXHdwIq1TDhSXoVmSPEGM/aa+6Aiq3nVVJ9bXr24zScr+NlKFKC3iPljA7ho/GAZr+d2jOf5GIRC30Q== + version "2.9.3" + resolved "https://registry.yarnpkg.com/@popperjs/core/-/core-2.9.3.tgz#8b68da1ebd7fc603999cf6ebee34a4899a14b88e" + integrity sha512-xDu17cEfh7Kid/d95kB6tZsLOmSWKCZKtprnhVepjsSaCij+lM3mItSJDuuHDMbCWTh8Ejmebwb+KONcCJ0eXQ== "@reach/router@^1.3.4": version "1.3.4" @@ -2162,17 +1892,17 @@ dependencies: "@sinonjs/commons" "^1.7.0" -"@storybook/addon-actions@6.3.6", "@storybook/addon-actions@^6.3.6": - version "6.3.6" - resolved "https://registry.yarnpkg.com/@storybook/addon-actions/-/addon-actions-6.3.6.tgz#691d61d6aca9c4b3edba50c531cbe4d4139ed451" - integrity sha512-1MBqCbFiupGEDyIXqFkzF4iR8AduuB7qSNduqtsFauvIkrG5bnlbg5JC7WjnixkCaaWlufgbpasEHioXO9EXGw== - dependencies: - "@storybook/addons" "6.3.6" - "@storybook/api" "6.3.6" - "@storybook/client-api" "6.3.6" - "@storybook/components" "6.3.6" - "@storybook/core-events" "6.3.6" - "@storybook/theming" "6.3.6" +"@storybook/addon-actions@6.3.7", "@storybook/addon-actions@^6.3.6": + version "6.3.7" + resolved "https://registry.yarnpkg.com/@storybook/addon-actions/-/addon-actions-6.3.7.tgz#b25434972bef351aceb3f7ec6fd66e210f256aac" + integrity sha512-CEAmztbVt47Gw1o6Iw0VP20tuvISCEKk9CS/rCjHtb4ubby6+j/bkp3pkEUQIbyLdHiLWFMz0ZJdyA/U6T6jCw== + dependencies: + "@storybook/addons" "6.3.7" + "@storybook/api" "6.3.7" + "@storybook/client-api" "6.3.7" + "@storybook/components" "6.3.7" + "@storybook/core-events" "6.3.7" + "@storybook/theming" "6.3.7" core-js "^3.8.2" fast-deep-equal "^3.1.3" global "^4.4.0" @@ -2185,17 +1915,17 @@ util-deprecate "^1.0.2" uuid-browser "^3.1.0" -"@storybook/addon-backgrounds@6.3.6": - version "6.3.6" - resolved "https://registry.yarnpkg.com/@storybook/addon-backgrounds/-/addon-backgrounds-6.3.6.tgz#93128e6ebfcb953a83cc2165056dd5815d32cef2" - integrity sha512-1lBVAem2M+ggb1UNVgB7/56LaQAor9lI8q0xtQdAzAkt9K4RbbOsLGRhyUm3QH5OiB3qHHG5WQBujWUD6Qfy4g== - dependencies: - "@storybook/addons" "6.3.6" - "@storybook/api" "6.3.6" - "@storybook/client-logger" "6.3.6" - "@storybook/components" "6.3.6" - "@storybook/core-events" "6.3.6" - "@storybook/theming" "6.3.6" +"@storybook/addon-backgrounds@6.3.7": + version "6.3.7" + resolved "https://registry.yarnpkg.com/@storybook/addon-backgrounds/-/addon-backgrounds-6.3.7.tgz#b8ed464cf1000f77678570912640972c74129a2e" + integrity sha512-NH95pDNILgCXeegbckG+P3zxT5SPmgkAq29P+e3gX7YBOTc6885YCFMJLFpuDMwW4lA0ovXosp4PaUHLsBnLDg== + dependencies: + "@storybook/addons" "6.3.7" + "@storybook/api" "6.3.7" + "@storybook/client-logger" "6.3.7" + "@storybook/components" "6.3.7" + "@storybook/core-events" "6.3.7" + "@storybook/theming" "6.3.7" core-js "^3.8.2" global "^4.4.0" memoizerific "^1.11.3" @@ -2203,24 +1933,24 @@ ts-dedent "^2.0.0" util-deprecate "^1.0.2" -"@storybook/addon-controls@6.3.6": - version "6.3.6" - resolved "https://registry.yarnpkg.com/@storybook/addon-controls/-/addon-controls-6.3.6.tgz#2f8071e5b521375aace60af96e33a19f016581c9" - integrity sha512-wTWmnZl2qEAUqgLh8a7TL5f6w37Q51lAoJNlwxFFBSKtGS7xFUnou4qTUArNy5iKu1cWoVvofJ9RnP1maGByYA== - dependencies: - "@storybook/addons" "6.3.6" - "@storybook/api" "6.3.6" - "@storybook/client-api" "6.3.6" - "@storybook/components" "6.3.6" - "@storybook/node-logger" "6.3.6" - "@storybook/theming" "6.3.6" +"@storybook/addon-controls@6.3.7": + version "6.3.7" + resolved "https://registry.yarnpkg.com/@storybook/addon-controls/-/addon-controls-6.3.7.tgz#ac8fa5ec055f09fd5187998358b5188fed54a528" + integrity sha512-VHOv5XZ0MQ45k6X7AUrMIxGkm7sgIiPwsvajnoeMe7UwS3ngbTb0Q0raLqI/L5jLM/jyQwfpUO9isA6cztGTEQ== + dependencies: + "@storybook/addons" "6.3.7" + "@storybook/api" "6.3.7" + "@storybook/client-api" "6.3.7" + "@storybook/components" "6.3.7" + "@storybook/node-logger" "6.3.7" + "@storybook/theming" "6.3.7" core-js "^3.8.2" ts-dedent "^2.0.0" -"@storybook/addon-docs@6.3.6": - version "6.3.6" - resolved "https://registry.yarnpkg.com/@storybook/addon-docs/-/addon-docs-6.3.6.tgz#85b8a72b91f9c43edfaf21c416a9b01ad0e06ea4" - integrity sha512-/ZPB9u3lfc6ZUrgt9HENU1BxAHNfTbh9r2LictQ8o9gYE/BqvZutl2zqilTpVuutQtTgQ6JycVhxtpk9+TDcuA== +"@storybook/addon-docs@6.3.7": + version "6.3.7" + resolved "https://registry.yarnpkg.com/@storybook/addon-docs/-/addon-docs-6.3.7.tgz#a7b8ff2c0baf85fc9cc1b3d71f481ec40499f3cc" + integrity sha512-cyuyoLuB5ELhbrXgnZneDCHqNq1wSdWZ4dzdHy1E5WwLPEhLlD6INfEsm8gnDIb4IncYuzMhK3XYBDd7d3ijOg== dependencies: "@babel/core" "^7.12.10" "@babel/generator" "^7.12.11" @@ -2231,20 +1961,20 @@ "@mdx-js/loader" "^1.6.22" "@mdx-js/mdx" "^1.6.22" "@mdx-js/react" "^1.6.22" - "@storybook/addons" "6.3.6" - "@storybook/api" "6.3.6" - "@storybook/builder-webpack4" "6.3.6" - "@storybook/client-api" "6.3.6" - "@storybook/client-logger" "6.3.6" - "@storybook/components" "6.3.6" - "@storybook/core" "6.3.6" - "@storybook/core-events" "6.3.6" + "@storybook/addons" "6.3.7" + "@storybook/api" "6.3.7" + "@storybook/builder-webpack4" "6.3.7" + "@storybook/client-api" "6.3.7" + "@storybook/client-logger" "6.3.7" + "@storybook/components" "6.3.7" + "@storybook/core" "6.3.7" + "@storybook/core-events" "6.3.7" "@storybook/csf" "0.0.1" - "@storybook/csf-tools" "6.3.6" - "@storybook/node-logger" "6.3.6" - "@storybook/postinstall" "6.3.6" - "@storybook/source-loader" "6.3.6" - "@storybook/theming" "6.3.6" + "@storybook/csf-tools" "6.3.7" + "@storybook/node-logger" "6.3.7" + "@storybook/postinstall" "6.3.7" + "@storybook/source-loader" "6.3.7" + "@storybook/theming" "6.3.7" acorn "^7.4.1" acorn-jsx "^5.3.1" acorn-walk "^7.2.0" @@ -2268,35 +1998,35 @@ util-deprecate "^1.0.2" "@storybook/addon-essentials@^6.3.6": - version "6.3.6" - resolved "https://registry.yarnpkg.com/@storybook/addon-essentials/-/addon-essentials-6.3.6.tgz#29f5249daee086fe2d14c899ae61712b8c8fbcbd" - integrity sha512-FUrpCeINaN4L9L81FswtQFEq2xLwj3W7EyhmqsZcYSr64nscpQyjlPVjs5zhrEanOGIf+4E+mBmWafxbYufXwQ== - dependencies: - "@storybook/addon-actions" "6.3.6" - "@storybook/addon-backgrounds" "6.3.6" - "@storybook/addon-controls" "6.3.6" - "@storybook/addon-docs" "6.3.6" + version "6.3.7" + resolved "https://registry.yarnpkg.com/@storybook/addon-essentials/-/addon-essentials-6.3.7.tgz#5af605ab705e938c5b25a7e19daa26e5924fd4e4" + integrity sha512-ZWAW3qMFrrpfSekmCZibp/ivnohFLJdJweiIA0CLnuCNuuK9kQdpFahWdvyBy5NlCj3UJwB7epTZYZyHqYW7UQ== + dependencies: + "@storybook/addon-actions" "6.3.7" + "@storybook/addon-backgrounds" "6.3.7" + "@storybook/addon-controls" "6.3.7" + "@storybook/addon-docs" "6.3.7" "@storybook/addon-measure" "^2.0.0" - "@storybook/addon-toolbars" "6.3.6" - "@storybook/addon-viewport" "6.3.6" - "@storybook/addons" "6.3.6" - "@storybook/api" "6.3.6" - "@storybook/node-logger" "6.3.6" + "@storybook/addon-toolbars" "6.3.7" + "@storybook/addon-viewport" "6.3.7" + "@storybook/addons" "6.3.7" + "@storybook/api" "6.3.7" + "@storybook/node-logger" "6.3.7" core-js "^3.8.2" regenerator-runtime "^0.13.7" storybook-addon-outline "^1.4.1" ts-dedent "^2.0.0" "@storybook/addon-links@^6.3.6": - version "6.3.6" - resolved "https://registry.yarnpkg.com/@storybook/addon-links/-/addon-links-6.3.6.tgz#dc410d5b4a0d222b6b8d0ef03da7a4c16919c092" - integrity sha512-PaeAJTjwtPlhrLZlaSQ1YIFA8V0C1yI0dc351lPbTiE7fJ7DwTE03K6xIF/jEdTo+xzhi2PM1Fgvi/SsSecI8w== + version "6.3.7" + resolved "https://registry.yarnpkg.com/@storybook/addon-links/-/addon-links-6.3.7.tgz#f273abba6d056794a4aa920b2fa9639136e6747f" + integrity sha512-/8Gq18o1DejP3Om0ZOJRkMzW5FoHqoAmR0pFx4DipmNu5lYy7V3krLw4jW4qja1MuQkZ53MGh08FJOoAc2RZvQ== dependencies: - "@storybook/addons" "6.3.6" - "@storybook/client-logger" "6.3.6" - "@storybook/core-events" "6.3.6" + "@storybook/addons" "6.3.7" + "@storybook/client-logger" "6.3.7" + "@storybook/core-events" "6.3.7" "@storybook/csf" "0.0.1" - "@storybook/router" "6.3.6" + "@storybook/router" "6.3.7" "@types/qs" "^6.9.5" core-js "^3.8.2" global "^4.4.0" @@ -2310,105 +2040,64 @@ resolved "https://registry.yarnpkg.com/@storybook/addon-measure/-/addon-measure-2.0.0.tgz#c40bbe91bacd3f795963dc1ee6ff86be87deeda9" integrity sha512-ZhdT++cX+L9LwjhGYggvYUUVQH/MGn2rwbrAwCMzA/f2QTFvkjxzX8nDgMxIhaLCDC+gHIxfJG2wrWN0jkBr3g== -"@storybook/addon-toolbars@6.3.6": - version "6.3.6" - resolved "https://registry.yarnpkg.com/@storybook/addon-toolbars/-/addon-toolbars-6.3.6.tgz#41f5f29988260d2aad9431b7a91f57e848c3e0bf" - integrity sha512-VpwkMtvT/4KNjqdO2SCkFw4koMgYN2k8hckbTGRzuUYYTHBvl9yK4q0A7RELEnkm/tsmDI1TjenV/MBifp2Aiw== +"@storybook/addon-toolbars@6.3.7": + version "6.3.7" + resolved "https://registry.yarnpkg.com/@storybook/addon-toolbars/-/addon-toolbars-6.3.7.tgz#acd0c9eea7fad056d995a821e34abddd5b065b9b" + integrity sha512-UTIurbl2WXj/jSOj7ndqQ/WtG7kSpGp62T7gwEZTZ+h/3sJn+bixofBD/7+sXa4hWW07YgTXV547DMhzp5bygg== dependencies: - "@storybook/addons" "6.3.6" - "@storybook/api" "6.3.6" - "@storybook/client-api" "6.3.6" - "@storybook/components" "6.3.6" - "@storybook/theming" "6.3.6" + "@storybook/addons" "6.3.7" + "@storybook/api" "6.3.7" + "@storybook/client-api" "6.3.7" + "@storybook/components" "6.3.7" + "@storybook/theming" "6.3.7" core-js "^3.8.2" regenerator-runtime "^0.13.7" -"@storybook/addon-viewport@6.3.6": - version "6.3.6" - resolved "https://registry.yarnpkg.com/@storybook/addon-viewport/-/addon-viewport-6.3.6.tgz#9117316e918559d389a19571166579858b25b09b" - integrity sha512-Z5eztFFGd6vd+38sDurfTkIr9lY6EYWtMJzr5efedRZGg2IZLXZxQCoyjKEB29VB/IIjHEYHhHSh4SFsHT/m6g== - dependencies: - "@storybook/addons" "6.3.6" - "@storybook/api" "6.3.6" - "@storybook/client-logger" "6.3.6" - "@storybook/components" "6.3.6" - "@storybook/core-events" "6.3.6" - "@storybook/theming" "6.3.6" +"@storybook/addon-viewport@6.3.7": + version "6.3.7" + resolved "https://registry.yarnpkg.com/@storybook/addon-viewport/-/addon-viewport-6.3.7.tgz#4dc5007e6c8e4d095814c34234429fe889e4014d" + integrity sha512-Hdv2QoVVfe/YuMVQKVVnfCCuEoTqTa8Ck7AOKz31VSAliBFhXewP51oKhw9F6mTyvCozMHX6EBtBzN06KyrPyw== + dependencies: + "@storybook/addons" "6.3.7" + "@storybook/api" "6.3.7" + "@storybook/client-logger" "6.3.7" + "@storybook/components" "6.3.7" + "@storybook/core-events" "6.3.7" + "@storybook/theming" "6.3.7" core-js "^3.8.2" global "^4.4.0" memoizerific "^1.11.3" prop-types "^15.7.2" regenerator-runtime "^0.13.7" -"@storybook/addons@6.3.6": - version "6.3.6" - resolved "https://registry.yarnpkg.com/@storybook/addons/-/addons-6.3.6.tgz#330fd722bdae8abefeb029583e89e51e62c20b60" - integrity sha512-tVV0vqaEEN9Md4bgScwfrnZYkN8iKZarpkIOFheLev+PHjSp8lgWMK5SNWDlbBYqfQfzrz9xbs+F07bMjfx9jQ== - dependencies: - "@storybook/api" "6.3.6" - "@storybook/channels" "6.3.6" - "@storybook/client-logger" "6.3.6" - "@storybook/core-events" "6.3.6" - "@storybook/router" "6.3.6" - "@storybook/theming" "6.3.6" +"@storybook/addons@6.3.7", "@storybook/addons@^6.3.0": + version "6.3.7" + resolved "https://registry.yarnpkg.com/@storybook/addons/-/addons-6.3.7.tgz#7c6b8d11b65f67b1884f6140437fe996dc39537a" + integrity sha512-9stVjTcc52bqqh7YQex/LpSjJ4e2Czm4/ZYDjIiNy0p4OZEx+yLhL5mZzMWh2NQd6vv+pHASBSxf2IeaR5511A== + dependencies: + "@storybook/api" "6.3.7" + "@storybook/channels" "6.3.7" + "@storybook/client-logger" "6.3.7" + "@storybook/core-events" "6.3.7" + "@storybook/router" "6.3.7" + "@storybook/theming" "6.3.7" core-js "^3.8.2" global "^4.4.0" regenerator-runtime "^0.13.7" -"@storybook/addons@^6.3.0": - version "6.3.4" - resolved "https://registry.yarnpkg.com/@storybook/addons/-/addons-6.3.4.tgz#016c5c3e36c78a320eb8b022cf7fe556d81577c2" - integrity sha512-rf8K8X3JrB43gq5nw5SYgfucQkFg2QgUMWdByf7dQ4MyIl5zet+2MYiSXJ9lfbhGKJZ8orc81rmMtiocW4oBjg== - dependencies: - "@storybook/api" "6.3.4" - "@storybook/channels" "6.3.4" - "@storybook/client-logger" "6.3.4" - "@storybook/core-events" "6.3.4" - "@storybook/router" "6.3.4" - "@storybook/theming" "6.3.4" - core-js "^3.8.2" - global "^4.4.0" - regenerator-runtime "^0.13.7" - -"@storybook/api@6.3.4", "@storybook/api@^6.3.0": - version "6.3.4" - resolved "https://registry.yarnpkg.com/@storybook/api/-/api-6.3.4.tgz#25b8b842104693000b018b3f64986e95fa032b45" - integrity sha512-12q6dvSR4AtyuZbKAy3Xt+ZHzZ4ePPRV1q20xtgYBoiFEgB9vbh4XKEeeZD0yIeTamQ2x1Hn87R79Rs1GIdKRQ== - dependencies: - "@reach/router" "^1.3.4" - "@storybook/channels" "6.3.4" - "@storybook/client-logger" "6.3.4" - "@storybook/core-events" "6.3.4" - "@storybook/csf" "0.0.1" - "@storybook/router" "6.3.4" - "@storybook/semver" "^7.3.2" - "@storybook/theming" "6.3.4" - "@types/reach__router" "^1.3.7" - core-js "^3.8.2" - fast-deep-equal "^3.1.3" - global "^4.4.0" - lodash "^4.17.20" - memoizerific "^1.11.3" - qs "^6.10.0" - regenerator-runtime "^0.13.7" - store2 "^2.12.0" - telejson "^5.3.2" - ts-dedent "^2.0.0" - util-deprecate "^1.0.2" - -"@storybook/api@6.3.6": - version "6.3.6" - resolved "https://registry.yarnpkg.com/@storybook/api/-/api-6.3.6.tgz#b110688ae0a970c9443d47b87616a09456f3708e" - integrity sha512-F5VuR1FrEwD51OO/EDDAZXNfF5XmJedYHJLwwCB4az2ZMrzG45TxGRmiEohrSTO6wAHGkAvjlEoX5jWOCqQ4pw== +"@storybook/api@6.3.7", "@storybook/api@^6.3.0": + version "6.3.7" + resolved "https://registry.yarnpkg.com/@storybook/api/-/api-6.3.7.tgz#88b8a51422cd0739c91bde0b1d65fb6d8a8485d0" + integrity sha512-57al8mxmE9agXZGo8syRQ8UhvGnDC9zkuwkBPXchESYYVkm3Mc54RTvdAOYDiy85VS4JxiGOywHayCaRwgUddQ== dependencies: "@reach/router" "^1.3.4" - "@storybook/channels" "6.3.6" - "@storybook/client-logger" "6.3.6" - "@storybook/core-events" "6.3.6" + "@storybook/channels" "6.3.7" + "@storybook/client-logger" "6.3.7" + "@storybook/core-events" "6.3.7" "@storybook/csf" "0.0.1" - "@storybook/router" "6.3.6" + "@storybook/router" "6.3.7" "@storybook/semver" "^7.3.2" - "@storybook/theming" "6.3.6" + "@storybook/theming" "6.3.7" "@types/reach__router" "^1.3.7" core-js "^3.8.2" fast-deep-equal "^3.1.3" @@ -2422,10 +2111,10 @@ ts-dedent "^2.0.0" util-deprecate "^1.0.2" -"@storybook/builder-webpack4@6.3.6": - version "6.3.6" - resolved "https://registry.yarnpkg.com/@storybook/builder-webpack4/-/builder-webpack4-6.3.6.tgz#fe444abfc178e005ea077e2bcfd6ae7509522908" - integrity sha512-LhTPQQowS2t6BRnyfusWZLbhjjf54/HiQyovJTTDnqrCiO6QoCMbVnp79LeO1aSkpQCKoeqOZ7TzH87fCytnZA== +"@storybook/builder-webpack4@6.3.7": + version "6.3.7" + resolved "https://registry.yarnpkg.com/@storybook/builder-webpack4/-/builder-webpack4-6.3.7.tgz#1cc1a1184043be3f6ef840d0b43ba91a803105e2" + integrity sha512-M5envblMzAUrNqP1+ouKiL8iSIW/90+kBRU2QeWlZoZl1ib+fiFoKk06cgbaC70Bx1lU8nOnI/VBvB5pLhXLaw== dependencies: "@babel/core" "^7.12.10" "@babel/plugin-proposal-class-properties" "^7.12.1" @@ -2448,20 +2137,20 @@ "@babel/preset-env" "^7.12.11" "@babel/preset-react" "^7.12.10" "@babel/preset-typescript" "^7.12.7" - "@storybook/addons" "6.3.6" - "@storybook/api" "6.3.6" - "@storybook/channel-postmessage" "6.3.6" - "@storybook/channels" "6.3.6" - "@storybook/client-api" "6.3.6" - "@storybook/client-logger" "6.3.6" - "@storybook/components" "6.3.6" - "@storybook/core-common" "6.3.6" - "@storybook/core-events" "6.3.6" - "@storybook/node-logger" "6.3.6" - "@storybook/router" "6.3.6" + "@storybook/addons" "6.3.7" + "@storybook/api" "6.3.7" + "@storybook/channel-postmessage" "6.3.7" + "@storybook/channels" "6.3.7" + "@storybook/client-api" "6.3.7" + "@storybook/client-logger" "6.3.7" + "@storybook/components" "6.3.7" + "@storybook/core-common" "6.3.7" + "@storybook/core-events" "6.3.7" + "@storybook/node-logger" "6.3.7" + "@storybook/router" "6.3.7" "@storybook/semver" "^7.3.2" - "@storybook/theming" "6.3.6" - "@storybook/ui" "6.3.6" + "@storybook/theming" "6.3.7" + "@storybook/ui" "6.3.7" "@types/node" "^14.0.10" "@types/webpack" "^4.41.26" autoprefixer "^9.8.6" @@ -2499,9 +2188,9 @@ webpack-virtual-modules "^0.2.2" "@storybook/builder-webpack5@^6.3.6": - version "6.3.6" - resolved "https://registry.yarnpkg.com/@storybook/builder-webpack5/-/builder-webpack5-6.3.6.tgz#3679df2d78b067b8c903fab2cd2523e1e9361ce4" - integrity sha512-66Yk3YsvPXRKcBiWLBR3poVTtMSnJW8CmVsFbKHjpP9LZ8qT+YTmLnXhFhZWSzfSAv3dWvKUEyJftuPIxSJl5A== + version "6.3.7" + resolved "https://registry.yarnpkg.com/@storybook/builder-webpack5/-/builder-webpack5-6.3.7.tgz#7db89160e91fe988b724340e6999ff453799744d" + integrity sha512-nenxN9uLnZs4mLjK5RsaduVau8Sb6EO74Sly2xpfTxridRtt3Viw81J1HWr/4vj/FgnN/UONQ9kgstIE6s5MIw== dependencies: "@babel/core" "^7.12.10" "@babel/plugin-proposal-class-properties" "^7.12.1" @@ -2523,19 +2212,19 @@ "@babel/preset-env" "^7.12.11" "@babel/preset-react" "^7.12.10" "@babel/preset-typescript" "^7.12.7" - "@storybook/addons" "6.3.6" - "@storybook/api" "6.3.6" - "@storybook/channel-postmessage" "6.3.6" - "@storybook/channels" "6.3.6" - "@storybook/client-api" "6.3.6" - "@storybook/client-logger" "6.3.6" - "@storybook/components" "6.3.6" - "@storybook/core-common" "6.3.6" - "@storybook/core-events" "6.3.6" - "@storybook/node-logger" "6.3.6" - "@storybook/router" "6.3.6" + "@storybook/addons" "6.3.7" + "@storybook/api" "6.3.7" + "@storybook/channel-postmessage" "6.3.7" + "@storybook/channels" "6.3.7" + "@storybook/client-api" "6.3.7" + "@storybook/client-logger" "6.3.7" + "@storybook/components" "6.3.7" + "@storybook/core-common" "6.3.7" + "@storybook/core-events" "6.3.7" + "@storybook/node-logger" "6.3.7" + "@storybook/router" "6.3.7" "@storybook/semver" "^7.3.2" - "@storybook/theming" "6.3.6" + "@storybook/theming" "6.3.7" "@types/node" "^14.0.10" babel-loader "^8.2.2" babel-plugin-macros "^3.0.1" @@ -2560,47 +2249,38 @@ webpack-hot-middleware "^2.25.0" webpack-virtual-modules "^0.4.1" -"@storybook/channel-postmessage@6.3.6": - version "6.3.6" - resolved "https://registry.yarnpkg.com/@storybook/channel-postmessage/-/channel-postmessage-6.3.6.tgz#f29c3678161462428e78c9cfed2da11ffca4acb0" - integrity sha512-GK7hXnaa+1pxEeMpREDzAZ3+2+k1KN1lbrZf+V7Kc1JZv1/Ji/vxk8AgxwiuzPAMx5J0yh/FduPscIPZ87Pibw== +"@storybook/channel-postmessage@6.3.7": + version "6.3.7" + resolved "https://registry.yarnpkg.com/@storybook/channel-postmessage/-/channel-postmessage-6.3.7.tgz#bd4edf84a29aa2cd4a22d26115c60194d289a840" + integrity sha512-Cmw8HRkeSF1yUFLfEIUIkUICyCXX8x5Ol/5QPbiW9HPE2hbZtYROCcg4bmWqdq59N0Tp9FQNSn+9ZygPgqQtNw== dependencies: - "@storybook/channels" "6.3.6" - "@storybook/client-logger" "6.3.6" - "@storybook/core-events" "6.3.6" + "@storybook/channels" "6.3.7" + "@storybook/client-logger" "6.3.7" + "@storybook/core-events" "6.3.7" core-js "^3.8.2" global "^4.4.0" qs "^6.10.0" telejson "^5.3.2" -"@storybook/channels@6.3.4": - version "6.3.4" - resolved "https://registry.yarnpkg.com/@storybook/channels/-/channels-6.3.4.tgz#425b31a67e42ac66ccb03465e4ba2e2ef9c8344b" - integrity sha512-zdZzBbIu9JHEe+uw8FqKsNUiFY+iqI9QdHH/pM3DTTQpBN/JM1Xwfo3CkqA8c5PkhSGqpW0YjXoPash4lawr1Q== - dependencies: - core-js "^3.8.2" - ts-dedent "^2.0.0" - util-deprecate "^1.0.2" - -"@storybook/channels@6.3.6": - version "6.3.6" - resolved "https://registry.yarnpkg.com/@storybook/channels/-/channels-6.3.6.tgz#a258764ed78fd836ff90489ae74ac055312bf056" - integrity sha512-gCIQVr+dS/tg3AyCxIvkOXMVAs08BCIHXsaa2+XzmacnJBSP+CEHtI6IZ8WEv7tzZuXOiKLVg+wugeIh4j2I4g== +"@storybook/channels@6.3.7": + version "6.3.7" + resolved "https://registry.yarnpkg.com/@storybook/channels/-/channels-6.3.7.tgz#85ed5925522b802d959810f78d37aacde7fea66e" + integrity sha512-aErXO+SRO8MPp2wOkT2n9d0fby+8yM35tq1tI633B4eQsM74EykbXPv7EamrYPqp1AI4BdiloyEpr0hmr2zlvg== dependencies: core-js "^3.8.2" ts-dedent "^2.0.0" util-deprecate "^1.0.2" -"@storybook/client-api@6.3.6": - version "6.3.6" - resolved "https://registry.yarnpkg.com/@storybook/client-api/-/client-api-6.3.6.tgz#4826ce366ae109f608da6ade24b29efeb9b7f7dd" - integrity sha512-Q/bWuH691L6k7xkiKtBmZo8C+ijgmQ+vc2Fz8pzIRZuMV8ROL74qhrS4BMKV4LhiYm4f8todtWfaQPBjawZMIA== +"@storybook/client-api@6.3.7": + version "6.3.7" + resolved "https://registry.yarnpkg.com/@storybook/client-api/-/client-api-6.3.7.tgz#cb1dca05467d777bd09aadbbdd1dd22ca537ce14" + integrity sha512-8wOH19cMIwIIYhZy5O5Wl8JT1QOL5kNuamp9GPmg5ff4DtnG+/uUslskRvsnKyjPvl+WbIlZtBVWBiawVdd/yQ== dependencies: - "@storybook/addons" "6.3.6" - "@storybook/channel-postmessage" "6.3.6" - "@storybook/channels" "6.3.6" - "@storybook/client-logger" "6.3.6" - "@storybook/core-events" "6.3.6" + "@storybook/addons" "6.3.7" + "@storybook/channel-postmessage" "6.3.7" + "@storybook/channels" "6.3.7" + "@storybook/client-logger" "6.3.7" + "@storybook/core-events" "6.3.7" "@storybook/csf" "0.0.1" "@types/qs" "^6.9.5" "@types/webpack-env" "^1.16.0" @@ -2615,31 +2295,23 @@ ts-dedent "^2.0.0" util-deprecate "^1.0.2" -"@storybook/client-logger@6.3.4": - version "6.3.4" - resolved "https://registry.yarnpkg.com/@storybook/client-logger/-/client-logger-6.3.4.tgz#c7ee70463c48bb3af704165d5456351ebb667fc2" - integrity sha512-Gu4M5bBHHQznsdoj8uzYymeojwWq+CRNsUUH41BQIND/RJYSX1IYGIj0yNBP449nv2pjHcTGlN8NJDd+PcELCQ== - dependencies: - core-js "^3.8.2" - global "^4.4.0" - -"@storybook/client-logger@6.3.6": - version "6.3.6" - resolved "https://registry.yarnpkg.com/@storybook/client-logger/-/client-logger-6.3.6.tgz#020ba518ab8286194ce103a6ff91767042e296c0" - integrity sha512-qpXQ52ylxPm7l3+WAteV42NmqWA+L1FaJhMOvm2gwl3PxRd2cNXn2BwEhw++eA6qmJH/7mfOKXG+K+QQwOTpRA== +"@storybook/client-logger@6.3.7": + version "6.3.7" + resolved "https://registry.yarnpkg.com/@storybook/client-logger/-/client-logger-6.3.7.tgz#ff17b7494e7e9e23089b0d5c5364c371c726bdd1" + integrity sha512-BQRErHE3nIEuUJN/3S3dO1LzxAknOgrFeZLd4UVcH/fvjtS1F4EkhcbH+jNyUWvcWGv66PZYN0oFPEn/g3Savg== dependencies: core-js "^3.8.2" global "^4.4.0" -"@storybook/components@6.3.6": - version "6.3.6" - resolved "https://registry.yarnpkg.com/@storybook/components/-/components-6.3.6.tgz#bc2fa1dbe59f42b5b2aeb9f84424072835d4ce8b" - integrity sha512-aZkmtAY8b+LFXG6dVp6cTS6zGJuxkHRHcesRSWRQPxtgitaz1G58clRHxbKPRokfjPHNgYA3snogyeqxSA7YNQ== +"@storybook/components@6.3.7", "@storybook/components@^6.3.0": + version "6.3.7" + resolved "https://registry.yarnpkg.com/@storybook/components/-/components-6.3.7.tgz#42b1ca6d24e388e02eab82aa9ed3365db2266ecc" + integrity sha512-O7LIg9Z18G0AJqXX7Shcj0uHqwXlSA5UkHgaz9A7mqqqJNl6m6FwwTWcxR1acUfYVNkO+czgpqZHNrOF6rky1A== dependencies: "@popperjs/core" "^2.6.0" - "@storybook/client-logger" "6.3.6" + "@storybook/client-logger" "6.3.7" "@storybook/csf" "0.0.1" - "@storybook/theming" "6.3.6" + "@storybook/theming" "6.3.7" "@types/color-convert" "^2.0.0" "@types/overlayscrollbars" "^1.12.0" "@types/react-syntax-highlighter" "11.0.5" @@ -2661,48 +2333,18 @@ ts-dedent "^2.0.0" util-deprecate "^1.0.2" -"@storybook/components@^6.3.0": - version "6.3.4" - resolved "https://registry.yarnpkg.com/@storybook/components/-/components-6.3.4.tgz#c872ec267edf315eaada505be8595c70eb6db09b" - integrity sha512-0hBKTkkQbW+daaA6nRedkviPr2bEzy1kwq0H5eaLKI1zYeXN3U5Z8fVhO137PPqH5LmLietrmTPkqiljUBk9ug== +"@storybook/core-client@6.3.7": + version "6.3.7" + resolved "https://registry.yarnpkg.com/@storybook/core-client/-/core-client-6.3.7.tgz#cfb75952e0e1d32f2aca92bca2786334ab589c40" + integrity sha512-M/4A65yV+Y4lsCQXX4BtQO/i3BcMPrU5FkDG8qJd3dkcx2fUlFvGWqQPkcTZE+MPVvMEGl/AsEZSADzah9+dAg== dependencies: - "@popperjs/core" "^2.6.0" - "@storybook/client-logger" "6.3.4" + "@storybook/addons" "6.3.7" + "@storybook/channel-postmessage" "6.3.7" + "@storybook/client-api" "6.3.7" + "@storybook/client-logger" "6.3.7" + "@storybook/core-events" "6.3.7" "@storybook/csf" "0.0.1" - "@storybook/theming" "6.3.4" - "@types/color-convert" "^2.0.0" - "@types/overlayscrollbars" "^1.12.0" - "@types/react-syntax-highlighter" "11.0.5" - color-convert "^2.0.1" - core-js "^3.8.2" - fast-deep-equal "^3.1.3" - global "^4.4.0" - lodash "^4.17.20" - markdown-to-jsx "^7.1.3" - memoizerific "^1.11.3" - overlayscrollbars "^1.13.1" - polished "^4.0.5" - prop-types "^15.7.2" - react-colorful "^5.1.2" - react-popper-tooltip "^3.1.1" - react-syntax-highlighter "^13.5.3" - react-textarea-autosize "^8.3.0" - regenerator-runtime "^0.13.7" - ts-dedent "^2.0.0" - util-deprecate "^1.0.2" - -"@storybook/core-client@6.3.6": - version "6.3.6" - resolved "https://registry.yarnpkg.com/@storybook/core-client/-/core-client-6.3.6.tgz#7def721aa15d4faaff574780d30b92055db7261c" - integrity sha512-Bq86flEdXdMNbdHrGMNQ6OT1tcBQU8ym56d+nG46Ctjf5GN+Dl+rPtRWuu7cIZs10KgqJH+86DXp+tvpQIDidg== - dependencies: - "@storybook/addons" "6.3.6" - "@storybook/channel-postmessage" "6.3.6" - "@storybook/client-api" "6.3.6" - "@storybook/client-logger" "6.3.6" - "@storybook/core-events" "6.3.6" - "@storybook/csf" "0.0.1" - "@storybook/ui" "6.3.6" + "@storybook/ui" "6.3.7" airbnb-js-shims "^2.2.1" ansi-to-html "^0.6.11" core-js "^3.8.2" @@ -2714,10 +2356,10 @@ unfetch "^4.2.0" util-deprecate "^1.0.2" -"@storybook/core-common@6.3.6": - version "6.3.6" - resolved "https://registry.yarnpkg.com/@storybook/core-common/-/core-common-6.3.6.tgz#da8eed703b609968e15177446f0f1609d1d6d0d0" - integrity sha512-nHolFOmTPymI50j180bCtcf1UJZ2eOnYaECRtHvVrCUod5KFF7wh2EHrgWoKqrKrsn84UOY/LkX2C2WkbYtWRg== +"@storybook/core-common@6.3.7": + version "6.3.7" + resolved "https://registry.yarnpkg.com/@storybook/core-common/-/core-common-6.3.7.tgz#9eedf3ff16aff870950e3372ab71ef846fa3ac52" + integrity sha512-exLoqRPPsAefwyjbsQBLNFrlPCcv69Q/pclqmIm7FqAPR7f3CKP1rqsHY0PnemizTL/+cLX5S7mY90gI6wpNug== dependencies: "@babel/core" "^7.12.10" "@babel/plugin-proposal-class-properties" "^7.12.1" @@ -2740,7 +2382,7 @@ "@babel/preset-react" "^7.12.10" "@babel/preset-typescript" "^7.12.7" "@babel/register" "^7.12.1" - "@storybook/node-logger" "6.3.6" + "@storybook/node-logger" "6.3.7" "@storybook/semver" "^7.3.2" "@types/glob-base" "^0.3.0" "@types/micromatch" "^4.0.1" @@ -2768,31 +2410,24 @@ util-deprecate "^1.0.2" webpack "4" -"@storybook/core-events@6.3.4", "@storybook/core-events@^6.3.0": - version "6.3.4" - resolved "https://registry.yarnpkg.com/@storybook/core-events/-/core-events-6.3.4.tgz#f841b8659a8729d334acd9a6dcfc470c88a2be8f" - integrity sha512-6qI5bU5VcAoRfxkvpdRqO16eYrX5M0P2E3TakqUUDcgDo5Rfcwd1wTTcwiXslMIh7oiVGiisA+msKTlfzyKf9Q== +"@storybook/core-events@6.3.7", "@storybook/core-events@^6.3.0": + version "6.3.7" + resolved "https://registry.yarnpkg.com/@storybook/core-events/-/core-events-6.3.7.tgz#c5bc7cae7dc295de73b6b9f671ecbe582582e9bd" + integrity sha512-l5Hlhe+C/dqxjobemZ6DWBhTOhQoFF3F1Y4kjFGE7pGZl/mas4M72I5I/FUcYCmbk2fbLfZX8hzKkUqS1hdyLA== dependencies: core-js "^3.8.2" -"@storybook/core-events@6.3.6": - version "6.3.6" - resolved "https://registry.yarnpkg.com/@storybook/core-events/-/core-events-6.3.6.tgz#c4a09e2c703170995604d63e46e45adc3c9cd759" - integrity sha512-Ut1dz96bJ939oSn5t1ckPXd3WcFejK96Sb3+R/z23vEHUWGBFtygGyw8r/SX/WNDVzGmQU8c+mzJJTZwCBJz8A== - dependencies: - core-js "^3.8.2" - -"@storybook/core-server@6.3.6": - version "6.3.6" - resolved "https://registry.yarnpkg.com/@storybook/core-server/-/core-server-6.3.6.tgz#43c1415573c3b72ec6b9ae48d68e1bb446722f7c" - integrity sha512-47ZcfxYn7t891oAMG98iH1BQIgQT9Yk/2BBNVCWY43Ong+ME1xJ6j4C/jkRUOseP7URlfLUQsUYKAYJNVijDvg== - dependencies: - "@storybook/builder-webpack4" "6.3.6" - "@storybook/core-client" "6.3.6" - "@storybook/core-common" "6.3.6" - "@storybook/csf-tools" "6.3.6" - "@storybook/manager-webpack4" "6.3.6" - "@storybook/node-logger" "6.3.6" +"@storybook/core-server@6.3.7": + version "6.3.7" + resolved "https://registry.yarnpkg.com/@storybook/core-server/-/core-server-6.3.7.tgz#6f29ad720aafe4a97247b5e306eac4174d0931f2" + integrity sha512-m5OPD/rmZA7KFewkXzXD46/i1ngUoFO4LWOiAY/wR6RQGjYXGMhSa5UYFF6MNwSbiGS5YieHkR5crB1HP47AhQ== + dependencies: + "@storybook/builder-webpack4" "6.3.7" + "@storybook/core-client" "6.3.7" + "@storybook/core-common" "6.3.7" + "@storybook/csf-tools" "6.3.7" + "@storybook/manager-webpack4" "6.3.7" + "@storybook/node-logger" "6.3.7" "@storybook/semver" "^7.3.2" "@types/node" "^14.0.10" "@types/node-fetch" "^2.5.7" @@ -2821,18 +2456,18 @@ util-deprecate "^1.0.2" webpack "4" -"@storybook/core@6.3.6": - version "6.3.6" - resolved "https://registry.yarnpkg.com/@storybook/core/-/core-6.3.6.tgz#604419d346433103675901b3736bfa1ed9bc534f" - integrity sha512-y71VvVEbqCpG28fDBnfNg3RnUPnicwFYq9yuoFVRF0LYcJCy5cYhkIfW3JG8mN2m0P+LzH80mt2Rj6xlSXrkdQ== +"@storybook/core@6.3.7": + version "6.3.7" + resolved "https://registry.yarnpkg.com/@storybook/core/-/core-6.3.7.tgz#482228a270abc3e23fed10c7bc4df674da22ca19" + integrity sha512-YTVLPXqgyBg7TALNxQ+cd+GtCm/NFjxr/qQ1mss1T9GCMR0IjE0d0trgOVHHLAO8jCVlK8DeuqZCCgZFTXulRw== dependencies: - "@storybook/core-client" "6.3.6" - "@storybook/core-server" "6.3.6" + "@storybook/core-client" "6.3.7" + "@storybook/core-server" "6.3.7" -"@storybook/csf-tools@6.3.6": - version "6.3.6" - resolved "https://registry.yarnpkg.com/@storybook/csf-tools/-/csf-tools-6.3.6.tgz#603d9e832f946998b75ff8368fe862375d6cb52c" - integrity sha512-MQevelkEUVNCSjKMXLNc/G8q/BB5babPnSeI0IcJq4k+kLUSHtviimLNpPowMgGJBPx/y9VihH8N7vdJUWVj9w== +"@storybook/csf-tools@6.3.7": + version "6.3.7" + resolved "https://registry.yarnpkg.com/@storybook/csf-tools/-/csf-tools-6.3.7.tgz#505514d211f8698c47ddb15662442098b4b00156" + integrity sha512-A7yGsrYwh+vwVpmG8dHpEimX021RbZd9VzoREcILH56u8atssdh/rseljyWlRes3Sr4QgtLvDB7ggoJ+XDZH7w== dependencies: "@babel/generator" "^7.12.11" "@babel/parser" "^7.12.11" @@ -2856,20 +2491,20 @@ dependencies: lodash "^4.17.15" -"@storybook/manager-webpack4@6.3.6": - version "6.3.6" - resolved "https://registry.yarnpkg.com/@storybook/manager-webpack4/-/manager-webpack4-6.3.6.tgz#a5334aa7ae1e048bca8f4daf868925d7054fb715" - integrity sha512-qh/jV4b6mFRpRFfhk1JSyO2gKRz8PLPvDt2AD52/bTAtNRzypKoiWqyZNR2CJ9hgNQtDrk2CO3eKPrcdKYGizQ== +"@storybook/manager-webpack4@6.3.7": + version "6.3.7" + resolved "https://registry.yarnpkg.com/@storybook/manager-webpack4/-/manager-webpack4-6.3.7.tgz#9ca604dea38d3c47eb38bf485ca6107861280aa8" + integrity sha512-cwUdO3oklEtx6y+ZOl2zHvflICK85emiXBQGgRcCsnwWQRBZOMh+tCgOSZj4jmISVpT52RtT9woG4jKe15KBig== dependencies: "@babel/core" "^7.12.10" "@babel/plugin-transform-template-literals" "^7.12.1" "@babel/preset-react" "^7.12.10" - "@storybook/addons" "6.3.6" - "@storybook/core-client" "6.3.6" - "@storybook/core-common" "6.3.6" - "@storybook/node-logger" "6.3.6" - "@storybook/theming" "6.3.6" - "@storybook/ui" "6.3.6" + "@storybook/addons" "6.3.7" + "@storybook/core-client" "6.3.7" + "@storybook/core-common" "6.3.7" + "@storybook/node-logger" "6.3.7" + "@storybook/theming" "6.3.7" + "@storybook/ui" "6.3.7" "@types/node" "^14.0.10" "@types/webpack" "^4.41.26" babel-loader "^8.2.2" @@ -2900,19 +2535,19 @@ webpack-virtual-modules "^0.2.2" "@storybook/manager-webpack5@^6.3.6": - version "6.3.6" - resolved "https://registry.yarnpkg.com/@storybook/manager-webpack5/-/manager-webpack5-6.3.6.tgz#dc0a49e442314b77ea7e33f3f2a735375fca9b4c" - integrity sha512-Mn54pn+8bFHSk8vLTu19tzdljCWDmcvAR6CVSyh1O3LXpT5hJ8v9qpskNyUrXVDjH0ydo6xcNbNh1yYCDitAuw== + version "6.3.7" + resolved "https://registry.yarnpkg.com/@storybook/manager-webpack5/-/manager-webpack5-6.3.7.tgz#2375010625008a3912664f6877bedb75e40fb7f8" + integrity sha512-ikibiIco9X6r2BpAnumJSGEJCwCwPtH4XsDFKRMM/GkrilNR8k6UXv8EB/eSIGjLF5FG3yHs6AX0YcQQ760xfA== dependencies: "@babel/core" "^7.12.10" "@babel/plugin-transform-template-literals" "^7.12.1" "@babel/preset-react" "^7.12.10" - "@storybook/addons" "6.3.6" - "@storybook/core-client" "6.3.6" - "@storybook/core-common" "6.3.6" - "@storybook/node-logger" "6.3.6" - "@storybook/theming" "6.3.6" - "@storybook/ui" "6.3.6" + "@storybook/addons" "6.3.7" + "@storybook/core-client" "6.3.7" + "@storybook/core-common" "6.3.7" + "@storybook/node-logger" "6.3.7" + "@storybook/theming" "6.3.7" + "@storybook/ui" "6.3.7" "@types/node" "^14.0.10" babel-loader "^8.2.2" case-sensitive-paths-webpack-plugin "^2.3.0" @@ -2940,10 +2575,10 @@ webpack-dev-middleware "^4.1.0" webpack-virtual-modules "^0.4.1" -"@storybook/node-logger@6.3.6": - version "6.3.6" - resolved "https://registry.yarnpkg.com/@storybook/node-logger/-/node-logger-6.3.6.tgz#10356608593440a8e3acf2aababef40333a3401b" - integrity sha512-XMDkMN7nVRojjiezrURlkI57+nz3OoH4UBV6qJZICKclxtdKAy0wwOlUSYEUq+axcJ4nvdfzPPoDfGoj37SW7A== +"@storybook/node-logger@6.3.7": + version "6.3.7" + resolved "https://registry.yarnpkg.com/@storybook/node-logger/-/node-logger-6.3.7.tgz#492469ea4749de8d984af144976961589a1ac382" + integrity sha512-YXHCblruRe6HcNefDOpuXJoaybHnnSryIVP9Z+gDv6OgLAMkyxccTIaQL9dbc/eI4ywgzAz4kD8t1RfVwXNVXw== dependencies: "@types/npmlog" "^4.1.2" chalk "^4.1.0" @@ -2951,10 +2586,10 @@ npmlog "^4.1.2" pretty-hrtime "^1.0.3" -"@storybook/postinstall@6.3.6": - version "6.3.6" - resolved "https://registry.yarnpkg.com/@storybook/postinstall/-/postinstall-6.3.6.tgz#fd79a6c109b38ced4b9b40db2d27b88ee184d449" - integrity sha512-90Izr8/GwLiXvdF2A3v1PCpWoxUBgqA0TrWGuiWXfJnfFRVlVrX9A/ClGUPSh80L3oE01E6raaOG4wW4JTRKfw== +"@storybook/postinstall@6.3.7": + version "6.3.7" + resolved "https://registry.yarnpkg.com/@storybook/postinstall/-/postinstall-6.3.7.tgz#7d90c06131382a3cf1550a1f2c70df13b220d9d3" + integrity sha512-HgTj7WdWo2cXrGfEhi5XYZA+G4vIzECtJHK22GEL9QxJth60Ah/dE94VqpTlyhSpzP74ZFUgr92+pP9o+j3CCw== dependencies: core-js "^3.8.2" @@ -2977,17 +2612,17 @@ tslib "^2.0.0" "@storybook/react@^6.3.6": - version "6.3.6" - resolved "https://registry.yarnpkg.com/@storybook/react/-/react-6.3.6.tgz#593bc0743ad22ed5e6e072e6157c20c704864fc3" - integrity sha512-2c30XTe7WzKnvgHBGOp1dzBVlhcbc3oEX0SIeVE9ZYkLvRPF+J1jG948a26iqOCOgRAW13Bele37mG1gbl4tiw== + version "6.3.7" + resolved "https://registry.yarnpkg.com/@storybook/react/-/react-6.3.7.tgz#b15259aeb4cdeef99cc7f09d21db42e3ecd7a01a" + integrity sha512-4S0iCQIzgi6PdAtV2sYw4uL57yIwbMInNFSux9CxPnVdlxOxCJ+U8IgTxD4tjkTvR4boYSEvEle46ns/bwg5iQ== dependencies: "@babel/preset-flow" "^7.12.1" "@babel/preset-react" "^7.12.10" "@pmmmwh/react-refresh-webpack-plugin" "^0.4.3" - "@storybook/addons" "6.3.6" - "@storybook/core" "6.3.6" - "@storybook/core-common" "6.3.6" - "@storybook/node-logger" "6.3.6" + "@storybook/addons" "6.3.7" + "@storybook/core" "6.3.7" + "@storybook/core-common" "6.3.7" + "@storybook/node-logger" "6.3.7" "@storybook/react-docgen-typescript-plugin" "1.0.2-canary.253f8c1.0" "@storybook/semver" "^7.3.2" "@types/webpack-env" "^1.16.0" @@ -3005,29 +2640,13 @@ ts-dedent "^2.0.0" webpack "4" -"@storybook/router@6.3.4": - version "6.3.4" - resolved "https://registry.yarnpkg.com/@storybook/router/-/router-6.3.4.tgz#f38ec8064a9d1811a68558390727c30220fe7d72" - integrity sha512-cNG2bT0BBfqJyaW6xKUnEB/XXSdMkYeI9ShwJ2gh/2Bnidm7eZ/RKUOZ4q5equMm+SxxyZgpBulqnFN+TqPbOA== - dependencies: - "@reach/router" "^1.3.4" - "@storybook/client-logger" "6.3.4" - "@types/reach__router" "^1.3.7" - core-js "^3.8.2" - fast-deep-equal "^3.1.3" - global "^4.4.0" - lodash "^4.17.20" - memoizerific "^1.11.3" - qs "^6.10.0" - ts-dedent "^2.0.0" - -"@storybook/router@6.3.6": - version "6.3.6" - resolved "https://registry.yarnpkg.com/@storybook/router/-/router-6.3.6.tgz#cea20d64bae17397dc9e1689a656b80a98674c34" - integrity sha512-fQ1n7cm7lPFav7I+fStQciSVMlNdU+yLY6Fue252rpV5Q68bMTjwKpjO9P2/Y3CCj4QD3dPqwEkn4s0qUn5tNA== +"@storybook/router@6.3.7": + version "6.3.7" + resolved "https://registry.yarnpkg.com/@storybook/router/-/router-6.3.7.tgz#1714a99a58a7b9f08b6fcfe2b678dad6ca896736" + integrity sha512-6tthN8op7H0NoYoE1SkQFJKC42pC4tGaoPn7kEql8XGeUJnxPtVFjrnywlTrRnKuxZKIvbilQBAwDml97XH23Q== dependencies: "@reach/router" "^1.3.4" - "@storybook/client-logger" "6.3.6" + "@storybook/client-logger" "6.3.7" "@types/reach__router" "^1.3.7" core-js "^3.8.2" fast-deep-equal "^3.1.3" @@ -3045,13 +2664,13 @@ core-js "^3.6.5" find-up "^4.1.0" -"@storybook/source-loader@6.3.6": - version "6.3.6" - resolved "https://registry.yarnpkg.com/@storybook/source-loader/-/source-loader-6.3.6.tgz#2d3d01919baad7a40f67d1150c74e41dea5f1d4c" - integrity sha512-om3iS3a+D287FzBrbXB/IXB6Z5Ql2yc4dFKTy6FPe5v4N3U0p5puWOKUYWWbTX1JbcpRj0IXXo7952G68tcC1g== +"@storybook/source-loader@6.3.7": + version "6.3.7" + resolved "https://registry.yarnpkg.com/@storybook/source-loader/-/source-loader-6.3.7.tgz#cc348305df3c2d8d716c0bab7830c9f537b859ff" + integrity sha512-0xQTq90jwx7W7MJn/idEBCGPOyxi/3No5j+5YdfJsSGJRuMFH3jt6pGgdeZ4XA01cmmIX6bZ+fB9al6yAzs91w== dependencies: - "@storybook/addons" "6.3.6" - "@storybook/client-logger" "6.3.6" + "@storybook/addons" "6.3.7" + "@storybook/client-logger" "6.3.7" "@storybook/csf" "0.0.1" core-js "^3.8.2" estraverse "^5.2.0" @@ -3061,15 +2680,15 @@ prettier "~2.2.1" regenerator-runtime "^0.13.7" -"@storybook/theming@6.3.4": - version "6.3.4" - resolved "https://registry.yarnpkg.com/@storybook/theming/-/theming-6.3.4.tgz#69d3f912c74a7b6ba78c1c95fac3315356468bdd" - integrity sha512-L0lJcwUi7mse+U7EBAv5NVt81mH1MtUzk9paik8hMAc68vDtR/X0Cq4+zPsgykCROOTtEGrQ/JUUrpcEqeprTQ== +"@storybook/theming@6.3.7": + version "6.3.7" + resolved "https://registry.yarnpkg.com/@storybook/theming/-/theming-6.3.7.tgz#6daf9a21b26ed607f3c28a82acd90c0248e76d8b" + integrity sha512-GXBdw18JJd5jLLcRonAZWvGGdwEXByxF1IFNDSOYCcpHWsMgTk4XoLjceu9MpXET04pVX51LbVPLCvMdggoohg== dependencies: "@emotion/core" "^10.1.1" "@emotion/is-prop-valid" "^0.8.6" "@emotion/styled" "^10.0.27" - "@storybook/client-logger" "6.3.4" + "@storybook/client-logger" "6.3.7" core-js "^3.8.2" deep-object-diff "^1.1.0" emotion-theming "^10.0.27" @@ -3079,39 +2698,21 @@ resolve-from "^5.0.0" ts-dedent "^2.0.0" -"@storybook/theming@6.3.6": - version "6.3.6" - resolved "https://registry.yarnpkg.com/@storybook/theming/-/theming-6.3.6.tgz#75624f6d4e01530b87afca3eab9996a16c0370ab" - integrity sha512-mPrQrMUREajNEWxzgR8t0YIZsI9avPv25VNA08fANnwVsc887p4OL5eCTL2dFIlD34YDzAwiyRKYoLj2vDW4nw== +"@storybook/ui@6.3.7": + version "6.3.7" + resolved "https://registry.yarnpkg.com/@storybook/ui/-/ui-6.3.7.tgz#d0caea50640670da3189bbbb67c43da30c90455a" + integrity sha512-PBeRO8qtwAbtHvxUgNtz/ChUR6qnN+R37dMaIs3Y96jbks1fS2K9Mt7W5s1HnUbWbg2KsZMv9D4VYPBasY+Isw== dependencies: "@emotion/core" "^10.1.1" - "@emotion/is-prop-valid" "^0.8.6" - "@emotion/styled" "^10.0.27" - "@storybook/client-logger" "6.3.6" - core-js "^3.8.2" - deep-object-diff "^1.1.0" - emotion-theming "^10.0.27" - global "^4.4.0" - memoizerific "^1.11.3" - polished "^4.0.5" - resolve-from "^5.0.0" - ts-dedent "^2.0.0" - -"@storybook/ui@6.3.6": - version "6.3.6" - resolved "https://registry.yarnpkg.com/@storybook/ui/-/ui-6.3.6.tgz#a9ed8265e34bb8ef9f0dd08f40170b3dcf8a8931" - integrity sha512-S9FjISUiAmbBR7d6ubUEcELQdffDfRxerloxkXs5Ou7n8fEPqpgQB01Hw5MLRUwTEpxPzHn+xtIGYritAGxt/Q== - dependencies: - "@emotion/core" "^10.1.1" - "@storybook/addons" "6.3.6" - "@storybook/api" "6.3.6" - "@storybook/channels" "6.3.6" - "@storybook/client-logger" "6.3.6" - "@storybook/components" "6.3.6" - "@storybook/core-events" "6.3.6" - "@storybook/router" "6.3.6" + "@storybook/addons" "6.3.7" + "@storybook/api" "6.3.7" + "@storybook/channels" "6.3.7" + "@storybook/client-logger" "6.3.7" + "@storybook/components" "6.3.7" + "@storybook/core-events" "6.3.7" + "@storybook/router" "6.3.7" "@storybook/semver" "^7.3.2" - "@storybook/theming" "6.3.6" + "@storybook/theming" "6.3.7" "@types/markdown-to-jsx" "^6.11.3" copy-to-clipboard "^3.3.1" core-js "^3.8.2" @@ -3258,9 +2859,9 @@ defer-to-connect "^1.0.1" "@szmarczak/http-timer@^4.0.5": - version "4.0.5" - resolved "https://registry.yarnpkg.com/@szmarczak/http-timer/-/http-timer-4.0.5.tgz#bfbd50211e9dfa51ba07da58a14cdfd333205152" - integrity sha512-PyRA9sm1Yayuj5OIoJ1hGt2YISX45w9WcFbh6ddT0Z/0yaFxOtGLInr4jUfU1EAFVs0Yfyfev4RNwBlUaHdlDQ== + version "4.0.6" + resolved "https://registry.yarnpkg.com/@szmarczak/http-timer/-/http-timer-4.0.6.tgz#b4a914bb62e7c272d4e5989fe4440f812ab1d807" + integrity sha512-4BAffykYOgO+5nzBWYwE3W90sBgLJoUPRWWcL8wlyiM8IB8ipJz3UMJ9KXQd1RKQXpKp8Tutn80HZtWsu2u76w== dependencies: defer-to-connect "^2.0.0" @@ -3295,9 +2896,9 @@ integrity sha512-RbzJvlNzmRq5c3O09UipeuXno4tA1FE6ikOjxZK0tuxVv3412l64l5t1W5pj4+rJq9vpkm/kwiR07aZXnsKPxw== "@types/babel__core@^7.0.0", "@types/babel__core@^7.1.7": - version "7.1.14" - resolved "https://registry.yarnpkg.com/@types/babel__core/-/babel__core-7.1.14.tgz#faaeefc4185ec71c389f4501ee5ec84b170cc402" - integrity sha512-zGZJzzBUVDo/eV6KgbE0f0ZI7dInEYvo12Rb70uNQDshC3SkRMb67ja0GgRHZgAX3Za6rhaWlvbDO8rrGyAb1g== + version "7.1.15" + resolved "https://registry.yarnpkg.com/@types/babel__core/-/babel__core-7.1.15.tgz#2ccfb1ad55a02c83f8e0ad327cbc332f55eb1024" + integrity sha512-bxlMKPDbY8x5h6HBwVzEOk2C8fb6SLfYQ5Jw3uBYuYF1lfWk/kbLd81la82vrIkBb0l+JdmrZaDikPrNxpS/Ew== dependencies: "@babel/parser" "^7.1.0" "@babel/types" "^7.0.0" @@ -3306,24 +2907,24 @@ "@types/babel__traverse" "*" "@types/babel__generator@*": - version "7.6.2" - resolved "https://registry.yarnpkg.com/@types/babel__generator/-/babel__generator-7.6.2.tgz#f3d71178e187858f7c45e30380f8f1b7415a12d8" - integrity sha512-MdSJnBjl+bdwkLskZ3NGFp9YcXGx5ggLpQQPqtgakVhsWK0hTtNYhjpZLlWQTviGTvF8at+Bvli3jV7faPdgeQ== + version "7.6.3" + resolved "https://registry.yarnpkg.com/@types/babel__generator/-/babel__generator-7.6.3.tgz#f456b4b2ce79137f768aa130d2423d2f0ccfaba5" + integrity sha512-/GWCmzJWqV7diQW54smJZzWbSFf4QYtF71WCKhcx6Ru/tFyQIY2eiiITcCAeuPbNSvT9YCGkVMqqvSk2Z0mXiA== dependencies: "@babel/types" "^7.0.0" "@types/babel__template@*": - version "7.4.0" - resolved "https://registry.yarnpkg.com/@types/babel__template/-/babel__template-7.4.0.tgz#0c888dd70b3ee9eebb6e4f200e809da0076262be" - integrity sha512-NTPErx4/FiPCGScH7foPyr+/1Dkzkni+rHiYHHoTjvwou7AQzJkNeD60A9CXRy+ZEN2B1bggmkTMCDb+Mv5k+A== + version "7.4.1" + resolved "https://registry.yarnpkg.com/@types/babel__template/-/babel__template-7.4.1.tgz#3d1a48fd9d6c0edfd56f2ff578daed48f36c8969" + integrity sha512-azBFKemX6kMg5Io+/rdGT0dkGreboUVR0Cdm3fz9QJWpaQGJRQXl7C+6hOTCZcMll7KFyEQpgbYI2lHdsS4U7g== dependencies: "@babel/parser" "^7.1.0" "@babel/types" "^7.0.0" "@types/babel__traverse@*", "@types/babel__traverse@^7.0.4", "@types/babel__traverse@^7.0.6": - version "7.14.0" - resolved "https://registry.yarnpkg.com/@types/babel__traverse/-/babel__traverse-7.14.0.tgz#a34277cf8acbd3185ea74129e1f100491eb1da7f" - integrity sha512-IilJZ1hJBUZwMOVDNTdflOOLzJB/ZtljYVa7k3gEZN/jqIJIPkWHC6dvbX+DD2CwZDHB9wAKzZPzzqMIkW37/w== + version "7.14.2" + resolved "https://registry.yarnpkg.com/@types/babel__traverse/-/babel__traverse-7.14.2.tgz#ffcd470bbb3f8bf30481678fb5502278ca833a43" + integrity sha512-K2waXdXBi2302XUdcHcR1jCeU0LL4TD9HRs/gk0N2Xvrht+G/BfJa4QObBQZfhMdxiCpV3COl5Nfq4uKTeTnJA== dependencies: "@babel/types" "^7.3.0" @@ -3333,9 +2934,9 @@ integrity sha512-+euflG6ygo4bn0JHtn4pYqcXwRtLvElQ7/nnjDu7iYG56H0+OhCd7d6Ug0IE3WcFpZozBKW2+80FUbv5QGk5AQ== "@types/cacheable-request@^6.0.1": - version "6.0.1" - resolved "https://registry.yarnpkg.com/@types/cacheable-request/-/cacheable-request-6.0.1.tgz#5d22f3dded1fd3a84c0bbeb5039a7419c2c91976" - integrity sha512-ykFq2zmBGOCbpIXtoVbz4SKY5QriWPh3AjyU4G74RYbtt5yOc5OfaY75ftjg7mikMOla1CTGpX3lLbuJh8DTrQ== + version "6.0.2" + resolved "https://registry.yarnpkg.com/@types/cacheable-request/-/cacheable-request-6.0.2.tgz#c324da0197de0a98a2312156536ae262429ff6b9" + integrity sha512-B3xVo+dlKM6nnKTcmm5ZtY/OL8bOAOd2Olee9M1zft65ox50OzjEHW91sDiU9j6cvW8Ejg1/Qkf4xd2kugApUA== dependencies: "@types/http-cache-semantics" "*" "@types/keyv" "*" @@ -3343,9 +2944,9 @@ "@types/responselike" "*" "@types/cheerio@^0.22.22": - version "0.22.29" - resolved "https://registry.yarnpkg.com/@types/cheerio/-/cheerio-0.22.29.tgz#7115e9688bfc9e2f2730327c674b3d6a7e753e09" - integrity sha512-rNX1PsrDPxiNiyLnRKiW2NXHJFHqx0Fl3J2WsZq0MTBspa/FgwlqhXJE2crIcc+/2IglLHtSWw7g053oUR8fOg== + version "0.22.30" + resolved "https://registry.yarnpkg.com/@types/cheerio/-/cheerio-0.22.30.tgz#6c1ded70d20d890337f0f5144be2c5e9ce0936e6" + integrity sha512-t7ZVArWZlq3dFa9Yt33qFBQIK4CQd1Q3UJp0V+UhP6vgLWLM6Qug7vZuRSGXg45zXeB1Fm5X2vmBkEX58LV2Tw== dependencies: "@types/node" "*" @@ -3362,27 +2963,22 @@ integrity sha512-rr+OQyAjxze7GgWrSaJwydHStIhHq2lvY3BOC2Mj7KnzI7XK0Uw1TOOdI9lDoajEbSWLiYgoo4f1R51erQfhPQ== "@types/eslint-scope@^3.7.0": - version "3.7.0" - resolved "https://registry.yarnpkg.com/@types/eslint-scope/-/eslint-scope-3.7.0.tgz#4792816e31119ebd506902a482caec4951fabd86" - integrity sha512-O/ql2+rrCUe2W2rs7wMR+GqPRcgB6UiqN5RhrR5xruFlY7l9YLMn0ZkDzjoHLeiFkR8MCQZVudUuuvQ2BLC9Qw== + version "3.7.1" + resolved "https://registry.yarnpkg.com/@types/eslint-scope/-/eslint-scope-3.7.1.tgz#8dc390a7b4f9dd9f1284629efce982e41612116e" + integrity sha512-SCFeogqiptms4Fg29WpOTk5nHIzfpKCemSN63ksBQYKTcXoJEmJagV+DhVmbapZzY4/5YaOV1nZwrsU79fFm1g== dependencies: "@types/eslint" "*" "@types/estree" "*" "@types/eslint@*": - version "7.2.13" - resolved "https://registry.yarnpkg.com/@types/eslint/-/eslint-7.2.13.tgz#e0ca7219ba5ded402062ad6f926d491ebb29dd53" - integrity sha512-LKmQCWAlnVHvvXq4oasNUMTJJb2GwSyTY8+1C7OH5ILR8mPLaljv1jxL1bXW3xB3jFbQxTKxJAvI8PyjB09aBg== + version "7.28.0" + resolved "https://registry.yarnpkg.com/@types/eslint/-/eslint-7.28.0.tgz#7e41f2481d301c68e14f483fe10b017753ce8d5a" + integrity sha512-07XlgzX0YJUn4iG1ocY4IX9DzKSmMGUs6ESKlxWhZRaa0fatIWaHWUVapcuGa8r5HFnTqzj+4OCjd5f7EZ/i/A== dependencies: "@types/estree" "*" "@types/json-schema" "*" -"@types/estree@*": - version "0.0.48" - resolved "https://registry.yarnpkg.com/@types/estree/-/estree-0.0.48.tgz#18dc8091b285df90db2f25aa7d906cfc394b7f74" - integrity sha512-LfZwXoGUDo0C3me81HXgkBg5CTQYb6xzEl+fNmbO4JdRiSKQ8A0GD1OBBvKAIsbCUgoyAty7m99GqqMQe784ew== - -"@types/estree@^0.0.50": +"@types/estree@*", "@types/estree@^0.0.50": version "0.0.50" resolved "https://registry.yarnpkg.com/@types/estree/-/estree-0.0.50.tgz#1e0caa9364d3fccd2931c3ed96fdbeaa5d4cca83" integrity sha512-C6N5s2ZFtuZRj54k2/zyRhNDjJwwcViAM3Nbm8zjBpbqAdZ00mr0CFxvSKeO8Y/e03WVFLpQMdHYVfUd6SB+Hw== @@ -3392,7 +2988,7 @@ resolved "https://registry.yarnpkg.com/@types/glob-base/-/glob-base-0.3.0.tgz#a581d688347e10e50dd7c17d6f2880a10354319d" integrity sha1-pYHWiDR+EOUN18F9byiAoQNUMZ0= -"@types/glob@*": +"@types/glob@*", "@types/glob@^7.1.1": version "7.1.4" resolved "https://registry.yarnpkg.com/@types/glob/-/glob-7.1.4.tgz#ea59e21d2ee5c517914cb4bc8e4153b99e566672" integrity sha512-w+LsMxKyYQm347Otw+IfBXOv9UWVjpHpCDdbBMt8Kz/xbvCYNjP+0qPh91Km3iKfSRLBB0P7fAMf0KHrPu+MyA== @@ -3400,14 +2996,6 @@ "@types/minimatch" "*" "@types/node" "*" -"@types/glob@^7.1.1": - version "7.1.3" - resolved "https://registry.yarnpkg.com/@types/glob/-/glob-7.1.3.tgz#e6ba80f36b7daad2c685acd9266382e68985c183" - integrity sha512-SEYeGAIQIQX8NN6LDKprLjbrd5dARM5EXsd8GI/A5l0apYI1fGMWgPHSe4ZKL4eozlAyI+doUE9XbYS4xCkQ1w== - dependencies: - "@types/minimatch" "*" - "@types/node" "*" - "@types/graceful-fs@^4.1.2": version "4.1.5" resolved "https://registry.yarnpkg.com/@types/graceful-fs/-/graceful-fs-4.1.5.tgz#21ffba0d98da4350db64891f92a9e5db3cdb4e15" @@ -3428,9 +3016,9 @@ integrity sha512-h4lTMgMJctJybDp8CQrxTUiiYmedihHWkjnF/8Pxseu2S6Nlfcy8kwboQ8yejh456rP2yWoEVm1sS/FVsfM48w== "@types/http-cache-semantics@*": - version "4.0.0" - resolved "https://registry.yarnpkg.com/@types/http-cache-semantics/-/http-cache-semantics-4.0.0.tgz#9140779736aa2655635ee756e2467d787cfe8a2a" - integrity sha512-c3Xy026kOF7QOTn00hbIllV1dLR9hG9NkSrLQgCVs8NF6sBU+VGWjD3wLPhmh1TYAc7ugCFsvHYMN4VcBN1U1A== + version "4.0.1" + resolved "https://registry.yarnpkg.com/@types/http-cache-semantics/-/http-cache-semantics-4.0.1.tgz#0ea7b61496902b95890dc4c3a116b60cb8dae812" + integrity sha512-SZs7ekbP8CN0txVG2xVRH6EgKmEm31BOxA07vkFaETzZz1xh+cbt8BcI0slpymvwhx5dlFnQG2rTlPVQn+iRPQ== "@types/is-function@^1.0.0": version "1.0.0" @@ -3456,25 +3044,15 @@ dependencies: "@types/istanbul-lib-report" "*" -"@types/json-schema@*", "@types/json-schema@^7.0.5", "@types/json-schema@^7.0.6", "@types/json-schema@^7.0.7": - version "7.0.7" - resolved "https://registry.yarnpkg.com/@types/json-schema/-/json-schema-7.0.7.tgz#98a993516c859eb0d5c4c8f098317a9ea68db9ad" - integrity sha512-cxWFQVseBm6O9Gbw1IWb8r6OS4OhSt3hPZLkFApLjM8TEXROBuQGLAH2i2gZpcXdLBIrpXuTDhH7Vbm1iXmNGA== - -"@types/json-schema@^7.0.4", "@types/json-schema@^7.0.8": - version "7.0.8" - resolved "https://registry.yarnpkg.com/@types/json-schema/-/json-schema-7.0.8.tgz#edf1bf1dbf4e04413ca8e5b17b3b7d7d54b59818" - integrity sha512-YSBPTLTVm2e2OoQIDYx8HaeWJ5tTToLH67kXR7zYNGupXMEHa2++G8k+DczX2cFVgalypqtyZIcU19AFcmOpmg== - -"@types/json5@^0.0.29": - version "0.0.29" - resolved "https://registry.yarnpkg.com/@types/json5/-/json5-0.0.29.tgz#ee28707ae94e11d2b827bcbe5270bcea7f3e71ee" - integrity sha1-7ihweulOEdK4J7y+UnC86n8+ce4= +"@types/json-schema@*", "@types/json-schema@^7.0.4", "@types/json-schema@^7.0.5", "@types/json-schema@^7.0.7", "@types/json-schema@^7.0.8": + version "7.0.9" + resolved "https://registry.yarnpkg.com/@types/json-schema/-/json-schema-7.0.9.tgz#97edc9037ea0c38585320b28964dde3b39e4660d" + integrity sha512-qcUXuemtEu+E5wZSJHNxUXeCZhAfXKQ41D+duX+VYPde7xyEVZci+/oXKJL13tnRs9lR2pr4fod59GT6/X1/yQ== "@types/keyv@*": - version "3.1.1" - resolved "https://registry.yarnpkg.com/@types/keyv/-/keyv-3.1.1.tgz#e45a45324fca9dab716ab1230ee249c9fb52cfa7" - integrity sha512-MPtoySlAZQ37VoLaPcTHCu1RWJ4llDkULYZIzOYxlhxBqYPB0RsRlmMU0R6tahtFe27mIdkHV+551ZWV4PLmVw== + version "3.1.2" + resolved "https://registry.yarnpkg.com/@types/keyv/-/keyv-3.1.2.tgz#5d97bb65526c20b6e0845f6b0d2ade4f28604ee5" + integrity sha512-/FvAK2p4jQOaJ6CGDHJTqZcUtbZe820qIeTg7o0Shg7drB4JHeL+V/dhSaly7NXx6u8eSee+r7coT+yuJEvDLg== dependencies: "@types/node" "*" @@ -3491,9 +3069,9 @@ "@types/react" "*" "@types/mdast@^3.0.0": - version "3.0.3" - resolved "https://registry.yarnpkg.com/@types/mdast/-/mdast-3.0.3.tgz#2d7d671b1cd1ea3deb306ea75036c2a0407d2deb" - integrity sha512-SXPBMnFVQg1s00dlMCc/jCdvPqdE4mXaMMCeRlxLDmTAEoegHT53xKtkDnzDTOcmMHUfcjyf36/YYZ6SxRdnsw== + version "3.0.7" + resolved "https://registry.yarnpkg.com/@types/mdast/-/mdast-3.0.7.tgz#cba63d0cc11eb1605cea5c0ad76e02684394166b" + integrity sha512-YwR7OK8aPmaBvMMUi+pZXBNoW2unbVbfok4YRqGMJBe1dpDlzpRkJrYEYmvjxgs5JhuQmKfDexrN98u941Zasg== dependencies: "@types/unist" "*" @@ -3505,14 +3083,14 @@ "@types/braces" "*" "@types/minimatch@*": - version "3.0.4" - resolved "https://registry.yarnpkg.com/@types/minimatch/-/minimatch-3.0.4.tgz#f0ec25dbf2f0e4b18647313ac031134ca5b24b21" - integrity sha512-1z8k4wzFnNjVK/tlxvrWuK5WMt6mydWWP7+zvH5eFep4oj+UkrfiJTRtjCeBXNpwaA/FYqqtb4/QS4ianFpIRA== + version "3.0.5" + resolved "https://registry.yarnpkg.com/@types/minimatch/-/minimatch-3.0.5.tgz#1001cc5e6a3704b83c236027e77f2f58ea010f40" + integrity sha512-Klz949h02Gz2uZCMGwDUSDS1YBlTdDDgbWHi+81l29tQALUtvz4rAYi5uoVhE5Lagoq6DeqAUlbrHvW/mXDgdQ== "@types/minimist@^1.2.0": - version "1.2.1" - resolved "https://registry.yarnpkg.com/@types/minimist/-/minimist-1.2.1.tgz#283f669ff76d7b8260df8ab7a4262cc83d988256" - integrity sha512-fZQQafSREFyuZcdWFAExYjBiCL7AUCdgsk80iO0q4yihYYdcIiH28CcuPTGFgLOCC8RlW49GSQxdHwZP+I7CNg== + version "1.2.2" + resolved "https://registry.yarnpkg.com/@types/minimist/-/minimist-1.2.2.tgz#ee771e2ba4b3dc5b372935d549fd9617bf345b8c" + integrity sha512-jhuKLIRrhvCPLqwPcx6INqmKeiA5EWrsCOPhrlFSrbrmU4ZMPjj5Ul/oLCMDO98XRUIwVm78xICz4EPCektzeQ== "@types/mousetrap@^1.6.8": version "1.6.8" @@ -3520,27 +3098,27 @@ integrity sha512-zTqjvgCUT5EoXqbqmd8iJMb4NJqyV/V7pK7AIKq7qcaAsJIpGlTVJS1HQM6YkdHCdnkNSbhcQI7MXYxFfE3iCA== "@types/node-fetch@^2.5.7": - version "2.5.11" - resolved "https://registry.yarnpkg.com/@types/node-fetch/-/node-fetch-2.5.11.tgz#ce22a2e65fc8999f4dbdb7ddbbcf187d755169e4" - integrity sha512-2upCKaqVZETDRb8A2VTaRymqFBEgH8u6yr96b/u3+1uQEPDRo3mJLEiPk7vdXBHRtjwkjqzFYMJXrt0Z9QsYjQ== + version "2.5.12" + resolved "https://registry.yarnpkg.com/@types/node-fetch/-/node-fetch-2.5.12.tgz#8a6f779b1d4e60b7a57fb6fd48d84fb545b9cc66" + integrity sha512-MKgC4dlq4kKNa/mYrwpKfzQMB5X3ee5U6fSprkKpToBqBmX4nFZL9cW5jl6sWn+xpRJ7ypWh2yyqqr8UUCstSw== dependencies: "@types/node" "*" form-data "^3.0.0" "@types/node@*": - version "15.12.5" - resolved "https://registry.yarnpkg.com/@types/node/-/node-15.12.5.tgz#9a78318a45d75c9523d2396131bd3cca54b2d185" - integrity sha512-se3yX7UHv5Bscf8f1ERKvQOD6sTyycH3hdaoozvaLxgUiY5lIGEeH37AD0G0Qi9kPqihPn0HOfd2yaIEN9VwEg== + version "16.4.14" + resolved "https://registry.yarnpkg.com/@types/node/-/node-16.4.14.tgz#e27705ec2278b2355bd59f1952de23a152b9f208" + integrity sha512-GZpnVRNtv7sHDXIFncsERt+qvj4rzAgRQtnvzk3Z7OVNtThD2dHXYCMDNc80D5mv4JE278qo8biZCwcmkbdpqw== "@types/node@^14.0.10": - version "14.17.5" - resolved "https://registry.yarnpkg.com/@types/node/-/node-14.17.5.tgz#b59daf6a7ffa461b5648456ca59050ba8e40ed54" - integrity sha512-bjqH2cX/O33jXT/UmReo2pM7DIJREPMnarixbQ57DOOzzFaI6D2+IcwaJQaJpv0M1E9TIhPCYVxrkcityLjlqA== + version "14.17.9" + resolved "https://registry.yarnpkg.com/@types/node/-/node-14.17.9.tgz#b97c057e6138adb7b720df2bd0264b03c9f504fd" + integrity sha512-CMjgRNsks27IDwI785YMY0KLt3co/c0cQ5foxHYv/shC2w8oOnVwz5Ubq1QG5KzrcW+AXk6gzdnxIkDnTvzu3g== "@types/normalize-package-data@^2.4.0": - version "2.4.0" - resolved "https://registry.yarnpkg.com/@types/normalize-package-data/-/normalize-package-data-2.4.0.tgz#e486d0d97396d79beedd0a6e33f4534ff6b4973e" - integrity sha512-f5j5b/Gf71L+dbqxIpQ4Z2WlmI/mPJ0fOkGGmFgtb6sAu97EPczzbS3/tJKxmcYDj55OX6ssqwDAWOHIYDRDGA== + version "2.4.1" + resolved "https://registry.yarnpkg.com/@types/normalize-package-data/-/normalize-package-data-2.4.1.tgz#d3357479a0fdfdd5907fe67e17e0a85c906e1301" + integrity sha512-Gj7cI7z+98M282Tqmp2K5EIsoouUEzbBJhQQzDE3jSIRk6r9gsz0oUokqIUR4u1R3dMHo0pDHM7sNOHyhulypw== "@types/npmlog@^4.1.2": version "4.1.3" @@ -3563,9 +3141,9 @@ integrity sha512-kUNnecmtkunAoQ3CnjmMkzNU/gtxG8guhi+Fk2U/kOpIKjIMKnXGp4IJCgQJrXSgMsWYimYG4TGjz/UzbGEBTw== "@types/prettier@^2.0.0": - version "2.3.0" - resolved "https://registry.yarnpkg.com/@types/prettier/-/prettier-2.3.0.tgz#2e8332cc7363f887d32ec5496b207d26ba8052bb" - integrity sha512-hkc1DATxFLQo4VxPDpMH1gCkPpBbpOoJ/4nhuXw4n63/0R6bCpQECj4+K226UJ4JO/eJQz+1mC2I7JsWanAdQw== + version "2.3.2" + resolved "https://registry.yarnpkg.com/@types/prettier/-/prettier-2.3.2.tgz#fc8c2825e4ed2142473b4a81064e6e081463d1b3" + integrity sha512-eI5Yrz3Qv4KPUa/nSIAi0h+qX0XyewOliug5F2QAtuRg6Kjg6jfmxe1GIwoIRhZspD1A0RP8ANrPwvEXXtRFog== "@types/pretty-hrtime@^1.0.0": version "1.0.1" @@ -3573,14 +3151,14 @@ integrity sha512-VjID5MJb1eGKthz2qUerWT8+R4b9N+CHvGCzg9fn4kWZgaF9AhdYikQio3R7wV8YY1NsQKPaCwKz1Yff+aHNUQ== "@types/prop-types@*": - version "15.7.3" - resolved "https://registry.yarnpkg.com/@types/prop-types/-/prop-types-15.7.3.tgz#2ab0d5da2e5815f94b0b9d4b95d1e5f243ab2ca7" - integrity sha512-KfRL3PuHmqQLOG+2tGpRO26Ctg+Cq1E01D2DMriKEATHgWLfeNDmq9e29Q9WIky0dQ3NPkd1mzYH8Lm936Z9qw== + version "15.7.4" + resolved "https://registry.yarnpkg.com/@types/prop-types/-/prop-types-15.7.4.tgz#fcf7205c25dff795ee79af1e30da2c9790808f11" + integrity sha512-rZ5drC/jWjrArrS8BR6SIr4cWpW09RNTYt9AMZo3Jwwif+iacXAqgVjm0B0Bv/S1jhDXKHqRVNCbACkJ89RAnQ== "@types/q@^1.5.1": - version "1.5.4" - resolved "https://registry.yarnpkg.com/@types/q/-/q-1.5.4.tgz#15925414e0ad2cd765bfef58842f7e26a7accb24" - integrity sha512-1HcDas8SEj4z1Wc696tH56G8OlRaH/sqZOynNNB+HF0WOeXPaxTtbYzJY2oEfiUxjSKjhCKr+MvR7dCHcEelug== + version "1.5.5" + resolved "https://registry.yarnpkg.com/@types/q/-/q-1.5.5.tgz#75a2a8e7d8ab4b230414505d92335d1dcb53a6df" + integrity sha512-L28j2FcJfSZOnL1WBjDYp2vUHCeIFlyYI/53EwD/rKUBQ7MtUUfbQWiyKJGpcnv4/WgrhWsFKrcPstcAt/J0tQ== "@types/qs@^6.9.5": version "6.9.7" @@ -3595,9 +3173,9 @@ "@types/react" "*" "@types/react-dom@^16.9.0": - version "16.9.13" - resolved "https://registry.yarnpkg.com/@types/react-dom/-/react-dom-16.9.13.tgz#5898f0ee68fe200685e6b61d3d7d8828692814d0" - integrity sha512-34Hr3XnmUSJbUVDxIw/e7dhQn2BJZhJmlAaPyPwfTQyuVS9mV/CeyghFcXyvkJXxI7notQJz8mF8FeCVvloJrA== + version "16.9.14" + resolved "https://registry.yarnpkg.com/@types/react-dom/-/react-dom-16.9.14.tgz#674b8f116645fe5266b40b525777fc6bb8eb3bcd" + integrity sha512-FIX2AVmPTGP30OUJ+0vadeIFJJ07Mh1m+U0rxfgyW34p3rTlXI+nlenvAxNn4BP36YyI9IJ/+UJ7Wu22N1pI7A== dependencies: "@types/react" "^16" @@ -3609,18 +3187,18 @@ "@types/react" "*" "@types/react@*": - version "17.0.14" - resolved "https://registry.yarnpkg.com/@types/react/-/react-17.0.14.tgz#f0629761ca02945c4e8fea99b8177f4c5c61fb0f" - integrity sha512-0WwKHUbWuQWOce61UexYuWTGuGY/8JvtUe/dtQ6lR4sZ3UiylHotJeWpf3ArP9+DSGUoLY3wbU59VyMrJps5VQ== + version "17.0.17" + resolved "https://registry.yarnpkg.com/@types/react/-/react-17.0.17.tgz#1772d3d5425128e0635a716f49ef57c2955df055" + integrity sha512-nrfi7I13cAmrd0wje8czYpf5SFbryczCtPzFc6ijqvdjKcyA3tCvGxwchOUlxb2ucBPuJ9Y3oUqKrRqZvrz0lw== dependencies: "@types/prop-types" "*" "@types/scheduler" "*" csstype "^3.0.2" "@types/react@^16", "@types/react@^16.9.0": - version "16.14.8" - resolved "https://registry.yarnpkg.com/@types/react/-/react-16.14.8.tgz#4aee3ab004cb98451917c9b7ada3c7d7e52db3fe" - integrity sha512-QN0/Qhmx+l4moe7WJuTxNiTsjBwlBGHqKGvInSQCBdo7Qio0VtOqwsC0Wq7q3PbJlB0cR4Y4CVo1OOe6BOsOmA== + version "16.14.13" + resolved "https://registry.yarnpkg.com/@types/react/-/react-16.14.13.tgz#14f77c75ea581fa632907440dfda23b3c6ab24c9" + integrity sha512-KznsRYfqPmbcA5pMxc4mYQ7UgsJa2tAgKE2YwEmY5xKaTVZXLAY/ImBohyQHnEoIjxIJR+Um4FmaEYDr3q3zlg== dependencies: "@types/prop-types" "*" "@types/scheduler" "*" @@ -3634,9 +3212,9 @@ "@types/node" "*" "@types/scheduler@*": - version "0.16.1" - resolved "https://registry.yarnpkg.com/@types/scheduler/-/scheduler-0.16.1.tgz#18845205e86ff0038517aab7a18a62a6b9f71275" - integrity sha512-EaCxbanVeyxDRTQBkdLb3Bvl/HK7PBK6UJjsSixB0iHKoWxE5uu2Q/DgtpOhPIojN0Zl1whvOd7PoHs2P0s5eA== + version "0.16.2" + resolved "https://registry.yarnpkg.com/@types/scheduler/-/scheduler-0.16.2.tgz#1a62f89525723dde24ba1b01b092bf5df8ad4d39" + integrity sha512-hppQEBDmlwhFAXKJX2KnWLYu5yMfi91yazPb2l+lbJiwW+wdo1gNeRA+3RgNSO39WYX2euey41KEwnqesU2Jew== "@types/source-list-map@*": version "0.1.2" @@ -3644,33 +3222,23 @@ integrity sha512-K5K+yml8LTo9bWJI/rECfIPrGgxdpeNbj+d53lwN4QjW1MCwlkhUms+gtdzigTeUyBr09+u8BwOIY3MXvHdcsA== "@types/stack-utils@^2.0.0": - version "2.0.0" - resolved "https://registry.yarnpkg.com/@types/stack-utils/-/stack-utils-2.0.0.tgz#7036640b4e21cc2f259ae826ce843d277dad8cff" - integrity sha512-RJJrrySY7A8havqpGObOB4W92QXKJo63/jFLLgpvOtsGUqbQZ9Sbgl35KMm1DjC6j7AvmmU2bIno+3IyEaemaw== - -"@types/tapable@^1": - version "1.0.7" - resolved "https://registry.yarnpkg.com/@types/tapable/-/tapable-1.0.7.tgz#545158342f949e8fd3bfd813224971ecddc3fac4" - integrity sha512-0VBprVqfgFD7Ehb2vd8Lh9TG3jP98gvr8rgehQqzztZNI7o8zS8Ad4jyZneKELphpuE212D8J70LnSNQSyO6bQ== + version "2.0.1" + resolved "https://registry.yarnpkg.com/@types/stack-utils/-/stack-utils-2.0.1.tgz#20f18294f797f2209b5f65c8e3b5c8e8261d127c" + integrity sha512-Hl219/BT5fLAaz6NDkSuhzasy49dwQS/DSdu4MdggFB8zcXv7vflBI3xp7FEmkmdDkBUI2bPUNeMttp2knYdxw== -"@types/tapable@^1.0.5": +"@types/tapable@^1", "@types/tapable@^1.0.5": version "1.0.8" resolved "https://registry.yarnpkg.com/@types/tapable/-/tapable-1.0.8.tgz#b94a4391c85666c7b73299fd3ad79d4faa435310" integrity sha512-ipixuVrh2OdNmauvtT51o3d8z12p6LtFW9in7U79der/kwejjdNchQC5UMn5u/KxNoM7VHHOs/l8KS8uHxhODQ== "@types/uglify-js@*": - version "3.13.0" - resolved "https://registry.yarnpkg.com/@types/uglify-js/-/uglify-js-3.13.0.tgz#1cad8df1fb0b143c5aba08de5712ea9d1ff71124" - integrity sha512-EGkrJD5Uy+Pg0NUR8uA4bJ5WMfljyad0G+784vLCNUkD+QwOJXUbBYExXfVGf7YtyzdQp3L/XMYcliB987kL5Q== + version "3.13.1" + resolved "https://registry.yarnpkg.com/@types/uglify-js/-/uglify-js-3.13.1.tgz#5e889e9e81e94245c75b6450600e1c5ea2878aea" + integrity sha512-O3MmRAk6ZuAKa9CHgg0Pr0+lUOqoMLpc9AS4R8ano2auvsg7IE8syF3Xh/NPr26TWklxYcqoEEFdzLLs1fV9PQ== dependencies: source-map "^0.6.1" -"@types/unist@*", "@types/unist@^2.0.0", "@types/unist@^2.0.2": - version "2.0.3" - resolved "https://registry.yarnpkg.com/@types/unist/-/unist-2.0.3.tgz#9c088679876f374eb5983f150d4787aa6fb32d7e" - integrity sha512-FvUupuM3rlRsRtCN+fDudtmytGO6iHJuuRKS1Ss0pG5z8oX0diNEw94UEL7hgDbpN94rgaK5R7sWm6RrSkZuAQ== - -"@types/unist@^2.0.3": +"@types/unist@*", "@types/unist@^2.0.0", "@types/unist@^2.0.2", "@types/unist@^2.0.3": version "2.0.6" resolved "https://registry.yarnpkg.com/@types/unist/-/unist-2.0.6.tgz#250a7b16c3b91f672a24552ec64678eeb1d3a08d" integrity sha512-PBjIUxZHOuj0R15/xuwJYjFi+KZdNFrehocChv4g5hu6aFroHue8m0lBP0POdK2nKzbw0cgV1mws8+V/JAcEkQ== @@ -3681,27 +3249,15 @@ integrity sha512-vKx7WNQNZDyJveYcHAm9ZxhqSGLYwoyLhrHjLBOkw3a7cT76sTdjgtwyijhk1MaHyRIuSztcVwrUOO/NEu68Dw== "@types/webpack-sources@*": - version "2.1.0" - resolved "https://registry.yarnpkg.com/@types/webpack-sources/-/webpack-sources-2.1.0.tgz#8882b0bd62d1e0ce62f183d0d01b72e6e82e8c10" - integrity sha512-LXn/oYIpBeucgP1EIJbKQ2/4ZmpvRl+dlrFdX7+94SKRUV3Evy3FsfMZY318vGhkWUS5MPhtOM3w1/hCOAOXcg== + version "3.2.0" + resolved "https://registry.yarnpkg.com/@types/webpack-sources/-/webpack-sources-3.2.0.tgz#16d759ba096c289034b26553d2df1bf45248d38b" + integrity sha512-Ft7YH3lEVRQ6ls8k4Ff1oB4jN6oy/XmU6tQISKdhfh+1mR+viZFphS6WL0IrtDOzvefmJg5a0s7ZQoRXwqTEFg== dependencies: "@types/node" "*" "@types/source-list-map" "*" source-map "^0.7.3" -"@types/webpack@^4.4.31": - version "4.41.29" - resolved "https://registry.yarnpkg.com/@types/webpack/-/webpack-4.41.29.tgz#2e66c1de8223c440366469415c50a47d97625773" - integrity sha512-6pLaORaVNZxiB3FSHbyBiWM7QdazAWda1zvAq4SbZObZqHSDbWLi62iFdblVea6SK9eyBIVp5yHhKt/yNQdR7Q== - dependencies: - "@types/node" "*" - "@types/tapable" "^1" - "@types/uglify-js" "*" - "@types/webpack-sources" "*" - anymatch "^3.0.0" - source-map "^0.6.0" - -"@types/webpack@^4.41.26", "@types/webpack@^4.41.8": +"@types/webpack@^4.4.31", "@types/webpack@^4.41.26", "@types/webpack@^4.41.8": version "4.41.30" resolved "https://registry.yarnpkg.com/@types/webpack/-/webpack-4.41.30.tgz#fd3db6d0d41e145a8eeeafcd3c4a7ccde9068ddc" integrity sha512-GUHyY+pfuQ6haAfzu4S14F+R5iGRwN6b2FRNJY7U0NilmFAqbsOfK6j1HwuLBAqwRIT+pVdNDJGJ6e8rpp0KHA== @@ -3714,91 +3270,91 @@ source-map "^0.6.0" "@types/yargs-parser@*": - version "20.2.0" - resolved "https://registry.yarnpkg.com/@types/yargs-parser/-/yargs-parser-20.2.0.tgz#dd3e6699ba3237f0348cd085e4698780204842f9" - integrity sha512-37RSHht+gzzgYeobbG+KWryeAW8J33Nhr69cjTqSYymXVZEN9NbRYWoYlRtDhHKPVT1FyNKwaTPC1NynKZpzRA== + version "20.2.1" + resolved "https://registry.yarnpkg.com/@types/yargs-parser/-/yargs-parser-20.2.1.tgz#3b9ce2489919d9e4fea439b76916abc34b2df129" + integrity sha512-7tFImggNeNBVMsn0vLrpn1H1uPrUBdnARPTpZoitY37ZrdJREzf7I16tMrlK3hen349gr1NYh8CmZQa7CTG6Aw== "@types/yargs@^15.0.0": - version "15.0.13" - resolved "https://registry.yarnpkg.com/@types/yargs/-/yargs-15.0.13.tgz#34f7fec8b389d7f3c1fd08026a5763e072d3c6dc" - integrity sha512-kQ5JNTrbDv3Rp5X2n/iUu37IJBDU2gsZ5R/g1/KHOOEc5IKfUFjXT6DENPGduh08I/pamwtEq4oul7gUqKTQDQ== + version "15.0.14" + resolved "https://registry.yarnpkg.com/@types/yargs/-/yargs-15.0.14.tgz#26d821ddb89e70492160b66d10a0eb6df8f6fb06" + integrity sha512-yEJzHoxf6SyQGhBhIYGXQDSCkJjB6HohDShto7m8vaKg9Yp0Yn8+71J9eakh2bnPg6BfsH9PRMhiRTZnd4eXGQ== dependencies: "@types/yargs-parser" "*" "@types/yauzl@^2.9.1": - version "2.9.1" - resolved "https://registry.yarnpkg.com/@types/yauzl/-/yauzl-2.9.1.tgz#d10f69f9f522eef3cf98e30afb684a1e1ec923af" - integrity sha512-A1b8SU4D10uoPjwb0lnHmmu8wZhR9d+9o2PKBQT2jU5YPTKsxac6M2qGAdY7VcL+dHHhARVUDmeg0rOrcd9EjA== + version "2.9.2" + resolved "https://registry.yarnpkg.com/@types/yauzl/-/yauzl-2.9.2.tgz#c48e5d56aff1444409e39fa164b0b4d4552a7b7a" + integrity sha512-8uALY5LTvSuHgloDVUvWP3pIauILm+8/0pDMokuDYIoNsOkSwd5AiHBTSEJjKTDcZr5z8UpgOWZkxBF4iJftoA== dependencies: "@types/node" "*" "@typescript-eslint/eslint-plugin@^4.15.0": - version "4.28.1" - resolved "https://registry.yarnpkg.com/@typescript-eslint/eslint-plugin/-/eslint-plugin-4.28.1.tgz#c045e440196ae45464e08e20c38aff5c3a825947" - integrity sha512-9yfcNpDaNGQ6/LQOX/KhUFTR1sCKH+PBr234k6hI9XJ0VP5UqGxap0AnNwBnWFk1MNyWBylJH9ZkzBXC+5akZQ== + version "4.29.1" + resolved "https://registry.yarnpkg.com/@typescript-eslint/eslint-plugin/-/eslint-plugin-4.29.1.tgz#808d206e2278e809292b5de752a91105da85860b" + integrity sha512-AHqIU+SqZZgBEiWOrtN94ldR3ZUABV5dUG94j8Nms9rQnHFc8fvDOue/58K4CFz6r8OtDDc35Pw9NQPWo0Ayrw== dependencies: - "@typescript-eslint/experimental-utils" "4.28.1" - "@typescript-eslint/scope-manager" "4.28.1" + "@typescript-eslint/experimental-utils" "4.29.1" + "@typescript-eslint/scope-manager" "4.29.1" debug "^4.3.1" functional-red-black-tree "^1.0.1" regexpp "^3.1.0" semver "^7.3.5" tsutils "^3.21.0" -"@typescript-eslint/experimental-utils@4.28.1", "@typescript-eslint/experimental-utils@^4.0.1": - version "4.28.1" - resolved "https://registry.yarnpkg.com/@typescript-eslint/experimental-utils/-/experimental-utils-4.28.1.tgz#3869489dcca3c18523c46018b8996e15948dbadc" - integrity sha512-n8/ggadrZ+uyrfrSEchx3jgODdmcx7MzVM2sI3cTpI/YlfSm0+9HEUaWw3aQn2urL2KYlWYMDgn45iLfjDYB+Q== +"@typescript-eslint/experimental-utils@4.29.1", "@typescript-eslint/experimental-utils@^4.0.1": + version "4.29.1" + resolved "https://registry.yarnpkg.com/@typescript-eslint/experimental-utils/-/experimental-utils-4.29.1.tgz#0af2b17b0296b60c6b207f11062119fa9c5a8994" + integrity sha512-kl6QG6qpzZthfd2bzPNSJB2YcZpNOrP6r9jueXupcZHnL74WiuSjaft7WSu17J9+ae9zTlk0KJMXPUj0daBxMw== dependencies: "@types/json-schema" "^7.0.7" - "@typescript-eslint/scope-manager" "4.28.1" - "@typescript-eslint/types" "4.28.1" - "@typescript-eslint/typescript-estree" "4.28.1" + "@typescript-eslint/scope-manager" "4.29.1" + "@typescript-eslint/types" "4.29.1" + "@typescript-eslint/typescript-estree" "4.29.1" eslint-scope "^5.1.1" eslint-utils "^3.0.0" "@typescript-eslint/parser@^4.15.0": - version "4.28.1" - resolved "https://registry.yarnpkg.com/@typescript-eslint/parser/-/parser-4.28.1.tgz#5181b81658414f47291452c15bf6cd44a32f85bd" - integrity sha512-UjrMsgnhQIIK82hXGaD+MCN8IfORS1CbMdu7VlZbYa8LCZtbZjJA26De4IPQB7XYZbL8gJ99KWNj0l6WD0guJg== + version "4.29.1" + resolved "https://registry.yarnpkg.com/@typescript-eslint/parser/-/parser-4.29.1.tgz#17dfbb45c9032ffa0fe15881d20fbc2a4bdeb02d" + integrity sha512-3fL5iN20hzX3Q4OkG7QEPFjZV2qsVGiDhEwwh+EkmE/w7oteiOvUNzmpu5eSwGJX/anCryONltJ3WDmAzAoCMg== dependencies: - "@typescript-eslint/scope-manager" "4.28.1" - "@typescript-eslint/types" "4.28.1" - "@typescript-eslint/typescript-estree" "4.28.1" + "@typescript-eslint/scope-manager" "4.29.1" + "@typescript-eslint/types" "4.29.1" + "@typescript-eslint/typescript-estree" "4.29.1" debug "^4.3.1" -"@typescript-eslint/scope-manager@4.28.1": - version "4.28.1" - resolved "https://registry.yarnpkg.com/@typescript-eslint/scope-manager/-/scope-manager-4.28.1.tgz#fd3c20627cdc12933f6d98b386940d8d0ce8a991" - integrity sha512-o95bvGKfss6705x7jFGDyS7trAORTy57lwJ+VsYwil/lOUxKQ9tA7Suuq+ciMhJc/1qPwB3XE2DKh9wubW8YYA== +"@typescript-eslint/scope-manager@4.29.1": + version "4.29.1" + resolved "https://registry.yarnpkg.com/@typescript-eslint/scope-manager/-/scope-manager-4.29.1.tgz#f25da25bc6512812efa2ce5ebd36619d68e61358" + integrity sha512-Hzv/uZOa9zrD/W5mftZa54Jd5Fed3tL6b4HeaOpwVSabJK8CJ+2MkDasnX/XK4rqP5ZTWngK1ZDeCi6EnxPQ7A== dependencies: - "@typescript-eslint/types" "4.28.1" - "@typescript-eslint/visitor-keys" "4.28.1" + "@typescript-eslint/types" "4.29.1" + "@typescript-eslint/visitor-keys" "4.29.1" -"@typescript-eslint/types@4.28.1": - version "4.28.1" - resolved "https://registry.yarnpkg.com/@typescript-eslint/types/-/types-4.28.1.tgz#d0f2ecbef3684634db357b9bbfc97b94b828f83f" - integrity sha512-4z+knEihcyX7blAGi7O3Fm3O6YRCP+r56NJFMNGsmtdw+NCdpG5SgNz427LS9nQkRVTswZLhz484hakQwB8RRg== +"@typescript-eslint/types@4.29.1": + version "4.29.1" + resolved "https://registry.yarnpkg.com/@typescript-eslint/types/-/types-4.29.1.tgz#94cce6cf7cc83451df03339cda99d326be2feaf5" + integrity sha512-Jj2yu78IRfw4nlaLtKjVaGaxh/6FhofmQ/j8v3NXmAiKafbIqtAPnKYrf0sbGjKdj0hS316J8WhnGnErbJ4RCA== -"@typescript-eslint/typescript-estree@4.28.1": - version "4.28.1" - resolved "https://registry.yarnpkg.com/@typescript-eslint/typescript-estree/-/typescript-estree-4.28.1.tgz#af882ae41740d1f268e38b4d0fad21e7e8d86a81" - integrity sha512-GhKxmC4sHXxHGJv8e8egAZeTZ6HI4mLU6S7FUzvFOtsk7ZIDN1ksA9r9DyOgNqowA9yAtZXV0Uiap61bIO81FQ== +"@typescript-eslint/typescript-estree@4.29.1": + version "4.29.1" + resolved "https://registry.yarnpkg.com/@typescript-eslint/typescript-estree/-/typescript-estree-4.29.1.tgz#7b32a25ff8e51f2671ccc6b26cdbee3b1e6c5e7f" + integrity sha512-lIkkrR9E4lwZkzPiRDNq0xdC3f2iVCUjw/7WPJ4S2Sl6C3nRWkeE1YXCQ0+KsiaQRbpY16jNaokdWnm9aUIsfw== dependencies: - "@typescript-eslint/types" "4.28.1" - "@typescript-eslint/visitor-keys" "4.28.1" + "@typescript-eslint/types" "4.29.1" + "@typescript-eslint/visitor-keys" "4.29.1" debug "^4.3.1" globby "^11.0.3" is-glob "^4.0.1" semver "^7.3.5" tsutils "^3.21.0" -"@typescript-eslint/visitor-keys@4.28.1": - version "4.28.1" - resolved "https://registry.yarnpkg.com/@typescript-eslint/visitor-keys/-/visitor-keys-4.28.1.tgz#162a515ee255f18a6068edc26df793cdc1ec9157" - integrity sha512-K4HMrdFqr9PFquPu178SaSb92CaWe2yErXyPumc8cYWxFmhgJsNY9eSePmO05j0JhBvf2Cdhptd6E6Yv9HVHcg== +"@typescript-eslint/visitor-keys@4.29.1": + version "4.29.1" + resolved "https://registry.yarnpkg.com/@typescript-eslint/visitor-keys/-/visitor-keys-4.29.1.tgz#0615be8b55721f5e854f3ee99f1a714f2d093e5d" + integrity sha512-zLqtjMoXvgdZY/PG6gqA73V8BjqPs4af1v2kiiETBObp+uC6gRYnJLmJHxC0QyUrrHDLJPIWNYxoBV3wbcRlag== dependencies: - "@typescript-eslint/types" "4.28.1" + "@typescript-eslint/types" "4.29.1" eslint-visitor-keys "^2.0.0" "@webassemblyjs/ast@1.11.1": @@ -4985,9 +4541,9 @@ acorn-import-assertions@^1.7.6: integrity sha512-FlVvVFA1TX6l3lp8VjDnYYq7R1nyW6x3svAt4nDgrWQ9SBaSh9CnbwgSUTasgfNfOG5HlM1ehugCvM+hjo56LA== acorn-jsx@^5.3.1: - version "5.3.1" - resolved "https://registry.yarnpkg.com/acorn-jsx/-/acorn-jsx-5.3.1.tgz#fc8661e11b7ac1539c47dbfea2e72b3af34d267b" - integrity sha512-K0Ptm/47OKfQRpNQ2J/oIN/3QYiK6FwW+eJbILhsdxh2WTLdl+30o8aGdTbm5JbffpFFAg/g+zi1E+jvJha5ng== + version "5.3.2" + resolved "https://registry.yarnpkg.com/acorn-jsx/-/acorn-jsx-5.3.2.tgz#7ed5bb55908b3b2f1bc55c6af1653bada7f07937" + integrity sha512-rq9s+JNhf0IChjtDXxllJ7g41oZk5SlXtp0LHwyA5cejwn7vKmKp4pPri6YEePv2PU65sAsegbXtIinmDFDXgQ== acorn-walk@^7.1.1, acorn-walk@^7.2.0: version "7.2.0" @@ -5082,7 +4638,7 @@ ajv-keywords@^3.1.0, ajv-keywords@^3.4.1, ajv-keywords@^3.5.2: resolved "https://registry.yarnpkg.com/ajv-keywords/-/ajv-keywords-3.5.2.tgz#31f29da5ab6e00d1c2d329acf7b5929614d5014d" integrity sha512-5p6WTN0DdTGVQk6VjcEju19IgaHudalcfabD7yhDGeA6bcQnmL+CpveLJq/3hvfwd1aof6L386Ougkx6RfyMIQ== -ajv@^6.1.0, ajv@^6.10.0, ajv@^6.10.2, ajv@^6.12.2, ajv@^6.12.3, ajv@^6.12.4, ajv@^6.12.5: +ajv@^6.1.0, ajv@^6.10.0, ajv@^6.10.2, ajv@^6.12.2, ajv@^6.12.3, ajv@^6.12.4, ajv@^6.12.5, ajv@^6.12.6: version "6.12.6" resolved "https://registry.yarnpkg.com/ajv/-/ajv-6.12.6.tgz#baf5a62e802b07d977034586f8c3baf5adf26df4" integrity sha512-j3fVLgvTo527anyYyJOGTYJbG+vnnQYvE0m5mmkc1TK+nxAppkCLMIL0aZ4dblVCNoGShhm+kzE4ZUykBoMg4g== @@ -5093,9 +4649,9 @@ ajv@^6.1.0, ajv@^6.10.0, ajv@^6.10.2, ajv@^6.12.2, ajv@^6.12.3, ajv@^6.12.4, ajv uri-js "^4.2.2" ajv@^8.0.1: - version "8.6.0" - resolved "https://registry.yarnpkg.com/ajv/-/ajv-8.6.0.tgz#60cc45d9c46a477d80d92c48076d972c342e5720" - integrity sha512-cnUG4NSBiM4YFBxgZIj/In3/6KX+rQ2l2YPRVcvAMQGWEPKuXoPIhxzwqh31jA3IPbI4qEOp/5ILI4ynioXsGQ== + version "8.6.2" + resolved "https://registry.yarnpkg.com/ajv/-/ajv-8.6.2.tgz#2fb45e0e5fcbc0813326c1c3da535d1881bb0571" + integrity sha512-9807RlWAgT564wT+DjeyU5OFMPjmzxVobvDFmNAhY+5zD6A2ly3jDp6sgnfyDtlIQ+7H97oc/DGCzzfu9rjw9w== dependencies: fast-deep-equal "^3.1.1" json-schema-traverse "^1.0.0" @@ -5425,12 +4981,12 @@ atob@^2.1.2: integrity sha512-Wm6ukoaOGJi/73p/cl2GvLjTI5JM1k/O14isD73YML8StrH/7/lRFgmg8nICZgD3bZZvjwCGxtMOD3wWNAu8cg== autoprefixer@^10.2.5: - version "10.2.6" - resolved "https://registry.yarnpkg.com/autoprefixer/-/autoprefixer-10.2.6.tgz#aadd9ec34e1c98d403e01950038049f0eb252949" - integrity sha512-8lChSmdU6dCNMCQopIf4Pe5kipkAGj/fvTMslCsih0uHpOrXOPUEVOmYMMqmw3cekQkSD7EhIeuYl5y0BLdKqg== + version "10.3.1" + resolved "https://registry.yarnpkg.com/autoprefixer/-/autoprefixer-10.3.1.tgz#954214821d3aa06692406c6a0a9e9d401eafbed2" + integrity sha512-L8AmtKzdiRyYg7BUXJTzigmhbQRCXFKz6SA1Lqo0+AR2FBbQ4aTAPFSDlOutnFkjhiz8my4agGXog1xlMjPJ6A== dependencies: browserslist "^4.16.6" - caniuse-lite "^1.0.30001230" + caniuse-lite "^1.0.30001243" colorette "^1.2.2" fraction.js "^4.1.1" normalize-range "^0.1.2" @@ -5465,9 +5021,9 @@ aws4@^1.8.0: integrity sha512-xh1Rl34h6Fi1DC2WWKfxUTVqRsNnr6LsKz2+hfwDxQJWmrx8+c7ylaqBMcHfl1U1r2dsifOvKX3LQuLNZ+XSvA== axe-core@^4.0.2: - version "4.2.3" - resolved "https://registry.yarnpkg.com/axe-core/-/axe-core-4.2.3.tgz#2a3afc332f0031b42f602f4a3de03c211ca98f72" - integrity sha512-pXnVMfJKSIWU2Ml4JHP7pZEPIrgBO1Fd3WGx+fPBsS+KRGhE4vxooD8XBGWbQOIVSZsVK7pUDBBkCicNu80yzQ== + version "4.3.2" + resolved "https://registry.yarnpkg.com/axe-core/-/axe-core-4.3.2.tgz#fcf8777b82c62cfc69c7e9f32c0d2226287680e7" + integrity sha512-5LMaDRWm8ZFPAEdzTYmgjjEdj1YnQcpfrVajO/sn/LhbpGp0Y0H64c2hLZI1gRMxfA+w1S71Uc/nHaOXgcCvGg== axobject-query@^2.2.0: version "2.2.0" @@ -5622,9 +5178,9 @@ babel-plugin-polyfill-corejs3@^0.1.0: core-js-compat "^3.8.1" babel-plugin-polyfill-corejs3@^0.2.2: - version "0.2.3" - resolved "https://registry.yarnpkg.com/babel-plugin-polyfill-corejs3/-/babel-plugin-polyfill-corejs3-0.2.3.tgz#72add68cf08a8bf139ba6e6dfc0b1d504098e57b" - integrity sha512-rCOFzEIJpJEAU14XCcV/erIf/wZQMmMT5l5vXOpL5uoznyOGfDIjPj6FVytMvtzaKSTSVKouOCTPJ5OMUZH30g== + version "0.2.4" + resolved "https://registry.yarnpkg.com/babel-plugin-polyfill-corejs3/-/babel-plugin-polyfill-corejs3-0.2.4.tgz#68cb81316b0e8d9d721a92e0009ec6ecd4cd2ca9" + integrity sha512-z3HnJE5TY/j4EFEa/qpQMSbcUJZ5JQi+3UFjXzn6pQCmIKc5Ug5j98SuYyH+m4xQnvKlMDIW4plLfgyVnd0IcQ== dependencies: "@babel/helper-define-polyfill-provider" "^0.2.2" core-js-compat "^3.14.0" @@ -5960,18 +5516,7 @@ browserslist@4.14.2: escalade "^3.0.2" node-releases "^1.1.61" -browserslist@^4.12.0, browserslist@^4.14.5, browserslist@^4.16.6: - version "4.16.6" - resolved "https://registry.yarnpkg.com/browserslist/-/browserslist-4.16.6.tgz#d7901277a5a88e554ed305b183ec9b0c08f66fa2" - integrity sha512-Wspk/PqO+4W9qp5iUTJsa1B/QrYn1keNCcEP5OvP7WBwT4KaDly0uONYmC6Xa3Z5IqnUgS0KcgLYu1l74x0ZXQ== - dependencies: - caniuse-lite "^1.0.30001219" - colorette "^1.2.2" - electron-to-chromium "^1.3.723" - escalade "^3.1.1" - node-releases "^1.1.71" - -browserslist@^4.16.7: +browserslist@^4.12.0, browserslist@^4.14.5, browserslist@^4.16.6, browserslist@^4.16.7: version "4.16.7" resolved "https://registry.yarnpkg.com/browserslist/-/browserslist-4.16.7.tgz#108b0d1ef33c4af1b587c54f390e7041178e4335" integrity sha512-7I4qVwqZltJ7j37wObBe3SoTz+nS8APaNcrBOlgoirb6/HbEU2XxW/LpUDTCngM6iauwFqmRTuOMfyKnFGY5JA== @@ -5995,9 +5540,9 @@ buffer-crc32@~0.2.3: integrity sha1-DTM+PwDqxQqhRUq9MO+MKl2ackI= buffer-from@^1.0.0: - version "1.1.1" - resolved "https://registry.yarnpkg.com/buffer-from/-/buffer-from-1.1.1.tgz#32713bc028f75c02fdb710d7c7bcec1f2c6070ef" - integrity sha512-MQcXEUbCKtEo7bhqEs6560Hyd4XaovZlO/k9V3hjVUF/zwW7KBVdSK4gIt/bzwS9MbR5qob+F5jusZsb0YQK2A== + version "1.1.2" + resolved "https://registry.yarnpkg.com/buffer-from/-/buffer-from-1.1.2.tgz#2b146a6fd72e80b4f55d255f35ed59a3a9a41bd5" + integrity sha512-E+XQCRwSbaaiChtv6k6Dwgc+bx+Bs6vuKJHHl5kox/BaKbhiXzqQOwK4cO22yElGp2OCmjwVhT3HmxgyPGnJfQ== buffer-xor@^1.0.3: version "1.0.3" @@ -6042,9 +5587,9 @@ bytes@3.1.0: integrity sha512-zauLjrfCG+xvoyaqLoV8bLVXXNGC4JqlxFCutSDWA6fJrTo2ZuvLYTqZ7aHBLZSMOopbzwv8f+wZcVzfVTI2Dg== c8@^7.6.0: - version "7.7.3" - resolved "https://registry.yarnpkg.com/c8/-/c8-7.7.3.tgz#5af8f83b55dace03b353375e7a2ba85e2c13b17f" - integrity sha512-ZyA7n3w8i4ETV25tVYMHwJxCSnaOf/LfA8vOcuZOPbonuQfD7tBT/gMWZy7eczRpCDuHcvMXwoqAemg6R0p3+A== + version "7.8.0" + resolved "https://registry.yarnpkg.com/c8/-/c8-7.8.0.tgz#8fcfe848587d9d5796f22e9b0546a387a66d1b3b" + integrity sha512-x2Bx+IIEd608B1LmjiNQ/kizRPkCWo5XzuV57J9afPjAHSnYXALwbCSOkQ7cSaNXBNblfqcvdycj+klmL+j6yA== dependencies: "@bcoe/v8-coverage" "^0.2.3" "@istanbuljs/schema" "^0.1.2" @@ -6204,17 +5749,7 @@ camelcase@^6.0.0, camelcase@^6.2.0: resolved "https://registry.yarnpkg.com/camelcase/-/camelcase-6.2.0.tgz#924af881c9d525ac9d87f40d964e5cea982a1809" integrity sha512-c7wVvbw3f37nuobQNtgsgG9POC9qMbNuMQmTCqZv23b6MIz0fcYpBiOlv9gEN/hdLdnZTDQhg6e9Dq5M1vKvfg== -caniuse-lite@^1.0.30001109, caniuse-lite@^1.0.30001219, caniuse-lite@^1.0.30001230: - version "1.0.30001241" - resolved "https://registry.yarnpkg.com/caniuse-lite/-/caniuse-lite-1.0.30001241.tgz#cd3fae47eb3d7691692b406568d7a3e5b23c7598" - integrity sha512-1uoSZ1Pq1VpH0WerIMqwptXHNNGfdl7d1cJUFs80CwQ/lVzdhTvsFZCeNFslze7AjsQnb4C85tzclPa1VShbeQ== - -caniuse-lite@^1.0.30001125: - version "1.0.30001245" - resolved "https://registry.yarnpkg.com/caniuse-lite/-/caniuse-lite-1.0.30001245.tgz#45b941bbd833cb0fa53861ff2bae746b3c6ca5d4" - integrity sha512-768fM9j1PKXpOCKws6eTo3RHmvTUsG9UrpT4WoREFeZgJBTi4/X9g565azS/rVUGtqb8nt7FjLeF5u4kukERnA== - -caniuse-lite@^1.0.30001248: +caniuse-lite@^1.0.30001109, caniuse-lite@^1.0.30001125, caniuse-lite@^1.0.30001243, caniuse-lite@^1.0.30001248: version "1.0.30001249" resolved "https://registry.yarnpkg.com/caniuse-lite/-/caniuse-lite-1.0.30001249.tgz#90a330057f8ff75bfe97a94d047d5e14fabb2ee8" integrity sha512-vcX4U8lwVXPdqzPWi6cAJ3FnQaqXbBqy/GZseKNQzRj37J7qZdGcBtxq/QLFNLLlfsoXLUdHw8Iwenri86Tagw== @@ -6250,7 +5785,7 @@ chalk@2.4.2, chalk@^2.0.0, chalk@^2.4.1, chalk@^2.4.2: escape-string-regexp "^1.0.5" supports-color "^5.3.0" -chalk@4.1.2: +chalk@4.1.2, chalk@^4.0.0, chalk@^4.1.0, chalk@^4.1.1: version "4.1.2" resolved "https://registry.yarnpkg.com/chalk/-/chalk-4.1.2.tgz#aac4e2b7734a740867aeb16bf02aad556a1e7a01" integrity sha512-oKnbhFyRIXpUuez8iBMmyEa4nbj4IOQyuhc/wy9kY7/WVPcwIO9VA668Pu8RkO7+0G76SLROeyw9CpQ061i4mA== @@ -6266,14 +5801,6 @@ chalk@^3.0.0: ansi-styles "^4.1.0" supports-color "^7.1.0" -chalk@^4.0.0, chalk@^4.1.0, chalk@^4.1.1: - version "4.1.1" - resolved "https://registry.yarnpkg.com/chalk/-/chalk-4.1.1.tgz#c80b3fab28bf6371e6863325eee67e618b77e6ad" - integrity sha512-diHzdDKxcU+bAsUboHLPEDQiw0qEe0qd7SYUn3HgcFlWgbDcfLGswOHYeGrHKzG9z6UYf01d9VFMfZxPM1xZSg== - dependencies: - ansi-styles "^4.1.0" - supports-color "^7.1.0" - char-regex@^1.0.2: version "1.0.2" resolved "https://registry.yarnpkg.com/char-regex/-/char-regex-1.0.2.tgz#d744358226217f981ed58f479b1d6bcc29545dcf" @@ -6611,9 +6138,9 @@ color-name@~1.1.4: integrity sha512-dOy+3AuW3a2wNbZHIuMZpTcgjGuLU/uBL/ubcZF9OXbDo8ff4O8yVp5Bf0efS8uEoYo5q4Fx7dY9OgQGXgAsQA== colorette@^1.2.1, colorette@^1.2.2: - version "1.2.2" - resolved "https://registry.yarnpkg.com/colorette/-/colorette-1.2.2.tgz#cbcc79d5e99caea2dbf10eb3a26fd8b3e6acfa94" - integrity sha512-MKGMzyfeuutC/ZJ1cba9NqcNpfeqMUcYmyF1ZFY6/Cn7CNSAKx6a+s48sqLqyAiZuaP2TcqMhoo+dlwFnVxT9w== + version "1.3.0" + resolved "https://registry.yarnpkg.com/colorette/-/colorette-1.3.0.tgz#ff45d2f0edb244069d3b772adeb04fed38d0a0af" + integrity sha512-ecORCqbSFP7Wm8Y6lyqMJjexBQqXSF7SSeaTyGGphogUjBlFP9m9o08wy86HL2uB7fMTxtOUzLMk7ogKcxMg1w== colors@^1.1.2: version "1.4.0" @@ -6667,12 +6194,12 @@ commander@~7.1.0: resolved "https://registry.yarnpkg.com/commander/-/commander-7.1.0.tgz#f2eaecf131f10e36e07d894698226e36ae0eb5ff" integrity sha512-pRxBna3MJe6HKnBGsDyMv8ETbptw3axEdYHoqNh7gu5oDcew8fs0xnivZGm06Ogk8zGAJ9VX+OPEr2GXEQK4dg== -comment-parser@1.1.5, comment-parser@^1.1.5: +comment-parser@1.1.5: version "1.1.5" resolved "https://registry.yarnpkg.com/comment-parser/-/comment-parser-1.1.5.tgz#453627ef8f67dbcec44e79a9bd5baa37f0bce9b2" integrity sha512-RePCE4leIhBlmrqiYTvaqEeGYg7qpSl4etaIabKtdOQVi+mSTIBBklGUwIr79GXYnl3LpMwmDw4KeR2stNc6FA== -comment-parser@1.2.3: +comment-parser@1.2.3, comment-parser@^1.1.5: version "1.2.3" resolved "https://registry.yarnpkg.com/comment-parser/-/comment-parser-1.2.3.tgz#303a7eb99c9b2632efd594e183ccbd32042caf69" integrity sha512-vnqDwBSXSsdAkGS5NjwMIPelE47q+UkEgWKHvCDNhVIIaQSUFY6sNnEYGzdoPGMdpV+7KR3ZkRd7oyWIjtuvJg== @@ -6822,15 +6349,7 @@ copy-to-clipboard@^3.3.1: dependencies: toggle-selection "^1.0.6" -core-js-compat@^3.14.0, core-js-compat@^3.15.0: - version "3.15.1" - resolved "https://registry.yarnpkg.com/core-js-compat/-/core-js-compat-3.15.1.tgz#1afe233716d37ee021956ef097594071b2b585a7" - integrity sha512-xGhzYMX6y7oEGQGAJmP2TmtBLvR4nZmRGEcFa3ubHOq5YEp51gGN9AovVa0AoujGZIq+Wm6dISiYyGNfdflYww== - dependencies: - browserslist "^4.16.6" - semver "7.0.0" - -core-js-compat@^3.16.0: +core-js-compat@^3.14.0, core-js-compat@^3.16.0, core-js-compat@^3.8.1: version "3.16.1" resolved "https://registry.yarnpkg.com/core-js-compat/-/core-js-compat-3.16.1.tgz#c44b7caa2dcb94b673a98f27eee1c8312f55bc2d" integrity sha512-NHXQXvRbd4nxp9TEmooTJLUf94ySUG6+DSsscBpTftN1lQLQ4LjnWvc7AoIo4UjDsFF3hB8Uh5LLCRRdaiT5MQ== @@ -6838,38 +6357,20 @@ core-js-compat@^3.16.0: browserslist "^4.16.7" semver "7.0.0" -core-js-compat@^3.8.1: - version "3.15.2" - resolved "https://registry.yarnpkg.com/core-js-compat/-/core-js-compat-3.15.2.tgz#47272fbb479880de14b4e6081f71f3492f5bd3cb" - integrity sha512-Wp+BJVvwopjI+A1EFqm2dwUmWYXrvucmtIB2LgXn/Rb+gWPKYxtmb4GKHGKG/KGF1eK9jfjzT38DITbTOCX/SQ== - dependencies: - browserslist "^4.16.6" - semver "7.0.0" - -core-js-pure@^3.15.0: - version "3.15.1" - resolved "https://registry.yarnpkg.com/core-js-pure/-/core-js-pure-3.15.1.tgz#8356f6576fa2aa8e54ca6fe02620968ff010eed7" - integrity sha512-OZuWHDlYcIda8sJLY4Ec6nWq2hRjlyCqCZ+jCflyleMkVt3tPedDVErvHslyS2nbO+SlBFMSBJYvtLMwxnrzjA== - -core-js-pure@^3.8.2: - version "3.15.2" - resolved "https://registry.yarnpkg.com/core-js-pure/-/core-js-pure-3.15.2.tgz#c8e0874822705f3385d3197af9348f7c9ae2e3ce" - integrity sha512-D42L7RYh1J2grW8ttxoY1+17Y4wXZeKe7uyplAI3FkNQyI5OgBIAjUfFiTPfL1rs0qLpxaabITNbjKl1Sp82tA== +core-js-pure@^3.16.0, core-js-pure@^3.8.2: + version "3.16.1" + resolved "https://registry.yarnpkg.com/core-js-pure/-/core-js-pure-3.16.1.tgz#b997df2669c957a5b29f06e95813a171f993592e" + integrity sha512-TyofCdMzx0KMhi84mVRS8rL1XsRk2SPUNz2azmth53iRN0/08Uim9fdhQTaZTG1LqaXHYVci4RDHka6WrXfnvg== core-js@^2.6.5: version "2.6.12" resolved "https://registry.yarnpkg.com/core-js/-/core-js-2.6.12.tgz#d9333dfa7b065e347cc5682219d6f690859cc2ec" integrity sha512-Kb2wC0fvsWfQrgk8HU5lW6U/Lcs8+9aaYcy4ZFc6DDlo4nZ7n70dEgE5rtR0oG6ufKDUnrwfWL1mXR5ljDatrQ== -core-js@^3.0.4, core-js@^3.6.5, core-js@^3.8.2: - version "3.15.2" - resolved "https://registry.yarnpkg.com/core-js/-/core-js-3.15.2.tgz#740660d2ff55ef34ce664d7e2455119c5bdd3d61" - integrity sha512-tKs41J7NJVuaya8DxIOCnl8QuPHx5/ZVbFo1oKgVl1qHFBBrDctzQGtuLjPpRdNTWmKPH6oEvgN/MUID+l485Q== - -core-js@^3.12.1: - version "3.15.1" - resolved "https://registry.yarnpkg.com/core-js/-/core-js-3.15.1.tgz#6c08ab88abdf56545045ccf5fd81f47f407e7f1a" - integrity sha512-h8VbZYnc9pDzueiS2610IULDkpFFPunHwIpl8yRwFahAEEdSpHlTy3h3z3rKq5h11CaUdBEeRViu9AYvbxiMeg== +core-js@^3.0.4, core-js@^3.12.1, core-js@^3.6.5, core-js@^3.8.2: + version "3.16.1" + resolved "https://registry.yarnpkg.com/core-js/-/core-js-3.16.1.tgz#f4485ce5c9f3c6a7cb18fa80488e08d362097249" + integrity sha512-AAkP8i35EbefU+JddyWi12AWE9f2N/qr/pwnDtWz4nyUIBGMJPX99ANFFRSw6FefM374lDujdtLDyhN2A/btHw== core-util-is@1.0.2, core-util-is@~1.0.0: version "1.0.2" @@ -7032,7 +6533,7 @@ css-loader@^3.6.0: schema-utils "^2.7.0" semver "^6.3.0" -css-loader@^5.0.1: +css-loader@^5.0.1, css-loader@^5.1.3: version "5.2.7" resolved "https://registry.yarnpkg.com/css-loader/-/css-loader-5.2.7.tgz#9b9f111edf6fb2be5dc62525644cbc9c232064ae" integrity sha512-Q7mOvpBNBG7YrVGMxRxcBJZFL75o+cH2abNASdibkj/fffYD8qWbInZrD0S9ccI6vZclF3DsHE7njGlLtaHbhg== @@ -7048,22 +6549,6 @@ css-loader@^5.0.1: schema-utils "^3.0.0" semver "^7.3.5" -css-loader@^5.1.3: - version "5.2.6" - resolved "https://registry.yarnpkg.com/css-loader/-/css-loader-5.2.6.tgz#c3c82ab77fea1f360e587d871a6811f4450cc8d1" - integrity sha512-0wyN5vXMQZu6BvjbrPdUJvkCzGEO24HC7IS7nW4llc6BBFC+zwR9CKtYGv63Puzsg10L/o12inMY5/2ByzfD6w== - dependencies: - icss-utils "^5.1.0" - loader-utils "^2.0.0" - postcss "^8.2.15" - postcss-modules-extract-imports "^3.0.0" - postcss-modules-local-by-default "^4.0.0" - postcss-modules-scope "^3.0.0" - postcss-modules-values "^4.0.0" - postcss-value-parser "^4.1.0" - schema-utils "^3.0.0" - semver "^7.3.5" - css-loader@^6.2.0: version "6.2.0" resolved "https://registry.yarnpkg.com/css-loader/-/css-loader-6.2.0.tgz#9663d9443841de957a3cb9bcea2eda65b3377071" @@ -7215,20 +6700,20 @@ debug@2.6.9, debug@^2.2.0, debug@^2.3.3, debug@^2.6.0, debug@^2.6.9: dependencies: ms "2.0.0" -debug@4, debug@4.3.1, debug@^4.0.0, debug@^4.0.1, debug@^4.1.0, debug@^4.1.1, debug@^4.3.1: - version "4.3.1" - resolved "https://registry.yarnpkg.com/debug/-/debug-4.3.1.tgz#f0d229c505e0c6d8c49ac553d1b13dc183f6b2ee" - integrity sha512-doEwdvm4PCeK4K3RQN2ZC2BYUBaxwLARCqZmMjtF8a51J2Rb0xpVloFRnCODwqjpwnAoao4pelN8l3RJdv3gRQ== - dependencies: - ms "2.1.2" - -debug@4.3.2, debug@^4.3.2: +debug@4, debug@4.3.2, debug@^4.0.0, debug@^4.0.1, debug@^4.1.0, debug@^4.1.1, debug@^4.3.1, debug@^4.3.2: version "4.3.2" resolved "https://registry.yarnpkg.com/debug/-/debug-4.3.2.tgz#f0a49c18ac8779e31d4a0c6029dfb76873c7428b" integrity sha512-mOp8wKcvj7XxC78zLgw/ZA+6TSgkoE2C/ienthhRD298T7UNwAg9diBpLRxC0mOezLl4B0xV7M0cCO6P/O0Xhw== dependencies: ms "2.1.2" +debug@4.3.1: + version "4.3.1" + resolved "https://registry.yarnpkg.com/debug/-/debug-4.3.1.tgz#f0d229c505e0c6d8c49ac553d1b13dc183f6b2ee" + integrity sha512-doEwdvm4PCeK4K3RQN2ZC2BYUBaxwLARCqZmMjtF8a51J2Rb0xpVloFRnCODwqjpwnAoao4pelN8l3RJdv3gRQ== + dependencies: + ms "2.1.2" + debug@^3.0.0, debug@^3.1.0, debug@^3.1.1, debug@^3.2.7: version "3.2.7" resolved "https://registry.yarnpkg.com/debug/-/debug-3.2.7.tgz#72580b7e9145fb39b6676f9c5e5fb100b934179a" @@ -7663,14 +7148,15 @@ dotenv@^8.0.0, dotenv@^8.2.0: integrity sha512-IrPdXQsk2BbzvCBGBOTmmSH5SodmqZNt4ERAZDmW4CT+tL8VtvinqywuANaFu4bOMWki16nqf0e4oC0QIaDr/g== downshift@^6.0.15: - version "6.1.3" - resolved "https://registry.yarnpkg.com/downshift/-/downshift-6.1.3.tgz#e794b7805d24810968f21e81ad6bdd9f3fdc40da" - integrity sha512-RA1MuaNcTbt0j+sVLhSs8R2oZbBXYAtdQP/V+uHhT3DoDteZzJPjlC+LQVm9T07Wpvo84QXaZtUCePLDTDwGXg== + version "6.1.7" + resolved "https://registry.yarnpkg.com/downshift/-/downshift-6.1.7.tgz#fdb4c4e4f1d11587985cd76e21e8b4b3fa72e44c" + integrity sha512-cVprZg/9Lvj/uhYRxELzlu1aezRcgPWBjTvspiGTVEU64gF5pRdSRKFVLcxqsZC637cLAGMbL40JavEfWnqgNg== dependencies: - "@babel/runtime" "^7.13.10" + "@babel/runtime" "^7.14.8" compute-scroll-into-view "^1.0.17" prop-types "^15.7.2" react-is "^17.0.2" + tslib "^2.3.0" duplexer3@^0.1.4: version "0.1.4" @@ -7705,20 +7191,10 @@ ee-first@1.1.1: resolved "https://registry.yarnpkg.com/ee-first/-/ee-first-1.1.1.tgz#590c61156b0ae2f4f0255732a158b266bc56b21d" integrity sha1-WQxhFWsK4vTwJVcyoViyZrxWsh0= -electron-to-chromium@^1.3.564: - version "1.3.778" - resolved "https://registry.yarnpkg.com/electron-to-chromium/-/electron-to-chromium-1.3.778.tgz#bf01048736c95b78f2988e88005e0ebb385942a4" - integrity sha512-Lw04qJaPtWdq0d7qKHJTgkam+FhFi3hm/scf1EyqJWdjO3ZIGUJhNmZJRXWb7yb/bRYXQyVGSpa9RqVpjjWMQw== - -electron-to-chromium@^1.3.723: - version "1.3.760" - resolved "https://registry.yarnpkg.com/electron-to-chromium/-/electron-to-chromium-1.3.760.tgz#cf19c9ae9ff23c0ac6bb289e3b71c09b7c3f8de1" - integrity sha512-XPKwjX6pHezJWB4FLVuSil9gGmU6XYl27ahUwEHODXF4KjCEB8RuIT05MkU1au2Tdye57o49yY0uCMK+bwUt+A== - -electron-to-chromium@^1.3.793: - version "1.3.801" - resolved "https://registry.yarnpkg.com/electron-to-chromium/-/electron-to-chromium-1.3.801.tgz#f41c588e408ad1a4f794f91f38aa94a89c492f51" - integrity sha512-xapG8ekC+IAHtJrGBMQSImNuN+dm+zl7UP1YbhvTkwQn8zf/yYuoxfTSAEiJ9VDD+kjvXaAhNDPSxJ+VImtAJA== +electron-to-chromium@^1.3.564, electron-to-chromium@^1.3.793: + version "1.3.802" + resolved "https://registry.yarnpkg.com/electron-to-chromium/-/electron-to-chromium-1.3.802.tgz#0afa989321de3e904ac653ee79e0d642883731a1" + integrity sha512-dXB0SGSypfm3iEDxrb5n/IVKeX4uuTnFHdve7v+yKJqNpEP0D4mjFJ8e1znmSR+OOVlVC+kDO6f2kAkTFXvJBg== element-resize-detector@^1.2.2: version "1.2.3" @@ -7930,9 +7406,9 @@ error@^7.0.0: string-template "~0.2.1" es-abstract@^1.17.0-next.0, es-abstract@^1.17.2, es-abstract@^1.17.4, es-abstract@^1.18.0, es-abstract@^1.18.0-next.1, es-abstract@^1.18.0-next.2, es-abstract@^1.18.2: - version "1.18.3" - resolved "https://registry.yarnpkg.com/es-abstract/-/es-abstract-1.18.3.tgz#25c4c3380a27aa203c44b2b685bba94da31b63e0" - integrity sha512-nQIr12dxV7SSxE6r6f1l3DtAeEYdsGpps13dR0TwJg1S8gyp4ZPgy3FZcHBgbiQqnoqSTb+oC+kO4UQ0C/J8vw== + version "1.18.5" + resolved "https://registry.yarnpkg.com/es-abstract/-/es-abstract-1.18.5.tgz#9b10de7d4c206a3581fd5b2124233e04db49ae19" + integrity sha512-DDggyJLoS91CkJjgauM5c0yZMjiD1uK3KcaCeAmffGwZ+ODWzOkPN4QwRbsK5DOFf06fywmyLci3ZD8jLGhVYA== dependencies: call-bind "^1.0.2" es-to-primitive "^1.2.1" @@ -7940,11 +7416,12 @@ es-abstract@^1.17.0-next.0, es-abstract@^1.17.2, es-abstract@^1.17.4, es-abstrac get-intrinsic "^1.1.1" has "^1.0.3" has-symbols "^1.0.2" + internal-slot "^1.0.3" is-callable "^1.2.3" is-negative-zero "^2.0.1" is-regex "^1.1.3" is-string "^1.0.6" - object-inspect "^1.10.3" + object-inspect "^1.11.0" object-keys "^1.1.1" object.assign "^4.1.2" string.prototype.trimend "^1.0.4" @@ -8048,33 +7525,33 @@ eslint-config-wpcalypso@^6.1.0: dependencies: eslint-plugin-react-hooks "^4.0.5" -eslint-import-resolver-node@^0.3.4: - version "0.3.4" - resolved "https://registry.yarnpkg.com/eslint-import-resolver-node/-/eslint-import-resolver-node-0.3.4.tgz#85ffa81942c25012d8231096ddf679c03042c717" - integrity sha512-ogtf+5AB/O+nM6DIeBUNr2fuT7ot9Qg/1harBfBtaP13ekEWFQEEMP94BCB7zaNW3gyY+8SHYF00rnqYwXKWOA== +eslint-import-resolver-node@^0.3.5: + version "0.3.5" + resolved "https://registry.yarnpkg.com/eslint-import-resolver-node/-/eslint-import-resolver-node-0.3.5.tgz#939bbb0f74e179e757ca87f7a4a890dabed18ac4" + integrity sha512-XMoPKjSpXbkeJ7ZZ9icLnJMTY5Mc1kZbCakHquaFsXPpyWOwK0TK6CODO+0ca54UoM9LKOxyUNnoVZRl8TeaAg== dependencies: - debug "^2.6.9" - resolve "^1.13.1" + debug "^3.2.7" + resolve "^1.20.0" -eslint-module-utils@^2.6.1: - version "2.6.1" - resolved "https://registry.yarnpkg.com/eslint-module-utils/-/eslint-module-utils-2.6.1.tgz#b51be1e473dd0de1c5ea638e22429c2490ea8233" - integrity sha512-ZXI9B8cxAJIH4nfkhTwcRTEAnrVfobYqwjWy/QMCZ8rHkZHFjf9yO4BzpiF9kCSfNlMG54eKigISHpX0+AaT4A== +eslint-module-utils@^2.6.2: + version "2.6.2" + resolved "https://registry.yarnpkg.com/eslint-module-utils/-/eslint-module-utils-2.6.2.tgz#94e5540dd15fe1522e8ffa3ec8db3b7fa7e7a534" + integrity sha512-QG8pcgThYOuqxupd06oYTZoNOGaUdTY1PqK+oS6ElF6vs4pBdk/aYxFVQQXzcrAqp9m7cl7lb2ubazX+g16k2Q== dependencies: debug "^3.2.7" pkg-dir "^2.0.0" eslint-plugin-import@^2.23.4: - version "2.23.4" - resolved "https://registry.yarnpkg.com/eslint-plugin-import/-/eslint-plugin-import-2.23.4.tgz#8dceb1ed6b73e46e50ec9a5bb2411b645e7d3d97" - integrity sha512-6/wP8zZRsnQFiR3iaPFgh5ImVRM1WN5NUWfTIRqwOdeiGJlBcSk82o1FEVq8yXmy4lkIzTo7YhHCIxlU/2HyEQ== + version "2.24.0" + resolved "https://registry.yarnpkg.com/eslint-plugin-import/-/eslint-plugin-import-2.24.0.tgz#697ffd263e24da5e84e03b282f5fb62251777177" + integrity sha512-Kc6xqT9hiYi2cgybOc0I2vC9OgAYga5o/rAFinam/yF/t5uBqxQbauNPMC6fgb640T/89P0gFoO27FOilJ/Cqg== dependencies: array-includes "^3.1.3" array.prototype.flat "^1.2.4" debug "^2.6.9" doctrine "^2.1.0" - eslint-import-resolver-node "^0.3.4" - eslint-module-utils "^2.6.1" + eslint-import-resolver-node "^0.3.5" + eslint-module-utils "^2.6.2" find-up "^2.0.0" has "^1.0.3" is-core-module "^2.4.0" @@ -8092,14 +7569,7 @@ eslint-plugin-inclusive-language@^2.1.1: dependencies: humps "^2.0.1" -eslint-plugin-jest@^24.1.3: - version "24.3.6" - resolved "https://registry.yarnpkg.com/eslint-plugin-jest/-/eslint-plugin-jest-24.3.6.tgz#5f0ca019183c3188c5ad3af8e80b41de6c8e9173" - integrity sha512-WOVH4TIaBLIeCX576rLcOgjNXqP+jNlCiEmRgFTfQtJ52DpwnIQKAVGlGPAN7CZ33bW6eNfHD6s8ZbEUTQubJg== - dependencies: - "@typescript-eslint/experimental-utils" "^4.0.1" - -eslint-plugin-jest@^24.4.0: +eslint-plugin-jest@^24.1.3, eslint-plugin-jest@^24.4.0: version "24.4.0" resolved "https://registry.yarnpkg.com/eslint-plugin-jest/-/eslint-plugin-jest-24.4.0.tgz#fa4b614dbd46a98b652d830377971f097bda9262" integrity sha512-8qnt/hgtZ94E9dA6viqfViKBfkJwFHXgJmTWlMGDgunw1XJEGqm3eiPjDsTanM3/u/3Az82nyQM9GX7PM/QGmg== @@ -8122,9 +7592,9 @@ eslint-plugin-jsdoc@^34.1.0: spdx-expression-parse "^3.0.1" eslint-plugin-jsdoc@^36.0.6: - version "36.0.6" - resolved "https://registry.yarnpkg.com/eslint-plugin-jsdoc/-/eslint-plugin-jsdoc-36.0.6.tgz#b42af59fe92b57f86e789a7dff661b0cb4d41e61" - integrity sha512-vOm27rI2SMfi1bOAYmzzGkanMCD/boquKwvN5ECi8EF9ASsXJwlnCzYtiOYpsDpbC2+6JXEHAmWMkqYNA3BWRw== + version "36.0.7" + resolved "https://registry.yarnpkg.com/eslint-plugin-jsdoc/-/eslint-plugin-jsdoc-36.0.7.tgz#6e6f9897fc2ff3b3934b09c2748b998bc03d2bf6" + integrity sha512-x73l/WCRQ1qCjLq46Ca7csuGd5o3y3vbJIa3cktg11tdf3UZleBdIXKN9Cf0xjs3tXYPEy2SoNXowT8ydnjNDQ== dependencies: "@es-joy/jsdoccomment" "0.10.7" comment-parser "1.2.3" @@ -8235,52 +7705,7 @@ eslint-visitor-keys@^2.0.0: resolved "https://registry.yarnpkg.com/eslint-visitor-keys/-/eslint-visitor-keys-2.1.0.tgz#f65328259305927392c938ed44eb0a5c9b2bd303" integrity sha512-0rSmRBzXgDzIsD6mGdJgevzgezI534Cer5L/vyMX0kHzT/jiB43jRhd9YUlMGYLQy2zprNmoT8qasCGtY+QaKw== -eslint@^7.17.0: - version "7.29.0" - resolved "https://registry.yarnpkg.com/eslint/-/eslint-7.29.0.tgz#ee2a7648f2e729485e4d0bd6383ec1deabc8b3c0" - integrity sha512-82G/JToB9qIy/ArBzIWG9xvvwL3R86AlCjtGw+A29OMZDqhTybz/MByORSukGxeI+YPCR4coYyITKk8BFH9nDA== - dependencies: - "@babel/code-frame" "7.12.11" - "@eslint/eslintrc" "^0.4.2" - ajv "^6.10.0" - chalk "^4.0.0" - cross-spawn "^7.0.2" - debug "^4.0.1" - doctrine "^3.0.0" - enquirer "^2.3.5" - escape-string-regexp "^4.0.0" - eslint-scope "^5.1.1" - eslint-utils "^2.1.0" - eslint-visitor-keys "^2.0.0" - espree "^7.3.1" - esquery "^1.4.0" - esutils "^2.0.2" - fast-deep-equal "^3.1.3" - file-entry-cache "^6.0.1" - functional-red-black-tree "^1.0.1" - glob-parent "^5.1.2" - globals "^13.6.0" - ignore "^4.0.6" - import-fresh "^3.0.0" - imurmurhash "^0.1.4" - is-glob "^4.0.0" - js-yaml "^3.13.1" - json-stable-stringify-without-jsonify "^1.0.1" - levn "^0.4.1" - lodash.merge "^4.6.2" - minimatch "^3.0.4" - natural-compare "^1.4.0" - optionator "^0.9.1" - progress "^2.0.0" - regexpp "^3.1.0" - semver "^7.2.1" - strip-ansi "^6.0.0" - strip-json-comments "^3.1.0" - table "^6.0.9" - text-table "^0.2.0" - v8-compile-cache "^2.0.3" - -eslint@^7.31.0: +eslint@^7.17.0, eslint@^7.31.0: version "7.32.0" resolved "https://registry.yarnpkg.com/eslint/-/eslint-7.32.0.tgz#c6d328a14be3fb08c8d1d21e12c02fdb7a2a812d" integrity sha512-VHZ8gX+EDfz+97jGcgyGCyRia/dPOd6Xh9yPv8Bl1+SoaIwD+a/vlrOmGRUyOYu7MwUhc7CxqeaDZU13S4+EpA== @@ -8628,9 +8053,9 @@ fast-glob@^2.2.6: micromatch "^3.1.10" fast-glob@^3.1.1, fast-glob@^3.2.5: - version "3.2.6" - resolved "https://registry.yarnpkg.com/fast-glob/-/fast-glob-3.2.6.tgz#434dd9529845176ea049acc9343e8282765c6e1a" - integrity sha512-GnLuqj/pvQ7pX8/L4J84nijv6sAnlwvSDpMkJi9i7nPmPxGtRPkBSStfvDW5l6nMdX9VWe+pkKWFTgD+vF2QSQ== + version "3.2.7" + resolved "https://registry.yarnpkg.com/fast-glob/-/fast-glob-3.2.7.tgz#fd6cb7a2d7e9aa7a7846111e85a196d6b2f766a1" + integrity sha512-rYGMRwip6lUMvYD3BTScMwT1HtAs2d71SMv66Vrxs0IekGZEjhM0pcMfjQPnknBt2zeCwQMEupiN02ZP4DiT1Q== dependencies: "@nodelib/fs.stat" "^2.0.2" "@nodelib/fs.walk" "^1.2.3" @@ -8664,9 +8089,9 @@ fastest-levenshtein@^1.0.12: integrity sha512-On2N+BpYJ15xIC974QNVuYGMOlEVt4s0EOI3wwMqOmK1fdDY+FN/zltPV8vosq4ad4c/gJ1KHScUn/6AWIgiow== fastq@^1.6.0: - version "1.11.0" - resolved "https://registry.yarnpkg.com/fastq/-/fastq-1.11.0.tgz#bb9fb955a07130a918eb63c1f5161cc32a5d0858" - integrity sha512-7Eczs8gIPDrVzT+EksYBcupqMyxSHXXrHOLRRxU2/DicV8789MRBRR8+Hc2uWzUupOs4YS4JzBmBxjjCVBxD/g== + version "1.11.1" + resolved "https://registry.yarnpkg.com/fastq/-/fastq-1.11.1.tgz#5d8175aae17db61947f8b162cfc7f63264d22807" + integrity sha512-HOnr8Mc60eNYl1gzwp6r5RoUyAn5/glBolUzP/Ez6IFVPMPirxn/9phgL6zhOtaTy7ISwPvQ+wT+hfcRZh/bzw== dependencies: reusify "^1.0.4" @@ -8907,9 +8332,9 @@ flat@^5.0.2: integrity sha512-b6suED+5/3rTpUBdG1gupIl8MPFCAMA0QXwmljLhvCUKcUvdE4gWky9zpuGCcXHOsz4J9wPGNWq6OKpmIzz3hQ== flatted@^3.1.0: - version "3.1.1" - resolved "https://registry.yarnpkg.com/flatted/-/flatted-3.1.1.tgz#c4b489e80096d9df1dfc97c79871aea7c617c469" - integrity sha512-zAoAQiudy+r5SvnSw3KJy5os/oRJYHzrzja/tBDqrZtNhUw8bt6y8OBzMWcjWr+8liV8Eb6yOhw8WZ7VFZ5ZzA== + version "3.2.2" + resolved "https://registry.yarnpkg.com/flatted/-/flatted-3.2.2.tgz#64bfed5cb68fe3ca78b3eb214ad97b63bedce561" + integrity sha512-JaTY/wtrcSyvXJl4IMFHPKyFur1sE9AUqc0QnhOaJ0CxHtAoIV8pYDzeEfAaNEtGkOfq4gr3LBFmdXW5mOQFnA== flush-write-stream@^1.0.0: version "1.1.1" @@ -8963,9 +8388,9 @@ fork-ts-checker-webpack-plugin@4.1.6, fork-ts-checker-webpack-plugin@^4.1.6: worker-rpc "^0.1.0" fork-ts-checker-webpack-plugin@^6.0.4: - version "6.2.12" - resolved "https://registry.yarnpkg.com/fork-ts-checker-webpack-plugin/-/fork-ts-checker-webpack-plugin-6.2.12.tgz#b715297e39a77f31242d01a135a88d18c10d82ea" - integrity sha512-BzXGIfM47q1WFwXsNLl22dQVMFwSBgldL07lvqRJFxgrhT76QQ3nri5PX01Rxfa2RYvv/hqACULO8K5gT8fFuA== + version "6.3.2" + resolved "https://registry.yarnpkg.com/fork-ts-checker-webpack-plugin/-/fork-ts-checker-webpack-plugin-6.3.2.tgz#96555f9f05c1cf44af3aef7db632489a3b6ff085" + integrity sha512-L3n1lrV20pRa7ocAuM2YW4Ux1yHM8+dV4shqPdHf1xoeG5KQhp3o0YySvNsBKBISQOCN4N2Db9DV4xYN6xXwyQ== dependencies: "@babel/code-frame" "^7.8.3" "@types/json-schema" "^7.0.5" @@ -9232,12 +8657,12 @@ gettext-parser@^1.3.1: safe-buffer "^5.1.1" git-up@^4.0.0: - version "4.0.2" - resolved "https://registry.yarnpkg.com/git-up/-/git-up-4.0.2.tgz#10c3d731051b366dc19d3df454bfca3f77913a7c" - integrity sha512-kbuvus1dWQB2sSW4cbfTeGpCMd8ge9jx9RKnhXhuJ7tnvT+NIrTVfYZxjtflZddQYcmdOTlkAcjmx7bor+15AQ== + version "4.0.5" + resolved "https://registry.yarnpkg.com/git-up/-/git-up-4.0.5.tgz#e7bb70981a37ea2fb8fe049669800a1f9a01d759" + integrity sha512-YUvVDg/vX3d0syBsk/CKUTib0srcQME0JyHkL5BaYdwLsiCslPWmDSi8PUMo9pXYjrryMcmsCoCgsTpSCJEQaA== dependencies: is-ssh "^1.3.0" - parse-url "^5.0.0" + parse-url "^6.0.0" git-url-parse@11.5.0: version "11.5.0" @@ -9402,9 +8827,9 @@ globals@^12.0.0: type-fest "^0.8.1" globals@^13.6.0, globals@^13.9.0: - version "13.9.0" - resolved "https://registry.yarnpkg.com/globals/-/globals-13.9.0.tgz#4bf2bf635b334a173fb1daf7c5e6b218ecdc06cb" - integrity sha512-74/FduwI/JaIrr1H8e71UbDE+5x7pIPs1C2rrwC52SszOo043CsWOZEMW7o2Y58xwm9b+0RBKDxY5n2sUpEFxA== + version "13.10.0" + resolved "https://registry.yarnpkg.com/globals/-/globals-13.10.0.tgz#60ba56c3ac2ca845cfbf4faeca727ad9dd204676" + integrity sha512-piHC3blgLGFjvOuMmWZX60f+na1lXFDhQXBf1UYp2fXPXqvEUbOhNwi6BsQ0bQishwedgnjkwv1d9zKf+MWw3g== dependencies: type-fest "^0.20.2" @@ -9427,7 +8852,7 @@ globby@11.0.1: merge2 "^1.3.0" slash "^3.0.0" -globby@11.0.4, globby@^11.0.0, globby@^11.0.2, globby@^11.0.3: +globby@11.0.4, globby@^11.0.2, globby@^11.0.3, globby@^11.0.4: version "11.0.4" resolved "https://registry.yarnpkg.com/globby/-/globby-11.0.4.tgz#2cbaff77c2f2a62e71e9b2813a67b97a3a3001a5" integrity sha512-9O4MVG9ioZJ08ffbcyVYyLOJLk5JQ688pJ4eMGLpdWLHq/Wr1D9BlriLQyL0E+jbkuePVZXYFj47QM/v093wHg== @@ -9518,9 +8943,9 @@ got@^9.6.0: url-parse-lax "^3.0.0" graceful-fs@^4.1.11, graceful-fs@^4.1.15, graceful-fs@^4.1.2, graceful-fs@^4.1.6, graceful-fs@^4.1.9, graceful-fs@^4.2.0, graceful-fs@^4.2.4: - version "4.2.6" - resolved "https://registry.yarnpkg.com/graceful-fs/-/graceful-fs-4.2.6.tgz#ff040b2b0853b23c3d31027523706f1885d76bee" - integrity sha512-nTnJ528pbqxYanhpDYsi4Rd8MAeaBA67+RZ10CM1m3bTAVFEDcd5AuA4a6W5YkGZ1iNXHzZz8T6TBKLeBuNriQ== + version "4.2.8" + resolved "https://registry.yarnpkg.com/graceful-fs/-/graceful-fs-4.2.8.tgz#e412b8d33f5e006593cbd3cee6df9f2cebbe802a" + integrity sha512-qkIilPUYcNhJpd33n0GBXTB1MMPp14TxEsEs0pTrsSVucApsYzW5V+Q8Qxhik6KU3evy+qkAAowTByymK0avdg== gradient-parser@^0.1.5: version "0.1.5" @@ -9597,6 +9022,13 @@ has-symbols@^1.0.1, has-symbols@^1.0.2: resolved "https://registry.yarnpkg.com/has-symbols/-/has-symbols-1.0.2.tgz#165d3070c00309752a1236a479331e3ac56f1423" integrity sha512-chXa79rL/UC2KlX17jo3vRGz0azaWEx5tGqZg5pO3NUyEJVB17dMruQlzCCOfUvElghKcm5194+BCRvi2Rv/Gw== +has-tostringtag@^1.0.0: + version "1.0.0" + resolved "https://registry.yarnpkg.com/has-tostringtag/-/has-tostringtag-1.0.0.tgz#7e133818a7d394734f941e73c3d3f9291e658b25" + integrity sha512-kFjcSNhnlGV1kyoGk7OXKSawH5JOb/LzUc5w9B02hOTO0dfFRjbHQKvg1d6cf3HbeUmtU9VbbV3qzZ2Teh97WQ== + dependencies: + has-symbols "^1.0.2" + has-unicode@^2.0.0: version "2.0.1" resolved "https://registry.yarnpkg.com/has-unicode/-/has-unicode-2.0.1.tgz#e0e6fe6a28cf51138855e086d1691e771de2a8b9" @@ -10218,11 +9650,12 @@ is-alphanumerical@^1.0.0: is-decimal "^1.0.0" is-arguments@^1.1.0: - version "1.1.0" - resolved "https://registry.yarnpkg.com/is-arguments/-/is-arguments-1.1.0.tgz#62353031dfbee07ceb34656a6bde59efecae8dd9" - integrity sha512-1Ij4lOMPl/xB5kBDn7I+b2ttPMKa8szhEIrXDuXQD/oe3HJLTLhqhgGspwgyGd6MOywBUqVvYicF72lkgDnIHg== + version "1.1.1" + resolved "https://registry.yarnpkg.com/is-arguments/-/is-arguments-1.1.1.tgz#15b3f88fda01f2a97fec84ca761a560f123efa9b" + integrity sha512-8Q7EARjzEnKpt/PCD7e1cgUS0a6X8u5tdSiMqXhojOdoV9TsMsiO+9VLC5vAmO8N7/GmXn7yjR8qnA6bVAEzfA== dependencies: - call-bind "^1.0.0" + call-bind "^1.0.2" + has-tostringtag "^1.0.0" is-arrayish@^0.2.1: version "0.2.1" @@ -10230,9 +9663,9 @@ is-arrayish@^0.2.1: integrity sha1-d8mYQFJ6qOyxqLppe4BkWnqSap0= is-bigint@^1.0.1: - version "1.0.2" - resolved "https://registry.yarnpkg.com/is-bigint/-/is-bigint-1.0.2.tgz#ffb381442503235ad245ea89e45b3dbff040ee5a" - integrity sha512-0JV5+SOCQkIdzjBK9buARcV804Ddu7A0Qet6sHi3FimE9ne6m4BGQZfRn+NZiXbBk4F4XmHfDZIipLj9pX8dSA== + version "1.0.3" + resolved "https://registry.yarnpkg.com/is-bigint/-/is-bigint-1.0.3.tgz#fc9d9e364210480675653ddaea0518528d49a581" + integrity sha512-ZU538ajmYJmzysE5yU4Y7uIrPQ2j704u+hXFiIPQExpqzzUbpe5jCPdTfmz7jXRxZdvjY3KZ3ZNenoXQovX+Dg== is-binary-path@^1.0.0: version "1.0.1" @@ -10249,11 +9682,12 @@ is-binary-path@~2.1.0: binary-extensions "^2.0.0" is-boolean-object@^1.0.1, is-boolean-object@^1.1.0: - version "1.1.1" - resolved "https://registry.yarnpkg.com/is-boolean-object/-/is-boolean-object-1.1.1.tgz#3c0878f035cb821228d350d2e1e36719716a3de8" - integrity sha512-bXdQWkECBUIAcCkeH1unwJLIpZYaa5VvuygSyS/c2lf719mTKZDU5UdDRlpd01UjADgmW8RfqaP+mRaVPdr/Ng== + version "1.1.2" + resolved "https://registry.yarnpkg.com/is-boolean-object/-/is-boolean-object-1.1.2.tgz#5c6dc200246dd9321ae4b885a114bb1f75f63719" + integrity sha512-gDYaKHJmnj4aWxyj6YHyXVpdQawtVLHU5cb+eztPGczf6cjuTdwve5ZIEfgXqH4e57An1D1AKf8CZ3kYrQRqYA== dependencies: call-bind "^1.0.2" + has-tostringtag "^1.0.0" is-buffer@^1.0.2, is-buffer@^1.1.5: version "1.1.6" @@ -10266,9 +9700,9 @@ is-buffer@^2.0.0: integrity sha512-i2R6zNFDwgEHJyQUtJEk0XFi1i0dPFn/oqjK3/vPCcDeJvW5NQ83V8QbicfF1SupOaB0h8ntgBC2YiE7dfyctQ== is-callable@^1.1.4, is-callable@^1.1.5, is-callable@^1.2.3: - version "1.2.3" - resolved "https://registry.yarnpkg.com/is-callable/-/is-callable-1.2.3.tgz#8b1e0500b73a1d76c70487636f368e519de8db8e" - integrity sha512-J1DcMe8UYTBSrKezuIUTUwjXsho29693unXM2YhJUTR2txK/eG47bvNa/wipPFmZFgr/N6f1GA66dv0mEyTIyQ== + version "1.2.4" + resolved "https://registry.yarnpkg.com/is-callable/-/is-callable-1.2.4.tgz#47301d58dd0259407865547853df6d61fe471945" + integrity sha512-nsuwtxZfMX67Oryl9LCQ+upnC0Z0BgpwntpS89m1H/TLF0zNfzfLMV/9Wa/6MZsj0acpEjAO0KF1xT6ZdLl95w== is-ci@3.0.0: version "3.0.0" @@ -10285,9 +9719,9 @@ is-ci@^2.0.0: ci-info "^2.0.0" is-core-module@^2.2.0, is-core-module@^2.4.0: - version "2.4.0" - resolved "https://registry.yarnpkg.com/is-core-module/-/is-core-module-2.4.0.tgz#8e9fc8e15027b011418026e98f0e6f4d86305cc1" - integrity sha512-6A2fkfq1rfeQZjxrZJGerpLCTHRNEBiSgnu0+obeJpEPZRUooHgsizvzv0ZjJwOz3iWIHdJtVWJ/tmPr3D21/A== + version "2.5.0" + resolved "https://registry.yarnpkg.com/is-core-module/-/is-core-module-2.5.0.tgz#f754843617c70bfd29b7bd87327400cda5c18491" + integrity sha512-TXCMSDsEHMEEZ6eCA8rwRDbLu55MRGmrctljsBX/2v1d9/GzqHOxW5c5oPSgrUt2vBFXebu9rGqckXGPWOlYpg== dependencies: has "^1.0.3" @@ -10306,9 +9740,11 @@ is-data-descriptor@^1.0.0: kind-of "^6.0.0" is-date-object@^1.0.1: - version "1.0.4" - resolved "https://registry.yarnpkg.com/is-date-object/-/is-date-object-1.0.4.tgz#550cfcc03afada05eea3dd30981c7b09551f73e5" - integrity sha512-/b4ZVsG7Z5XVtIxs/h9W8nvfLgSAyKYdtGWQLbqy6jA1icmgjf8WCoTKgeS4wy5tYaPePouzFMANbnj94c2Z+A== + version "1.0.5" + resolved "https://registry.yarnpkg.com/is-date-object/-/is-date-object-1.0.5.tgz#0841d5536e724c25597bf6ea62e1bd38298df31f" + integrity sha512-9YQaSxsAiSwcvS33MBk3wTCVnWK+HhF8VZR2jRxehM16QcVOdHqPn4VPHmRK4lSr38n9JriurInLcP90xsYNfQ== + dependencies: + has-tostringtag "^1.0.0" is-decimal@^1.0.0: version "1.0.4" @@ -10450,9 +9886,11 @@ is-npm@^5.0.0: integrity sha512-WW/rQLOazUq+ST/bCAVBp/2oMERWLsR7OrKyt052dNDk4DHcDE0/7QSXITlmi+VBcV13DfIbysG3tZJm5RfdBA== is-number-object@^1.0.4: - version "1.0.5" - resolved "https://registry.yarnpkg.com/is-number-object/-/is-number-object-1.0.5.tgz#6edfaeed7950cff19afedce9fbfca9ee6dd289eb" - integrity sha512-RU0lI/n95pMoUKu9v1BZP5MBcZuNSVJkMkAG2dJqC4z2GlkGUNeH68SuHuBKBD/XFe+LHZ+f9BKkLET60Niedw== + version "1.0.6" + resolved "https://registry.yarnpkg.com/is-number-object/-/is-number-object-1.0.6.tgz#6a7aaf838c7f0686a50b4553f7e54a96494e89f0" + integrity sha512-bEVOqiRcvo3zO1+G2lVMy+gkkEm9Yh7cDMRusKKu5ZJKPUYSJwICTKZrNKHA2EbSP0Tu0+6B/emsYNHZyn6K8g== + dependencies: + has-tostringtag "^1.0.0" is-number@^3.0.0: version "3.0.0" @@ -10505,11 +9943,16 @@ is-plain-obj@^1.1.0: resolved "https://registry.yarnpkg.com/is-plain-obj/-/is-plain-obj-1.1.0.tgz#71a50c8429dfca773c92a390a4a03b39fcd51d3e" integrity sha1-caUMhCnfync8kqOQpKA7OfzVHT4= -is-plain-obj@^2.0.0, is-plain-obj@^2.1.0: +is-plain-obj@^2.0.0: version "2.1.0" resolved "https://registry.yarnpkg.com/is-plain-obj/-/is-plain-obj-2.1.0.tgz#45e42e37fccf1f40da8e5f76ee21515840c09287" integrity sha512-YWnfyRwxL/+SsrWYfOpUtz5b3YD+nyfkHvjbcanzk8zgyO4ASD67uVMRt8k5bM4lLMDnXfriRhOpemw+NfT1eA== +is-plain-obj@^3.0.0: + version "3.0.0" + resolved "https://registry.yarnpkg.com/is-plain-obj/-/is-plain-obj-3.0.0.tgz#af6f2ea14ac5a646183a5bbdb5baabbc156ad9d7" + integrity sha512-gwsOE28k+23GP1B6vFl1oVh/WOzmawBrKwo5Ev6wMKzPkaXaCDIQKzLnvsA42DRlbVTWorkgTKIviAKCWkfUwA== + is-plain-object@3.0.1: version "3.0.1" resolved "https://registry.yarnpkg.com/is-plain-object/-/is-plain-object-3.0.1.tgz#662d92d24c0aa4302407b0d45d21f2251c85f85b" @@ -10538,12 +9981,12 @@ is-promise@^4.0.0: integrity sha512-hvpoI6korhJMnej285dSg6nu1+e6uxs7zG3BYAm5byqDsgJNWwxzM6z6iZiAgQR4TJ30JmBTOwqZUw3WlyH3AQ== is-regex@^1.0.5, is-regex@^1.1.0, is-regex@^1.1.2, is-regex@^1.1.3: - version "1.1.3" - resolved "https://registry.yarnpkg.com/is-regex/-/is-regex-1.1.3.tgz#d029f9aff6448b93ebbe3f33dac71511fdcbef9f" - integrity sha512-qSVXFz28HM7y+IWX6vLCsexdlvzT1PJNFSBuaQLQ5o0IEw8UDYW6/2+eCMVyIsbM8CNLX2a/QWmSpyxYEHY7CQ== + version "1.1.4" + resolved "https://registry.yarnpkg.com/is-regex/-/is-regex-1.1.4.tgz#eef5663cd59fa4c0ae339505323df6854bb15958" + integrity sha512-kvRdxDsxZjhzUX07ZnLydzS1TU/TJlTUHHY4YLL87e37oUA49DfkLqgy+VjFocowy29cKvcSiu+kIv728jTTVg== dependencies: call-bind "^1.0.2" - has-symbols "^1.0.2" + has-tostringtag "^1.0.0" is-regexp@^2.0.0: version "2.1.0" @@ -10573,14 +10016,16 @@ is-stream@^1.1.0: integrity sha1-EtSj3U5o4Lec6428hBc66A2RykQ= is-stream@^2.0.0: - version "2.0.0" - resolved "https://registry.yarnpkg.com/is-stream/-/is-stream-2.0.0.tgz#bde9c32680d6fae04129d6ac9d921ce7815f78e3" - integrity sha512-XCoy+WlUr7d1+Z8GgSuXmpuUFC9fOhRXglJMx+dwLKTkL44Cjd4W1Z5P+BQZpr+cR93aGP4S/s7Ftw6Nd/kiEw== + version "2.0.1" + resolved "https://registry.yarnpkg.com/is-stream/-/is-stream-2.0.1.tgz#fac1e3d53b97ad5a9d0ae9cef2389f5810a5c077" + integrity sha512-hFoiJiTl63nn+kstHGBtewWSKnQLpyb155KHheA1l39uvtO9nWIop1p3udqPcUd/xbF1VLMO4n7OI6p7RbngDg== is-string@^1.0.5, is-string@^1.0.6: - version "1.0.6" - resolved "https://registry.yarnpkg.com/is-string/-/is-string-1.0.6.tgz#3fe5d5992fb0d93404f32584d4b0179a71b54a5f" - integrity sha512-2gdzbKUuqtQ3lYNrUTQYoClPhm7oQu4UdpSZMp1/DGgkHBT8E2Z1l0yMdb6D4zNAxwDiMv8MdulKROJGNl0Q0w== + version "1.0.7" + resolved "https://registry.yarnpkg.com/is-string/-/is-string-1.0.7.tgz#0dd12bf2006f255bb58f695110eff7491eebc0fd" + integrity sha512-tE2UXzivje6ofPW7l23cjDOMa09gb7xlAqG6jG5ej6uPV32TlWP3NKPigtaGeHNu9fohccRYvIiZMfOOnOYUtg== + dependencies: + has-tostringtag "^1.0.0" is-subset@^0.1.1: version "0.1.1" @@ -11215,9 +10660,9 @@ jsdoctypeparser@^9.0.0: integrity sha512-jrTA2jJIL6/DAEILBEh2/w9QxCuwmvNXIry39Ay/HVfhE3o2yVV0U44blYkqdHA/OKloJEqvJy0xU+GSdE2SIw== jsdom@^16.4.0: - version "16.6.0" - resolved "https://registry.yarnpkg.com/jsdom/-/jsdom-16.6.0.tgz#f79b3786682065492a3da6a60a4695da983805ac" - integrity sha512-Ty1vmF4NHJkolaEmdjtxTfSfkdb8Ywarwf63f+F8/mDD1uLSSWDxDuMiZxiPhwunLrn9LOSVItWj4bLYsLN3Dg== + version "16.7.0" + resolved "https://registry.yarnpkg.com/jsdom/-/jsdom-16.7.0.tgz#918ae71965424b197c819f8183a754e18977b710" + integrity sha512-u9Smc2G1USStM+s/x1ru5Sxrl6mPYCbByG1U/hUmqaVsm4tbNyS7CicOSRyuGQYZhTu0h84qkZZQ/I+dzizSVw== dependencies: abab "^2.0.5" acorn "^8.2.4" @@ -11244,7 +10689,7 @@ jsdom@^16.4.0: whatwg-encoding "^1.0.5" whatwg-mimetype "^2.3.0" whatwg-url "^8.5.0" - ws "^7.4.5" + ws "^7.4.6" xml-name-validator "^3.0.0" jsesc@^2.5.1: @@ -11314,14 +10759,14 @@ json5@^1.0.1: dependencies: minimist "^1.2.0" -json5@^2.1.2, json5@^2.1.3: +json5@^2.1.2, json5@^2.1.3, json5@^2.2.0: version "2.2.0" resolved "https://registry.yarnpkg.com/json5/-/json5-2.2.0.tgz#2dfefe720c6ba525d9ebd909950f0515316c89a3" integrity sha512-f+8cldu7X/y7RAJurMEJmdoKXGB/X550w2Nr3tTbezL6RwEE/iMcm+tZnXeoZtKuOq6ft8+CqzEkrIgx1fPoQA== dependencies: minimist "^1.2.5" -jsonc-parser@^2.2.1: +jsonc-parser@^2.3.1: version "2.3.1" resolved "https://registry.yarnpkg.com/jsonc-parser/-/jsonc-parser-2.3.1.tgz#59549150b133f2efacca48fe9ce1ec0659af2342" integrity sha512-H8jvkz1O50L3dMZCsLqiuB2tA7muqbSg1AtGEkN0leAqGjsUzDJir3Zwr02BhqdcITPg3ei3mZ+HjMocAknhhg== @@ -11663,7 +11108,7 @@ lodash@4.17.21, lodash@^4.1.1, lodash@^4.17.14, lodash@^4.17.15, lodash@^4.17.19 resolved "https://registry.yarnpkg.com/lodash/-/lodash-4.17.21.tgz#679591c564c3bffaae8454cf0b3df370c3d6911c" integrity sha512-v2kDEe57lecTulaDIuNTPy3Ry4gLGJ6Z1O3vE1krgXZNrsQ+LFTGHVxVjcXPs17LhbZVGedAJv8XZ1tvj5FvSg== -log-symbols@^4.0.0, log-symbols@^4.1.0: +log-symbols@^4.1.0: version "4.1.0" resolved "https://registry.yarnpkg.com/log-symbols/-/log-symbols-4.1.0.tgz#3fbdbb95b4683ac9fc785111e792e558d4abd503" integrity sha512-8XPvpAA8uyhfteu8pIvQxpJZ7SYYdpUivZpGy6sFsBuKRY/7rQGavedeB8aK+Zkyq6upMFVL/9AW6vOYzfRyLg== @@ -11995,7 +11440,7 @@ memory-fs@^0.5.0: errno "^0.1.3" readable-stream "^2.0.1" -meow@^6.1.0: +meow@^6.1.1: version "6.1.1" resolved "https://registry.yarnpkg.com/meow/-/meow-6.1.1.tgz#1ad64c4b76b2a24dfb2f635fddcadf320d251467" integrity sha512-3YffViIt2QWgTy6Pale5QpopX/IvU3LPL03jOTqp6pGj3VjesdO/U8CuHMKpnQr4shCNCM5fd5XFFvIIl6JBHg== @@ -12112,30 +11557,18 @@ miller-rabin@^4.0.0: bn.js "^4.0.0" brorand "^1.0.1" -mime-db@1.48.0, "mime-db@>= 1.43.0 < 2": - version "1.48.0" - resolved "https://registry.yarnpkg.com/mime-db/-/mime-db-1.48.0.tgz#e35b31045dd7eada3aaad537ed88a33afbef2d1d" - integrity sha512-FM3QwxV+TnZYQ2aRqhlKBMHxk10lTbMt3bBkMAp54ddrNeVSfcQYOOKuGuy3Ddrm38I04If834fOUSq1yzslJQ== - -mime-db@1.49.0: +mime-db@1.49.0, "mime-db@>= 1.43.0 < 2": version "1.49.0" resolved "https://registry.yarnpkg.com/mime-db/-/mime-db-1.49.0.tgz#f3dfde60c99e9cf3bc9701d687778f537001cbed" integrity sha512-CIc8j9URtOVApSFCQIF+VBkX1RwXp/oMMOrqdyXSBXq5RWNEsRfyj1kiRnQgmNXmHxPoFIxOroKA3zcU9P+nAA== -mime-types@2.1.32: +mime-types@2.1.32, mime-types@^2.1.12, mime-types@^2.1.27, mime-types@^2.1.30, mime-types@~2.1.19, mime-types@~2.1.24: version "2.1.32" resolved "https://registry.yarnpkg.com/mime-types/-/mime-types-2.1.32.tgz#1d00e89e7de7fe02008db61001d9e02852670fd5" integrity sha512-hJGaVS4G4c9TSMYh2n6SQAGrC4RnfU+daP8G7cSCmaqNjiOoUY0VHCMS42pxnQmVF1GWwFhbHWn3RIxCqTmZ9A== dependencies: mime-db "1.49.0" -mime-types@^2.1.12, mime-types@^2.1.27, mime-types@^2.1.30, mime-types@~2.1.19, mime-types@~2.1.24: - version "2.1.31" - resolved "https://registry.yarnpkg.com/mime-types/-/mime-types-2.1.31.tgz#a00d76b74317c61f9c2db2218b8e9f8e9c5c9e6b" - integrity sha512-XGZnNzm3QvgKxa8dpzyhFTHmpP3l5YNusmne07VUOXxou9CqUqYa/HBy124RqtVh/O2pECas/MOcsDgpilPOPg== - dependencies: - mime-db "1.48.0" - mime@1.6.0: version "1.6.0" resolved "https://registry.yarnpkg.com/mime/-/mime-1.6.0.tgz#32cd9e5c64553bd58d19a568af452acff04981b1" @@ -12365,9 +11798,9 @@ mute-stream@0.0.8: integrity sha512-nnbWWOkoWyUsTjKrhgD0dcz22mdkSnpYqbEjIm2nhwhuxlSkpywJmBo8h0ZqJdkp73mb90SssHkN4rsRaBAfAA== nan@^2.12.1: - version "2.14.2" - resolved "https://registry.yarnpkg.com/nan/-/nan-2.14.2.tgz#f5376400695168f4cc694ac9393d0c9585eeea19" - integrity sha512-M2ufzIiINKCuDfBSAUr1vWQ+vuVcA9kqx8JJUsbQi6yf1uGRyb7HfpdfUr5qLXf3B/t8dPvcjhKMmlfnP47EzQ== + version "2.15.0" + resolved "https://registry.yarnpkg.com/nan/-/nan-2.15.0.tgz#3f34a473ff18e15c1b5626b62903b5ad6e665fee" + integrity sha512-8ZtvEnA2c5aYCZYd1cvgdnU6cqwixRoYg70xPLWUws5ORTa/lnw+u4amixRS/Ac5U5mQVgp9pnlSUnbNWFaWZQ== nanoid@^3.1.23: version "3.1.23" @@ -12511,10 +11944,10 @@ node-notifier@^8.0.0: uuid "^8.3.0" which "^2.0.2" -node-releases@^1.1.61, node-releases@^1.1.71, node-releases@^1.1.73: - version "1.1.73" - resolved "https://registry.yarnpkg.com/node-releases/-/node-releases-1.1.73.tgz#dd4e81ddd5277ff846b80b52bb40c49edf7a7b20" - integrity sha512-uW7fodD6pyW2FZNZnp/Z3hvWKeEW1Y8R1+1CnErE8cXFXzl5blBOoVB41CvMer6P6Q0S5FXDwcHgFd1Wj0U9zg== +node-releases@^1.1.61, node-releases@^1.1.73: + version "1.1.74" + resolved "https://registry.yarnpkg.com/node-releases/-/node-releases-1.1.74.tgz#e5866488080ebaa70a93b91144ccde06f3c3463e" + integrity sha512-caJBVempXZPepZoZAPCWRTNxYQ+xtG/KAi4ozTA5A+nJ7IU+kLQCbqaUjb5Rwy14M9upBWiQ4NutcmW04LJSRw== normalize-package-data@^2.3.2, normalize-package-data@^2.5.0: version "2.5.0" @@ -12558,17 +11991,12 @@ normalize-selector@^0.2.0: resolved "https://registry.yarnpkg.com/normalize-selector/-/normalize-selector-0.2.0.tgz#d0b145eb691189c63a78d201dc4fdb1293ef0c03" integrity sha1-0LFF62kRicY6eNIB3E/bEpPvDAM= -normalize-url@4.5.0: - version "4.5.0" - resolved "https://registry.yarnpkg.com/normalize-url/-/normalize-url-4.5.0.tgz#453354087e6ca96957bd8f5baf753f5982142129" - integrity sha512-2s47yzUxdexf1OhyRi4Em83iQk0aPvwTddtFz4hnSSw9dCEsLEGf6SwIO8ss/19S9iBb5sJaOuTvTGDeZI00BQ== - normalize-url@^4.1.0: version "4.5.1" resolved "https://registry.yarnpkg.com/normalize-url/-/normalize-url-4.5.1.tgz#0dd90cf1288ee1d1313b87081c9a5932ee48518a" integrity sha512-9UZCFRHQdNrfTpGg8+1INIg93B6zE0aXMVFkw1WFwvO4SlZywU6aLg5Of0Ap/PgcbSw4LNxvMWXMeugwMCX0AA== -normalize-url@^6.0.1: +normalize-url@^6.0.1, normalize-url@^6.1.0: version "6.1.0" resolved "https://registry.yarnpkg.com/normalize-url/-/normalize-url-6.1.0.tgz#40d0885b535deffe3f3147bec877d05fe4c5668a" integrity sha512-DlL+XwOy3NxAQ8xuC0okPgK46iuVNAK01YN7RueYBqqFeGsBjV9XmCAzAdgt+667bCl5kPh9EqKKDwnaPG1I7A== @@ -12579,25 +12007,25 @@ normalize-wheel@^1.0.1: integrity sha1-rsiGr/2wRQcNhWRH32Ls+GFG7EU= npm-package-json-lint@^5.0.0: - version "5.1.0" - resolved "https://registry.yarnpkg.com/npm-package-json-lint/-/npm-package-json-lint-5.1.0.tgz#f5e198194d32e3e48e7d31b330b1f6a37ce4339c" - integrity sha512-gPGpoFTbt0H4uPlubAKqHORg4+GObXqeYJh5ovkkSv76ua+t29vzRP4Qhm+9N/Q59Z3LT0tCmpoDlbTcNB7Jcg== + version "5.2.2" + resolved "https://registry.yarnpkg.com/npm-package-json-lint/-/npm-package-json-lint-5.2.2.tgz#5d24d77112423a90ef7423f11e538a0ed363bb52" + integrity sha512-rs+mTLK31dRHzOrPcA33VoVgPxib0WecKGKOm6XkE186/FqiZGmGgkNLpxx1baUORkSmU1ETyi7aQXlZUzqZIA== dependencies: - ajv "^6.12.2" + ajv "^6.12.6" ajv-errors "^1.0.1" - chalk "^4.0.0" + chalk "^4.1.1" cosmiconfig "^6.0.0" - debug "^4.1.1" - globby "^11.0.0" - ignore "^5.1.4" - is-plain-obj "^2.1.0" - jsonc-parser "^2.2.1" - log-symbols "^4.0.0" - meow "^6.1.0" + debug "^4.3.2" + globby "^11.0.4" + ignore "^5.1.8" + is-plain-obj "^3.0.0" + jsonc-parser "^2.3.1" + log-symbols "^4.1.0" + meow "^6.1.1" plur "^4.0.0" - semver "^7.3.2" + semver "^7.3.5" slash "^3.0.0" - strip-json-comments "^3.1.0" + strip-json-comments "^3.1.1" npm-run-path@^2.0.0: version "2.0.2" @@ -12676,10 +12104,10 @@ object-filter@^1.0.2: resolved "https://registry.yarnpkg.com/object-filter/-/object-filter-1.0.2.tgz#af0b797ffebeaf8a52c6637cedbe8816cfec1bc8" integrity sha1-rwt5f/6+r4pSxmN87b6IFs/sG8g= -object-inspect@^1.10.3, object-inspect@^1.7.0, object-inspect@^1.9.0: - version "1.10.3" - resolved "https://registry.yarnpkg.com/object-inspect/-/object-inspect-1.10.3.tgz#c2aa7d2d09f50c99375704f7a0adf24c5782d369" - integrity sha512-e5mCJlSH7poANfC8z8S9s9S2IN5/4Zb3aZ33f5s8YqoazCFzNLloLU8r5VCG+G7WoqLvAAZoVMcy3tp/3X0Plw== +object-inspect@^1.11.0, object-inspect@^1.7.0, object-inspect@^1.9.0: + version "1.11.0" + resolved "https://registry.yarnpkg.com/object-inspect/-/object-inspect-1.11.0.tgz#9dceb146cedd4148a0d9e51ab88d34cf509922b1" + integrity sha512-jp7ikS6Sd3GxQfZJPyH3cjcbJF6GZPClgdV+EFygjFLQ5FmW/dRUnTd9PQ9k0JhoNDabWFbpF1yCdSWCC6gexg== object-is@^1.0.2, object-is@^1.1.2: version "1.1.5" @@ -13099,13 +12527,13 @@ parse-path@^4.0.0: qs "^6.9.4" query-string "^6.13.8" -parse-url@^5.0.0: - version "5.0.6" - resolved "https://registry.yarnpkg.com/parse-url/-/parse-url-5.0.6.tgz#9bc508b11f8844e0b8cd9b43ac511852a4e24ec3" - integrity sha512-nZp+U7NFVTsBXTh6oGxdwvd7ncz3hJCl74q0lC0pLc3ypXJMKFUpfUEAd4r1x8zVVF5UHFik+CBNOQKN0ayByA== +parse-url@^6.0.0: + version "6.0.0" + resolved "https://registry.yarnpkg.com/parse-url/-/parse-url-6.0.0.tgz#f5dd262a7de9ec00914939220410b66cff09107d" + integrity sha512-cYyojeX7yIIwuJzledIHeLUBVJ6COVLeT4eF+2P6aKVzwvgKQPndCBv3+yQ7pcWjqToYwaligxzSYNNmGoMAvw== dependencies: is-ssh "^1.3.0" - normalize-url "4.5.0" + normalize-url "^6.1.0" parse-path "^4.0.0" protocols "^1.4.0" @@ -13517,9 +12945,9 @@ postcss@^7.0.14, postcss@^7.0.2, postcss@^7.0.21, postcss@^7.0.26, postcss@^7.0. supports-color "^6.1.0" postcss@^8.2.15: - version "8.3.5" - resolved "https://registry.yarnpkg.com/postcss/-/postcss-8.3.5.tgz#982216b113412bc20a86289e91eb994952a5b709" - integrity sha512-NxTuJocUhYGsMiMFHDUkmjSKT3EdH4/WbGF6GCi1NDGk+vbcUTun4fpbOqaPtD8IIsztA2ilZm2DhYCuyN58gA== + version "8.3.6" + resolved "https://registry.yarnpkg.com/postcss/-/postcss-8.3.6.tgz#2730dd76a97969f37f53b9a6096197be311cc4ea" + integrity sha512-wG1cc/JhRgdqB6WHEuyLTedf3KIRuD0hG6ldkFEZNCjRxiC+3i6kkWUUbiJQayP28iwG35cEmAbe98585BYV0A== dependencies: colorette "^1.2.2" nanoid "^3.1.23" @@ -14011,9 +13439,9 @@ react-dev-utils@^11.0.3: text-table "0.2.0" react-docgen-typescript@^2.0.0: - version "2.0.0" - resolved "https://registry.yarnpkg.com/react-docgen-typescript/-/react-docgen-typescript-2.0.0.tgz#0f684350159ae4d2d556f8bc241a74669753944b" - integrity sha512-lPf+KJKAo6a9klKyK4y8WwgaX+6t5/HkVjHOpJDMbmaXfXcV7zP0QgWtnEOc3ccEUXKvlHMGUMIS9f6Zgo1BSw== + version "2.1.0" + resolved "https://registry.yarnpkg.com/react-docgen-typescript/-/react-docgen-typescript-2.1.0.tgz#20db64a7fd62e63a8a9469fb4abd90600878cbb2" + integrity sha512-7kpzLsYzVxff//HUVz1sPWLCdoSNvHD3M8b/iQLdF8fgf7zp26eVysRrAUSxiAT4yQv2zl09zHjJEYSYNxQ8Jw== react-docgen@^5.0.0: version "5.4.0" @@ -14049,9 +13477,9 @@ react-draggable@^4.4.3: prop-types "^15.6.0" react-easy-crop@^3.0.0: - version "3.5.1" - resolved "https://registry.yarnpkg.com/react-easy-crop/-/react-easy-crop-3.5.1.tgz#d32113de9c87f9009d4ae0b223922ad60433ea69" - integrity sha512-VWTYAwRcapguZcYHTSKOcaO2QoNPA57KlS6J0DUrl6dPMV/KrmnPl++LSe/fjN/5vak2PJFKFA4js6Lkwwuy2g== + version "3.5.2" + resolved "https://registry.yarnpkg.com/react-easy-crop/-/react-easy-crop-3.5.2.tgz#1fc65249e82db407c8c875159589a8029a9b7a06" + integrity sha512-cwSGO/wk42XDpEyrdAcnQ6OJetVDZZO2ry1i19+kSGZQ750aN06RU9y9z95B5QI6sW3SnaWQRKv5r5GSqVV//g== dependencies: normalize-wheel "^1.0.1" tslib "2.0.1" @@ -14398,9 +13826,9 @@ rechoir@^0.6.2: resolve "^1.1.6" rechoir@^0.7.0: - version "0.7.0" - resolved "https://registry.yarnpkg.com/rechoir/-/rechoir-0.7.0.tgz#32650fd52c21ab252aa5d65b19310441c7e03aca" - integrity sha512-ADsDEH2bvbjltXEP+hTIAmeFekTFK0V2BTxMkok6qILyAJEXV0AFfoWcAq4yfll5VdIMd/RVXq0lR+wQi5ZU3Q== + version "0.7.1" + resolved "https://registry.yarnpkg.com/rechoir/-/rechoir-0.7.1.tgz#9478a96a1ca135b5e88fc027f03ee92d6c645686" + integrity sha512-/njmZ8s1wVeR6pjTZ+0nCnv8SpZNRMT2D1RLOJQESlYFDBvwpTA4KWJpZ+sBJ4+vhjILRcK7JIFdGCdxEAAitg== dependencies: resolve "^1.9.0" @@ -14430,9 +13858,9 @@ redux-undo@^1.0.1: integrity sha512-0yFPT+FUgwxCEiS0Mg5T1S4tkgjR8h6sJRY9CW4EMsbJOf1SxO289TbJmlzhRouCHacdDF+powPjrjLHoJYxWQ== redux@^4.1.0: - version "4.1.0" - resolved "https://registry.yarnpkg.com/redux/-/redux-4.1.0.tgz#eb049679f2f523c379f1aff345c8612f294c88d4" - integrity sha512-uI2dQN43zqLWCt6B/BMGRMY6db7TTY4qeHHfGeKb3EOhmOKjU3KdWvNLJyqaHRksv/ErdNH7cFZWg9jXtewy4g== + version "4.1.1" + resolved "https://registry.yarnpkg.com/redux/-/redux-4.1.1.tgz#76f1c439bb42043f985fbd9bf21990e60bd67f47" + integrity sha512-hZQZdDEM25UY2P493kPYuKqviVwZ58lEmGQNeQ+gXa+U0gYPUBf7NKYazbe3m+bs/DzM/ahN12DbF+NG8i0CWw== dependencies: "@babel/runtime" "^7.9.2" @@ -14468,9 +13896,9 @@ regenerate@^1.4.0: integrity sha512-zrceR/XhGYU/d/opr2EKO7aRHUeiBI8qjtfHqADTwZd6Szfy16la6kqD0MIUs5z5hx6AaKa+PixpPrR289+I0A== regenerator-runtime@^0.13.4, regenerator-runtime@^0.13.7: - version "0.13.7" - resolved "https://registry.yarnpkg.com/regenerator-runtime/-/regenerator-runtime-0.13.7.tgz#cac2dacc8a1ea675feaabaeb8ae833898ae46f55" - integrity sha512-a54FxoJDIr27pgf7IgeQGxmqUNYrcV338lf/6gH456HZ/PhX+5BcwHXG9ajESmwe6WRO0tAzRUrRmNONWgkrew== + version "0.13.9" + resolved "https://registry.yarnpkg.com/regenerator-runtime/-/regenerator-runtime-0.13.9.tgz#8925742a98ffd90814988d7566ad30ca3b263b52" + integrity sha512-p3VT+cOEgxFsRRA9X4lkI1E+k2/CtnKtU4gcxyaCUreilL/vqI6CdZ3wxVUx3UOUg+gnUOQQcRI7BmSI656MYA== regenerator-transform@^0.14.2: version "0.14.5" @@ -14649,9 +14077,9 @@ remark-parse@^9.0.0: mdast-util-from-markdown "^0.8.0" remark-slug@^6.0.0: - version "6.0.0" - resolved "https://registry.yarnpkg.com/remark-slug/-/remark-slug-6.0.0.tgz#2b54a14a7b50407a5e462ac2f376022cce263e2c" - integrity sha512-ln67v5BrGKHpETnm6z6adlJPhESFJwfuZZ3jrmi+lKTzeZxh2tzFzUfDD4Pm2hRGOarHLuGToO86MNMZ/hA67Q== + version "6.1.0" + resolved "https://registry.yarnpkg.com/remark-slug/-/remark-slug-6.1.0.tgz#0503268d5f0c4ecb1f33315c00465ccdd97923ce" + integrity sha512-oGCxDF9deA8phWvxFuyr3oSJsdyUAxMFbA0mZ7Y1Sas+emILtO+e5WutF9564gDsEN4IXaQXm5pFo6MLH+YmwQ== dependencies: github-slugger "^1.0.0" mdast-util-to-string "^1.0.0" @@ -14758,14 +14186,14 @@ requireindex@^1.2.0: integrity sha512-L9jEkOi3ASd9PYit2cwRfyppc9NoABujTP8/5gFcbERmo5jUoAKovIC3fsF17pkTnGsrByysqX+Kxd2OTNI1ww== resolve-alpn@^1.0.0: - version "1.1.2" - resolved "https://registry.yarnpkg.com/resolve-alpn/-/resolve-alpn-1.1.2.tgz#30b60cfbb0c0b8dc897940fe13fe255afcdd4d28" - integrity sha512-8OyfzhAtA32LVUsJSke3auIyINcwdh5l3cvYKdKO0nvsYSKuiLfTM5i78PJswFPT8y6cPW+L1v6/hE95chcpDA== + version "1.2.0" + resolved "https://registry.yarnpkg.com/resolve-alpn/-/resolve-alpn-1.2.0.tgz#058bb0888d1cd4d12474e9a4b6eb17bdd5addc44" + integrity sha512-e4FNQs+9cINYMO5NMFc6kOUCdohjqFPSgMuwuZAOUWqrfWsen+Yjy5qZFkV5K7VO7tFSLKcUL97olkED7sCBHA== resolve-bin@^0.4.0: - version "0.4.0" - resolved "https://registry.yarnpkg.com/resolve-bin/-/resolve-bin-0.4.0.tgz#47132249891101afb19991fe937cb0a5f072e5d9" - integrity sha1-RxMiSYkRAa+xmZH+k3ywpfBy5dk= + version "0.4.1" + resolved "https://registry.yarnpkg.com/resolve-bin/-/resolve-bin-0.4.1.tgz#e3e830e1cc9a5da7e0c5155915fd491ffe757048" + integrity sha512-cPOo/AQjgGONYhFbAcJd1+nuVHKs5NZ8K96Zb6mW+nDl55a7+ya9MWkeYuSMDv/S+YpksZ3EbeAnGWs5x04x8w== dependencies: find-parent-dir "~0.3.0" @@ -14819,7 +14247,7 @@ resolve-url@^0.2.1: resolved "https://registry.yarnpkg.com/resolve-url/-/resolve-url-0.2.1.tgz#2c637fe77c893afd2a663fe21aa9080068e2052a" integrity sha1-LGN/53yJOv0qZj/iGqkIAGjiBSo= -resolve@^1.1.6, resolve@^1.10.0, resolve@^1.12.0, resolve@^1.13.1, resolve@^1.14.2, resolve@^1.18.1, resolve@^1.19.0, resolve@^1.20.0, resolve@^1.3.2, resolve@^1.9.0: +resolve@^1.1.6, resolve@^1.10.0, resolve@^1.12.0, resolve@^1.14.2, resolve@^1.18.1, resolve@^1.19.0, resolve@^1.20.0, resolve@^1.3.2, resolve@^1.9.0: version "1.20.0" resolved "https://registry.yarnpkg.com/resolve/-/resolve-1.20.0.tgz#629a013fb3f70755d6f0b7935cc1c2c5378b1975" integrity sha512-wENBPt4ySzg4ybFQW2TT1zMQucPK95HSh/nq2CFTZVOGut2+pQvSsgtda4d26YrYcr067wjbmzOG8byDPBX63A== @@ -15063,16 +14491,7 @@ schema-utils@^2.6.5, schema-utils@^2.6.6, schema-utils@^2.7.0: ajv "^6.12.4" ajv-keywords "^3.5.2" -schema-utils@^3.0.0: - version "3.0.0" - resolved "https://registry.yarnpkg.com/schema-utils/-/schema-utils-3.0.0.tgz#67502f6aa2b66a2d4032b4279a2944978a0913ef" - integrity sha512-6D82/xSzO094ajanoOSbe4YvXWMfn2A//8Y1+MUqFAJul5Bs+yn36xbK9OtNDcRVSBJ9jjeoXftM6CfztsjOAA== - dependencies: - "@types/json-schema" "^7.0.6" - ajv "^6.12.5" - ajv-keywords "^3.5.2" - -schema-utils@^3.1.0: +schema-utils@^3.0.0, schema-utils@^3.1.0: version "3.1.1" resolved "https://registry.yarnpkg.com/schema-utils/-/schema-utils-3.1.1.tgz#bc74c4b6b6995c1d88f76a8b77bea7219e0c8281" integrity sha512-Y5PQxS4ITlC+EahLuXaY86TXfR7Dc5lw294alXOq86JAHCihAIZfqv8nNCWvaEJvaC51uN9hbLGeV0cFBdH+Fw== @@ -15457,9 +14876,9 @@ spdx-expression-parse@^3.0.0, spdx-expression-parse@^3.0.1: spdx-license-ids "^3.0.0" spdx-license-ids@^3.0.0: - version "3.0.9" - resolved "https://registry.yarnpkg.com/spdx-license-ids/-/spdx-license-ids-3.0.9.tgz#8a595135def9592bda69709474f1cbeea7c2467f" - integrity sha512-Ki212dKK4ogX+xDo4CtOZBVIwhsKBEfsEEcwmJfLQzirgc2jIWdzg40Unxz/HzEUqM1WFzVlQSMF9kZZ2HboLQ== + version "3.0.10" + resolved "https://registry.yarnpkg.com/spdx-license-ids/-/spdx-license-ids-3.0.10.tgz#0d9becccde7003d6c658d487dd48a32f0bf3014b" + integrity sha512-oie3/+gKf7QtpitB0LYLETe+k8SifzsX4KixvpOsbI6S0kRiRQ5MKOio8eMSAKQ17N06+wdEOXRiId+zOxo0hA== specificity@^0.4.1: version "0.4.1" @@ -15837,21 +15256,26 @@ style-to-object@0.3.0, style-to-object@^0.3.0: inline-style-parser "0.1.1" stylelint-config-recommended-scss@^4.2.0: - version "4.2.0" - resolved "https://registry.yarnpkg.com/stylelint-config-recommended-scss/-/stylelint-config-recommended-scss-4.2.0.tgz#3ad3fc858215cfd16a0f90aecf1ac0ea8a3e6971" - integrity sha512-4bI5BYbabo/GCQ6LbRZx/ZlVkK65a1jivNNsD+ix/Lw0U3iAch+jQcvliGnnAX8SUPaZ0UqzNVNNAF3urswa7g== + version "4.3.0" + resolved "https://registry.yarnpkg.com/stylelint-config-recommended-scss/-/stylelint-config-recommended-scss-4.3.0.tgz#717dc253b4cab246da654cee208e499c5c797ae4" + integrity sha512-/noGjXlO8pJTr/Z3qGMoaRFK8n1BFfOqmAbX1RjTIcl4Yalr+LUb1zb9iQ7pRx1GsEBXOAm4g2z5/jou/pfMPg== dependencies: - stylelint-config-recommended "^3.0.0" + stylelint-config-recommended "^5.0.0" stylelint-config-recommended@^3.0.0: version "3.0.0" resolved "https://registry.yarnpkg.com/stylelint-config-recommended/-/stylelint-config-recommended-3.0.0.tgz#e0e547434016c5539fe2650afd58049a2fd1d657" integrity sha512-F6yTRuc06xr1h5Qw/ykb2LuFynJ2IxkKfCMf+1xqPffkxh0S09Zc902XCffcsw/XMFq/OzQ1w54fLIDtmRNHnQ== +stylelint-config-recommended@^5.0.0: + version "5.0.0" + resolved "https://registry.yarnpkg.com/stylelint-config-recommended/-/stylelint-config-recommended-5.0.0.tgz#fb5653f495a60b4938f2ad3e77712d9e1039ae78" + integrity sha512-c8aubuARSu5A3vEHLBeOSJt1udOdS+1iue7BmJDTSXoCBmfEQmmWX+59vYIj3NQdJBY6a/QRv1ozVFpaB9jaqA== + stylelint-scss@^3.17.2: - version "3.19.0" - resolved "https://registry.yarnpkg.com/stylelint-scss/-/stylelint-scss-3.19.0.tgz#528006d5a4c5a0f1f4d709b02fd3f626ed66d742" - integrity sha512-Ic5bsmpS4wVucOw44doC1Yi9f5qbeVL4wPFiEOaUElgsOuLEN6Ofn/krKI8BeNL2gAn53Zu+IcVV4E345r6rBw== + version "3.20.1" + resolved "https://registry.yarnpkg.com/stylelint-scss/-/stylelint-scss-3.20.1.tgz#88f175d9cfe1c81a72858bd0d3550cf61530e212" + integrity sha512-OTd55O1TTAC5nGKkVmUDLpz53LlK39R3MImv1CfuvsK7/qugktqiZAeQLuuC4UBhzxCnsc7fp9u/gfRZwFAIkA== dependencies: lodash "^4.17.15" postcss-media-query-parser "^0.2.3" @@ -16056,9 +15480,9 @@ tar-stream@^2.0.0: readable-stream "^3.1.1" tar@^6.0.2: - version "6.1.0" - resolved "https://registry.yarnpkg.com/tar/-/tar-6.1.0.tgz#d1724e9bcc04b977b18d5c573b333a2207229a83" - integrity sha512-DUCttfhsnLCjwoDoFcI+B2iJgYa93vBnDUATYEeRx6sntCTdN01VnqsIuTlALXla/LWooNg0yEGeB+Y8WdFxGA== + version "6.1.7" + resolved "https://registry.yarnpkg.com/tar/-/tar-6.1.7.tgz#c566d1107d38b09e92983a68db5534fc7f6cab42" + integrity sha512-PBoRkOJU0X3lejJ8GaRCsobjXTgFofRDSPdSUhRSdlwJfifRlQBwGXitDItdGFu0/h0XDMCkig0RN1iT7DBxhA== dependencies: chownr "^2.0.0" fs-minipass "^2.0.0" @@ -16382,9 +15806,9 @@ trough@^1.0.0: integrity sha512-rvuRbTarPXmMb79SmzEp8aqXNKcK+y0XaB298IXueQ8I2PsrATcPBCSPyK/dDNa2iWOhKlfNnOjdAOTBU/nkFA== ts-dedent@^2.0.0, ts-dedent@^2.1.1: - version "2.1.1" - resolved "https://registry.yarnpkg.com/ts-dedent/-/ts-dedent-2.1.1.tgz#6dd56870bb5493895171334fa5d7e929107e5bbc" - integrity sha512-riHuwnzAUCfdIeTBNUq7+Yj+ANnrMXo/7+Z74dIdudS7ys2k8aSGMzpJRMFDF7CLwUTbtvi1ZZff/Wl+XxmqIA== + version "2.2.0" + resolved "https://registry.yarnpkg.com/ts-dedent/-/ts-dedent-2.2.0.tgz#39e4bd297cd036292ae2394eb3412be63f563bb5" + integrity sha512-q5W7tVM71e2xjHZTlgfTDoPF/SmqKG5hddq9SzR49CH2hayqRKJtQ4mtRlSxKaJlR/+9rEM+mnBHf7I2/BQcpQ== ts-essentials@^2.0.3: version "2.0.12" @@ -16397,12 +15821,11 @@ ts-pnp@^1.1.6: integrity sha512-csd+vJOb/gkzvcCHgTGSChYpy5f1/XKNsmvBGO4JXS+z1v2HobugDz4s1IeFXM3wZB44uczs+eazB5Q/ccdhQw== tsconfig-paths@^3.9.0: - version "3.9.0" - resolved "https://registry.yarnpkg.com/tsconfig-paths/-/tsconfig-paths-3.9.0.tgz#098547a6c4448807e8fcb8eae081064ee9a3c90b" - integrity sha512-dRcuzokWhajtZWkQsDVKbWyY+jgcLC5sqJhg2PSgf4ZkH2aHPvaOY8YWGhmjb68b5qqTfasSsDO9k7RUiEmZAw== + version "3.10.1" + resolved "https://registry.yarnpkg.com/tsconfig-paths/-/tsconfig-paths-3.10.1.tgz#79ae67a68c15289fdf5c51cb74f397522d795ed7" + integrity sha512-rETidPDgCpltxF7MjBZlAFPUHv5aHH2MymyPvh+vEyWAED4Eb/WeMbsnD/JDr4OKPOA1TssDHgIcpTN5Kh0p6Q== dependencies: - "@types/json5" "^0.0.29" - json5 "^1.0.1" + json5 "^2.2.0" minimist "^1.2.0" strip-bom "^3.0.0" @@ -16416,7 +15839,7 @@ tslib@^1.8.1: resolved "https://registry.yarnpkg.com/tslib/-/tslib-1.14.1.tgz#cf2d38bdc34a134bcaf1091c41f6619e2f672d00" integrity sha512-Xni35NKzjgMrwevysHTCArtLDpPvye8zV/0E4EyYn43P7/7qvQwPh9BGkHewbMulVntbigmcT7rdX3BNo9wRJg== -tslib@^2.0.0, tslib@^2.0.1, tslib@^2.0.3, tslib@^2.2.0: +tslib@^2.0.0, tslib@^2.0.1, tslib@^2.0.3, tslib@^2.2.0, tslib@^2.3.0: version "2.3.0" resolved "https://registry.yarnpkg.com/tslib/-/tslib-2.3.0.tgz#803b8cdab3e12ba581a4ca41c8839bbb0dacb09e" integrity sha512-N82ooyxVNm6h1riLCoyS9e3fuJ3AMG2zIZs2Gd1ATcSFjSA23Q0fzjjZeh0jbJvWVDZ0cJT8yaNNaaXHzueNjg== @@ -16606,9 +16029,9 @@ unified@9.2.0: vfile "^4.0.0" unified@^9.1.0: - version "9.2.1" - resolved "https://registry.yarnpkg.com/unified/-/unified-9.2.1.tgz#ae18d5674c114021bfdbdf73865ca60f410215a3" - integrity sha512-juWjuI8Z4xFg8pJbnEZ41b5xjGUWGHqXALmBZ3FC3WX0PIx1CZBIIJ6mXbYMcf6Yw4Fi0rFUTA1cdz/BglbOhA== + version "9.2.2" + resolved "https://registry.yarnpkg.com/unified/-/unified-9.2.2.tgz#67649a1abfc3ab85d2969502902775eb03146975" + integrity sha512-Sg7j110mtefBD+qunSLO1lqOEKdrwBFBrR6Qd8f4uwkhWNlbkaqwHse6e7QvD3AP/MNoJdEDLaf8OxYyoWgorQ== dependencies: bail "^1.0.0" extend "^3.0.0" @@ -17200,14 +16623,6 @@ webpack-sources@^1.1.0, webpack-sources@^1.4.0, webpack-sources@^1.4.1, webpack- source-map "~0.6.1" webpack-sources@^2.2.0: - version "2.3.0" - resolved "https://registry.yarnpkg.com/webpack-sources/-/webpack-sources-2.3.0.tgz#9ed2de69b25143a4c18847586ad9eccb19278cfa" - integrity sha512-WyOdtwSvOML1kbgtXbTDnEW0jkJ7hZr/bDByIwszhWd/4XX1A3XMkrbFMsuH4+/MfLlZCUzlAdg4r7jaGKEIgQ== - dependencies: - source-list-map "^2.0.1" - source-map "^0.6.1" - -webpack-sources@^2.3.1: version "2.3.1" resolved "https://registry.yarnpkg.com/webpack-sources/-/webpack-sources-2.3.1.tgz#570de0af163949fe272233c2cefe1b56f74511fd" integrity sha512-y9EI9AO42JjEcrTJFOYmVywVZdKVUfOvDUPsJea5GIr1JOEGFVqwlY2K098fFoIjOkDzHn2AjRvM8dsBZu+gCA== @@ -17261,10 +16676,10 @@ webpack@4, webpack@^4.46.0: watchpack "^1.7.4" webpack-sources "^1.4.1" -webpack@^5.47.0: - version "5.49.0" - resolved "https://registry.yarnpkg.com/webpack/-/webpack-5.49.0.tgz#e250362b781a9fb614ba0a97ed67c66b9c5310cd" - integrity sha512-XarsANVf28A7Q3KPxSnX80EkCcuOer5hTOEJWJNvbskOZ+EK3pobHarGHceyUZMxpsTHBHhlV7hiQyLZzGosYw== +webpack@^5.47.0, webpack@^5.9.0: + version "5.50.0" + resolved "https://registry.yarnpkg.com/webpack/-/webpack-5.50.0.tgz#5562d75902a749eb4d75131f5627eac3a3192527" + integrity sha512-hqxI7t/KVygs0WRv/kTgUW8Kl3YC81uyWQSo/7WUs5LsuRw0htH/fCwbVBGCuiX/t4s7qzjXFcf41O8Reiypag== dependencies: "@types/eslint-scope" "^3.7.0" "@types/estree" "^0.0.50" @@ -17291,35 +16706,6 @@ webpack@^5.47.0: watchpack "^2.2.0" webpack-sources "^3.2.0" -webpack@^5.9.0: - version "5.46.0" - resolved "https://registry.yarnpkg.com/webpack/-/webpack-5.46.0.tgz#105d20d96f79db59b316b0ae54316f0f630314b5" - integrity sha512-qxD0t/KTedJbpcXUmvMxY5PUvXDbF8LsThCzqomeGaDlCA6k998D8yYVwZMvO8sSM3BTEOaD4uzFniwpHaTIJw== - dependencies: - "@types/eslint-scope" "^3.7.0" - "@types/estree" "^0.0.50" - "@webassemblyjs/ast" "1.11.1" - "@webassemblyjs/wasm-edit" "1.11.1" - "@webassemblyjs/wasm-parser" "1.11.1" - acorn "^8.4.1" - browserslist "^4.14.5" - chrome-trace-event "^1.0.2" - enhanced-resolve "^5.8.0" - es-module-lexer "^0.7.1" - eslint-scope "5.1.1" - events "^3.2.0" - glob-to-regexp "^0.4.1" - graceful-fs "^4.2.4" - json-parse-better-errors "^1.0.2" - loader-runner "^4.2.0" - mime-types "^2.1.27" - neo-async "^2.6.2" - schema-utils "^3.1.0" - tapable "^2.1.1" - terser-webpack-plugin "^5.1.3" - watchpack "^2.2.0" - webpack-sources "^2.3.1" - websocket-driver@>=0.5.1: version "0.7.4" resolved "https://registry.yarnpkg.com/websocket-driver/-/websocket-driver-0.7.4.tgz#89ad5295bbf64b480abcba31e4953aca706f5760" @@ -17486,10 +16872,10 @@ ws@7.4.6: resolved "https://registry.yarnpkg.com/ws/-/ws-7.4.6.tgz#5654ca8ecdeee47c33a9a4bf6d28e2be2980377c" integrity sha512-YmhHDO4MzaDLB+M9ym/mDA5z0naX8j7SIlT8f8z+I0VtzsRbekxEutHSme7NPS2qE8StCYQNUnfWdXta/Yu85A== -ws@^7.3.1, ws@^7.4.5: - version "7.5.1" - resolved "https://registry.yarnpkg.com/ws/-/ws-7.5.1.tgz#44fc000d87edb1d9c53e51fbc69a0ac1f6871d66" - integrity sha512-2c6faOUH/nhoQN6abwMloF7Iyl0ZS2E9HGtsiLrWn0zOOMWlhtDmdf/uihDt6jnuCxgtwGBNy6Onsoy2s2O2Ow== +ws@^7.3.1, ws@^7.4.6: + version "7.5.3" + resolved "https://registry.yarnpkg.com/ws/-/ws-7.5.3.tgz#160835b63c7d97bfab418fc1b8a9fced2ac01a74" + integrity sha512-kQ/dHIzuLrS6Je9+uv81ueZomEwH0qVYstcAQ4/Z93K8zeko9gtAbttJWzoC5ukqXY1PpoouV3+VSOqEAFt5wg== xdg-basedir@^4.0.0: version "4.0.0" From eac6868d16fc7eb8364bb1766422d84a63c4f6a7 Mon Sep 17 00:00:00 2001 From: Lena Morita Date: Thu, 12 Aug 2021 04:30:58 +0900 Subject: [PATCH 48/53] Add workaround for Emotion 11 --- .storybook/main.js | 14 +++++++++----- 1 file changed, 9 insertions(+), 5 deletions(-) diff --git a/.storybook/main.js b/.storybook/main.js index 2a5c2d381..f79112fc8 100644 --- a/.storybook/main.js +++ b/.storybook/main.js @@ -1,3 +1,5 @@ +const path = require('path'); + module.exports = { core: { builder: 'webpack5', @@ -5,11 +7,13 @@ module.exports = { stories: [ '../@(src|stories)/**/*.stories.mdx', '../@(src|stories)/**/*.stories.@(js|jsx|ts|tsx)' ], addons: [ '@storybook/addon-links', '@storybook/addon-essentials', '@storybook/preset-scss' ], webpackFinal: ( config ) => { - config.module.rules.push( { - // Transpiles optional chaining in directly imported AsBlocks file - test: /node_modules\/asblocks\/src\//, - loader: 'babel-loader', - } ); + // Workaround until Storybook supports Emotion 11 + const toPath = ( _path ) => path.join( process.cwd(), _path ); + config.resolve.alias = { + ...config.resolve.alias, + '@emotion/styled': toPath( 'node_modules/@emotion/styled' ), + }; + return config; }, }; From 2fbf784a089e38b9748cba92b4b86b7340fc886c Mon Sep 17 00:00:00 2001 From: Lena Morita Date: Fri, 13 Aug 2021 07:00:36 +0900 Subject: [PATCH 49/53] Standardize hyphenation --- src/index.js | 6 +++--- stories/collab/Collaboration.stories.tsx | 2 +- 2 files changed, 4 insertions(+), 4 deletions(-) diff --git a/src/index.js b/src/index.js index 4c5166bcf..dc18e8c6f 100644 --- a/src/index.js +++ b/src/index.js @@ -78,7 +78,7 @@ import './style.scss'; * @typedef BlockEditorSettings * @property {IsoSettings} [iso] - Isolated editor settings * @property {EditorSettings} [editor] - Gutenberg editor settings - * @property {CollaborationSettings} [collab] - Real time collaboration settings + * @property {CollaborationSettings} [collab] - Real-time collaboration settings */ /** @@ -95,7 +95,7 @@ import './style.scss'; */ /** - * Real time collaboration settings + * Real-time collaboration settings * @typedef CollaborationSettings * @property {boolean} [enabled] * @property {string} [channelId] Optional channel id to pass to transport.connect(). @@ -105,7 +105,7 @@ import './style.scss'; */ /** - * Transport module for real time collaboration + * Transport module for real-time collaboration * @typedef CollaborationTransport * @property {(data: CollaborationTransportDocMessage|CollaborationTransportSelectionMessage) => void} sendMessage * @property {(options: CollaborationTransportConnectOpts) => Promise<{isFirstInChannel: boolean}>} connect diff --git a/stories/collab/Collaboration.stories.tsx b/stories/collab/Collaboration.stories.tsx index 3f9d58b0d..3605654e2 100644 --- a/stories/collab/Collaboration.stories.tsx +++ b/stories/collab/Collaboration.stories.tsx @@ -31,7 +31,7 @@ const Template: Story< Props > = ( args ) => {

How to test

-

Open this page in another window to test real time collaborative editing.

+

Open this page in another window to test real-time collaborative editing.

To view logging messages, open DevTools console and enter{ ' ' } From 0eb5e9f36cf1d611f761379f1d0d823f7a60aeb9 Mon Sep 17 00:00:00 2001 From: Lena Morita Date: Fri, 13 Aug 2021 08:26:52 +0900 Subject: [PATCH 50/53] Add docs --- CHANGELOG.md | 4 ++++ README.md | 6 ++++++ .../block-editor-contents/use-yjs/README.md | 19 +++++++++++++++++++ src/index.js | 2 +- 4 files changed, 30 insertions(+), 1 deletion(-) create mode 100644 src/components/block-editor-contents/use-yjs/README.md diff --git a/CHANGELOG.md b/CHANGELOG.md index 1d8eca98e..e86f20a32 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -6,6 +6,10 @@ and this project adheres to [Semantic Versioning](https://semver.org/spec/v2.0.0 ## [Unreleased] +### Added + +- Support for real-time collaborative editing (experimental) + ## [2.1.0] - 2021-07-29 ### Added diff --git a/README.md b/README.md index 18ccf00a8..ca12ec2ce 100644 --- a/README.md +++ b/README.md @@ -224,6 +224,12 @@ The following function is also provided: - _iso.linkMenu_ `[array]` - Link menu settings. Array of `title` and `url`, defaults to none - _iso.currentPattern_ `[string]` - The pattern to start with, defaults to none - _iso.allowApi_ `[boolean]` - Allow API requests, defaults to `false` +- _collab.enabled_ `[boolean]` - Enable real-time collaborative editing, defaults to `false` +- _collab.channelId_ `[string]` - Optional channel id to pass to `transport.connect()`. +- _collab.username_ `string` - Name displayed to peers. Required if collab is enabled. +- _collab.caretColor_ `[string]` - Color of the caret indicator displayed to peers. If unspecified, a random color will be selected. +- _collab.transport_ `CollaborationTransport` - Transport module to handle messaging between peers. See the [`useYjs` readme](https://github.com/Automattic/isolated-block-editor/tree/trunk/src/components/block-editor-contents/use-yjs) for how this should be implemented. + - _editor_ `[object]` - Gutenberg settings object A settings object that contains all settings for the IsolatedBlockEditor, as well as for Gutenberg. Any settings not provided will use defaults. diff --git a/src/components/block-editor-contents/use-yjs/README.md b/src/components/block-editor-contents/use-yjs/README.md new file mode 100644 index 000000000..3d09be6f2 --- /dev/null +++ b/src/components/block-editor-contents/use-yjs/README.md @@ -0,0 +1,19 @@ +# Real-time collaborative editing + +`useYjs` is an experimental, opt-in React hook that adds support for real-time collaborative editing, powered by the [Yjs](https://github.com/yjs/yjs) CRDT framework. This feature enables multiple peers to simultaneously edit the same content without having to manually resolve any conflicts. + +## Implementing a transport module + +`useYjs` is transport-agnostic, meaning that it does not care how peers communicate with each other. You will need to implement a compatible transport module that handles the communication between peers, and pass that into `` via the `settings.collab.transport` prop. + +In most cases, you would want some kind of WebSocket server or WebRTC signaling server, and implement a transport module to talk to that. However, you could also implement a transport module that only passes messages locally across browser tabs, which is what can be seen in the Storybook demo (run `yarn storybook` to try it). + +A `CollaborationTransport` will need to implement the following methods: + +- _connect_ `(options: CollaborationTransportConnectOpts) => Promise<{isFirstInChannel: boolean}>` - Join the group of peers, and return whether or not this is the first peer to join. Here you should also set up event handlers to call the provided callbacks whenever messages are received or peers change. + - _options.user_ `object` - Information about the joined user that should be sent to every peer. + - _options.onReceiveMessage_ `(message: object) => void` - Callback to be called whenever a message is received from a peer. + - _options.setAvailablePeers_ `(peers: AvailablePeer[]) => void` - Callback to be called whenever a peer joins or leaves. + - _options.channelId_ `[string]` - Identifies the group of peers. +- _sendMessage_ `(message: object) => void` - Send message to peers. A message contains information about content or selection changes. +- _disconnect_ `() => Promise` - Leave the group of peers. Called when `` unmounts. \ No newline at end of file diff --git a/src/index.js b/src/index.js index dc18e8c6f..3f17470a2 100644 --- a/src/index.js +++ b/src/index.js @@ -107,7 +107,7 @@ import './style.scss'; /** * Transport module for real-time collaboration * @typedef CollaborationTransport - * @property {(data: CollaborationTransportDocMessage|CollaborationTransportSelectionMessage) => void} sendMessage + * @property {(message: CollaborationTransportDocMessage|CollaborationTransportSelectionMessage) => void} sendMessage * @property {(options: CollaborationTransportConnectOpts) => Promise<{isFirstInChannel: boolean}>} connect * @property {() => Promise} disconnect * From a2dd46e925f39785b84c7b520bb4914749b10580 Mon Sep 17 00:00:00 2001 From: Lena Morita Date: Fri, 13 Aug 2021 22:43:20 +0900 Subject: [PATCH 51/53] Add block inspector to Storybook --- stories/collab/Collaboration.stories.tsx | 3 +++ 1 file changed, 3 insertions(+) diff --git a/stories/collab/Collaboration.stories.tsx b/stories/collab/Collaboration.stories.tsx index 3605654e2..508a5dc4e 100644 --- a/stories/collab/Collaboration.stories.tsx +++ b/stories/collab/Collaboration.stories.tsx @@ -61,6 +61,9 @@ Default.args = { settings: { iso: { moreMenu: false, + toolbar: { + inspector: true, + }, }, collab: { enabled: true, From 398b59a9322129afa68f23806cbfbacc89a935b4 Mon Sep 17 00:00:00 2001 From: Lena Morita Date: Fri, 13 Aug 2021 22:43:39 +0900 Subject: [PATCH 52/53] Fix caret text color when text is not black --- src/components/formats/collab-caret/style.scss | 1 + 1 file changed, 1 insertion(+) diff --git a/src/components/formats/collab-caret/style.scss b/src/components/formats/collab-caret/style.scss index eae85f1dc..d71677452 100644 --- a/src/components/formats/collab-caret/style.scss +++ b/src/components/formats/collab-caret/style.scss @@ -1,6 +1,7 @@ mark.iso-editor-collab-caret { position: relative; background: #eee; + color: currentColor; } mark.iso-editor-collab-caret.is-collapsed { From c0e718469d059c8254cbf7eadd7eb44e53df6f55 Mon Sep 17 00:00:00 2001 From: Lena Morita Date: Mon, 16 Aug 2021 22:45:03 +0900 Subject: [PATCH 53/53] Bundle --- build-browser/isolated-block-editor.css | 1 + build-browser/isolated-block-editor.js | 4 +- .../components/block-editor-contents/index.js | 9 +- .../block-editor-contents/index.js.map | 2 +- .../block-editor-contents/use-yjs/README.md | 19 ++ .../use-yjs/algorithms/yjs.js | 231 +++++++++++++ .../use-yjs/algorithms/yjs.js.map | 1 + .../block-editor-contents/use-yjs/index.js | 216 +++++++++++++ .../use-yjs/index.js.map | 1 + .../block-editor-contents/use-yjs/yjs-doc.js | 146 +++++++++ .../use-yjs/yjs-doc.js.map | 1 + .../header-toolbar/index.js | 5 +- .../header-toolbar/index.js.map | 2 +- build-module/components/block-editor/index.js | 22 +- .../components/block-editor/index.js.map | 2 +- .../components/default-settings/index.js | 10 +- .../components/default-settings/index.js.map | 2 +- .../components/formats/collab-caret/index.js | 116 +++++++ .../formats/collab-caret/index.js.map | 1 + .../formats/collab-caret/style.scss | 53 +++ build-module/index.js | 47 +++ build-module/index.js.map | 2 +- build-module/store/blocks/reducer.js | 4 + build-module/store/blocks/reducer.js.map | 2 +- build-module/store/index.js | 16 +- build-module/store/index.js.map | 2 +- build-module/store/peers/actions.js | 26 ++ build-module/store/peers/actions.js.map | 1 + build-module/store/peers/reducer.js | 36 +++ build-module/store/peers/reducer.js.map | 1 + build-module/store/peers/selectors.js | 7 + build-module/store/peers/selectors.js.map | 1 + .../components/block-editor-contents/index.js | 10 +- .../block-editor-contents/index.js.map | 2 +- .../block-editor-contents/use-yjs/README.md | 19 ++ .../use-yjs/algorithms/yjs.js | 306 ++++++++++++++++++ .../use-yjs/algorithms/yjs.js.map | 1 + .../block-editor-contents/use-yjs/index.js | 251 ++++++++++++++ .../use-yjs/index.js.map | 1 + .../block-editor-contents/use-yjs/yjs-doc.js | 168 ++++++++++ .../use-yjs/yjs-doc.js.map | 1 + .../header-toolbar/index.js | 5 +- .../header-toolbar/index.js.map | 2 +- build/components/block-editor/index.js | 23 +- build/components/block-editor/index.js.map | 2 +- build/components/default-settings/index.js | 10 +- .../components/default-settings/index.js.map | 2 +- .../components/formats/collab-caret/index.js | 139 ++++++++ .../formats/collab-caret/index.js.map | 1 + .../formats/collab-caret/style.scss | 53 +++ build/index.js | 47 +++ build/index.js.map | 2 +- build/store/blocks/reducer.js | 4 + build/store/blocks/reducer.js.map | 2 +- build/store/index.js | 17 +- build/store/index.js.map | 2 +- build/store/peers/actions.js | 38 +++ build/store/peers/actions.js.map | 1 + build/store/peers/reducer.js | 50 +++ build/store/peers/reducer.js.map | 1 + build/store/peers/selectors.js | 16 + build/store/peers/selectors.js.map | 1 + 62 files changed, 2122 insertions(+), 44 deletions(-) create mode 100644 build-module/components/block-editor-contents/use-yjs/README.md create mode 100644 build-module/components/block-editor-contents/use-yjs/algorithms/yjs.js create mode 100644 build-module/components/block-editor-contents/use-yjs/algorithms/yjs.js.map create mode 100644 build-module/components/block-editor-contents/use-yjs/index.js create mode 100644 build-module/components/block-editor-contents/use-yjs/index.js.map create mode 100644 build-module/components/block-editor-contents/use-yjs/yjs-doc.js create mode 100644 build-module/components/block-editor-contents/use-yjs/yjs-doc.js.map create mode 100644 build-module/components/formats/collab-caret/index.js create mode 100644 build-module/components/formats/collab-caret/index.js.map create mode 100644 build-module/components/formats/collab-caret/style.scss create mode 100644 build-module/store/peers/actions.js create mode 100644 build-module/store/peers/actions.js.map create mode 100644 build-module/store/peers/reducer.js create mode 100644 build-module/store/peers/reducer.js.map create mode 100644 build-module/store/peers/selectors.js create mode 100644 build-module/store/peers/selectors.js.map create mode 100644 build/components/block-editor-contents/use-yjs/README.md create mode 100644 build/components/block-editor-contents/use-yjs/algorithms/yjs.js create mode 100644 build/components/block-editor-contents/use-yjs/algorithms/yjs.js.map create mode 100644 build/components/block-editor-contents/use-yjs/index.js create mode 100644 build/components/block-editor-contents/use-yjs/index.js.map create mode 100644 build/components/block-editor-contents/use-yjs/yjs-doc.js create mode 100644 build/components/block-editor-contents/use-yjs/yjs-doc.js.map create mode 100644 build/components/formats/collab-caret/index.js create mode 100644 build/components/formats/collab-caret/index.js.map create mode 100644 build/components/formats/collab-caret/style.scss create mode 100644 build/store/peers/actions.js create mode 100644 build/store/peers/actions.js.map create mode 100644 build/store/peers/reducer.js create mode 100644 build/store/peers/reducer.js.map create mode 100644 build/store/peers/selectors.js create mode 100644 build/store/peers/selectors.js.map diff --git a/build-browser/isolated-block-editor.css b/build-browser/isolated-block-editor.css index 9b073df5c..d6c0f03e1 100644 --- a/build-browser/isolated-block-editor.css +++ b/build-browser/isolated-block-editor.css @@ -1,6 +1,7 @@ .iso-editor{--wp-admin-theme-color: #0085ba;--wp-admin-theme-color-darker-10: #0073a1;--wp-admin-theme-color-darker-20: #006187;--wp-admin-border-width-focus: 2px} html{position:unset !important}.components-modal__frame,.components-modal__frame select,.iso-editor,.iso-editor select{font-family:-apple-system,BlinkMacSystemFont,"Segoe UI",Roboto,Oxygen-Sans,Ubuntu,Cantarell,"Helvetica Neue",sans-serif;font-size:13px;line-height:1.4;color:#1e1e1e}.components-modal__frame input,.components-modal__frame select,.components-modal__frame textarea,.components-modal__frame button,.iso-editor input,.iso-editor select,.iso-editor textarea,.iso-editor button{box-sizing:border-box;-moz-box-sizing:border-box;-webkit-box-sizing:border-box}.components-modal__frame p:not(.components-form-token-field__help),.iso-editor p:not(.components-form-token-field__help){font-size:inherit;line-height:inherit}.components-modal__frame ul.block-editor-block-list__block,.components-modal__frame ol.block-editor-block-list__block,.iso-editor ul.block-editor-block-list__block,.iso-editor ol.block-editor-block-list__block{margin:0 0 1.2em}.components-modal__frame ul li,.components-modal__frame ol li,.iso-editor ul li,.iso-editor ol li{margin-bottom:initial}.components-modal__frame ul,.iso-editor ul{list-style-type:none}.components-modal__frame ol,.iso-editor ol{list-style-type:decimal}.components-modal__frame ul ul,.components-modal__frame ol ul,.iso-editor ul ul,.iso-editor ol ul{list-style-type:circle}.components-modal__frame .components-popover.components-animate__appear,.iso-editor .components-popover.components-animate__appear{animation:none}.iso-editor{width:100%;min-height:145px;background-color:#fff;position:relative;border:1px solid #e0e0e0}.components-modal__frame .components-modal__header h1{font-size:20px !important}.components-modal__frame button{box-shadow:none}.iso-editor__loading{min-height:125px;background-color:#e0e0e0;border:1px solid #e0e0e0;animation:loading-fade 1.6s ease-in-out infinite;margin-bottom:57px}.iso-editor__loading>textarea,.iso-editor__loading>div{display:none}@keyframes loading-fade{0%{opacity:.3}50%{opacity:1}100%{opacity:.3}}#media-search-input{box-sizing:border-box} .iso-editor .editor-error-boundary{margin-bottom:60px;box-shadow:none;border:none}.iso-editor .block-editor-writing-flow{padding:10px 0}.iso-editor .block-editor-writing-flow ul{list-style-type:disc}.iso-editor .block-editor-writing-flow [data-type="core/list"] li{margin-left:20px}.iso-editor .wp-block{max-width:none;margin-left:auto;margin-right:auto}.iso-editor .wp-block[data-align=wide]{max-width:1100px}.iso-editor .wp-block[data-align=full]{max-width:none}.iso-editor img{max-width:100%;height:auto}.iso-editor iframe{width:100%}.iso-editor .components-navigate-regions{height:100%}.iso-editor .block-editor-block-list__layout:first-of-type .block-editor-default-block-appender{margin-left:0}.iso-editor .block-editor-block-list__layout:first-of-type .block-editor-default-block-appender__content{margin-top:16px;margin-bottom:16px}.iso-editor .edit-post-text-editor{padding-top:0}.iso-editor .edit-post-text-editor__body{max-width:none;margin-top:32px;margin-bottom:32px;padding-top:0}.iso-editor .edit-post-text-editor__body textarea{padding:15px}.iso-editor .components-resizable-box__handle::before{box-sizing:border-box}.iso-editor .components-popover__content button:focus,.iso-editor .components-popover__content button:hover{text-decoration:none}.iso-editor .components-popover__content button{font-weight:normal;text-transform:none;font-family:Arial}.iso-editor .components-popover__content button:active,.iso-editor .components-popover__content button:focus,.iso-editor .components-popover__content button:hover{background-color:transparent;background-image:none}.iso-editor .block-editor-block-navigation__container .is-selected button:active,.iso-editor .block-editor-block-navigation__container .is-selected button:focus,.iso-editor .block-editor-block-navigation__container .is-selected button:hover{background-color:#1e1e1e}.iso-editor .components-popover__content h1:before,.iso-editor .components-popover__content h2:before{content:none;display:unset;height:unset;margin:unset;width:unset;background:unset}.iso-editor .components-popover__content .block-editor-inserter__menu .components-tab-panel__tab-content button{font-size:16px}.iso-editor .block-editor-default-block-appender textarea{border:none !important;border-radius:unset !important;box-shadow:none !important} +mark.iso-editor-collab-caret{position:relative;background:#eee;color:currentColor}mark.iso-editor-collab-caret.is-collapsed{background:none}mark.iso-editor-collab-caret::before{left:-1px;top:0;bottom:0;position:absolute;content:"";font-size:1em;width:2px;background:var(--iso-editor-collab-caret-color)}mark.iso-editor-collab-caret.is-shifted::before{left:auto;right:-1px}mark.iso-editor-collab-caret::after{position:absolute;top:-14px;left:-4px;overflow:hidden;min-width:8px;max-width:140px;text-overflow:ellipsis;min-height:8px;padding:2px 4px 3px;content:attr(title);color:#fff;vertical-align:top;font-size:10px;line-height:1;white-space:nowrap;background:var(--iso-editor-collab-caret-color);font-style:normal;font-weight:normal}mark.iso-editor-collab-caret.is-shifted::after{left:auto;right:-4px} .edit-post-header{height:60px;background:#fff;display:flex;flex-wrap:wrap;align-items:center;max-width:100vw;border-bottom:1px solid #e0e0e0}@media(min-width: 280px){.edit-post-header{flex-wrap:nowrap}}.edit-post-header>.edit-post-header__settings{order:1}@supports(position: sticky){.edit-post-header>.edit-post-header__settings{order:initial}}.edit-post-header__toolbar{display:flex;flex-grow:1}.edit-post-header__toolbar button:active,.edit-post-header__toolbar button:focus:not(.edit-post-header-toolbar__inserter-toggle),.edit-post-header__toolbar button:hover{background-color:transparent;background-image:none;border:none}.edit-post-header__toolbar.edit-post-header__toolbar{padding-left:14px}.edit-post-header .edit-post-header__settings{padding-right:14px}.edit-post-header__settings{display:inline-flex;align-items:center;flex-wrap:wrap}.edit-post-header__settings button.components-button.has-icon{margin-right:0} .edit-post-header-toolbar{display:inline-flex;align-items:center;border:none}.edit-post-header-toolbar .edit-post-header-toolbar__left>.components-button{display:none}@media(min-width: 600px){.edit-post-header-toolbar .edit-post-header-toolbar__left>.components-button{display:inline-flex}}.edit-post-header-toolbar .edit-post-header-toolbar__left>.edit-post-header-toolbar__inserter-toggle{display:inline-flex}.edit-post-header-toolbar .block-editor-block-navigation{display:none}@media(min-width: 600px){.edit-post-header-toolbar .block-editor-block-navigation{display:flex}}.edit-post-header-toolbar .edit-post-header-toolbar__left>.components-button.has-icon,.edit-post-header-toolbar .edit-post-header-toolbar__left>.components-dropdown>.components-button.has-icon{height:36px;min-width:36px;padding:6px}.edit-post-header-toolbar .edit-post-header-toolbar__left>.components-button.has-icon.is-pressed,.edit-post-header-toolbar .edit-post-header-toolbar__left>.components-dropdown>.components-button.has-icon.is-pressed{background:#1e1e1e}.edit-post-header-toolbar .edit-post-header-toolbar__left>.components-button.has-icon:focus:not(:disabled),.edit-post-header-toolbar .edit-post-header-toolbar__left>.components-dropdown>.components-button.has-icon:focus:not(:disabled){box-shadow:0 0 0 2px var(--wp-admin-theme-color),inset 0 0 0 1px #fff;outline:1px solid transparent}.edit-post-header-toolbar .edit-post-header-toolbar__left>.components-button.has-icon::before,.edit-post-header-toolbar .edit-post-header-toolbar__left>.components-dropdown>.components-button.has-icon::before{display:none}.edit-post-header-toolbar__left{display:inline-flex;align-items:center;padding-left:0}.edit-post-header-toolbar .edit-post-header-toolbar__left>.edit-post-header-toolbar__inserter-toggle.has-icon{margin-right:8px;min-width:32px;width:32px;height:32px;padding:0}.show-icon-labels .edit-post-header-toolbar .edit-post-header-toolbar__left>.edit-post-header-toolbar__inserter-toggle.has-icon{height:36px}.edit-post-header-toolbar__block-toolbar .block-editor-block-toolbar{overflow-y:hidden}.block-editor-block-mover .block-editor-block-mover-button{height:24px;width:42px;padding-right:11px !important;padding-left:6px !important} .iso-editor .block-editor-inserter__menu,.iso-editor .popover-slot .iso-inspector{background-color:#fff;line-height:1.4;font-family:-apple-system,BlinkMacSystemFont,"Segoe UI",Roboto,Oxygen-Sans,Ubuntu,Cantarell,"Helvetica Neue",sans-serif;font-size:13px}.iso-editor .block-editor-inserter__menu{min-width:300px;max-height:55vh}.iso-editor .popover-slot .iso-inspector{overflow:visible}.iso-editor .popover-slot .iso-inspector fieldset{border:none}.iso-editor .popover-slot .iso-inspector .components-panel__body{width:100%;margin-bottom:0}.iso-editor .popover-slot .iso-inspector .components-panel__body{border-bottom:none}.iso-editor .popover-slot .iso-inspector h2,.iso-editor .popover-slot .iso-inspector h3,.iso-editor .popover-slot .iso-inspector label{font-size:13px}.iso-editor .popover-slot .iso-inspector .components-popover__content{min-height:650px;width:300px}.iso-editor .popover-slot .iso-inspector ul{margin:0}.iso-editor .popover-slot .iso-inspector .components-panel__header{margin-top:1px}.iso-editor .popover-slot .iso-inspector ul li{margin:0}.iso-editor .popover-slot .iso-inspector ul li .is-active{box-shadow:inset 0 0 0 2px transparent,inset 0 -4px 0 0 #007cba;box-shadow:inset 0 0 0 var(--wp-admin-border-width-focus) transparent,inset 0 -4px 0 0 var(--wp-admin-theme-color);position:relative;z-index:1}.iso-editor .popover-slot .iso-inspector ul li .is-active:focus{box-shadow:inset 0 0 0 2px #007cba,inset 0 -4px 0 0 #007cba;box-shadow:inset 0 0 0 var(--wp-admin-border-width-focus) var(--wp-admin-theme-color),inset 0 -4px 0 0 var(--wp-admin-theme-color)} diff --git a/build-browser/isolated-block-editor.js b/build-browser/isolated-block-editor.js index b8acbf4e8..4b94cc1f6 100644 --- a/build-browser/isolated-block-editor.js +++ b/build-browser/isolated-block-editor.js @@ -1,5 +1,5 @@ /*! For license information please see isolated-block-editor.js.LICENSE.txt */ -(()=>{var e={1506:e=>{e.exports=function(e){if(void 0===e)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return e},e.exports.default=e.exports,e.exports.__esModule=!0},7154:e=>{function t(){return e.exports=t=Object.assign||function(e){for(var t=1;t{var r=n(9489);e.exports=function(e,t){e.prototype=Object.create(t.prototype),e.prototype.constructor=e,r(e,t)},e.exports.default=e.exports,e.exports.__esModule=!0},7316:e=>{e.exports=function(e,t){if(null==e)return{};var n,r,o={},a=Object.keys(e);for(r=0;r=0||(o[n]=e[n]);return o},e.exports.default=e.exports,e.exports.__esModule=!0},9489:e=>{function t(n,r){return e.exports=t=Object.setPrototypeOf||function(e,t){return e.__proto__=t,e},e.exports.default=e.exports,e.exports.__esModule=!0,t(n,r)}e.exports=t,e.exports.default=e.exports,e.exports.__esModule=!0},9733:e=>{"use strict";function t(){return null}function n(){return t}t.isRequired=t,e.exports={and:n,between:n,booleanSome:n,childrenHavePropXorChildren:n,childrenOf:n,childrenOfType:n,childrenSequenceOf:n,componentWithName:n,disallowedIf:n,elementType:n,empty:n,explicitNull:n,forbidExtraProps:Object,integer:n,keysOf:n,mutuallyExclusiveProps:n,mutuallyExclusiveTrueProps:n,nChildren:n,nonNegativeInteger:t,nonNegativeNumber:n,numericString:n,object:n,or:n,predicate:n,range:n,ref:n,requiredBy:n,restrictedProp:n,sequenceOf:n,shape:n,stringEndsWith:n,stringStartsWith:n,uniqueArray:n,uniqueArrayOf:n,valuesOf:n,withShape:n}},8341:(e,t,n)=>{e.exports=n(9733)},3535:(e,t,n)=>{"use strict";var r=n(4745),o=n(4847),a=n(5588),i=n(5912),s=n(8502),l=n(2093);e.exports=function(){var e=l(this),t=s(a(e,"length")),n=1;arguments.length>0&&void 0!==arguments[0]&&(n=i(arguments[0]));var c=r(e,0);return o(c,e,t,0,n),c}},6650:(e,t,n)=>{"use strict";var r=n(4289),o=n(5559),a=n(3535),i=n(8981),s=i(),l=n(2131),c=o(s);r(c,{getPolyfill:i,implementation:a,shim:l}),e.exports=c},8981:(e,t,n)=>{"use strict";var r=n(3535);e.exports=function(){return Array.prototype.flat||r}},2131:(e,t,n)=>{"use strict";var r=n(4289),o=n(8981);e.exports=function(){var e=o();return r(Array.prototype,{flat:e},{flat:function(){return Array.prototype.flat!==e}}),e}},9367:function(e,t){var n,r,o;r=[e,t],void 0===(o="function"==typeof(n=function(e,t){"use strict";var n="function"==typeof Map?new Map:function(){var e=[],t=[];return{has:function(t){return e.indexOf(t)>-1},get:function(n){return t[e.indexOf(n)]},set:function(n,r){-1===e.indexOf(n)&&(e.push(n),t.push(r))},delete:function(n){var r=e.indexOf(n);r>-1&&(e.splice(r,1),t.splice(r,1))}}}(),r=function(e){return new Event(e,{bubbles:!0})};try{new Event("test")}catch(e){r=function(e){var t=document.createEvent("Event");return t.initEvent(e,!0,!1),t}}function o(e){if(e&&e.nodeName&&"TEXTAREA"===e.nodeName&&!n.has(e)){var t=null,o=null,a=null,i=function(){e.clientWidth!==o&&p()},s=function(t){window.removeEventListener("resize",i,!1),e.removeEventListener("input",p,!1),e.removeEventListener("keyup",p,!1),e.removeEventListener("autosize:destroy",s,!1),e.removeEventListener("autosize:update",p,!1),Object.keys(t).forEach((function(n){e.style[n]=t[n]})),n.delete(e)}.bind(e,{height:e.style.height,resize:e.style.resize,overflowY:e.style.overflowY,overflowX:e.style.overflowX,wordWrap:e.style.wordWrap});e.addEventListener("autosize:destroy",s,!1),"onpropertychange"in e&&"oninput"in e&&e.addEventListener("keyup",p,!1),window.addEventListener("resize",i,!1),e.addEventListener("input",p,!1),e.addEventListener("autosize:update",p,!1),e.style.overflowX="hidden",e.style.wordWrap="break-word",n.set(e,{destroy:s,update:p}),l()}function l(){var n=window.getComputedStyle(e,null);"vertical"===n.resize?e.style.resize="none":"both"===n.resize&&(e.style.resize="horizontal"),t="content-box"===n.boxSizing?-(parseFloat(n.paddingTop)+parseFloat(n.paddingBottom)):parseFloat(n.borderTopWidth)+parseFloat(n.borderBottomWidth),isNaN(t)&&(t=0),p()}function c(t){var n=e.style.width;e.style.width="0px",e.offsetWidth,e.style.width=n,e.style.overflowY=t}function u(e){for(var t=[];e&&e.parentNode&&e.parentNode instanceof Element;)e.parentNode.scrollTop&&t.push({node:e.parentNode,scrollTop:e.parentNode.scrollTop}),e=e.parentNode;return t}function d(){if(0!==e.scrollHeight){var n=u(e),r=document.documentElement&&document.documentElement.scrollTop;e.style.height="",e.style.height=e.scrollHeight+t+"px",o=e.clientWidth,n.forEach((function(e){e.node.scrollTop=e.scrollTop})),r&&(document.documentElement.scrollTop=r)}}function p(){d();var t=Math.round(parseFloat(e.style.height)),n=window.getComputedStyle(e,null),o="content-box"===n.boxSizing?Math.round(parseFloat(n.height)):e.offsetHeight;if(o{"use strict";var r=n(210),o=n(5559),a=o(r("String.prototype.indexOf"));e.exports=function(e,t){var n=r(e,!!t);return"function"==typeof n&&a(e,".prototype.")>-1?o(n):n}},5559:(e,t,n)=>{"use strict";var r=n(8612),o=n(210),a=o("%Function.prototype.apply%"),i=o("%Function.prototype.call%"),s=o("%Reflect.apply%",!0)||r.call(i,a),l=o("%Object.getOwnPropertyDescriptor%",!0),c=o("%Object.defineProperty%",!0),u=o("%Math.max%");if(c)try{c({},"a",{value:1})}catch(e){c=null}e.exports=function(e){var t=s(r,i,arguments);if(l&&c){var n=l(t,"length");n.configurable&&c(t,"length",{value:1+u(0,e.length-(arguments.length-1))})}return t};var d=function(){return s(r,a,arguments)};c?c(e.exports,"apply",{value:d}):e.exports.apply=d},1991:(e,t)=>{var n;!function(){"use strict";var r=function(){function e(){}function t(e,t){for(var n=t.length,r=0;r{var n;!function(){"use strict";var r={}.hasOwnProperty;function o(){for(var e=[],t=0;t0&&void 0!==arguments[0]?arguments[0]:{};this.action=e.action,this.container=e.container,this.emitter=e.emitter,this.target=e.target,this.text=e.text,this.trigger=e.trigger,this.selectedText=""}},{key:"initSelection",value:function(){this.text?this.selectFake():this.target&&this.selectTarget()}},{key:"createFakeElement",value:function(){var e="rtl"===document.documentElement.getAttribute("dir");this.fakeElem=document.createElement("textarea"),this.fakeElem.style.fontSize="12pt",this.fakeElem.style.border="0",this.fakeElem.style.padding="0",this.fakeElem.style.margin="0",this.fakeElem.style.position="absolute",this.fakeElem.style[e?"right":"left"]="-9999px";var t=window.pageYOffset||document.documentElement.scrollTop;return this.fakeElem.style.top="".concat(t,"px"),this.fakeElem.setAttribute("readonly",""),this.fakeElem.value=this.text,this.fakeElem}},{key:"selectFake",value:function(){var e=this,t=this.createFakeElement();this.fakeHandlerCallback=function(){return e.removeFake()},this.fakeHandler=this.container.addEventListener("click",this.fakeHandlerCallback)||!0,this.container.appendChild(t),this.selectedText=l()(t),this.copyText(),this.removeFake()}},{key:"removeFake",value:function(){this.fakeHandler&&(this.container.removeEventListener("click",this.fakeHandlerCallback),this.fakeHandler=null,this.fakeHandlerCallback=null),this.fakeElem&&(this.container.removeChild(this.fakeElem),this.fakeElem=null)}},{key:"selectTarget",value:function(){this.selectedText=l()(this.target),this.copyText()}},{key:"copyText",value:function(){var e;try{e=document.execCommand(this.action)}catch(t){e=!1}this.handleResult(e)}},{key:"handleResult",value:function(e){this.emitter.emit(e?"success":"error",{action:this.action,text:this.selectedText,trigger:this.trigger,clearSelection:this.clearSelection.bind(this)})}},{key:"clearSelection",value:function(){this.trigger&&this.trigger.focus(),document.activeElement.blur(),window.getSelection().removeAllRanges()}},{key:"destroy",value:function(){this.removeFake()}},{key:"action",set:function(){var e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:"copy";if(this._action=e,"copy"!==this._action&&"cut"!==this._action)throw new Error('Invalid "action" value, use either "copy" or "cut"')},get:function(){return this._action}},{key:"target",set:function(e){if(void 0!==e){if(!e||"object"!==c(e)||1!==e.nodeType)throw new Error('Invalid "target" value, use a valid Element');if("copy"===this.action&&e.hasAttribute("disabled"))throw new Error('Invalid "target" attribute. Please use "readonly" instead of "disabled" attribute');if("cut"===this.action&&(e.hasAttribute("readonly")||e.hasAttribute("disabled")))throw new Error('Invalid "target" attribute. You can\'t cut text from elements with "readonly" or "disabled" attributes');this._target=e}},get:function(){return this._target}}])&&u(t.prototype,n),r&&u(t,r),e}();function p(e){return(p="function"==typeof Symbol&&"symbol"==typeof Symbol.iterator?function(e){return typeof e}:function(e){return e&&"function"==typeof Symbol&&e.constructor===Symbol&&e!==Symbol.prototype?"symbol":typeof e})(e)}function m(e,t){for(var n=0;n0&&void 0!==arguments[0]?arguments[0]:["copy","cut"],t="string"==typeof e?[e]:e,n=!!document.queryCommandSupported;return t.forEach((function(e){n=n&&!!document.queryCommandSupported(e)})),n}}],(n=[{key:"resolveOptions",value:function(){var e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{};this.action="function"==typeof e.action?e.action:this.defaultAction,this.target="function"==typeof e.target?e.target:this.defaultTarget,this.text="function"==typeof e.text?e.text:this.defaultText,this.container="object"===p(e.container)?e.container:document.body}},{key:"listenClick",value:function(e){var t=this;this.listener=i()(e,"click",(function(e){return t.onClick(e)}))}},{key:"onClick",value:function(e){var t=e.delegateTarget||e.currentTarget;this.clipboardAction&&(this.clipboardAction=null),this.clipboardAction=new d({action:this.action(t),target:this.target(t),text:this.text(t),container:this.container,trigger:t,emitter:this})}},{key:"defaultAction",value:function(e){return v("action",e)}},{key:"defaultTarget",value:function(e){var t=v("target",e);if(t)return document.querySelector(t)}},{key:"defaultText",value:function(e){return v("text",e)}},{key:"destroy",value:function(){this.listener.destroy(),this.clipboardAction&&(this.clipboardAction.destroy(),this.clipboardAction=null)}}])&&m(t.prototype,n),r&&m(t,r),a}(o())},828:function(e){if("undefined"!=typeof Element&&!Element.prototype.matches){var t=Element.prototype;t.matches=t.matchesSelector||t.mozMatchesSelector||t.msMatchesSelector||t.oMatchesSelector||t.webkitMatchesSelector}e.exports=function(e,t){for(;e&&9!==e.nodeType;){if("function"==typeof e.matches&&e.matches(t))return e;e=e.parentNode}}},438:function(e,t,n){var r=n(828);function o(e,t,n,r,o){var i=a.apply(this,arguments);return e.addEventListener(n,i,o),{destroy:function(){e.removeEventListener(n,i,o)}}}function a(e,t,n,o){return function(n){n.delegateTarget=r(n.target,t),n.delegateTarget&&o.call(e,n)}}e.exports=function(e,t,n,r,a){return"function"==typeof e.addEventListener?o.apply(null,arguments):"function"==typeof n?o.bind(null,document).apply(null,arguments):("string"==typeof e&&(e=document.querySelectorAll(e)),Array.prototype.map.call(e,(function(e){return o(e,t,n,r,a)})))}},879:function(e,t){t.node=function(e){return void 0!==e&&e instanceof HTMLElement&&1===e.nodeType},t.nodeList=function(e){var n=Object.prototype.toString.call(e);return void 0!==e&&("[object NodeList]"===n||"[object HTMLCollection]"===n)&&"length"in e&&(0===e.length||t.node(e[0]))},t.string=function(e){return"string"==typeof e||e instanceof String},t.fn=function(e){return"[object Function]"===Object.prototype.toString.call(e)}},370:function(e,t,n){var r=n(879),o=n(438);e.exports=function(e,t,n){if(!e&&!t&&!n)throw new Error("Missing required arguments");if(!r.string(t))throw new TypeError("Second argument must be a String");if(!r.fn(n))throw new TypeError("Third argument must be a Function");if(r.node(e))return function(e,t,n){return e.addEventListener(t,n),{destroy:function(){e.removeEventListener(t,n)}}}(e,t,n);if(r.nodeList(e))return function(e,t,n){return Array.prototype.forEach.call(e,(function(e){e.addEventListener(t,n)})),{destroy:function(){Array.prototype.forEach.call(e,(function(e){e.removeEventListener(t,n)}))}}}(e,t,n);if(r.string(e))return function(e,t,n){return o(document.body,e,t,n)}(e,t,n);throw new TypeError("First argument must be a String, HTMLElement, HTMLCollection, or NodeList")}},817:function(e){e.exports=function(e){var t;if("SELECT"===e.nodeName)e.focus(),t=e.value;else if("INPUT"===e.nodeName||"TEXTAREA"===e.nodeName){var n=e.hasAttribute("readonly");n||e.setAttribute("readonly",""),e.select(),e.setSelectionRange(0,e.value.length),n||e.removeAttribute("readonly"),t=e.value}else{e.hasAttribute("contenteditable")&&e.focus();var r=window.getSelection(),o=document.createRange();o.selectNodeContents(e),r.removeAllRanges(),r.addRange(o),t=r.toString()}return t}},279:function(e){function t(){}t.prototype={on:function(e,t,n){var r=this.e||(this.e={});return(r[e]||(r[e]=[])).push({fn:t,ctx:n}),this},once:function(e,t,n){var r=this;function o(){r.off(e,o),t.apply(n,arguments)}return o._=t,this.on(e,o,n)},emit:function(e){for(var t=[].slice.call(arguments,1),n=((this.e||(this.e={}))[e]||[]).slice(),r=0,o=n.length;r{e.exports=function(e,t,n){return((n=window.getComputedStyle)?n(e):e.currentStyle)[t.replace(/-(\w)/gi,(function(e,t){return t.toUpperCase()}))]}},7734:(e,t,n)=>{"use strict";n.r(t),n.d(t,{addEventListener:()=>c});var r=!("undefined"==typeof window||!window.document||!window.document.createElement);var o=void 0;function a(){return void 0===o&&(o=function(){if(!r)return!1;if(!window.addEventListener||!window.removeEventListener||!Object.defineProperty)return!1;var e=!1;try{var t=Object.defineProperty({},"passive",{get:function(){e=!0}}),n=function(){};window.addEventListener("testPassiveEventSupport",n,t),window.removeEventListener("testPassiveEventSupport",n,t)}catch(e){}return e}()),o}function i(e){e.handlers===e.nextHandlers&&(e.nextHandlers=e.handlers.slice())}function s(e){this.target=e,this.events={}}s.prototype.getEventHandlers=function(e,t){var n,r=String(e)+" "+String((n=t)?!0===n?100:(n.capture<<0)+(n.passive<<1)+(n.once<<2):0);return this.events[r]||(this.events[r]={handlers:[],handleEvent:void 0},this.events[r].nextHandlers=this.events[r].handlers),this.events[r]},s.prototype.handleEvent=function(e,t,n){var r=this.getEventHandlers(e,t);r.handlers=r.nextHandlers,r.handlers.forEach((function(e){e&&e(n)}))},s.prototype.add=function(e,t,n){var r=this,o=this.getEventHandlers(e,n);i(o),0===o.nextHandlers.length&&(o.handleEvent=this.handleEvent.bind(this,e,n),this.target.addEventListener(e,o.handleEvent,n)),o.nextHandlers.push(t);var a=!0;return function(){if(a){a=!1,i(o);var s=o.nextHandlers.indexOf(t);o.nextHandlers.splice(s,1),0===o.nextHandlers.length&&(r.target&&r.target.removeEventListener(e,o.handleEvent,n),o.handleEvent=void 0)}}};var l="__consolidated_events_handlers__";function c(e,t,n,r){e[l]||(e[l]=new s(e));var o=function(e){if(e)return a()?e:!!e.capture}(r);return e[l].add(t,n,o)}},4289:(e,t,n)=>{"use strict";var r=n(2215),o="function"==typeof Symbol&&"symbol"==typeof Symbol("foo"),a=Object.prototype.toString,i=Array.prototype.concat,s=Object.defineProperty,l=s&&function(){var e={};try{for(var t in s(e,"x",{enumerable:!1,value:e}),e)return!1;return e.x===e}catch(e){return!1}}(),c=function(e,t,n,r){var o;(!(t in e)||"function"==typeof(o=r)&&"[object Function]"===a.call(o)&&r())&&(l?s(e,t,{configurable:!0,enumerable:!1,value:n,writable:!0}):e[t]=n)},u=function(e,t){var n=arguments.length>2?arguments[2]:{},a=r(t);o&&(a=i.call(a,Object.getOwnPropertySymbols(t)));for(var s=0;s{"use strict";function n(){}function r(e,t,n,r,o){for(var a=0,i=t.length,s=0,l=0;ae.length?n:e})),c.value=e.join(d)}else c.value=e.join(n.slice(s,s+c.count));s+=c.count,c.added||(l+=c.count)}}var p=t[i-1];return i>1&&"string"==typeof p.value&&(p.added||p.removed)&&e.equals("",p.value)&&(t[i-2].value+=p.value,t.pop()),t}function o(e){return{newPos:e.newPos,components:e.components.slice(0)}}Object.defineProperty(t,"__esModule",{value:!0}),t.default=n,n.prototype={diff:function(e,t){var n=arguments.length>2&&void 0!==arguments[2]?arguments[2]:{},a=n.callback;"function"==typeof n&&(a=n,n={}),this.options=n;var i=this;function s(e){return a?(setTimeout((function(){a(void 0,e)}),0),!0):e}e=this.castInput(e),t=this.castInput(t),e=this.removeEmpty(this.tokenize(e));var l=(t=this.removeEmpty(this.tokenize(t))).length,c=e.length,u=1,d=l+c,p=[{newPos:-1,components:[]}],m=this.extractCommon(p[0],t,e,0);if(p[0].newPos+1>=l&&m+1>=c)return s([{value:this.join(t),count:t.length}]);function f(){for(var n=-1*u;n<=u;n+=2){var a=void 0,d=p[n-1],m=p[n+1],f=(m?m.newPos:0)-n;d&&(p[n-1]=void 0);var h=d&&d.newPos+1=l&&f+1>=c)return s(r(i,a.components,t,e,i.useLongestToken));p[n]=a}else p[n]=void 0}u++}if(a)!function e(){setTimeout((function(){if(u>d)return a();f()||e()}),0)}();else for(;u<=d;){var h=f();if(h)return h}},pushComponent:function(e,t,n){var r=e[e.length-1];r&&r.added===t&&r.removed===n?e[e.length-1]={count:r.count+1,added:t,removed:n}:e.push({count:1,added:t,removed:n})},extractCommon:function(e,t,n,r){for(var o=t.length,a=n.length,i=e.newPos,s=i-r,l=0;i+1{"use strict";var r;t.Kx=function(e,t,n){return o.diff(e,t,n)};var o=new(((r=n(5913))&&r.__esModule?r:{default:r}).default)},1676:e=>{"use strict";e.exports=function(e){if(arguments.length<1)throw new TypeError("1 argument is required");if("object"!=typeof e)throw new TypeError("Argument 1 (”other“) to Node.contains must be an instance of Node");var t=e;do{if(this===t)return!0;t&&(t=t.parentNode)}while(t);return!1}},2483:(e,t,n)=>{"use strict";var r=n(4289),o=n(1676),a=n(4356),i=a(),s=function(e,t){return i.apply(e,[t])};r(s,{getPolyfill:a,implementation:o,shim:n(1514)}),e.exports=s},4356:(e,t,n)=>{"use strict";var r=n(1676);e.exports=function(){if("undefined"!=typeof document){if(document.contains)return document.contains;if(document.body&&document.body.contains)try{if("boolean"==typeof document.body.contains.call(document,""))return document.body.contains}catch(e){}}return r}},1514:(e,t,n)=>{"use strict";var r=n(4289),o=n(4356);e.exports=function(){var e=o();return"undefined"!=typeof document&&(r(document,{contains:e},{contains:function(){return document.contains!==e}}),"undefined"!=typeof Element&&r(Element.prototype,{contains:e},{contains:function(){return Element.prototype.contains!==e}})),e}},9010:(e,t,n)=>{"use strict";var r=n(4657);e.exports=function(e,t,n){n=n||{},9===t.nodeType&&(t=r.getWindow(t));var o=n.allowHorizontalScroll,a=n.onlyScrollIfNeeded,i=n.alignWithTop,s=n.alignWithLeft,l=n.offsetTop||0,c=n.offsetLeft||0,u=n.offsetBottom||0,d=n.offsetRight||0;o=void 0===o||o;var p=r.isWindow(t),m=r.offset(e),f=r.outerHeight(e),h=r.outerWidth(e),g=void 0,b=void 0,v=void 0,y=void 0,_=void 0,M=void 0,k=void 0,w=void 0,E=void 0,L=void 0;p?(k=t,L=r.height(k),E=r.width(k),w={left:r.scrollLeft(k),top:r.scrollTop(k)},_={left:m.left-w.left-c,top:m.top-w.top-l},M={left:m.left+h-(w.left+E)+d,top:m.top+f-(w.top+L)+u},y=w):(g=r.offset(t),b=t.clientHeight,v=t.clientWidth,y={left:t.scrollLeft,top:t.scrollTop},_={left:m.left-(g.left+(parseFloat(r.css(t,"borderLeftWidth"))||0))-c,top:m.top-(g.top+(parseFloat(r.css(t,"borderTopWidth"))||0))-l},M={left:m.left+h-(g.left+v+(parseFloat(r.css(t,"borderRightWidth"))||0))+d,top:m.top+f-(g.top+b+(parseFloat(r.css(t,"borderBottomWidth"))||0))+u}),_.top<0||M.top>0?!0===i?r.scrollTop(t,y.top+_.top):!1===i?r.scrollTop(t,y.top+M.top):_.top<0?r.scrollTop(t,y.top+_.top):r.scrollTop(t,y.top+M.top):a||((i=void 0===i||!!i)?r.scrollTop(t,y.top+_.top):r.scrollTop(t,y.top+M.top)),o&&(_.left<0||M.left>0?!0===s?r.scrollLeft(t,y.left+_.left):!1===s?r.scrollLeft(t,y.left+M.left):_.left<0?r.scrollLeft(t,y.left+_.left):r.scrollLeft(t,y.left+M.left):a||((s=void 0===s||!!s)?r.scrollLeft(t,y.left+_.left):r.scrollLeft(t,y.left+M.left)))}},4979:(e,t,n)=>{"use strict";e.exports=n(9010)},4657:e=>{"use strict";var t=Object.assign||function(e){for(var t=1;t{"use strict";function t(e){return(t="function"==typeof Symbol&&"symbol"==typeof Symbol.iterator?function(e){return typeof e}:function(e){return e&&"function"==typeof Symbol&&e.constructor===Symbol&&e!==Symbol.prototype?"symbol":typeof e})(e)}function n(e,t){for(var n=0;n1&&void 0!==arguments[1]?arguments[1]:this;this._map.forEach((function(o,a){null!==a&&"object"===t(a)&&(o=o[1]),e.call(r,o,a,n)}))}},{key:"clear",value:function(){this._map=new Map,this._arrayTreeMap=new Map,this._objectTreeMap=new Map}},{key:"size",get:function(){return this._map.size}}])&&n(o.prototype,a),i&&n(o,i),e}();e.exports=o},4745:(e,t,n)=>{"use strict";var r=n(210),o=r("%Array%"),a=r("%Symbol.species%",!0),i=r("%TypeError%"),s=n(5588),l=n(1924),c=n(970),u=n(7868),d=n(1915);e.exports=function(e,t){if(!u(t)||t<0)throw new i("Assertion failed: length must be an integer >= 0");var n,r=0===t?0:t;if(l(e)&&(n=s(e,"constructor"),a&&"Object"===d(n)&&null===(n=s(n,a))&&(n=void 0)),void 0===n)return o(r);if(!c(n))throw new i("C must be a constructor");return new n(r)}},7800:(e,t,n)=>{"use strict";var r=n(210),o=n(2048),a=r("%TypeError%"),i=n(1924),s=r("%Reflect.apply%",!0)||o("%Function.prototype.apply%");e.exports=function(e,t){var n=arguments.length>2?arguments[2]:[];if(!i(n))throw new a("Assertion failed: optional `argumentsList`, if provided, must be a List");return s(e,t,n)}},2467:(e,t,n)=>{"use strict";var r=n(210)("%TypeError%"),o=n(509),a=n(1922),i=n(1186),s=n(4307),l=n(8624),c=n(1388),u=n(1221),d=n(1915);e.exports=function(e,t,n){if("Object"!==d(e))throw new r("Assertion failed: Type(O) is not Object");if(!c(t))throw new r("Assertion failed: IsPropertyKey(P) is not true");var p=i(e,t),m=!p||l(e);return!(p&&(!p["[[Writable]]"]||!p["[[Configurable]]"])||!m)&&o(s,u,a,e,t,{"[[Configurable]]":!0,"[[Enumerable]]":!0,"[[Value]]":n,"[[Writable]]":!0})}},2861:(e,t,n)=>{"use strict";var r=n(210)("%TypeError%"),o=n(2467),a=n(1388),i=n(1915);e.exports=function(e,t,n){if("Object"!==i(e))throw new r("Assertion failed: Type(O) is not Object");if(!a(t))throw new r("Assertion failed: IsPropertyKey(P) is not true");var s=o(e,t,n);if(!s)throw new r("unable to create data property");return s}},7942:(e,t,n)=>{"use strict";var r=n(210)("%TypeError%"),o=n(9146),a=n(509),i=n(1922),s=n(1876),l=n(4307),c=n(1388),u=n(1221),d=n(2449),p=n(1915);e.exports=function(e,t,n){if("Object"!==p(e))throw new r("Assertion failed: Type(O) is not Object");if(!c(t))throw new r("Assertion failed: IsPropertyKey(P) is not true");var m=o({Type:p,IsDataDescriptor:l,IsAccessorDescriptor:s},n)?n:d(n);if(!o({Type:p,IsDataDescriptor:l,IsAccessorDescriptor:s},m))throw new r("Assertion failed: Desc is not a valid Property Descriptor");return a(l,u,i,e,t,m)}},4847:(e,t,n)=>{"use strict";var r=n(210)("%TypeError%"),o=n(5376),a=n(7800),i=n(2861),s=n(5588),l=n(7392),c=n(1924),u=n(5484),d=n(7308);e.exports=function e(t,n,p,m,f){var h;arguments.length>5&&(h=arguments[5]);for(var g=m,b=0;b0&&(M=c(_)),M){var k=u(_);g=e(t,_,k,g,f-1)}else{if(g>=o)throw new r("index too large");i(t,d(g),_),g+=1}}b+=1}return g}},1922:(e,t,n)=>{"use strict";var r=n(4179),o=n(1915);e.exports=function(e){if(void 0===e)return e;r(o,"Property Descriptor","Desc",e);var t={};return"[[Value]]"in e&&(t.value=e["[[Value]]"]),"[[Writable]]"in e&&(t.writable=e["[[Writable]]"]),"[[Get]]"in e&&(t.get=e["[[Get]]"]),"[[Set]]"in e&&(t.set=e["[[Set]]"]),"[[Enumerable]]"in e&&(t.enumerable=e["[[Enumerable]]"]),"[[Configurable]]"in e&&(t.configurable=e["[[Configurable]]"]),t}},5588:(e,t,n)=>{"use strict";var r=n(210)("%TypeError%"),o=n(631),a=n(1388),i=n(1915);e.exports=function(e,t){if("Object"!==i(e))throw new r("Assertion failed: Type(O) is not Object");if(!a(t))throw new r("Assertion failed: IsPropertyKey(P) is not true, got "+o(t));return e[t]}},7392:(e,t,n)=>{"use strict";var r=n(210)("%TypeError%"),o=n(1388),a=n(1915);e.exports=function(e,t){if("Object"!==a(e))throw new r("Assertion failed: `O` must be an Object");if(!o(t))throw new r("Assertion failed: `P` must be a Property Key");return t in e}},1876:(e,t,n)=>{"use strict";var r=n(7642),o=n(4179),a=n(1915);e.exports=function(e){return void 0!==e&&(o(a,"Property Descriptor","Desc",e),!(!r(e,"[[Get]]")&&!r(e,"[[Set]]")))}},1924:(e,t,n)=>{"use strict";var r=n(210)("%Array%"),o=!r.isArray&&n(2048)("Object.prototype.toString");e.exports=r.isArray||function(e){return"[object Array]"===o(e)}},590:(e,t,n)=>{"use strict";e.exports=n(5320)},970:(e,t,n)=>{"use strict";var r=n(8769)("%Reflect.construct%",!0),o=n(7942);try{o({},"",{"[[Get]]":function(){}})}catch(e){o=null}if(o&&r){var a={},i={};o(i,"length",{"[[Get]]":function(){throw a},"[[Enumerable]]":!0}),e.exports=function(e){try{r(e,i)}catch(e){return e===a}}}else e.exports=function(e){return"function"==typeof e&&!!e.prototype}},4307:(e,t,n)=>{"use strict";var r=n(7642),o=n(4179),a=n(1915);e.exports=function(e){return void 0!==e&&(o(a,"Property Descriptor","Desc",e),!(!r(e,"[[Value]]")&&!r(e,"[[Writable]]")))}},8624:(e,t,n)=>{"use strict";var r=n(210)("%Object%"),o=n(3126),a=r.preventExtensions,i=r.isExtensible;e.exports=a?function(e){return!o(e)&&i(e)}:function(e){return!o(e)}},7868:(e,t,n)=>{"use strict";var r=n(1717),o=n(9202),a=n(1214),i=n(3060);e.exports=function(e){if("number"!=typeof e||a(e)||!i(e))return!1;var t=r(e);return o(t)===t}},1388:e=>{"use strict";e.exports=function(e){return"string"==typeof e||"symbol"==typeof e}},1137:(e,t,n)=>{"use strict";var r=n(210)("%Symbol.match%",!0),o=n(8420),a=n(3683);e.exports=function(e){if(!e||"object"!=typeof e)return!1;if(r){var t=e[r];if(void 0!==t)return a(t)}return o(e)}},5484:(e,t,n)=>{"use strict";var r=n(210)("%TypeError%"),o=n(5588),a=n(8502),i=n(1915);e.exports=function(e){if("Object"!==i(e))throw new r("Assertion failed: `obj` must be an Object");return a(o(e,"length"))}},1186:(e,t,n)=>{"use strict";var r=n(210),o=n(4079),a=r("%TypeError%"),i=n(2048)("Object.prototype.propertyIsEnumerable"),s=n(7642),l=n(1924),c=n(1388),u=n(1137),d=n(2449),p=n(1915);e.exports=function(e,t){if("Object"!==p(e))throw new a("Assertion failed: O must be an Object");if(!c(t))throw new a("Assertion failed: P must be a Property Key");if(s(e,t)){if(!o){var n=l(e)&&"length"===t,r=u(e)&&"lastIndex"===t;return{"[[Configurable]]":!(n||r),"[[Enumerable]]":i(e,t),"[[Value]]":e[t],"[[Writable]]":!0}}return d(o(e,t))}}},3733:(e,t,n)=>{"use strict";e.exports=n(8631)},1221:(e,t,n)=>{"use strict";var r=n(1214);e.exports=function(e,t){return e===t?0!==e||1/e==1/t:r(e)&&r(t)}},3683:e=>{"use strict";e.exports=function(e){return!!e}},5912:(e,t,n)=>{"use strict";var r=n(7195),o=n(7622);e.exports=function(e){var t=o(e);return 0!==t&&(t=r(t)),0===t?0:t}},8502:(e,t,n)=>{"use strict";var r=n(5376),o=n(5912);e.exports=function(e){var t=o(e);return t<=0?0:t>r?r:t}},7622:(e,t,n)=>{"use strict";var r=n(210),o=r("%TypeError%"),a=r("%Number%"),i=r("%RegExp%"),s=r("%parseInt%"),l=n(2048),c=n(1652),u=n(3126),d=l("String.prototype.slice"),p=c(/^0b[01]+$/i),m=c(/^0o[0-7]+$/i),f=c(/^[-+]0x[0-9a-f]+$/i),h=c(new i("["+["…","​","￾"].join("")+"]","g")),g=["\t\n\v\f\r   ᠎    ","          \u2028","\u2029\ufeff"].join(""),b=new RegExp("(^["+g+"]+)|(["+g+"]+$)","g"),v=l("String.prototype.replace"),y=n(8842);e.exports=function e(t){var n=u(t)?t:y(t,a);if("symbol"==typeof n)throw new o("Cannot convert a Symbol value to a number");if("bigint"==typeof n)throw new o("Conversion from 'BigInt' to 'number' is not allowed.");if("string"==typeof n){if(p(n))return e(s(d(n,2),2));if(m(n))return e(s(d(n,2),8));if(h(n)||f(n))return NaN;var r=function(e){return v(e,b,"")}(n);if(r!==n)return e(r)}return a(n)}},2093:(e,t,n)=>{"use strict";var r=n(210)("%Object%"),o=n(3733);e.exports=function(e){return o(e),r(e)}},8842:(e,t,n)=>{"use strict";var r=n(1503);e.exports=function(e){return arguments.length>1?r(e,arguments[1]):r(e)}},2449:(e,t,n)=>{"use strict";var r=n(7642),o=n(210)("%TypeError%"),a=n(1915),i=n(3683),s=n(590);e.exports=function(e){if("Object"!==a(e))throw new o("ToPropertyDescriptor requires an object");var t={};if(r(e,"enumerable")&&(t["[[Enumerable]]"]=i(e.enumerable)),r(e,"configurable")&&(t["[[Configurable]]"]=i(e.configurable)),r(e,"value")&&(t["[[Value]]"]=e.value),r(e,"writable")&&(t["[[Writable]]"]=i(e.writable)),r(e,"get")){var n=e.get;if(void 0!==n&&!s(n))throw new o("getter must be a function");t["[[Get]]"]=n}if(r(e,"set")){var l=e.set;if(void 0!==l&&!s(l))throw new o("setter must be a function");t["[[Set]]"]=l}if((r(t,"[[Get]]")||r(t,"[[Set]]"))&&(r(t,"[[Value]]")||r(t,"[[Writable]]")))throw new o("Invalid property descriptor. Cannot both specify accessors and a value or writable attribute");return t}},7308:(e,t,n)=>{"use strict";var r=n(210),o=r("%String%"),a=r("%TypeError%");e.exports=function(e){if("symbol"==typeof e)throw new a("Cannot convert a Symbol value to a string");return o(e)}},1915:(e,t,n)=>{"use strict";var r=n(1276);e.exports=function(e){return"symbol"==typeof e?"Symbol":"bigint"==typeof e?"BigInt":r(e)}},1717:(e,t,n)=>{"use strict";var r=n(210)("%Math.abs%");e.exports=function(e){return r(e)}},9202:e=>{"use strict";var t=Math.floor;e.exports=function(e){return t(e)}},8631:(e,t,n)=>{"use strict";var r=n(210)("%TypeError%");e.exports=function(e,t){if(null==e)throw new r(t||"Cannot call method on "+e);return e}},7195:(e,t,n)=>{"use strict";var r=n(2683),o=n(9711),a=n(7196),i=n(1214),s=n(3060),l=n(4099);e.exports=function(e){var t=a(e);return i(t)?0:0!==t&&s(t)?l(t)*o(r(t)):t}},7196:(e,t,n)=>{"use strict";var r=n(1318);e.exports=function(e){var t=r(e,Number);if("string"!=typeof t)return+t;var n=t.replace(/^[ \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\u0085]+|[ \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\u0085]+$/g,"");return/^0[ob]|^[+-]0x/.test(n)?NaN:+n}},1318:(e,t,n)=>{"use strict";e.exports=n(2116)},1276:e=>{"use strict";e.exports=function(e){return null===e?"Null":void 0===e?"Undefined":"function"==typeof e||"object"==typeof e?"Object":"number"==typeof e?"Number":"boolean"==typeof e?"Boolean":"string"==typeof e?"String":void 0}},2683:(e,t,n)=>{"use strict";var r=n(210)("%Math.abs%");e.exports=function(e){return r(e)}},9711:e=>{"use strict";var t=Math.floor;e.exports=function(e){return t(e)}},8769:(e,t,n)=>{"use strict";e.exports=n(210)},509:(e,t,n)=>{"use strict";var r=n(210)("%Object.defineProperty%",!0);if(r)try{r({},"a",{value:1})}catch(e){r=null}var o=n(2048)("Object.prototype.propertyIsEnumerable");e.exports=function(e,t,n,a,i,s){if(!r){if(!e(s))return!1;if(!s["[[Configurable]]"]||!s["[[Writable]]"])return!1;if(i in a&&o(a,i)!==!!s["[[Enumerable]]"])return!1;var l=s["[[Value]]"];return a[i]=l,t(a[i],l)}return r(a,i,n(s)),!0}},4179:(e,t,n)=>{"use strict";var r=n(210),o=r("%TypeError%"),a=r("%SyntaxError%"),i=n(7642),s={"Property Descriptor":function(e,t){if("Object"!==e(t))return!1;var n={"[[Configurable]]":!0,"[[Enumerable]]":!0,"[[Get]]":!0,"[[Set]]":!0,"[[Value]]":!0,"[[Writable]]":!0};for(var r in t)if(i(t,r)&&!n[r])return!1;var a=i(t,"[[Value]]"),s=i(t,"[[Get]]")||i(t,"[[Set]]");if(a&&s)throw new o("Property Descriptors may not be both accessor and data descriptors");return!0}};e.exports=function(e,t,n,r){var i=s[t];if("function"!=typeof i)throw new a("unknown record type: "+t);if(!i(e,r))throw new o(n+" must be a "+t)}},4079:(e,t,n)=>{"use strict";var r=n(210)("%Object.getOwnPropertyDescriptor%");if(r)try{r([],"length")}catch(e){r=null}e.exports=r},3060:e=>{"use strict";var t=Number.isNaN||function(e){return e!=e};e.exports=Number.isFinite||function(e){return"number"==typeof e&&!t(e)&&e!==1/0&&e!==-1/0}},1214:e=>{"use strict";e.exports=Number.isNaN||function(e){return e!=e}},3126:e=>{"use strict";e.exports=function(e){return null===e||"function"!=typeof e&&"object"!=typeof e}},9146:(e,t,n)=>{"use strict";var r=n(210),o=n(7642),a=r("%TypeError%");e.exports=function(e,t){if("Object"!==e.Type(t))return!1;var n={"[[Configurable]]":!0,"[[Enumerable]]":!0,"[[Get]]":!0,"[[Set]]":!0,"[[Value]]":!0,"[[Writable]]":!0};for(var r in t)if(o(t,r)&&!n[r])return!1;if(e.IsDataDescriptor(t)&&e.IsAccessorDescriptor(t))throw new a("Property Descriptors may not be both accessor and data descriptors");return!0}},5376:(e,t,n)=>{"use strict";var r=n(210),o=r("%Math%"),a=r("%Number%");e.exports=a.MAX_SAFE_INTEGER||o.pow(2,53)-1},1652:(e,t,n)=>{"use strict";var r=n(210)("RegExp.prototype.test"),o=n(5559);e.exports=function(e){return o(r,e)}},4099:e=>{"use strict";e.exports=function(e){return e>=0?1:-1}},1503:(e,t,n)=>{"use strict";var r="function"==typeof Symbol&&"symbol"==typeof Symbol.iterator,o=n(4149),a=n(5320),i=n(8923),s=n(2636),l=function(e,t){if(null==e)throw new TypeError("Cannot call method on "+e);if("string"!=typeof t||"number"!==t&&"string"!==t)throw new TypeError('hint must be "string" or "number"');var n,r,i,s="string"===t?["toString","valueOf"]:["valueOf","toString"];for(i=0;i1&&(arguments[1]===String?n="string":arguments[1]===Number&&(n="number")),r&&(Symbol.toPrimitive?t=c(e,Symbol.toPrimitive):s(e)&&(t=Symbol.prototype.valueOf)),void 0!==t){var a=t.call(e,n);if(o(a))return a;throw new TypeError("unable to convert exotic object to primitive")}return"default"===n&&(i(e)||s(e))&&(n="string"),l(e,"default"===n?"number":n)}},2116:(e,t,n)=>{"use strict";var r=Object.prototype.toString,o=n(4149),a=n(5320),i=function(e){var t;if((t=arguments.length>1?arguments[1]:"[object Date]"===r.call(e)?String:Number)===String||t===Number){var n,i,s=t===String?["toString","valueOf"]:["valueOf","toString"];for(i=0;i1?i(e,arguments[1]):i(e)}},4149:e=>{"use strict";e.exports=function(e){return null===e||"function"!=typeof e&&"object"!=typeof e}},7667:function(e){e.exports=function(){"use strict";function e(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}function t(e,t){for(var n=0;na?(l=o/a,i=c,s=Math.round(i/l)):(l=a/o,s=c,i=Math.round(s/l)),(i>o||s>a||ir?-1:n===r?0:1}))[0],5),m=p[0],f=p[1],h=p[2],g=p[3],b=p[4];return g?[Math.round(m/g),Math.round(f/g),Math.round(h/g),Math.round(g/b)]:[0,0,0,0]}},{key:"_bindImageEvents",value:function(e,t,n){var r=this,o=(n=n||{})&&n.data,a=this._getDefaultColor(n),i=function(){c(),t.call(e,r.getColor(e,n),o)},s=function(){c(),t.call(e,r._prepareResult(a,new Error("Image error")),o)},l=function(){c(),t.call(e,r._prepareResult(a,new Error("Image abort")),o)},c=function(){e.removeEventListener("load",i),e.removeEventListener("error",s),e.removeEventListener("abort",l)};e.addEventListener("load",i),e.addEventListener("error",s),e.addEventListener("abort",l)}},{key:"_prepareResult",value:function(e,t){var n=e.slice(0,3),r=[].concat(n,e[3]/255),o=this._isDark(e);return{error:t,value:e,rgb:"rgb("+n.join(",")+")",rgba:"rgba("+r.join(",")+")",hex:this._arrayToHex(n),hexa:this._arrayToHex(e),isDark:o,isLight:!o}}},{key:"_getOriginalSize",value:function(e){return e instanceof HTMLImageElement?{width:e.naturalWidth,height:e.naturalHeight}:e instanceof HTMLVideoElement?{width:e.videoWidth,height:e.videoHeight}:{width:e.width,height:e.height}}},{key:"_toHex",value:function(e){var t=e.toString(16);return 1===t.length?"0"+t:t}},{key:"_arrayToHex",value:function(e){return"#"+e.map(this._toHex).join("")}},{key:"_isDark",value:function(e){return(299*e[0]+587*e[1]+114*e[2])/1e3<128}},{key:"_makeCanvas",value:function(){return"undefined"==typeof window?new OffscreenCanvas(1,1):document.createElement("canvas")}}]),t}()}()},3316:e=>{function t(e,t,n,r){var o,a=null==(o=r)||"number"==typeof o||"boolean"==typeof o?r:n(r),i=t.get(a);return void 0===i&&(i=e.call(this,r),t.set(a,i)),i}function n(e,t,n){var r=Array.prototype.slice.call(arguments,3),o=n(r),a=t.get(o);return void 0===a&&(a=e.apply(this,r),t.set(o,a)),a}function r(e,t,n,r,o){return n.bind(t,e,r,o)}function o(e,o){return r(e,this,1===e.length?t:n,o.cache.create(),o.serializer)}function a(){return JSON.stringify(arguments)}function i(){this.cache=Object.create(null)}i.prototype.has=function(e){return e in this.cache},i.prototype.get=function(e){return this.cache[e]},i.prototype.set=function(e,t){this.cache[e]=t};var s={create:function(){return new i}};e.exports=function(e,t){var n=t&&t.cache?t.cache:s,r=t&&t.serializer?t.serializer:a;return(t&&t.strategy?t.strategy:o)(e,{cache:n,serializer:r})},e.exports.strategies={variadic:function(e,t){return r(e,this,n,t.cache.create(),t.serializer)},monadic:function(e,n){return r(e,this,t,n.cache.create(),n.serializer)}}},7648:e=>{"use strict";var t="Function.prototype.bind called on incompatible ",n=Array.prototype.slice,r=Object.prototype.toString,o="[object Function]";e.exports=function(e){var a=this;if("function"!=typeof a||r.call(a)!==o)throw new TypeError(t+a);for(var i,s=n.call(arguments,1),l=function(){if(this instanceof i){var t=a.apply(this,s.concat(n.call(arguments)));return Object(t)===t?t:this}return a.apply(e,s.concat(n.call(arguments)))},c=Math.max(0,a.length-s.length),u=[],d=0;d{"use strict";var r=n(7648);e.exports=Function.prototype.bind||r},210:(e,t,n)=>{"use strict";var r,o=SyntaxError,a=Function,i=TypeError,s=function(e){try{return a('"use strict"; return ('+e+").constructor;")()}catch(e){}},l=Object.getOwnPropertyDescriptor;if(l)try{l({},"")}catch(e){l=null}var c=function(){throw new i},u=l?function(){try{return c}catch(e){try{return l(arguments,"callee").get}catch(e){return c}}}():c,d=n(1405)(),p=Object.getPrototypeOf||function(e){return e.__proto__},m={},f="undefined"==typeof Uint8Array?r:p(Uint8Array),h={"%AggregateError%":"undefined"==typeof AggregateError?r:AggregateError,"%Array%":Array,"%ArrayBuffer%":"undefined"==typeof ArrayBuffer?r:ArrayBuffer,"%ArrayIteratorPrototype%":d?p([][Symbol.iterator]()):r,"%AsyncFromSyncIteratorPrototype%":r,"%AsyncFunction%":m,"%AsyncGenerator%":m,"%AsyncGeneratorFunction%":m,"%AsyncIteratorPrototype%":m,"%Atomics%":"undefined"==typeof Atomics?r:Atomics,"%BigInt%":"undefined"==typeof BigInt?r:BigInt,"%Boolean%":Boolean,"%DataView%":"undefined"==typeof DataView?r:DataView,"%Date%":Date,"%decodeURI%":decodeURI,"%decodeURIComponent%":decodeURIComponent,"%encodeURI%":encodeURI,"%encodeURIComponent%":encodeURIComponent,"%Error%":Error,"%eval%":eval,"%EvalError%":EvalError,"%Float32Array%":"undefined"==typeof Float32Array?r:Float32Array,"%Float64Array%":"undefined"==typeof Float64Array?r:Float64Array,"%FinalizationRegistry%":"undefined"==typeof FinalizationRegistry?r:FinalizationRegistry,"%Function%":a,"%GeneratorFunction%":m,"%Int8Array%":"undefined"==typeof Int8Array?r:Int8Array,"%Int16Array%":"undefined"==typeof Int16Array?r:Int16Array,"%Int32Array%":"undefined"==typeof Int32Array?r:Int32Array,"%isFinite%":isFinite,"%isNaN%":isNaN,"%IteratorPrototype%":d?p(p([][Symbol.iterator]())):r,"%JSON%":"object"==typeof JSON?JSON:r,"%Map%":"undefined"==typeof Map?r:Map,"%MapIteratorPrototype%":"undefined"!=typeof Map&&d?p((new Map)[Symbol.iterator]()):r,"%Math%":Math,"%Number%":Number,"%Object%":Object,"%parseFloat%":parseFloat,"%parseInt%":parseInt,"%Promise%":"undefined"==typeof Promise?r:Promise,"%Proxy%":"undefined"==typeof Proxy?r:Proxy,"%RangeError%":RangeError,"%ReferenceError%":ReferenceError,"%Reflect%":"undefined"==typeof Reflect?r:Reflect,"%RegExp%":RegExp,"%Set%":"undefined"==typeof Set?r:Set,"%SetIteratorPrototype%":"undefined"!=typeof Set&&d?p((new Set)[Symbol.iterator]()):r,"%SharedArrayBuffer%":"undefined"==typeof SharedArrayBuffer?r:SharedArrayBuffer,"%String%":String,"%StringIteratorPrototype%":d?p(""[Symbol.iterator]()):r,"%Symbol%":d?Symbol:r,"%SyntaxError%":o,"%ThrowTypeError%":u,"%TypedArray%":f,"%TypeError%":i,"%Uint8Array%":"undefined"==typeof Uint8Array?r:Uint8Array,"%Uint8ClampedArray%":"undefined"==typeof Uint8ClampedArray?r:Uint8ClampedArray,"%Uint16Array%":"undefined"==typeof Uint16Array?r:Uint16Array,"%Uint32Array%":"undefined"==typeof Uint32Array?r:Uint32Array,"%URIError%":URIError,"%WeakMap%":"undefined"==typeof WeakMap?r:WeakMap,"%WeakRef%":"undefined"==typeof WeakRef?r:WeakRef,"%WeakSet%":"undefined"==typeof WeakSet?r:WeakSet},g=function e(t){var n;if("%AsyncFunction%"===t)n=s("async function () {}");else if("%GeneratorFunction%"===t)n=s("function* () {}");else if("%AsyncGeneratorFunction%"===t)n=s("async function* () {}");else if("%AsyncGenerator%"===t){var r=e("%AsyncGeneratorFunction%");r&&(n=r.prototype)}else if("%AsyncIteratorPrototype%"===t){var o=e("%AsyncGenerator%");o&&(n=p(o.prototype))}return h[t]=n,n},b={"%ArrayBufferPrototype%":["ArrayBuffer","prototype"],"%ArrayPrototype%":["Array","prototype"],"%ArrayProto_entries%":["Array","prototype","entries"],"%ArrayProto_forEach%":["Array","prototype","forEach"],"%ArrayProto_keys%":["Array","prototype","keys"],"%ArrayProto_values%":["Array","prototype","values"],"%AsyncFunctionPrototype%":["AsyncFunction","prototype"],"%AsyncGenerator%":["AsyncGeneratorFunction","prototype"],"%AsyncGeneratorPrototype%":["AsyncGeneratorFunction","prototype","prototype"],"%BooleanPrototype%":["Boolean","prototype"],"%DataViewPrototype%":["DataView","prototype"],"%DatePrototype%":["Date","prototype"],"%ErrorPrototype%":["Error","prototype"],"%EvalErrorPrototype%":["EvalError","prototype"],"%Float32ArrayPrototype%":["Float32Array","prototype"],"%Float64ArrayPrototype%":["Float64Array","prototype"],"%FunctionPrototype%":["Function","prototype"],"%Generator%":["GeneratorFunction","prototype"],"%GeneratorPrototype%":["GeneratorFunction","prototype","prototype"],"%Int8ArrayPrototype%":["Int8Array","prototype"],"%Int16ArrayPrototype%":["Int16Array","prototype"],"%Int32ArrayPrototype%":["Int32Array","prototype"],"%JSONParse%":["JSON","parse"],"%JSONStringify%":["JSON","stringify"],"%MapPrototype%":["Map","prototype"],"%NumberPrototype%":["Number","prototype"],"%ObjectPrototype%":["Object","prototype"],"%ObjProto_toString%":["Object","prototype","toString"],"%ObjProto_valueOf%":["Object","prototype","valueOf"],"%PromisePrototype%":["Promise","prototype"],"%PromiseProto_then%":["Promise","prototype","then"],"%Promise_all%":["Promise","all"],"%Promise_reject%":["Promise","reject"],"%Promise_resolve%":["Promise","resolve"],"%RangeErrorPrototype%":["RangeError","prototype"],"%ReferenceErrorPrototype%":["ReferenceError","prototype"],"%RegExpPrototype%":["RegExp","prototype"],"%SetPrototype%":["Set","prototype"],"%SharedArrayBufferPrototype%":["SharedArrayBuffer","prototype"],"%StringPrototype%":["String","prototype"],"%SymbolPrototype%":["Symbol","prototype"],"%SyntaxErrorPrototype%":["SyntaxError","prototype"],"%TypedArrayPrototype%":["TypedArray","prototype"],"%TypeErrorPrototype%":["TypeError","prototype"],"%Uint8ArrayPrototype%":["Uint8Array","prototype"],"%Uint8ClampedArrayPrototype%":["Uint8ClampedArray","prototype"],"%Uint16ArrayPrototype%":["Uint16Array","prototype"],"%Uint32ArrayPrototype%":["Uint32Array","prototype"],"%URIErrorPrototype%":["URIError","prototype"],"%WeakMapPrototype%":["WeakMap","prototype"],"%WeakSetPrototype%":["WeakSet","prototype"]},v=n(8612),y=n(7642),_=v.call(Function.call,Array.prototype.concat),M=v.call(Function.apply,Array.prototype.splice),k=v.call(Function.call,String.prototype.replace),w=v.call(Function.call,String.prototype.slice),E=/[^%.[\]]+|\[(?:(-?\d+(?:\.\d+)?)|(["'])((?:(?!\2)[^\\]|\\.)*?)\2)\]|(?=(?:\.|\[\])(?:\.|\[\]|%$))/g,L=/\\(\\)?/g,A=function(e){var t=w(e,0,1),n=w(e,-1);if("%"===t&&"%"!==n)throw new o("invalid intrinsic syntax, expected closing `%`");if("%"===n&&"%"!==t)throw new o("invalid intrinsic syntax, expected opening `%`");var r=[];return k(e,E,(function(e,t,n,o){r[r.length]=n?k(o,L,"$1"):t||e})),r},S=function(e,t){var n,r=e;if(y(b,r)&&(r="%"+(n=b[r])[0]+"%"),y(h,r)){var a=h[r];if(a===m&&(a=g(r)),void 0===a&&!t)throw new i("intrinsic "+e+" exists, but is not available. Please file an issue!");return{alias:n,name:r,value:a}}throw new o("intrinsic "+e+" does not exist!")};e.exports=function(e,t){if("string"!=typeof e||0===e.length)throw new i("intrinsic name must be a non-empty string");if(arguments.length>1&&"boolean"!=typeof t)throw new i('"allowMissing" argument must be a boolean');var n=A(e),r=n.length>0?n[0]:"",a=S("%"+r+"%",t),s=a.name,c=a.value,u=!1,d=a.alias;d&&(r=d[0],M(n,_([0,1],d)));for(var p=1,m=!0;p=n.length){var v=l(c,f);c=(m=!!v)&&"get"in v&&!("originalValue"in v.get)?v.get:c[f]}else m=y(c,f),c=c[f];m&&!u&&(h[s]=c)}}return c}},1884:(e,t,n)=>{"use strict";var r=n(4289),o=n(2636),a="__ global cache key __";"function"==typeof Symbol&&o(Symbol("foo"))&&"function"==typeof Symbol.for&&(a=Symbol.for(a));var i=function(){return!0},s=function(){if(!n.g[a]){var e={};e[a]={};var t={};t[a]=i,r(n.g,e,t)}return n.g[a]},l=s(),c=function(e){return o(e)?Symbol.prototype.valueOf.call(e):typeof e+" | "+String(e)},u=function(e){if(!function(e){return null===e||"object"!=typeof e&&"function"!=typeof e}(e))throw new TypeError("key must not be an object")},d={clear:function(){delete n.g[a],l=s()},delete:function(e){return u(e),delete l[c(e)],!d.has(e)},get:function(e){return u(e),l[c(e)]},has:function(e){return u(e),c(e)in l},set:function(e,t){u(e);var n=c(e),o={};o[n]=t;var a={};return a[n]=i,r(l,o,a),d.has(e)},setIfMissingThenGet:function(e,t){if(d.has(e))return d.get(e);var n=t();return d.set(e,n),n}};e.exports=d},9948:(e,t)=>{var n={};n.parse=function(){var e=/^(\-(webkit|o|ms|moz)\-)?(linear\-gradient)/i,t=/^(\-(webkit|o|ms|moz)\-)?(repeating\-linear\-gradient)/i,n=/^(\-(webkit|o|ms|moz)\-)?(radial\-gradient)/i,r=/^(\-(webkit|o|ms|moz)\-)?(repeating\-radial\-gradient)/i,o=/^to (left (top|bottom)|right (top|bottom)|left|right|top|bottom)/i,a=/^(closest\-side|closest\-corner|farthest\-side|farthest\-corner|contain|cover)/,i=/^(left|center|right|top|bottom)/i,s=/^(-?(([0-9]*\.[0-9]+)|([0-9]+\.?)))px/,l=/^(-?(([0-9]*\.[0-9]+)|([0-9]+\.?)))\%/,c=/^(-?(([0-9]*\.[0-9]+)|([0-9]+\.?)))em/,u=/^(-?(([0-9]*\.[0-9]+)|([0-9]+\.?)))deg/,d=/^\(/,p=/^\)/,m=/^,/,f=/^\#([0-9a-fA-F]+)/,h=/^([a-zA-Z]+)/,g=/^rgb/i,b=/^rgba/i,v=/^(([0-9]*\.[0-9]+)|([0-9]+\.?))/,y="";function _(e){var t=new Error(y+": "+e);throw t.source=y,t}function M(){var e=x(k);return y.length>0&&_("Invalid input not EOF"),e}function k(){return w("linear-gradient",e,L)||w("repeating-linear-gradient",t,L)||w("radial-gradient",n,A)||w("repeating-radial-gradient",r,A)}function w(e,t,n){return E(t,(function(t){var r=n();return r&&(I(m)||_("Missing comma before color stops")),{type:e,orientation:r,colorStops:x(z)}}))}function E(e,t){var n=I(e);if(n)return I(d)||_("Missing ("),result=t(n),I(p)||_("Missing )"),result}function L(){return B("directional",o,1)||B("angular",u,1)}function A(){var e,t,n=S();return n&&((e=[]).push(n),t=y,I(m)&&((n=S())?e.push(n):y=t)),e}function S(){var e=function(){var e=B("shape",/^(circle)/i,0);e&&(e.style=D()||C());return e}()||function(){var e=B("shape",/^(ellipse)/i,0);e&&(e.style=N()||C());return e}();if(e)e.at=function(){if(B("position",/^at/,0)){var e=T();return e||_("Missing positioning value"),e}}();else{var t=T();t&&(e={type:"default-radial",at:t})}return e}function C(){return B("extent-keyword",a,1)}function T(){var e={x:N(),y:N()};if(e.x||e.y)return{type:"position",value:e}}function x(e){var t=e(),n=[];if(t)for(n.push(t);I(m);)(t=e())?n.push(t):_("One extra comma");return n}function z(){var e=B("hex",f,1)||E(b,(function(){return{type:"rgba",value:x(O)}}))||E(g,(function(){return{type:"rgb",value:x(O)}}))||B("literal",h,0);return e||_("Expected color definition"),e.length=N(),e}function O(){return I(v)[1]}function N(){return B("%",l,1)||B("position-keyword",i,1)||D()}function D(){return B("px",s,1)||B("em",c,1)}function B(e,t,n){var r=I(t);if(r)return{type:e,value:r[n]}}function I(e){var t,n;return(n=/^[\n\r\t\s]+/.exec(y))&&P(n[0].length),(t=e.exec(y))&&P(t[0].length),t}function P(e){y=y.substr(e)}return function(e){return y=e.toString(),M()}}(),t.parse=(n||{}).parse},1405:(e,t,n)=>{"use strict";var r="undefined"!=typeof Symbol&&Symbol,o=n(5419);e.exports=function(){return"function"==typeof r&&("function"==typeof Symbol&&("symbol"==typeof r("foo")&&("symbol"==typeof Symbol("bar")&&o())))}},5419:e=>{"use strict";e.exports=function(){if("function"!=typeof Symbol||"function"!=typeof Object.getOwnPropertySymbols)return!1;if("symbol"==typeof Symbol.iterator)return!0;var e={},t=Symbol("test"),n=Object(t);if("string"==typeof t)return!1;if("[object Symbol]"!==Object.prototype.toString.call(t))return!1;if("[object Symbol]"!==Object.prototype.toString.call(n))return!1;for(t in e[t]=42,e)return!1;if("function"==typeof Object.keys&&0!==Object.keys(e).length)return!1;if("function"==typeof Object.getOwnPropertyNames&&0!==Object.getOwnPropertyNames(e).length)return!1;var r=Object.getOwnPropertySymbols(e);if(1!==r.length||r[0]!==t)return!1;if(!Object.prototype.propertyIsEnumerable.call(e,t))return!1;if("function"==typeof Object.getOwnPropertyDescriptor){var o=Object.getOwnPropertyDescriptor(e,t);if(42!==o.value||!0!==o.enumerable)return!1}return!0}},7642:(e,t,n)=>{"use strict";var r=n(8612);e.exports=r.call(Function.call,Object.prototype.hasOwnProperty)},6928:e=>{e.exports=function(e){var t={};function n(r){if(t[r])return t[r].exports;var o=t[r]={exports:{},id:r,loaded:!1};return e[r].call(o.exports,o,o.exports,n),o.loaded=!0,o.exports}return n.m=e,n.c=t,n.p="",n(0)}([function(e,t,n){e.exports=n(1)},function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0});var r=n(2);Object.defineProperty(t,"combineChunks",{enumerable:!0,get:function(){return r.combineChunks}}),Object.defineProperty(t,"fillInChunks",{enumerable:!0,get:function(){return r.fillInChunks}}),Object.defineProperty(t,"findAll",{enumerable:!0,get:function(){return r.findAll}}),Object.defineProperty(t,"findChunks",{enumerable:!0,get:function(){return r.findChunks}})},function(e,t){"use strict";Object.defineProperty(t,"__esModule",{value:!0});t.findAll=function(e){var t=e.autoEscape,a=e.caseSensitive,i=void 0!==a&&a,s=e.findChunks,l=void 0===s?r:s,c=e.sanitize,u=e.searchWords,d=e.textToHighlight;return o({chunksToHighlight:n({chunks:l({autoEscape:t,caseSensitive:i,sanitize:c,searchWords:u,textToHighlight:d})}),totalLength:d?d.length:0})};var n=t.combineChunks=function(e){var t=e.chunks;return t=t.sort((function(e,t){return e.start-t.start})).reduce((function(e,t){if(0===e.length)return[t];var n=e.pop();if(t.start<=n.end){var r=Math.max(n.end,t.end);e.push({highlight:!1,start:n.start,end:r})}else e.push(n,t);return e}),[])},r=function(e){var t=e.autoEscape,n=e.caseSensitive,r=e.sanitize,o=void 0===r?a:r,i=e.searchWords,s=e.textToHighlight;return s=o(s),i.filter((function(e){return e})).reduce((function(e,r){r=o(r),t&&(r=r.replace(/[\-\[\]\/\{\}\(\)\*\+\?\.\\\^\$\|]/g,"\\$&"));for(var a=new RegExp(r,n?"g":"gi"),i=void 0;i=a.exec(s);){var l=i.index,c=a.lastIndex;c>l&&e.push({highlight:!1,start:l,end:c}),i.index===a.lastIndex&&a.lastIndex++}return e}),[])};t.findChunks=r;var o=t.fillInChunks=function(e){var t=e.chunksToHighlight,n=e.totalLength,r=[],o=function(e,t,n){t-e>0&&r.push({start:e,end:t,highlight:n})};if(0===t.length)o(0,n,!1);else{var a=0;t.forEach((function(e){o(a,e.start,!1),o(e.start,e.end,!0),a=e.end})),o(a,n,!1)}return r};function a(e){return e}}])},8679:(e,t,n)=>{"use strict";var r=n(1296),o={childContextTypes:!0,contextType:!0,contextTypes:!0,defaultProps:!0,displayName:!0,getDefaultProps:!0,getDerivedStateFromError:!0,getDerivedStateFromProps:!0,mixins:!0,propTypes:!0,type:!0},a={name:!0,length:!0,prototype:!0,caller:!0,callee:!0,arguments:!0,arity:!0},i={$$typeof:!0,compare:!0,defaultProps:!0,displayName:!0,propTypes:!0,type:!0},s={};function l(e){return r.isMemo(e)?i:s[e.$$typeof]||o}s[r.ForwardRef]={$$typeof:!0,render:!0,defaultProps:!0,displayName:!0,propTypes:!0},s[r.Memo]=i;var c=Object.defineProperty,u=Object.getOwnPropertyNames,d=Object.getOwnPropertySymbols,p=Object.getOwnPropertyDescriptor,m=Object.getPrototypeOf,f=Object.prototype;e.exports=function e(t,n,r){if("string"!=typeof n){if(f){var o=m(n);o&&o!==f&&e(t,o,r)}var i=u(n);d&&(i=i.concat(d(n)));for(var s=l(t),h=l(n),g=0;g{"use strict";var n="function"==typeof Symbol&&Symbol.for,r=n?Symbol.for("react.element"):60103,o=n?Symbol.for("react.portal"):60106,a=n?Symbol.for("react.fragment"):60107,i=n?Symbol.for("react.strict_mode"):60108,s=n?Symbol.for("react.profiler"):60114,l=n?Symbol.for("react.provider"):60109,c=n?Symbol.for("react.context"):60110,u=n?Symbol.for("react.async_mode"):60111,d=n?Symbol.for("react.concurrent_mode"):60111,p=n?Symbol.for("react.forward_ref"):60112,m=n?Symbol.for("react.suspense"):60113,f=n?Symbol.for("react.suspense_list"):60120,h=n?Symbol.for("react.memo"):60115,g=n?Symbol.for("react.lazy"):60116,b=n?Symbol.for("react.block"):60121,v=n?Symbol.for("react.fundamental"):60117,y=n?Symbol.for("react.responder"):60118,_=n?Symbol.for("react.scope"):60119;function M(e){if("object"==typeof e&&null!==e){var t=e.$$typeof;switch(t){case r:switch(e=e.type){case u:case d:case a:case s:case i:case m:return e;default:switch(e=e&&e.$$typeof){case c:case p:case g:case h:case l:return e;default:return t}}case o:return t}}}function k(e){return M(e)===d}t.AsyncMode=u,t.ConcurrentMode=d,t.ContextConsumer=c,t.ContextProvider=l,t.Element=r,t.ForwardRef=p,t.Fragment=a,t.Lazy=g,t.Memo=h,t.Portal=o,t.Profiler=s,t.StrictMode=i,t.Suspense=m,t.isAsyncMode=function(e){return k(e)||M(e)===u},t.isConcurrentMode=k,t.isContextConsumer=function(e){return M(e)===c},t.isContextProvider=function(e){return M(e)===l},t.isElement=function(e){return"object"==typeof e&&null!==e&&e.$$typeof===r},t.isForwardRef=function(e){return M(e)===p},t.isFragment=function(e){return M(e)===a},t.isLazy=function(e){return M(e)===g},t.isMemo=function(e){return M(e)===h},t.isPortal=function(e){return M(e)===o},t.isProfiler=function(e){return M(e)===s},t.isStrictMode=function(e){return M(e)===i},t.isSuspense=function(e){return M(e)===m},t.isValidElementType=function(e){return"string"==typeof e||"function"==typeof e||e===a||e===d||e===s||e===i||e===m||e===f||"object"==typeof e&&null!==e&&(e.$$typeof===g||e.$$typeof===h||e.$$typeof===l||e.$$typeof===c||e.$$typeof===p||e.$$typeof===v||e.$$typeof===y||e.$$typeof===_||e.$$typeof===b)},t.typeOf=M},1296:(e,t,n)=>{"use strict";e.exports=n(6103)},5717:e=>{"function"==typeof Object.create?e.exports=function(e,t){t&&(e.super_=t,e.prototype=Object.create(t.prototype,{constructor:{value:e,enumerable:!1,writable:!0,configurable:!0}}))}:e.exports=function(e,t){if(t){e.super_=t;var n=function(){};n.prototype=t.prototype,e.prototype=new n,e.prototype.constructor=e}}},5320:e=>{"use strict";var t,n,r=Function.prototype.toString,o="object"==typeof Reflect&&null!==Reflect&&Reflect.apply;if("function"==typeof o&&"function"==typeof Object.defineProperty)try{t=Object.defineProperty({},"length",{get:function(){throw n}}),n={},o((function(){throw 42}),null,t)}catch(e){e!==n&&(o=null)}else o=null;var a=/^\s*class\b/,i=function(e){try{var t=r.call(e);return a.test(t)}catch(e){return!1}},s=Object.prototype.toString,l="function"==typeof Symbol&&"symbol"==typeof Symbol.toStringTag,c="object"==typeof document&&void 0===document.all&&void 0!==document.all?document.all:{};e.exports=o?function(e){if(e===c)return!0;if(!e)return!1;if("function"!=typeof e&&"object"!=typeof e)return!1;if("function"==typeof e&&!e.prototype)return!0;try{o(e,null,t)}catch(e){if(e!==n)return!1}return!i(e)}:function(e){if(e===c)return!0;if(!e)return!1;if("function"!=typeof e&&"object"!=typeof e)return!1;if("function"==typeof e&&!e.prototype)return!0;if(l)return function(e){try{return!i(e)&&(r.call(e),!0)}catch(e){return!1}}(e);if(i(e))return!1;var t=s.call(e);return"[object Function]"===t||"[object GeneratorFunction]"===t}},8923:e=>{"use strict";var t=Date.prototype.getDay,n=Object.prototype.toString,r="function"==typeof Symbol&&!!Symbol.toStringTag;e.exports=function(e){return"object"==typeof e&&null!==e&&(r?function(e){try{return t.call(e),!0}catch(e){return!1}}(e):"[object Date]"===n.call(e))}},8420:(e,t,n)=>{"use strict";var r,o,a,i,s=n(2048),l=n(5419)()&&!!Symbol.toStringTag;if(l){r=s("Object.prototype.hasOwnProperty"),o=s("RegExp.prototype.exec"),a={};var c=function(){throw a};i={toString:c,valueOf:c},"symbol"==typeof Symbol.toPrimitive&&(i[Symbol.toPrimitive]=c)}var u=s("Object.prototype.toString"),d=Object.getOwnPropertyDescriptor;e.exports=l?function(e){if(!e||"object"!=typeof e)return!1;var t=d(e,"lastIndex");if(!(t&&r(t,"value")))return!1;try{o(e,i)}catch(e){return e===a}}:function(e){return!(!e||"object"!=typeof e&&"function"!=typeof e)&&"[object RegExp]"===u(e)}},2636:(e,t,n)=>{"use strict";var r=Object.prototype.toString;if(n(1405)()){var o=Symbol.prototype.toString,a=/^Symbol\(.*\)$/;e.exports=function(e){if("symbol"==typeof e)return!0;if("[object Symbol]"!==r.call(e))return!1;try{return function(e){return"symbol"==typeof e.valueOf()&&a.test(o.call(e))}(e)}catch(e){return!1}}}else e.exports=function(e){return!1}},1465:(e,t)=>{Object.defineProperty(t,"__esModule",{value:!0}),t.default=function(){return!("undefined"==typeof window||!("ontouchstart"in window||window.DocumentTouch&&"undefined"!=typeof document&&document instanceof window.DocumentTouch))||!("undefined"==typeof navigator||!navigator.maxTouchPoints&&!navigator.msMaxTouchPoints)},e.exports=t.default},8303:(e,t,n)=>{var r=n(1934);e.exports=function(e){var t=r(e,"line-height"),n=parseFloat(t,10);if(t===n+""){var o=e.style.lineHeight;e.style.lineHeight=t+"em",t=r(e,"line-height"),n=parseFloat(t,10),o?e.style.lineHeight=o:delete e.style.lineHeight}if(-1!==t.indexOf("pt")?(n*=4,n/=3):-1!==t.indexOf("mm")?(n*=96,n/=25.4):-1!==t.indexOf("cm")?(n*=96,n/=2.54):-1!==t.indexOf("in")?n*=96:-1!==t.indexOf("pc")&&(n*=16),n=Math.round(n),"normal"===t){var a=e.nodeName,i=document.createElement(a);i.innerHTML=" ","TEXTAREA"===a.toUpperCase()&&i.setAttribute("rows","1");var s=r(e,"font-size");i.style.fontSize=s,i.style.padding="0px",i.style.border="0px";var l=document.body;l.appendChild(i),n=i.offsetHeight,l.removeChild(i)}return n}},2705:(e,t,n)=>{var r=n(5639).Symbol;e.exports=r},4239:(e,t,n)=>{var r=n(2705),o=n(9607),a=n(2333),i=r?r.toStringTag:void 0;e.exports=function(e){return null==e?void 0===e?"[object Undefined]":"[object Null]":i&&i in Object(e)?o(e):a(e)}},7561:(e,t,n)=>{var r=n(7990),o=/^\s+/;e.exports=function(e){return e?e.slice(0,r(e)+1).replace(o,""):e}},1957:(e,t,n)=>{var r="object"==typeof n.g&&n.g&&n.g.Object===Object&&n.g;e.exports=r},9607:(e,t,n)=>{var r=n(2705),o=Object.prototype,a=o.hasOwnProperty,i=o.toString,s=r?r.toStringTag:void 0;e.exports=function(e){var t=a.call(e,s),n=e[s];try{e[s]=void 0;var r=!0}catch(e){}var o=i.call(e);return r&&(t?e[s]=n:delete e[s]),o}},2333:e=>{var t=Object.prototype.toString;e.exports=function(e){return t.call(e)}},5639:(e,t,n)=>{var r=n(1957),o="object"==typeof self&&self&&self.Object===Object&&self,a=r||o||Function("return this")();e.exports=a},7990:e=>{var t=/\s/;e.exports=function(e){for(var n=e.length;n--&&t.test(e.charAt(n)););return n}},3279:(e,t,n)=>{var r=n(3218),o=n(7771),a=n(4841),i=Math.max,s=Math.min;e.exports=function(e,t,n){var l,c,u,d,p,m,f=0,h=!1,g=!1,b=!0;if("function"!=typeof e)throw new TypeError("Expected a function");function v(t){var n=l,r=c;return l=c=void 0,f=t,d=e.apply(r,n)}function y(e){return f=e,p=setTimeout(M,t),h?v(e):d}function _(e){var n=e-m;return void 0===m||n>=t||n<0||g&&e-f>=u}function M(){var e=o();if(_(e))return k(e);p=setTimeout(M,function(e){var n=t-(e-m);return g?s(n,u-(e-f)):n}(e))}function k(e){return p=void 0,b&&l?v(e):(l=c=void 0,d)}function w(){var e=o(),n=_(e);if(l=arguments,c=this,m=e,n){if(void 0===p)return y(m);if(g)return clearTimeout(p),p=setTimeout(M,t),v(m)}return void 0===p&&(p=setTimeout(M,t)),d}return t=a(t)||0,r(n)&&(h=!!n.leading,u=(g="maxWait"in n)?i(a(n.maxWait)||0,t):u,b="trailing"in n?!!n.trailing:b),w.cancel=function(){void 0!==p&&clearTimeout(p),f=0,l=m=c=p=void 0},w.flush=function(){return void 0===p?d:k(o())},w}},3218:e=>{e.exports=function(e){var t=typeof e;return null!=e&&("object"==t||"function"==t)}},7005:e=>{e.exports=function(e){return null!=e&&"object"==typeof e}},3448:(e,t,n)=>{var r=n(4239),o=n(7005);e.exports=function(e){return"symbol"==typeof e||o(e)&&"[object Symbol]"==r(e)}},6486:function(e,t,n){var r;e=n.nmd(e),function(){var o,a="Expected a function",i="__lodash_hash_undefined__",s="__lodash_placeholder__",l=16,c=32,u=64,d=128,p=256,m=1/0,f=9007199254740991,h=NaN,g=4294967295,b=[["ary",d],["bind",1],["bindKey",2],["curry",8],["curryRight",l],["flip",512],["partial",c],["partialRight",u],["rearg",p]],v="[object Arguments]",y="[object Array]",_="[object Boolean]",M="[object Date]",k="[object Error]",w="[object Function]",E="[object GeneratorFunction]",L="[object Map]",A="[object Number]",S="[object Object]",C="[object Promise]",T="[object RegExp]",x="[object Set]",z="[object String]",O="[object Symbol]",N="[object WeakMap]",D="[object ArrayBuffer]",B="[object DataView]",I="[object Float32Array]",P="[object Float64Array]",R="[object Int8Array]",Y="[object Int16Array]",W="[object Int32Array]",H="[object Uint8Array]",q="[object Uint8ClampedArray]",j="[object Uint16Array]",F="[object Uint32Array]",V=/\b__p \+= '';/g,X=/\b(__p \+=) '' \+/g,U=/(__e\(.*?\)|\b__t\)) \+\n'';/g,$=/&(?:amp|lt|gt|quot|#39);/g,K=/[&<>"']/g,G=RegExp($.source),J=RegExp(K.source),Q=/<%-([\s\S]+?)%>/g,Z=/<%([\s\S]+?)%>/g,ee=/<%=([\s\S]+?)%>/g,te=/\.|\[(?:[^[\]]*|(["'])(?:(?!\1)[^\\]|\\.)*?\1)\]/,ne=/^\w*$/,re=/[^.[\]]+|\[(?:(-?\d+(?:\.\d+)?)|(["'])((?:(?!\2)[^\\]|\\.)*?)\2)\]|(?=(?:\.|\[\])(?:\.|\[\]|$))/g,oe=/[\\^$.*+?()[\]{}|]/g,ae=RegExp(oe.source),ie=/^\s+/,se=/\s/,le=/\{(?:\n\/\* \[wrapped with .+\] \*\/)?\n?/,ce=/\{\n\/\* \[wrapped with (.+)\] \*/,ue=/,? & /,de=/[^\x00-\x2f\x3a-\x40\x5b-\x60\x7b-\x7f]+/g,pe=/[()=,{}\[\]\/\s]/,me=/\\(\\)?/g,fe=/\$\{([^\\}]*(?:\\.[^\\}]*)*)\}/g,he=/\w*$/,ge=/^[-+]0x[0-9a-f]+$/i,be=/^0b[01]+$/i,ve=/^\[object .+?Constructor\]$/,ye=/^0o[0-7]+$/i,_e=/^(?:0|[1-9]\d*)$/,Me=/[\xc0-\xd6\xd8-\xf6\xf8-\xff\u0100-\u017f]/g,ke=/($^)/,we=/['\n\r\u2028\u2029\\]/g,Ee="\\u0300-\\u036f\\ufe20-\\ufe2f\\u20d0-\\u20ff",Le="\\u2700-\\u27bf",Ae="a-z\\xdf-\\xf6\\xf8-\\xff",Se="A-Z\\xc0-\\xd6\\xd8-\\xde",Ce="\\ufe0e\\ufe0f",Te="\\xac\\xb1\\xd7\\xf7\\x00-\\x2f\\x3a-\\x40\\x5b-\\x60\\x7b-\\xbf\\u2000-\\u206f \\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",xe="['’]",ze="[\\ud800-\\udfff]",Oe="["+Te+"]",Ne="["+Ee+"]",De="\\d+",Be="[\\u2700-\\u27bf]",Ie="["+Ae+"]",Pe="[^\\ud800-\\udfff"+Te+De+Le+Ae+Se+"]",Re="\\ud83c[\\udffb-\\udfff]",Ye="[^\\ud800-\\udfff]",We="(?:\\ud83c[\\udde6-\\uddff]){2}",He="[\\ud800-\\udbff][\\udc00-\\udfff]",qe="["+Se+"]",je="(?:"+Ie+"|"+Pe+")",Fe="(?:"+qe+"|"+Pe+")",Ve="(?:['’](?:d|ll|m|re|s|t|ve))?",Xe="(?:['’](?:D|LL|M|RE|S|T|VE))?",Ue="(?:"+Ne+"|"+Re+")"+"?",$e="[\\ufe0e\\ufe0f]?",Ke=$e+Ue+("(?:\\u200d(?:"+[Ye,We,He].join("|")+")"+$e+Ue+")*"),Ge="(?:"+[Be,We,He].join("|")+")"+Ke,Je="(?:"+[Ye+Ne+"?",Ne,We,He,ze].join("|")+")",Qe=RegExp(xe,"g"),Ze=RegExp(Ne,"g"),et=RegExp(Re+"(?="+Re+")|"+Je+Ke,"g"),tt=RegExp([qe+"?"+Ie+"+"+Ve+"(?="+[Oe,qe,"$"].join("|")+")",Fe+"+"+Xe+"(?="+[Oe,qe+je,"$"].join("|")+")",qe+"?"+je+"+"+Ve,qe+"+"+Xe,"\\d*(?:1ST|2ND|3RD|(?![123])\\dTH)(?=\\b|[a-z_])","\\d*(?:1st|2nd|3rd|(?![123])\\dth)(?=\\b|[A-Z_])",De,Ge].join("|"),"g"),nt=RegExp("[\\u200d\\ud800-\\udfff"+Ee+Ce+"]"),rt=/[a-z][A-Z]|[A-Z]{2}[a-z]|[0-9][a-zA-Z]|[a-zA-Z][0-9]|[^a-zA-Z0-9 ]/,ot=["Array","Buffer","DataView","Date","Error","Float32Array","Float64Array","Function","Int8Array","Int16Array","Int32Array","Map","Math","Object","Promise","RegExp","Set","String","Symbol","TypeError","Uint8Array","Uint8ClampedArray","Uint16Array","Uint32Array","WeakMap","_","clearTimeout","isFinite","parseInt","setTimeout"],at=-1,it={};it[I]=it[P]=it[R]=it[Y]=it[W]=it[H]=it[q]=it[j]=it[F]=!0,it[v]=it[y]=it[D]=it[_]=it[B]=it[M]=it[k]=it[w]=it[L]=it[A]=it[S]=it[T]=it[x]=it[z]=it[N]=!1;var st={};st[v]=st[y]=st[D]=st[B]=st[_]=st[M]=st[I]=st[P]=st[R]=st[Y]=st[W]=st[L]=st[A]=st[S]=st[T]=st[x]=st[z]=st[O]=st[H]=st[q]=st[j]=st[F]=!0,st[k]=st[w]=st[N]=!1;var lt={"\\":"\\","'":"'","\n":"n","\r":"r","\u2028":"u2028","\u2029":"u2029"},ct=parseFloat,ut=parseInt,dt="object"==typeof n.g&&n.g&&n.g.Object===Object&&n.g,pt="object"==typeof self&&self&&self.Object===Object&&self,mt=dt||pt||Function("return this")(),ft=t&&!t.nodeType&&t,ht=ft&&e&&!e.nodeType&&e,gt=ht&&ht.exports===ft,bt=gt&&dt.process,vt=function(){try{var e=ht&&ht.require&&ht.require("util").types;return e||bt&&bt.binding&&bt.binding("util")}catch(e){}}(),yt=vt&&vt.isArrayBuffer,_t=vt&&vt.isDate,Mt=vt&&vt.isMap,kt=vt&&vt.isRegExp,wt=vt&&vt.isSet,Et=vt&&vt.isTypedArray;function Lt(e,t,n){switch(n.length){case 0:return e.call(t);case 1:return e.call(t,n[0]);case 2:return e.call(t,n[0],n[1]);case 3:return e.call(t,n[0],n[1],n[2])}return e.apply(t,n)}function At(e,t,n,r){for(var o=-1,a=null==e?0:e.length;++o-1}function Ot(e,t,n){for(var r=-1,o=null==e?0:e.length;++r-1;);return n}function tn(e,t){for(var n=e.length;n--&&Ht(t,e[n],0)>-1;);return n}function nn(e,t){for(var n=e.length,r=0;n--;)e[n]===t&&++r;return r}var rn=Xt({À:"A",Á:"A",Â:"A",Ã:"A",Ä:"A",Å:"A",à:"a",á:"a",â:"a",ã:"a",ä:"a",å:"a",Ç:"C",ç:"c",Ð:"D",ð:"d",È:"E",É:"E",Ê:"E",Ë:"E",è:"e",é:"e",ê:"e",ë:"e",Ì:"I",Í:"I",Î:"I",Ï:"I",ì:"i",í:"i",î:"i",ï:"i",Ñ:"N",ñ:"n",Ò:"O",Ó:"O",Ô:"O",Õ:"O",Ö:"O",Ø:"O",ò:"o",ó:"o",ô:"o",õ:"o",ö:"o",ø:"o",Ù:"U",Ú:"U",Û:"U",Ü:"U",ù:"u",ú:"u",û:"u",ü:"u",Ý:"Y",ý:"y",ÿ:"y",Æ:"Ae",æ:"ae",Þ:"Th",þ:"th",ß:"ss",Ā:"A",Ă:"A",Ą:"A",ā:"a",ă:"a",ą:"a",Ć:"C",Ĉ:"C",Ċ:"C",Č:"C",ć:"c",ĉ:"c",ċ:"c",č:"c",Ď:"D",Đ:"D",ď:"d",đ:"d",Ē:"E",Ĕ:"E",Ė:"E",Ę:"E",Ě:"E",ē:"e",ĕ:"e",ė:"e",ę:"e",ě:"e",Ĝ:"G",Ğ:"G",Ġ:"G",Ģ:"G",ĝ:"g",ğ:"g",ġ:"g",ģ:"g",Ĥ:"H",Ħ:"H",ĥ:"h",ħ:"h",Ĩ:"I",Ī:"I",Ĭ:"I",Į:"I",İ:"I",ĩ:"i",ī:"i",ĭ:"i",į:"i",ı:"i",Ĵ:"J",ĵ:"j",Ķ:"K",ķ:"k",ĸ:"k",Ĺ:"L",Ļ:"L",Ľ:"L",Ŀ:"L",Ł:"L",ĺ:"l",ļ:"l",ľ:"l",ŀ:"l",ł:"l",Ń:"N",Ņ:"N",Ň:"N",Ŋ:"N",ń:"n",ņ:"n",ň:"n",ŋ:"n",Ō:"O",Ŏ:"O",Ő:"O",ō:"o",ŏ:"o",ő:"o",Ŕ:"R",Ŗ:"R",Ř:"R",ŕ:"r",ŗ:"r",ř:"r",Ś:"S",Ŝ:"S",Ş:"S",Š:"S",ś:"s",ŝ:"s",ş:"s",š:"s",Ţ:"T",Ť:"T",Ŧ:"T",ţ:"t",ť:"t",ŧ:"t",Ũ:"U",Ū:"U",Ŭ:"U",Ů:"U",Ű:"U",Ų:"U",ũ:"u",ū:"u",ŭ:"u",ů:"u",ű:"u",ų:"u",Ŵ:"W",ŵ:"w",Ŷ:"Y",ŷ:"y",Ÿ:"Y",Ź:"Z",Ż:"Z",Ž:"Z",ź:"z",ż:"z",ž:"z",IJ:"IJ",ij:"ij",Œ:"Oe",œ:"oe",ʼn:"'n",ſ:"s"}),on=Xt({"&":"&","<":"<",">":">",'"':""","'":"'"});function an(e){return"\\"+lt[e]}function sn(e){return nt.test(e)}function ln(e){var t=-1,n=Array(e.size);return e.forEach((function(e,r){n[++t]=[r,e]})),n}function cn(e,t){return function(n){return e(t(n))}}function un(e,t){for(var n=-1,r=e.length,o=0,a=[];++n",""":'"',"'":"'"});var bn=function e(t){var n,r=(t=null==t?mt:bn.defaults(mt.Object(),t,bn.pick(mt,ot))).Array,se=t.Date,Ee=t.Error,Le=t.Function,Ae=t.Math,Se=t.Object,Ce=t.RegExp,Te=t.String,xe=t.TypeError,ze=r.prototype,Oe=Le.prototype,Ne=Se.prototype,De=t["__core-js_shared__"],Be=Oe.toString,Ie=Ne.hasOwnProperty,Pe=0,Re=(n=/[^.]+$/.exec(De&&De.keys&&De.keys.IE_PROTO||""))?"Symbol(src)_1."+n:"",Ye=Ne.toString,We=Be.call(Se),He=mt._,qe=Ce("^"+Be.call(Ie).replace(oe,"\\$&").replace(/hasOwnProperty|(function).*?(?=\\\()| for .+?(?=\\\])/g,"$1.*?")+"$"),je=gt?t.Buffer:o,Fe=t.Symbol,Ve=t.Uint8Array,Xe=je?je.allocUnsafe:o,Ue=cn(Se.getPrototypeOf,Se),$e=Se.create,Ke=Ne.propertyIsEnumerable,Ge=ze.splice,Je=Fe?Fe.isConcatSpreadable:o,et=Fe?Fe.iterator:o,nt=Fe?Fe.toStringTag:o,lt=function(){try{var e=fa(Se,"defineProperty");return e({},"",{}),e}catch(e){}}(),dt=t.clearTimeout!==mt.clearTimeout&&t.clearTimeout,pt=se&&se.now!==mt.Date.now&&se.now,ft=t.setTimeout!==mt.setTimeout&&t.setTimeout,ht=Ae.ceil,bt=Ae.floor,vt=Se.getOwnPropertySymbols,Rt=je?je.isBuffer:o,Xt=t.isFinite,vn=ze.join,yn=cn(Se.keys,Se),_n=Ae.max,Mn=Ae.min,kn=se.now,wn=t.parseInt,En=Ae.random,Ln=ze.reverse,An=fa(t,"DataView"),Sn=fa(t,"Map"),Cn=fa(t,"Promise"),Tn=fa(t,"Set"),xn=fa(t,"WeakMap"),zn=fa(Se,"create"),On=xn&&new xn,Nn={},Dn=Ha(An),Bn=Ha(Sn),In=Ha(Cn),Pn=Ha(Tn),Rn=Ha(xn),Yn=Fe?Fe.prototype:o,Wn=Yn?Yn.valueOf:o,Hn=Yn?Yn.toString:o;function qn(e){if(os(e)&&!Ui(e)&&!(e instanceof Xn)){if(e instanceof Vn)return e;if(Ie.call(e,"__wrapped__"))return qa(e)}return new Vn(e)}var jn=function(){function e(){}return function(t){if(!rs(t))return{};if($e)return $e(t);e.prototype=t;var n=new e;return e.prototype=o,n}}();function Fn(){}function Vn(e,t){this.__wrapped__=e,this.__actions__=[],this.__chain__=!!t,this.__index__=0,this.__values__=o}function Xn(e){this.__wrapped__=e,this.__actions__=[],this.__dir__=1,this.__filtered__=!1,this.__iteratees__=[],this.__takeCount__=g,this.__views__=[]}function Un(e){var t=-1,n=null==e?0:e.length;for(this.clear();++t=t?e:t)),e}function ur(e,t,n,r,a,i){var s,l=1&t,c=2&t,u=4&t;if(n&&(s=a?n(e,r,a,i):n(e)),s!==o)return s;if(!rs(e))return e;var d=Ui(e);if(d){if(s=function(e){var t=e.length,n=new e.constructor(t);t&&"string"==typeof e[0]&&Ie.call(e,"index")&&(n.index=e.index,n.input=e.input);return n}(e),!l)return Oo(e,s)}else{var p=ba(e),m=p==w||p==E;if(Ji(e))return Ao(e,l);if(p==S||p==v||m&&!a){if(s=c||m?{}:ya(e),!l)return c?function(e,t){return No(e,ga(e),t)}(e,function(e,t){return e&&No(t,Bs(t),e)}(s,e)):function(e,t){return No(e,ha(e),t)}(e,ir(s,e))}else{if(!st[p])return a?e:{};s=function(e,t,n){var r=e.constructor;switch(t){case D:return So(e);case _:case M:return new r(+e);case B:return function(e,t){var n=t?So(e.buffer):e.buffer;return new e.constructor(n,e.byteOffset,e.byteLength)}(e,n);case I:case P:case R:case Y:case W:case H:case q:case j:case F:return Co(e,n);case L:return new r;case A:case z:return new r(e);case T:return function(e){var t=new e.constructor(e.source,he.exec(e));return t.lastIndex=e.lastIndex,t}(e);case x:return new r;case O:return o=e,Wn?Se(Wn.call(o)):{}}var o}(e,p,l)}}i||(i=new Jn);var f=i.get(e);if(f)return f;i.set(e,s),cs(e)?e.forEach((function(r){s.add(ur(r,t,n,r,e,i))})):as(e)&&e.forEach((function(r,o){s.set(o,ur(r,t,n,o,e,i))}));var h=d?o:(u?c?sa:ia:c?Bs:Ds)(e);return St(h||e,(function(r,o){h&&(r=e[o=r]),rr(s,o,ur(r,t,n,o,e,i))})),s}function dr(e,t,n){var r=n.length;if(null==e)return!r;for(e=Se(e);r--;){var a=n[r],i=t[a],s=e[a];if(s===o&&!(a in e)||!i(s))return!1}return!0}function pr(e,t,n){if("function"!=typeof e)throw new xe(a);return Da((function(){e.apply(o,n)}),t)}function mr(e,t,n,r){var o=-1,a=zt,i=!0,s=e.length,l=[],c=t.length;if(!s)return l;n&&(t=Nt(t,Jt(n))),r?(a=Ot,i=!1):t.length>=200&&(a=Zt,i=!1,t=new Gn(t));e:for(;++o-1},$n.prototype.set=function(e,t){var n=this.__data__,r=or(n,e);return r<0?(++this.size,n.push([e,t])):n[r][1]=t,this},Kn.prototype.clear=function(){this.size=0,this.__data__={hash:new Un,map:new(Sn||$n),string:new Un}},Kn.prototype.delete=function(e){var t=pa(this,e).delete(e);return this.size-=t?1:0,t},Kn.prototype.get=function(e){return pa(this,e).get(e)},Kn.prototype.has=function(e){return pa(this,e).has(e)},Kn.prototype.set=function(e,t){var n=pa(this,e),r=n.size;return n.set(e,t),this.size+=n.size==r?0:1,this},Gn.prototype.add=Gn.prototype.push=function(e){return this.__data__.set(e,i),this},Gn.prototype.has=function(e){return this.__data__.has(e)},Jn.prototype.clear=function(){this.__data__=new $n,this.size=0},Jn.prototype.delete=function(e){var t=this.__data__,n=t.delete(e);return this.size=t.size,n},Jn.prototype.get=function(e){return this.__data__.get(e)},Jn.prototype.has=function(e){return this.__data__.has(e)},Jn.prototype.set=function(e,t){var n=this.__data__;if(n instanceof $n){var r=n.__data__;if(!Sn||r.length<199)return r.push([e,t]),this.size=++n.size,this;n=this.__data__=new Kn(r)}return n.set(e,t),this.size=n.size,this};var fr=Io(kr),hr=Io(wr,!0);function gr(e,t){var n=!0;return fr(e,(function(e,r,o){return n=!!t(e,r,o)})),n}function br(e,t,n){for(var r=-1,a=e.length;++r0&&n(s)?t>1?yr(s,t-1,n,r,o):Dt(o,s):r||(o[o.length]=s)}return o}var _r=Po(),Mr=Po(!0);function kr(e,t){return e&&_r(e,t,Ds)}function wr(e,t){return e&&Mr(e,t,Ds)}function Er(e,t){return xt(t,(function(t){return es(e[t])}))}function Lr(e,t){for(var n=0,r=(t=ko(t,e)).length;null!=e&&nt}function Tr(e,t){return null!=e&&Ie.call(e,t)}function xr(e,t){return null!=e&&t in Se(e)}function zr(e,t,n){for(var a=n?Ot:zt,i=e[0].length,s=e.length,l=s,c=r(s),u=1/0,d=[];l--;){var p=e[l];l&&t&&(p=Nt(p,Jt(t))),u=Mn(p.length,u),c[l]=!n&&(t||i>=120&&p.length>=120)?new Gn(l&&p):o}p=e[0];var m=-1,f=c[0];e:for(;++m=s?l:l*("desc"==n[r]?-1:1)}return e.index-t.index}(e,t,n)}))}function Ur(e,t,n){for(var r=-1,o=t.length,a={};++r-1;)s!==e&&Ge.call(s,l,1),Ge.call(e,l,1);return e}function Kr(e,t){for(var n=e?t.length:0,r=n-1;n--;){var o=t[n];if(n==r||o!==a){var a=o;Ma(o)?Ge.call(e,o,1):fo(e,o)}}return e}function Gr(e,t){return e+bt(En()*(t-e+1))}function Jr(e,t){var n="";if(!e||t<1||t>f)return n;do{t%2&&(n+=e),(t=bt(t/2))&&(e+=e)}while(t);return n}function Qr(e,t){return Ba(Ta(e,t,il),e+"")}function Zr(e){return Zn(js(e))}function eo(e,t){var n=js(e);return Ra(n,cr(t,0,n.length))}function to(e,t,n,r){if(!rs(e))return e;for(var a=-1,i=(t=ko(t,e)).length,s=i-1,l=e;null!=l&&++aa?0:a+t),(n=n>a?a:n)<0&&(n+=a),a=t>n?0:n-t>>>0,t>>>=0;for(var i=r(a);++o>>1,i=e[a];null!==i&&!ds(i)&&(n?i<=t:i=200){var c=t?null:Qo(e);if(c)return dn(c);i=!1,o=Zt,l=new Gn}else l=t?[]:s;e:for(;++r=r?e:ao(e,t,n)}var Lo=dt||function(e){return mt.clearTimeout(e)};function Ao(e,t){if(t)return e.slice();var n=e.length,r=Xe?Xe(n):new e.constructor(n);return e.copy(r),r}function So(e){var t=new e.constructor(e.byteLength);return new Ve(t).set(new Ve(e)),t}function Co(e,t){var n=t?So(e.buffer):e.buffer;return new e.constructor(n,e.byteOffset,e.length)}function To(e,t){if(e!==t){var n=e!==o,r=null===e,a=e==e,i=ds(e),s=t!==o,l=null===t,c=t==t,u=ds(t);if(!l&&!u&&!i&&e>t||i&&s&&c&&!l&&!u||r&&s&&c||!n&&c||!a)return 1;if(!r&&!i&&!u&&e1?n[a-1]:o,s=a>2?n[2]:o;for(i=e.length>3&&"function"==typeof i?(a--,i):o,s&&ka(n[0],n[1],s)&&(i=a<3?o:i,a=1),t=Se(t);++r-1?a[i?t[s]:s]:o}}function qo(e){return aa((function(t){var n=t.length,r=n,i=Vn.prototype.thru;for(e&&t.reverse();r--;){var s=t[r];if("function"!=typeof s)throw new xe(a);if(i&&!l&&"wrapper"==ca(s))var l=new Vn([],!0)}for(r=l?r:n;++r1&&y.reverse(),m&&ul))return!1;var u=i.get(e),d=i.get(t);if(u&&d)return u==t&&d==e;var p=-1,m=!0,f=2&n?new Gn:o;for(i.set(e,t),i.set(t,e);++p-1&&e%1==0&&e1?"& ":"")+t[r],t=t.join(n>2?", ":" "),e.replace(le,"{\n/* [wrapped with "+t+"] */\n")}(r,function(e,t){return St(b,(function(n){var r="_."+n[0];t&n[1]&&!zt(e,r)&&e.push(r)})),e.sort()}(function(e){var t=e.match(ce);return t?t[1].split(ue):[]}(r),n)))}function Pa(e){var t=0,n=0;return function(){var r=kn(),a=16-(r-n);if(n=r,a>0){if(++t>=800)return arguments[0]}else t=0;return e.apply(o,arguments)}}function Ra(e,t){var n=-1,r=e.length,a=r-1;for(t=t===o?r:t;++n1?e[t-1]:o;return n="function"==typeof n?(e.pop(),n):o,li(e,n)}));function hi(e){var t=qn(e);return t.__chain__=!0,t}function gi(e,t){return t(e)}var bi=aa((function(e){var t=e.length,n=t?e[0]:0,r=this.__wrapped__,a=function(t){return lr(t,e)};return!(t>1||this.__actions__.length)&&r instanceof Xn&&Ma(n)?((r=r.slice(n,+n+(t?1:0))).__actions__.push({func:gi,args:[a],thisArg:o}),new Vn(r,this.__chain__).thru((function(e){return t&&!e.length&&e.push(o),e}))):this.thru(a)}));var vi=Do((function(e,t,n){Ie.call(e,n)?++e[n]:sr(e,n,1)}));var yi=Ho(Xa),_i=Ho(Ua);function Mi(e,t){return(Ui(e)?St:fr)(e,da(t,3))}function ki(e,t){return(Ui(e)?Ct:hr)(e,da(t,3))}var wi=Do((function(e,t,n){Ie.call(e,n)?e[n].push(t):sr(e,n,[t])}));var Ei=Qr((function(e,t,n){var o=-1,a="function"==typeof t,i=Ki(e)?r(e.length):[];return fr(e,(function(e){i[++o]=a?Lt(t,e,n):Or(e,t,n)})),i})),Li=Do((function(e,t,n){sr(e,n,t)}));function Ai(e,t){return(Ui(e)?Nt:Hr)(e,da(t,3))}var Si=Do((function(e,t,n){e[n?0:1].push(t)}),(function(){return[[],[]]}));var Ci=Qr((function(e,t){if(null==e)return[];var n=t.length;return n>1&&ka(e,t[0],t[1])?t=[]:n>2&&ka(t[0],t[1],t[2])&&(t=[t[0]]),Xr(e,yr(t,1),[])})),Ti=pt||function(){return mt.Date.now()};function xi(e,t,n){return t=n?o:t,t=e&&null==t?e.length:t,ea(e,d,o,o,o,o,t)}function zi(e,t){var n;if("function"!=typeof t)throw new xe(a);return e=bs(e),function(){return--e>0&&(n=t.apply(this,arguments)),e<=1&&(t=o),n}}var Oi=Qr((function(e,t,n){var r=1;if(n.length){var o=un(n,ua(Oi));r|=c}return ea(e,r,t,n,o)})),Ni=Qr((function(e,t,n){var r=3;if(n.length){var o=un(n,ua(Ni));r|=c}return ea(t,r,e,n,o)}));function Di(e,t,n){var r,i,s,l,c,u,d=0,p=!1,m=!1,f=!0;if("function"!=typeof e)throw new xe(a);function h(t){var n=r,a=i;return r=i=o,d=t,l=e.apply(a,n)}function g(e){return d=e,c=Da(v,t),p?h(e):l}function b(e){var n=e-u;return u===o||n>=t||n<0||m&&e-d>=s}function v(){var e=Ti();if(b(e))return y(e);c=Da(v,function(e){var n=t-(e-u);return m?Mn(n,s-(e-d)):n}(e))}function y(e){return c=o,f&&r?h(e):(r=i=o,l)}function _(){var e=Ti(),n=b(e);if(r=arguments,i=this,u=e,n){if(c===o)return g(u);if(m)return Lo(c),c=Da(v,t),h(u)}return c===o&&(c=Da(v,t)),l}return t=ys(t)||0,rs(n)&&(p=!!n.leading,s=(m="maxWait"in n)?_n(ys(n.maxWait)||0,t):s,f="trailing"in n?!!n.trailing:f),_.cancel=function(){c!==o&&Lo(c),d=0,r=u=i=c=o},_.flush=function(){return c===o?l:y(Ti())},_}var Bi=Qr((function(e,t){return pr(e,1,t)})),Ii=Qr((function(e,t,n){return pr(e,ys(t)||0,n)}));function Pi(e,t){if("function"!=typeof e||null!=t&&"function"!=typeof t)throw new xe(a);var n=function(){var r=arguments,o=t?t.apply(this,r):r[0],a=n.cache;if(a.has(o))return a.get(o);var i=e.apply(this,r);return n.cache=a.set(o,i)||a,i};return n.cache=new(Pi.Cache||Kn),n}function Ri(e){if("function"!=typeof e)throw new xe(a);return function(){var t=arguments;switch(t.length){case 0:return!e.call(this);case 1:return!e.call(this,t[0]);case 2:return!e.call(this,t[0],t[1]);case 3:return!e.call(this,t[0],t[1],t[2])}return!e.apply(this,t)}}Pi.Cache=Kn;var Yi=wo((function(e,t){var n=(t=1==t.length&&Ui(t[0])?Nt(t[0],Jt(da())):Nt(yr(t,1),Jt(da()))).length;return Qr((function(r){for(var o=-1,a=Mn(r.length,n);++o=t})),Xi=Nr(function(){return arguments}())?Nr:function(e){return os(e)&&Ie.call(e,"callee")&&!Ke.call(e,"callee")},Ui=r.isArray,$i=yt?Jt(yt):function(e){return os(e)&&Sr(e)==D};function Ki(e){return null!=e&&ns(e.length)&&!es(e)}function Gi(e){return os(e)&&Ki(e)}var Ji=Rt||yl,Qi=_t?Jt(_t):function(e){return os(e)&&Sr(e)==M};function Zi(e){if(!os(e))return!1;var t=Sr(e);return t==k||"[object DOMException]"==t||"string"==typeof e.message&&"string"==typeof e.name&&!ss(e)}function es(e){if(!rs(e))return!1;var t=Sr(e);return t==w||t==E||"[object AsyncFunction]"==t||"[object Proxy]"==t}function ts(e){return"number"==typeof e&&e==bs(e)}function ns(e){return"number"==typeof e&&e>-1&&e%1==0&&e<=f}function rs(e){var t=typeof e;return null!=e&&("object"==t||"function"==t)}function os(e){return null!=e&&"object"==typeof e}var as=Mt?Jt(Mt):function(e){return os(e)&&ba(e)==L};function is(e){return"number"==typeof e||os(e)&&Sr(e)==A}function ss(e){if(!os(e)||Sr(e)!=S)return!1;var t=Ue(e);if(null===t)return!0;var n=Ie.call(t,"constructor")&&t.constructor;return"function"==typeof n&&n instanceof n&&Be.call(n)==We}var ls=kt?Jt(kt):function(e){return os(e)&&Sr(e)==T};var cs=wt?Jt(wt):function(e){return os(e)&&ba(e)==x};function us(e){return"string"==typeof e||!Ui(e)&&os(e)&&Sr(e)==z}function ds(e){return"symbol"==typeof e||os(e)&&Sr(e)==O}var ps=Et?Jt(Et):function(e){return os(e)&&ns(e.length)&&!!it[Sr(e)]};var ms=Ko(Wr),fs=Ko((function(e,t){return e<=t}));function hs(e){if(!e)return[];if(Ki(e))return us(e)?fn(e):Oo(e);if(et&&e[et])return function(e){for(var t,n=[];!(t=e.next()).done;)n.push(t.value);return n}(e[et]());var t=ba(e);return(t==L?ln:t==x?dn:js)(e)}function gs(e){return e?(e=ys(e))===m||e===-1/0?17976931348623157e292*(e<0?-1:1):e==e?e:0:0===e?e:0}function bs(e){var t=gs(e),n=t%1;return t==t?n?t-n:t:0}function vs(e){return e?cr(bs(e),0,g):0}function ys(e){if("number"==typeof e)return e;if(ds(e))return h;if(rs(e)){var t="function"==typeof e.valueOf?e.valueOf():e;e=rs(t)?t+"":t}if("string"!=typeof e)return 0===e?e:+e;e=Gt(e);var n=be.test(e);return n||ye.test(e)?ut(e.slice(2),n?2:8):ge.test(e)?h:+e}function _s(e){return No(e,Bs(e))}function Ms(e){return null==e?"":po(e)}var ks=Bo((function(e,t){if(Aa(t)||Ki(t))No(t,Ds(t),e);else for(var n in t)Ie.call(t,n)&&rr(e,n,t[n])})),ws=Bo((function(e,t){No(t,Bs(t),e)})),Es=Bo((function(e,t,n,r){No(t,Bs(t),e,r)})),Ls=Bo((function(e,t,n,r){No(t,Ds(t),e,r)})),As=aa(lr);var Ss=Qr((function(e,t){e=Se(e);var n=-1,r=t.length,a=r>2?t[2]:o;for(a&&ka(t[0],t[1],a)&&(r=1);++n1),t})),No(e,sa(e),n),r&&(n=ur(n,7,ra));for(var o=t.length;o--;)fo(n,t[o]);return n}));var Ys=aa((function(e,t){return null==e?{}:function(e,t){return Ur(e,t,(function(t,n){return xs(e,n)}))}(e,t)}));function Ws(e,t){if(null==e)return{};var n=Nt(sa(e),(function(e){return[e]}));return t=da(t),Ur(e,n,(function(e,n){return t(e,n[0])}))}var Hs=Zo(Ds),qs=Zo(Bs);function js(e){return null==e?[]:Qt(e,Ds(e))}var Fs=Yo((function(e,t,n){return t=t.toLowerCase(),e+(n?Vs(t):t)}));function Vs(e){return Zs(Ms(e).toLowerCase())}function Xs(e){return(e=Ms(e))&&e.replace(Me,rn).replace(Ze,"")}var Us=Yo((function(e,t,n){return e+(n?"-":"")+t.toLowerCase()})),$s=Yo((function(e,t,n){return e+(n?" ":"")+t.toLowerCase()})),Ks=Ro("toLowerCase");var Gs=Yo((function(e,t,n){return e+(n?"_":"")+t.toLowerCase()}));var Js=Yo((function(e,t,n){return e+(n?" ":"")+Zs(t)}));var Qs=Yo((function(e,t,n){return e+(n?" ":"")+t.toUpperCase()})),Zs=Ro("toUpperCase");function el(e,t,n){return e=Ms(e),(t=n?o:t)===o?function(e){return rt.test(e)}(e)?function(e){return e.match(tt)||[]}(e):function(e){return e.match(de)||[]}(e):e.match(t)||[]}var tl=Qr((function(e,t){try{return Lt(e,o,t)}catch(e){return Zi(e)?e:new Ee(e)}})),nl=aa((function(e,t){return St(t,(function(t){t=Wa(t),sr(e,t,Oi(e[t],e))})),e}));function rl(e){return function(){return e}}var ol=qo(),al=qo(!0);function il(e){return e}function sl(e){return Pr("function"==typeof e?e:ur(e,1))}var ll=Qr((function(e,t){return function(n){return Or(n,e,t)}})),cl=Qr((function(e,t){return function(n){return Or(e,n,t)}}));function ul(e,t,n){var r=Ds(t),o=Er(t,r);null!=n||rs(t)&&(o.length||!r.length)||(n=t,t=e,e=this,o=Er(t,Ds(t)));var a=!(rs(n)&&"chain"in n&&!n.chain),i=es(e);return St(o,(function(n){var r=t[n];e[n]=r,i&&(e.prototype[n]=function(){var t=this.__chain__;if(a||t){var n=e(this.__wrapped__),o=n.__actions__=Oo(this.__actions__);return o.push({func:r,args:arguments,thisArg:e}),n.__chain__=t,n}return r.apply(e,Dt([this.value()],arguments))})})),e}function dl(){}var pl=Xo(Nt),ml=Xo(Tt),fl=Xo(Pt);function hl(e){return wa(e)?Vt(Wa(e)):function(e){return function(t){return Lr(t,e)}}(e)}var gl=$o(),bl=$o(!0);function vl(){return[]}function yl(){return!1}var _l=Vo((function(e,t){return e+t}),0),Ml=Jo("ceil"),kl=Vo((function(e,t){return e/t}),1),wl=Jo("floor");var El,Ll=Vo((function(e,t){return e*t}),1),Al=Jo("round"),Sl=Vo((function(e,t){return e-t}),0);return qn.after=function(e,t){if("function"!=typeof t)throw new xe(a);return e=bs(e),function(){if(--e<1)return t.apply(this,arguments)}},qn.ary=xi,qn.assign=ks,qn.assignIn=ws,qn.assignInWith=Es,qn.assignWith=Ls,qn.at=As,qn.before=zi,qn.bind=Oi,qn.bindAll=nl,qn.bindKey=Ni,qn.castArray=function(){if(!arguments.length)return[];var e=arguments[0];return Ui(e)?e:[e]},qn.chain=hi,qn.chunk=function(e,t,n){t=(n?ka(e,t,n):t===o)?1:_n(bs(t),0);var a=null==e?0:e.length;if(!a||t<1)return[];for(var i=0,s=0,l=r(ht(a/t));ia?0:a+n),(r=r===o||r>a?a:bs(r))<0&&(r+=a),r=n>r?0:vs(r);n>>0)?(e=Ms(e))&&("string"==typeof t||null!=t&&!ls(t))&&!(t=po(t))&&sn(e)?Eo(fn(e),0,n):e.split(t,n):[]},qn.spread=function(e,t){if("function"!=typeof e)throw new xe(a);return t=null==t?0:_n(bs(t),0),Qr((function(n){var r=n[t],o=Eo(n,0,t);return r&&Dt(o,r),Lt(e,this,o)}))},qn.tail=function(e){var t=null==e?0:e.length;return t?ao(e,1,t):[]},qn.take=function(e,t,n){return e&&e.length?ao(e,0,(t=n||t===o?1:bs(t))<0?0:t):[]},qn.takeRight=function(e,t,n){var r=null==e?0:e.length;return r?ao(e,(t=r-(t=n||t===o?1:bs(t)))<0?0:t,r):[]},qn.takeRightWhile=function(e,t){return e&&e.length?go(e,da(t,3),!1,!0):[]},qn.takeWhile=function(e,t){return e&&e.length?go(e,da(t,3)):[]},qn.tap=function(e,t){return t(e),e},qn.throttle=function(e,t,n){var r=!0,o=!0;if("function"!=typeof e)throw new xe(a);return rs(n)&&(r="leading"in n?!!n.leading:r,o="trailing"in n?!!n.trailing:o),Di(e,t,{leading:r,maxWait:t,trailing:o})},qn.thru=gi,qn.toArray=hs,qn.toPairs=Hs,qn.toPairsIn=qs,qn.toPath=function(e){return Ui(e)?Nt(e,Wa):ds(e)?[e]:Oo(Ya(Ms(e)))},qn.toPlainObject=_s,qn.transform=function(e,t,n){var r=Ui(e),o=r||Ji(e)||ps(e);if(t=da(t,4),null==n){var a=e&&e.constructor;n=o?r?new a:[]:rs(e)&&es(a)?jn(Ue(e)):{}}return(o?St:kr)(e,(function(e,r,o){return t(n,e,r,o)})),n},qn.unary=function(e){return xi(e,1)},qn.union=oi,qn.unionBy=ai,qn.unionWith=ii,qn.uniq=function(e){return e&&e.length?mo(e):[]},qn.uniqBy=function(e,t){return e&&e.length?mo(e,da(t,2)):[]},qn.uniqWith=function(e,t){return t="function"==typeof t?t:o,e&&e.length?mo(e,o,t):[]},qn.unset=function(e,t){return null==e||fo(e,t)},qn.unzip=si,qn.unzipWith=li,qn.update=function(e,t,n){return null==e?e:ho(e,t,Mo(n))},qn.updateWith=function(e,t,n,r){return r="function"==typeof r?r:o,null==e?e:ho(e,t,Mo(n),r)},qn.values=js,qn.valuesIn=function(e){return null==e?[]:Qt(e,Bs(e))},qn.without=ci,qn.words=el,qn.wrap=function(e,t){return Wi(Mo(t),e)},qn.xor=ui,qn.xorBy=di,qn.xorWith=pi,qn.zip=mi,qn.zipObject=function(e,t){return yo(e||[],t||[],rr)},qn.zipObjectDeep=function(e,t){return yo(e||[],t||[],to)},qn.zipWith=fi,qn.entries=Hs,qn.entriesIn=qs,qn.extend=ws,qn.extendWith=Es,ul(qn,qn),qn.add=_l,qn.attempt=tl,qn.camelCase=Fs,qn.capitalize=Vs,qn.ceil=Ml,qn.clamp=function(e,t,n){return n===o&&(n=t,t=o),n!==o&&(n=(n=ys(n))==n?n:0),t!==o&&(t=(t=ys(t))==t?t:0),cr(ys(e),t,n)},qn.clone=function(e){return ur(e,4)},qn.cloneDeep=function(e){return ur(e,5)},qn.cloneDeepWith=function(e,t){return ur(e,5,t="function"==typeof t?t:o)},qn.cloneWith=function(e,t){return ur(e,4,t="function"==typeof t?t:o)},qn.conformsTo=function(e,t){return null==t||dr(e,t,Ds(t))},qn.deburr=Xs,qn.defaultTo=function(e,t){return null==e||e!=e?t:e},qn.divide=kl,qn.endsWith=function(e,t,n){e=Ms(e),t=po(t);var r=e.length,a=n=n===o?r:cr(bs(n),0,r);return(n-=t.length)>=0&&e.slice(n,a)==t},qn.eq=ji,qn.escape=function(e){return(e=Ms(e))&&J.test(e)?e.replace(K,on):e},qn.escapeRegExp=function(e){return(e=Ms(e))&&ae.test(e)?e.replace(oe,"\\$&"):e},qn.every=function(e,t,n){var r=Ui(e)?Tt:gr;return n&&ka(e,t,n)&&(t=o),r(e,da(t,3))},qn.find=yi,qn.findIndex=Xa,qn.findKey=function(e,t){return Yt(e,da(t,3),kr)},qn.findLast=_i,qn.findLastIndex=Ua,qn.findLastKey=function(e,t){return Yt(e,da(t,3),wr)},qn.floor=wl,qn.forEach=Mi,qn.forEachRight=ki,qn.forIn=function(e,t){return null==e?e:_r(e,da(t,3),Bs)},qn.forInRight=function(e,t){return null==e?e:Mr(e,da(t,3),Bs)},qn.forOwn=function(e,t){return e&&kr(e,da(t,3))},qn.forOwnRight=function(e,t){return e&&wr(e,da(t,3))},qn.get=Ts,qn.gt=Fi,qn.gte=Vi,qn.has=function(e,t){return null!=e&&va(e,t,Tr)},qn.hasIn=xs,qn.head=Ka,qn.identity=il,qn.includes=function(e,t,n,r){e=Ki(e)?e:js(e),n=n&&!r?bs(n):0;var o=e.length;return n<0&&(n=_n(o+n,0)),us(e)?n<=o&&e.indexOf(t,n)>-1:!!o&&Ht(e,t,n)>-1},qn.indexOf=function(e,t,n){var r=null==e?0:e.length;if(!r)return-1;var o=null==n?0:bs(n);return o<0&&(o=_n(r+o,0)),Ht(e,t,o)},qn.inRange=function(e,t,n){return t=gs(t),n===o?(n=t,t=0):n=gs(n),function(e,t,n){return e>=Mn(t,n)&&e<_n(t,n)}(e=ys(e),t,n)},qn.invoke=Ns,qn.isArguments=Xi,qn.isArray=Ui,qn.isArrayBuffer=$i,qn.isArrayLike=Ki,qn.isArrayLikeObject=Gi,qn.isBoolean=function(e){return!0===e||!1===e||os(e)&&Sr(e)==_},qn.isBuffer=Ji,qn.isDate=Qi,qn.isElement=function(e){return os(e)&&1===e.nodeType&&!ss(e)},qn.isEmpty=function(e){if(null==e)return!0;if(Ki(e)&&(Ui(e)||"string"==typeof e||"function"==typeof e.splice||Ji(e)||ps(e)||Xi(e)))return!e.length;var t=ba(e);if(t==L||t==x)return!e.size;if(Aa(e))return!Rr(e).length;for(var n in e)if(Ie.call(e,n))return!1;return!0},qn.isEqual=function(e,t){return Dr(e,t)},qn.isEqualWith=function(e,t,n){var r=(n="function"==typeof n?n:o)?n(e,t):o;return r===o?Dr(e,t,o,n):!!r},qn.isError=Zi,qn.isFinite=function(e){return"number"==typeof e&&Xt(e)},qn.isFunction=es,qn.isInteger=ts,qn.isLength=ns,qn.isMap=as,qn.isMatch=function(e,t){return e===t||Br(e,t,ma(t))},qn.isMatchWith=function(e,t,n){return n="function"==typeof n?n:o,Br(e,t,ma(t),n)},qn.isNaN=function(e){return is(e)&&e!=+e},qn.isNative=function(e){if(La(e))throw new Ee("Unsupported core-js use. Try https://npms.io/search?q=ponyfill.");return Ir(e)},qn.isNil=function(e){return null==e},qn.isNull=function(e){return null===e},qn.isNumber=is,qn.isObject=rs,qn.isObjectLike=os,qn.isPlainObject=ss,qn.isRegExp=ls,qn.isSafeInteger=function(e){return ts(e)&&e>=-9007199254740991&&e<=f},qn.isSet=cs,qn.isString=us,qn.isSymbol=ds,qn.isTypedArray=ps,qn.isUndefined=function(e){return e===o},qn.isWeakMap=function(e){return os(e)&&ba(e)==N},qn.isWeakSet=function(e){return os(e)&&"[object WeakSet]"==Sr(e)},qn.join=function(e,t){return null==e?"":vn.call(e,t)},qn.kebabCase=Us,qn.last=Za,qn.lastIndexOf=function(e,t,n){var r=null==e?0:e.length;if(!r)return-1;var a=r;return n!==o&&(a=(a=bs(n))<0?_n(r+a,0):Mn(a,r-1)),t==t?function(e,t,n){for(var r=n+1;r--;)if(e[r]===t)return r;return r}(e,t,a):Wt(e,jt,a,!0)},qn.lowerCase=$s,qn.lowerFirst=Ks,qn.lt=ms,qn.lte=fs,qn.max=function(e){return e&&e.length?br(e,il,Cr):o},qn.maxBy=function(e,t){return e&&e.length?br(e,da(t,2),Cr):o},qn.mean=function(e){return Ft(e,il)},qn.meanBy=function(e,t){return Ft(e,da(t,2))},qn.min=function(e){return e&&e.length?br(e,il,Wr):o},qn.minBy=function(e,t){return e&&e.length?br(e,da(t,2),Wr):o},qn.stubArray=vl,qn.stubFalse=yl,qn.stubObject=function(){return{}},qn.stubString=function(){return""},qn.stubTrue=function(){return!0},qn.multiply=Ll,qn.nth=function(e,t){return e&&e.length?Vr(e,bs(t)):o},qn.noConflict=function(){return mt._===this&&(mt._=He),this},qn.noop=dl,qn.now=Ti,qn.pad=function(e,t,n){e=Ms(e);var r=(t=bs(t))?mn(e):0;if(!t||r>=t)return e;var o=(t-r)/2;return Uo(bt(o),n)+e+Uo(ht(o),n)},qn.padEnd=function(e,t,n){e=Ms(e);var r=(t=bs(t))?mn(e):0;return t&&rt){var r=e;e=t,t=r}if(n||e%1||t%1){var a=En();return Mn(e+a*(t-e+ct("1e-"+((a+"").length-1))),t)}return Gr(e,t)},qn.reduce=function(e,t,n){var r=Ui(e)?Bt:Ut,o=arguments.length<3;return r(e,da(t,4),n,o,fr)},qn.reduceRight=function(e,t,n){var r=Ui(e)?It:Ut,o=arguments.length<3;return r(e,da(t,4),n,o,hr)},qn.repeat=function(e,t,n){return t=(n?ka(e,t,n):t===o)?1:bs(t),Jr(Ms(e),t)},qn.replace=function(){var e=arguments,t=Ms(e[0]);return e.length<3?t:t.replace(e[1],e[2])},qn.result=function(e,t,n){var r=-1,a=(t=ko(t,e)).length;for(a||(a=1,e=o);++rf)return[];var n=g,r=Mn(e,g);t=da(t),e-=g;for(var o=Kt(r,t);++n=i)return e;var l=n-mn(r);if(l<1)return r;var c=s?Eo(s,0,l).join(""):e.slice(0,l);if(a===o)return c+r;if(s&&(l+=c.length-l),ls(a)){if(e.slice(l).search(a)){var u,d=c;for(a.global||(a=Ce(a.source,Ms(he.exec(a))+"g")),a.lastIndex=0;u=a.exec(d);)var p=u.index;c=c.slice(0,p===o?l:p)}}else if(e.indexOf(po(a),l)!=l){var m=c.lastIndexOf(a);m>-1&&(c=c.slice(0,m))}return c+r},qn.unescape=function(e){return(e=Ms(e))&&G.test(e)?e.replace($,gn):e},qn.uniqueId=function(e){var t=++Pe;return Ms(e)+t},qn.upperCase=Qs,qn.upperFirst=Zs,qn.each=Mi,qn.eachRight=ki,qn.first=Ka,ul(qn,(El={},kr(qn,(function(e,t){Ie.call(qn.prototype,t)||(El[t]=e)})),El),{chain:!1}),qn.VERSION="4.17.21",St(["bind","bindKey","curry","curryRight","partial","partialRight"],(function(e){qn[e].placeholder=qn})),St(["drop","take"],(function(e,t){Xn.prototype[e]=function(n){n=n===o?1:_n(bs(n),0);var r=this.__filtered__&&!t?new Xn(this):this.clone();return r.__filtered__?r.__takeCount__=Mn(n,r.__takeCount__):r.__views__.push({size:Mn(n,g),type:e+(r.__dir__<0?"Right":"")}),r},Xn.prototype[e+"Right"]=function(t){return this.reverse()[e](t).reverse()}})),St(["filter","map","takeWhile"],(function(e,t){var n=t+1,r=1==n||3==n;Xn.prototype[e]=function(e){var t=this.clone();return t.__iteratees__.push({iteratee:da(e,3),type:n}),t.__filtered__=t.__filtered__||r,t}})),St(["head","last"],(function(e,t){var n="take"+(t?"Right":"");Xn.prototype[e]=function(){return this[n](1).value()[0]}})),St(["initial","tail"],(function(e,t){var n="drop"+(t?"":"Right");Xn.prototype[e]=function(){return this.__filtered__?new Xn(this):this[n](1)}})),Xn.prototype.compact=function(){return this.filter(il)},Xn.prototype.find=function(e){return this.filter(e).head()},Xn.prototype.findLast=function(e){return this.reverse().find(e)},Xn.prototype.invokeMap=Qr((function(e,t){return"function"==typeof e?new Xn(this):this.map((function(n){return Or(n,e,t)}))})),Xn.prototype.reject=function(e){return this.filter(Ri(da(e)))},Xn.prototype.slice=function(e,t){e=bs(e);var n=this;return n.__filtered__&&(e>0||t<0)?new Xn(n):(e<0?n=n.takeRight(-e):e&&(n=n.drop(e)),t!==o&&(n=(t=bs(t))<0?n.dropRight(-t):n.take(t-e)),n)},Xn.prototype.takeRightWhile=function(e){return this.reverse().takeWhile(e).reverse()},Xn.prototype.toArray=function(){return this.take(g)},kr(Xn.prototype,(function(e,t){var n=/^(?:filter|find|map|reject)|While$/.test(t),r=/^(?:head|last)$/.test(t),a=qn[r?"take"+("last"==t?"Right":""):t],i=r||/^find/.test(t);a&&(qn.prototype[t]=function(){var t=this.__wrapped__,s=r?[1]:arguments,l=t instanceof Xn,c=s[0],u=l||Ui(t),d=function(e){var t=a.apply(qn,Dt([e],s));return r&&p?t[0]:t};u&&n&&"function"==typeof c&&1!=c.length&&(l=u=!1);var p=this.__chain__,m=!!this.__actions__.length,f=i&&!p,h=l&&!m;if(!i&&u){t=h?t:new Xn(this);var g=e.apply(t,s);return g.__actions__.push({func:gi,args:[d],thisArg:o}),new Vn(g,p)}return f&&h?e.apply(this,s):(g=this.thru(d),f?r?g.value()[0]:g.value():g)})})),St(["pop","push","shift","sort","splice","unshift"],(function(e){var t=ze[e],n=/^(?:push|sort|unshift)$/.test(e)?"tap":"thru",r=/^(?:pop|shift)$/.test(e);qn.prototype[e]=function(){var e=arguments;if(r&&!this.__chain__){var o=this.value();return t.apply(Ui(o)?o:[],e)}return this[n]((function(n){return t.apply(Ui(n)?n:[],e)}))}})),kr(Xn.prototype,(function(e,t){var n=qn[t];if(n){var r=n.name+"";Ie.call(Nn,r)||(Nn[r]=[]),Nn[r].push({name:t,func:n})}})),Nn[jo(o,2).name]=[{name:"wrapper",func:o}],Xn.prototype.clone=function(){var e=new Xn(this.__wrapped__);return e.__actions__=Oo(this.__actions__),e.__dir__=this.__dir__,e.__filtered__=this.__filtered__,e.__iteratees__=Oo(this.__iteratees__),e.__takeCount__=this.__takeCount__,e.__views__=Oo(this.__views__),e},Xn.prototype.reverse=function(){if(this.__filtered__){var e=new Xn(this);e.__dir__=-1,e.__filtered__=!0}else(e=this.clone()).__dir__*=-1;return e},Xn.prototype.value=function(){var e=this.__wrapped__.value(),t=this.__dir__,n=Ui(e),r=t<0,o=n?e.length:0,a=function(e,t,n){var r=-1,o=n.length;for(;++r=this.__values__.length;return{done:e,value:e?o:this.__values__[this.__index__++]}},qn.prototype.plant=function(e){for(var t,n=this;n instanceof Fn;){var r=qa(n);r.__index__=0,r.__values__=o,t?a.__wrapped__=r:t=r;var a=r;n=n.__wrapped__}return a.__wrapped__=e,t},qn.prototype.reverse=function(){var e=this.__wrapped__;if(e instanceof Xn){var t=e;return this.__actions__.length&&(t=new Xn(this)),(t=t.reverse()).__actions__.push({func:gi,args:[ri],thisArg:o}),new Vn(t,this.__chain__)}return this.thru(ri)},qn.prototype.toJSON=qn.prototype.valueOf=qn.prototype.value=function(){return bo(this.__wrapped__,this.__actions__)},qn.prototype.first=qn.prototype.head,et&&(qn.prototype[et]=function(){return this}),qn}();mt._=bn,(r=function(){return bn}.call(t,n,t,e))===o||(e.exports=r)}.call(this)},7771:(e,t,n)=>{var r=n(5639);e.exports=function(){return r.Date.now()}},3493:(e,t,n)=>{var r=n(3279),o=n(3218);e.exports=function(e,t,n){var a=!0,i=!0;if("function"!=typeof e)throw new TypeError("Expected a function");return o(n)&&(a="leading"in n?!!n.leading:a,i="trailing"in n?!!n.trailing:i),r(e,t,{leading:a,maxWait:t,trailing:i})}},4841:(e,t,n)=>{var r=n(7561),o=n(3218),a=n(3448),i=/^[-+]0x[0-9a-f]+$/i,s=/^0b[01]+$/i,l=/^0o[0-7]+$/i,c=parseInt;e.exports=function(e){if("number"==typeof e)return e;if(a(e))return NaN;if(o(e)){var t="function"==typeof e.valueOf?e.valueOf():e;e=o(t)?t+"":t}if("string"!=typeof e)return 0===e?e:+e;e=r(e);var n=s.test(e);return n||l.test(e)?c(e.slice(2),n?2:8):i.test(e)?NaN:+e}},9588:e=>{e.exports=function(e,t){var n,r,o=0;function a(){var a,i,s=n,l=arguments.length;e:for(;s;){if(s.args.length===arguments.length){for(i=0;i{"use strict";e.exports=JSON.parse('{"version":"2021a","zones":["Africa/Abidjan|LMT GMT|g.8 0|01|-2ldXH.Q|48e5","Africa/Accra|LMT GMT +0020 +0030|.Q 0 -k -u|01212121212121212121212121212121212121212121212131313131313131|-2bRzX.8 9RbX.8 fdE 1BAk MLE 1Bck MLE 1Bck MLE 1Bck MLE 1BAk MLE 1Bck MLE 1Bck MLE 1Bck MLE 1BAk MLE 1Bck MLE 1Bck MLE 1Bck MLE 1BAk MLE 1Bck MLE 1Bck MLE 1Bck MLE 1BAk MLE 1Bck MLE 1Bck MLE 1Bck MLE Mok 1BXE M0k 1BXE fak 9vbu bjCu MLu 1Bcu MLu 1BAu MLu 1Bcu MLu 1Bcu MLu 1Bcu MLu|41e5","Africa/Nairobi|LMT +0230 EAT +0245|-2r.g -2u -30 -2J|012132|-2ua2r.g N6nV.g 3Fbu h1cu dzbJ|47e5","Africa/Algiers|PMT WET WEST CET CEST|-9.l 0 -10 -10 -20|0121212121212121343431312123431213|-2nco9.l cNb9.l HA0 19A0 1iM0 11c0 1oo0 Wo0 1rc0 QM0 1EM0 UM0 DA0 Imo0 rd0 De0 9Xz0 1fb0 1ap0 16K0 2yo0 mEp0 hwL0 jxA0 11A0 dDd0 17b0 11B0 1cN0 2Dy0 1cN0 1fB0 1cL0|26e5","Africa/Lagos|LMT GMT +0030 WAT|-d.z 0 -u -10|01023|-2B40d.z 7iod.z dnXK.p dLzH.z|17e6","Africa/Bissau|LMT -01 GMT|12.k 10 0|012|-2ldX0 2xoo0|39e4","Africa/Maputo|LMT CAT|-2a.k -20|01|-2GJea.k|26e5","Africa/Cairo|EET EEST|-20 -30|0101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010|-1bIO0 vb0 1ip0 11z0 1iN0 1nz0 12p0 1pz0 10N0 1pz0 16p0 1jz0 s3d0 Vz0 1oN0 11b0 1oO0 10N0 1pz0 10N0 1pb0 10N0 1pb0 10N0 1pb0 10N0 1pz0 10N0 1pb0 10N0 1pb0 11d0 1oL0 11d0 1pb0 11d0 1oL0 11d0 1oL0 11d0 1oL0 11d0 1pb0 11d0 1oL0 11d0 1oL0 11d0 1oL0 11d0 1pb0 11d0 1oL0 11d0 1oL0 11d0 1oL0 11d0 1pb0 11d0 1oL0 11d0 1WL0 rd0 1Rz0 wp0 1pb0 11d0 1oL0 11d0 1oL0 11d0 1oL0 11d0 1pb0 11d0 1qL0 Xd0 1oL0 11d0 1oL0 11d0 1pb0 11d0 1oL0 11d0 1oL0 11d0 1ny0 11z0 1o10 11z0 1o10 11z0 1o10 11z0 1qN0 11z0 1o10 11z0 1o10 11z0 1o10 11z0 1o10 11z0 1qN0 11z0 1o10 11z0 1o10 WL0 1qN0 Rb0 1wp0 On0 1zd0 Lz0 1EN0 Fb0 c10 8n0 8Nd0 gL0 e10 mn0|15e6","Africa/Casablanca|LMT +00 +01|u.k 0 -10|01212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212|-2gMnt.E 130Lt.E rb0 Dd0 dVb0 b6p0 TX0 EoB0 LL0 gnd0 rz0 43d0 AL0 1Nd0 XX0 1Cp0 pz0 dEp0 4mn0 SyN0 AL0 1Nd0 wn0 1FB0 Db0 1zd0 Lz0 1Nf0 wM0 co0 go0 1o00 s00 dA0 vc0 11A0 A00 e00 y00 11A0 uM0 e00 Dc0 11A0 s00 e00 IM0 WM0 mo0 gM0 LA0 WM0 jA0 e00 28M0 e00 2600 gM0 2600 e00 2600 gM0 2600 gM0 2600 e00 2600 gM0 2600 e00 28M0 e00 2600 gM0 2600 e00 2600 gM0 2600 gM0 2600 e00 2600 gM0 2600 e00 2600 gM0 2600 gM0 2600 e00 2600 gM0|32e5","Africa/Ceuta|WET WEST CET CEST|0 -10 -10 -20|010101010101010101010232323232323232323232323232323232323232323232323232323232323232323232323232323232323232323232323232323232|-25KN0 11z0 drd0 18p0 3HX0 17d0 1fz0 1a10 1io0 1a00 1y7o0 LL0 gnd0 rz0 43d0 AL0 1Nd0 XX0 1Cp0 pz0 dEp0 4VB0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00|85e3","Africa/El_Aaiun|LMT -01 +00 +01|Q.M 10 0 -10|012323232323232323232323232323232323232323232323232323232323232323232323232323232323|-1rDz7.c 1GVA7.c 6L0 AL0 1Nd0 XX0 1Cp0 pz0 1cBB0 AL0 1Nd0 wn0 1FB0 Db0 1zd0 Lz0 1Nf0 wM0 co0 go0 1o00 s00 dA0 vc0 11A0 A00 e00 y00 11A0 uM0 e00 Dc0 11A0 s00 e00 IM0 WM0 mo0 gM0 LA0 WM0 jA0 e00 28M0 e00 2600 gM0 2600 e00 2600 gM0 2600 gM0 2600 e00 2600 gM0 2600 e00 28M0 e00 2600 gM0 2600 e00 2600 gM0 2600 gM0 2600 e00 2600 gM0 2600 e00 2600 gM0 2600 gM0 2600 e00 2600 gM0|20e4","Africa/Johannesburg|SAST SAST SAST|-1u -20 -30|012121|-2GJdu 1Ajdu 1cL0 1cN0 1cL0|84e5","Africa/Juba|LMT CAT CAST EAT|-26.s -20 -30 -30|012121212121212121212121212121212131|-1yW26.s 1zK06.s 16L0 1iN0 17b0 1jd0 17b0 1ip0 17z0 1i10 17X0 1hB0 18n0 1hd0 19b0 1gp0 19z0 1iN0 17b0 1ip0 17z0 1i10 18n0 1hd0 18L0 1gN0 19b0 1gp0 19z0 1iN0 17z0 1i10 17X0 yGd0 PeX0|","Africa/Khartoum|LMT CAT CAST EAT|-2a.8 -20 -30 -30|012121212121212121212121212121212131|-1yW2a.8 1zK0a.8 16L0 1iN0 17b0 1jd0 17b0 1ip0 17z0 1i10 17X0 1hB0 18n0 1hd0 19b0 1gp0 19z0 1iN0 17b0 1ip0 17z0 1i10 18n0 1hd0 18L0 1gN0 19b0 1gp0 19z0 1iN0 17z0 1i10 17X0 yGd0 HjL0|51e5","Africa/Monrovia|MMT MMT GMT|H.8 I.u 0|012|-23Lzg.Q 28G01.m|11e5","Africa/Ndjamena|LMT WAT WAST|-10.c -10 -20|0121|-2le10.c 2J3c0.c Wn0|13e5","Africa/Sao_Tome|LMT GMT WAT|A.J 0 -10|0121|-2le00 4i6N0 2q00|","Africa/Tripoli|LMT CET CEST EET|-Q.I -10 -20 -20|012121213121212121212121213123123|-21JcQ.I 1hnBQ.I vx0 4iP0 xx0 4eN0 Bb0 7ip0 U0n0 A10 1db0 1cN0 1db0 1dd0 1db0 1eN0 1bb0 1e10 1cL0 1c10 1db0 1dd0 1db0 1cN0 1db0 1q10 fAn0 1ep0 1db0 AKq0 TA0 1o00|11e5","Africa/Tunis|PMT CET CEST|-9.l -10 -20|0121212121212121212121212121212121|-2nco9.l 18pa9.l 1qM0 DA0 3Tc0 11B0 1ze0 WM0 7z0 3d0 14L0 1cN0 1f90 1ar0 16J0 1gXB0 WM0 1rA0 11c0 nwo0 Ko0 1cM0 1cM0 1rA0 10M0 zuM0 10N0 1aN0 1qM0 WM0 1qM0 11A0 1o00|20e5","Africa/Windhoek|+0130 SAST SAST CAT WAT|-1u -20 -30 -20 -10|01213434343434343434343434343434343434343434343434343|-2GJdu 1Ajdu 1cL0 1SqL0 9Io0 16P0 1nX0 11B0 1qL0 WN0 1qL0 11B0 1nX0 11B0 1nX0 11B0 1nX0 11B0 1nX0 11B0 1qL0 WN0 1qL0 11B0 1nX0 11B0 1nX0 11B0 1nX0 11B0 1nX0 11B0 1qL0 11B0 1nX0 11B0 1nX0 11B0 1nX0 11B0 1nX0 11B0 1qL0 WN0 1qL0 11B0 1nX0 11B0 1nX0 11B0 1nX0 11B0|32e4","America/Adak|NST NWT NPT BST BDT AHST HST HDT|b0 a0 a0 b0 a0 a0 a0 90|012034343434343434343434343434343456767676767676767676767676767676767676767676767676767676767676767676767676767676767676767676767676767676767676|-17SX0 8wW0 iB0 Qlb0 52O0 1cL0 1cN0 1cL0 1cN0 1fz0 1cN0 1cL0 1cN0 1cL0 s10 1Vz0 LB0 1BX0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1a10 1fz0 cm0 10q0 1cL0 1cN0 1cL0 1cN0 1cL0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0|326","America/Anchorage|AST AWT APT AHST AHDT YST AKST AKDT|a0 90 90 a0 90 90 90 80|012034343434343434343434343434343456767676767676767676767676767676767676767676767676767676767676767676767676767676767676767676767676767676767676|-17T00 8wX0 iA0 Qlb0 52O0 1cL0 1cN0 1cL0 1cN0 1fz0 1cN0 1cL0 1cN0 1cL0 s10 1Vz0 LB0 1BX0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1a10 1fz0 cm0 10q0 1cL0 1cN0 1cL0 1cN0 1cL0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0|30e4","America/Port_of_Spain|LMT AST|46.4 40|01|-2kNvR.U|43e3","America/Araguaina|LMT -03 -02|3c.M 30 20|0121212121212121212121212121212121212121212121212121|-2glwL.c HdKL.c 1cc0 1e10 1bX0 Ezd0 So0 1vA0 Mn0 1BB0 ML0 1BB0 zX0 qe10 xb0 2ep0 nz0 1C10 zX0 1C10 LX0 1C10 Mn0 H210 Rb0 1tB0 IL0 1Fd0 FX0 1EN0 FX0 1HB0 Lz0 dMN0 Lz0 1zd0 Rb0 1wN0 Wn0 1tB0 Rb0 1tB0 WL0 1tB0 Rb0 1zd0 On0 1HB0 FX0 ny10 Lz0|14e4","America/Argentina/Buenos_Aires|CMT -04 -03 -02|4g.M 40 30 20|01212121212121212121212121212121212121212123232323232323232|-20UHH.c pKnH.c Mn0 1iN0 Tb0 1C10 LX0 1C10 LX0 1C10 LX0 1C10 Mn0 1C10 LX0 1C10 LX0 1C10 LX0 1C10 Mn0 MN0 2jz0 MN0 4lX0 u10 5Lb0 1pB0 Fnz0 u10 uL0 1vd0 SL0 1vd0 SL0 1vd0 17z0 1cN0 1fz0 1cN0 1cL0 1cN0 asn0 Db0 zvd0 Bz0 1tB0 TX0 1wp0 Rb0 1wp0 Rb0 1wp0 TX0 A4p0 uL0 1qN0 WL0|","America/Argentina/Catamarca|CMT -04 -03 -02|4g.M 40 30 20|01212121212121212121212121212121212121212123232323132321232|-20UHH.c pKnH.c Mn0 1iN0 Tb0 1C10 LX0 1C10 LX0 1C10 LX0 1C10 Mn0 1C10 LX0 1C10 LX0 1C10 LX0 1C10 Mn0 MN0 2jz0 MN0 4lX0 u10 5Lb0 1pB0 Fnz0 u10 uL0 1vd0 SL0 1vd0 SL0 1vd0 17z0 1cN0 1fz0 1cN0 1cL0 1cN0 asn0 Db0 zvd0 Bz0 1tB0 TX0 1wp0 Rb0 1wq0 Ra0 1wp0 TX0 rlB0 7B0 8zb0 uL0|","America/Argentina/Cordoba|CMT -04 -03 -02|4g.M 40 30 20|01212121212121212121212121212121212121212123232323132323232|-20UHH.c pKnH.c Mn0 1iN0 Tb0 1C10 LX0 1C10 LX0 1C10 LX0 1C10 Mn0 1C10 LX0 1C10 LX0 1C10 LX0 1C10 Mn0 MN0 2jz0 MN0 4lX0 u10 5Lb0 1pB0 Fnz0 u10 uL0 1vd0 SL0 1vd0 SL0 1vd0 17z0 1cN0 1fz0 1cN0 1cL0 1cN0 asn0 Db0 zvd0 Bz0 1tB0 TX0 1wp0 Rb0 1wq0 Ra0 1wp0 TX0 A4p0 uL0 1qN0 WL0|","America/Argentina/Jujuy|CMT -04 -03 -02|4g.M 40 30 20|012121212121212121212121212121212121212121232323121323232|-20UHH.c pKnH.c Mn0 1iN0 Tb0 1C10 LX0 1C10 LX0 1C10 LX0 1C10 Mn0 1C10 LX0 1C10 LX0 1C10 LX0 1C10 Mn0 MN0 2jz0 MN0 4lX0 u10 5Lb0 1pB0 Fnz0 u10 uL0 1vd0 SL0 1vd0 SL0 1vd0 17z0 1cN0 1fz0 1cN0 1cL0 1cN0 asn0 Db0 zvd0 Bz0 1tB0 TX0 1ze0 TX0 1ld0 WK0 1wp0 TX0 A4p0 uL0|","America/Argentina/La_Rioja|CMT -04 -03 -02|4g.M 40 30 20|012121212121212121212121212121212121212121232323231232321232|-20UHH.c pKnH.c Mn0 1iN0 Tb0 1C10 LX0 1C10 LX0 1C10 LX0 1C10 Mn0 1C10 LX0 1C10 LX0 1C10 LX0 1C10 Mn0 MN0 2jz0 MN0 4lX0 u10 5Lb0 1pB0 Fnz0 u10 uL0 1vd0 SL0 1vd0 SL0 1vd0 17z0 1cN0 1fz0 1cN0 1cL0 1cN0 asn0 Db0 zvd0 Bz0 1tB0 TX0 1wp0 Qn0 qO0 16n0 Rb0 1wp0 TX0 rlB0 7B0 8zb0 uL0|","America/Argentina/Mendoza|CMT -04 -03 -02|4g.M 40 30 20|01212121212121212121212121212121212121212123232312121321232|-20UHH.c pKnH.c Mn0 1iN0 Tb0 1C10 LX0 1C10 LX0 1C10 LX0 1C10 Mn0 1C10 LX0 1C10 LX0 1C10 LX0 1C10 Mn0 MN0 2jz0 MN0 4lX0 u10 5Lb0 1pB0 Fnz0 u10 uL0 1vd0 SL0 1vd0 SL0 1vd0 17z0 1cN0 1fz0 1cN0 1cL0 1cN0 asn0 Db0 zvd0 Bz0 1tB0 TX0 1u20 SL0 1vd0 Tb0 1wp0 TW0 ri10 Op0 7TX0 uL0|","America/Argentina/Rio_Gallegos|CMT -04 -03 -02|4g.M 40 30 20|01212121212121212121212121212121212121212123232323232321232|-20UHH.c pKnH.c Mn0 1iN0 Tb0 1C10 LX0 1C10 LX0 1C10 LX0 1C10 Mn0 1C10 LX0 1C10 LX0 1C10 LX0 1C10 Mn0 MN0 2jz0 MN0 4lX0 u10 5Lb0 1pB0 Fnz0 u10 uL0 1vd0 SL0 1vd0 SL0 1vd0 17z0 1cN0 1fz0 1cN0 1cL0 1cN0 asn0 Db0 zvd0 Bz0 1tB0 TX0 1wp0 Rb0 1wp0 Rb0 1wp0 TX0 rlB0 7B0 8zb0 uL0|","America/Argentina/Salta|CMT -04 -03 -02|4g.M 40 30 20|012121212121212121212121212121212121212121232323231323232|-20UHH.c pKnH.c Mn0 1iN0 Tb0 1C10 LX0 1C10 LX0 1C10 LX0 1C10 Mn0 1C10 LX0 1C10 LX0 1C10 LX0 1C10 Mn0 MN0 2jz0 MN0 4lX0 u10 5Lb0 1pB0 Fnz0 u10 uL0 1vd0 SL0 1vd0 SL0 1vd0 17z0 1cN0 1fz0 1cN0 1cL0 1cN0 asn0 Db0 zvd0 Bz0 1tB0 TX0 1wp0 Rb0 1wq0 Ra0 1wp0 TX0 A4p0 uL0|","America/Argentina/San_Juan|CMT -04 -03 -02|4g.M 40 30 20|012121212121212121212121212121212121212121232323231232321232|-20UHH.c pKnH.c Mn0 1iN0 Tb0 1C10 LX0 1C10 LX0 1C10 LX0 1C10 Mn0 1C10 LX0 1C10 LX0 1C10 LX0 1C10 Mn0 MN0 2jz0 MN0 4lX0 u10 5Lb0 1pB0 Fnz0 u10 uL0 1vd0 SL0 1vd0 SL0 1vd0 17z0 1cN0 1fz0 1cN0 1cL0 1cN0 asn0 Db0 zvd0 Bz0 1tB0 TX0 1wp0 Qn0 qO0 16n0 Rb0 1wp0 TX0 rld0 m10 8lb0 uL0|","America/Argentina/San_Luis|CMT -04 -03 -02|4g.M 40 30 20|012121212121212121212121212121212121212121232323121212321212|-20UHH.c pKnH.c Mn0 1iN0 Tb0 1C10 LX0 1C10 LX0 1C10 LX0 1C10 Mn0 1C10 LX0 1C10 LX0 1C10 LX0 1C10 Mn0 MN0 2jz0 MN0 4lX0 u10 5Lb0 1pB0 Fnz0 u10 uL0 1vd0 SL0 1vd0 SL0 1vd0 17z0 1cN0 1fz0 1cN0 1cL0 1cN0 asn0 Db0 zvd0 Bz0 1tB0 XX0 1q20 SL0 AN0 vDb0 m10 8lb0 8L0 jd0 1qN0 WL0 1qN0|","America/Argentina/Tucuman|CMT -04 -03 -02|4g.M 40 30 20|0121212121212121212121212121212121212121212323232313232123232|-20UHH.c pKnH.c Mn0 1iN0 Tb0 1C10 LX0 1C10 LX0 1C10 LX0 1C10 Mn0 1C10 LX0 1C10 LX0 1C10 LX0 1C10 Mn0 MN0 2jz0 MN0 4lX0 u10 5Lb0 1pB0 Fnz0 u10 uL0 1vd0 SL0 1vd0 SL0 1vd0 17z0 1cN0 1fz0 1cN0 1cL0 1cN0 asn0 Db0 zvd0 Bz0 1tB0 TX0 1wp0 Rb0 1wq0 Ra0 1wp0 TX0 rlB0 4N0 8BX0 uL0 1qN0 WL0|","America/Argentina/Ushuaia|CMT -04 -03 -02|4g.M 40 30 20|01212121212121212121212121212121212121212123232323232321232|-20UHH.c pKnH.c Mn0 1iN0 Tb0 1C10 LX0 1C10 LX0 1C10 LX0 1C10 Mn0 1C10 LX0 1C10 LX0 1C10 LX0 1C10 Mn0 MN0 2jz0 MN0 4lX0 u10 5Lb0 1pB0 Fnz0 u10 uL0 1vd0 SL0 1vd0 SL0 1vd0 17z0 1cN0 1fz0 1cN0 1cL0 1cN0 asn0 Db0 zvd0 Bz0 1tB0 TX0 1wp0 Rb0 1wp0 Rb0 1wp0 TX0 rkN0 8p0 8zb0 uL0|","America/Curacao|LMT -0430 AST|4z.L 4u 40|012|-2kV7o.d 28KLS.d|15e4","America/Asuncion|AMT -04 -03|3O.E 40 30|012121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212|-1x589.k 1DKM9.k 3CL0 3Dd0 10L0 1pB0 10n0 1pB0 10n0 1pB0 1cL0 1dd0 1db0 1dd0 1cL0 1dd0 1cL0 1dd0 1cL0 1dd0 1db0 1dd0 1cL0 1dd0 1cL0 1dd0 1cL0 1dd0 1db0 1dd0 1cL0 1lB0 14n0 1dd0 1cL0 1fd0 WL0 1rd0 1aL0 1dB0 Xz0 1qp0 Xb0 1qN0 10L0 1rB0 TX0 1tB0 WL0 1qN0 11z0 1o10 11z0 1o10 11z0 1qN0 1cL0 WN0 1qL0 11B0 1nX0 1ip0 WL0 1qN0 WL0 1qN0 WL0 1tB0 TX0 1tB0 TX0 1tB0 19X0 1a10 1fz0 1a10 1fz0 1cN0 17b0 1ip0 17b0 1ip0 17b0 1ip0 19X0 1fB0 19X0 1fB0 19X0 1ip0 17b0 1ip0 17b0 1ip0 19X0 1fB0 19X0 1fB0 19X0 1fB0 19X0 1ip0 17b0 1ip0 17b0 1ip0 19X0 1fB0 19X0 1fB0 19X0 1ip0 17b0 1ip0 17b0 1ip0 19X0 1fB0 19X0 1fB0 19X0 1fB0 19X0 1ip0 17b0 1ip0 17b0 1ip0|28e5","America/Atikokan|CST CDT CWT CPT EST|60 50 50 50 50|0101234|-25TQ0 1in0 Rnb0 3je0 8x30 iw0|28e2","America/Bahia_Banderas|LMT MST CST PST MDT CDT|71 70 60 80 60 50|0121212131414141414141414141414141414152525252525252525252525252525252525252525252525252525252|-1UQF0 deL0 8lc0 17c0 10M0 1dd0 otX0 gmN0 P2N0 13Vd0 1lb0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 1fB0 WL0 1fB0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nW0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0|84e3","America/Bahia|LMT -03 -02|2y.4 30 20|01212121212121212121212121212121212121212121212121212121212121|-2glxp.U HdLp.U 1cc0 1e10 1bX0 Ezd0 So0 1vA0 Mn0 1BB0 ML0 1BB0 zX0 qe10 xb0 2ep0 nz0 1C10 zX0 1C10 LX0 1C10 Mn0 H210 Rb0 1tB0 IL0 1Fd0 FX0 1EN0 FX0 1HB0 Lz0 1EN0 Lz0 1C10 IL0 1HB0 Db0 1HB0 On0 1zd0 On0 1zd0 Lz0 1zd0 Rb0 1wN0 Wn0 1tB0 Rb0 1tB0 WL0 1tB0 Rb0 1zd0 On0 1HB0 FX0 l5B0 Rb0|27e5","America/Barbados|LMT BMT AST ADT|3W.t 3W.t 40 30|01232323232|-1Q0I1.v jsM0 1ODC1.v IL0 1ip0 17b0 1ip0 17b0 1ld0 13b0|28e4","America/Belem|LMT -03 -02|3d.U 30 20|012121212121212121212121212121|-2glwK.4 HdKK.4 1cc0 1e10 1bX0 Ezd0 So0 1vA0 Mn0 1BB0 ML0 1BB0 zX0 qe10 xb0 2ep0 nz0 1C10 zX0 1C10 LX0 1C10 Mn0 H210 Rb0 1tB0 IL0 1Fd0 FX0|20e5","America/Belize|LMT CST -0530 CWT CPT CDT|5Q.M 60 5u 50 50 50|012121212121212121212121212121212121212121212121213412121212121212121212121212121212121212121215151|-2kBu7.c fPA7.c Onu 1zcu Rbu 1wou Rbu 1wou Rbu 1zcu Onu 1zcu Onu 1zcu Rbu 1wou Rbu 1wou Rbu 1wou Rbu 1zcu Onu 1zcu Onu 1zcu Rbu 1wou Rbu 1wou Rbu 1zcu Onu 1zcu Onu 1zcu Onu 1zcu Rbu 1wou Rbu 1wou Rbu 1zcu Onu 1zcu Onu 1zcu Rbu Rcu 7Bt0 Ni0 4nd0 Rbu 1wou Rbu 1wou Rbu 1zcu Onu 1zcu Onu 1zcu Rbu 1wou Rbu 1wou Rbu 1wou Rbu 1zcu Onu 1zcu Onu 1zcu Rbu 1wou Rbu 1wou Rbu 1zcu Onu 1zcu Onu 1zcu Onu 1zcu Rbu 1wou Rbu 1wou Rbu 1zcu Onu e9Au qn0 lxB0 mn0|57e3","America/Blanc-Sablon|AST ADT AWT APT|40 30 30 30|010230|-25TS0 1in0 UGp0 8x50 iu0|11e2","America/Boa_Vista|LMT -04 -03|42.E 40 30|0121212121212121212121212121212121|-2glvV.k HdKV.k 1cc0 1e10 1bX0 Ezd0 So0 1vA0 Mn0 1BB0 ML0 1BB0 zX0 qe10 xb0 2ep0 nz0 1C10 zX0 1C10 LX0 1C10 Mn0 H210 Rb0 1tB0 IL0 1Fd0 FX0 smp0 WL0 1tB0 2L0|62e2","America/Bogota|BMT -05 -04|4U.g 50 40|0121|-2eb73.I 38yo3.I 2en0|90e5","America/Boise|PST PDT MST MWT MPT MDT|80 70 70 60 60 60|0101023425252525252525252525252525252525252525252525252525252525252525252525252525252525252525252525252525252525252525252525252525252525252525252525252|-261q0 1nX0 11B0 1nX0 8C10 JCL0 8x20 ix0 QwN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1cN0 1cL0 1cN0 1cL0 Dd0 1Kn0 LB0 1BX0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0|21e4","America/Cambridge_Bay|-00 MST MWT MPT MDDT MDT CST CDT EST|0 70 60 60 50 60 60 50 50|0123141515151515151515151515151515151515151515678651515151515151515151515151515151515151515151515151515151515151515151515151|-21Jc0 RO90 8x20 ix0 LCL0 1fA0 zgO0 1cL0 1cN0 1cL0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11A0 1nX0 2K0 WQ0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0|15e2","America/Campo_Grande|LMT -04 -03|3C.s 40 30|01212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121|-2glwl.w HdLl.w 1cc0 1e10 1bX0 Ezd0 So0 1vA0 Mn0 1BB0 ML0 1BB0 zX0 qe10 xb0 2ep0 nz0 1C10 zX0 1C10 LX0 1C10 Mn0 H210 Rb0 1tB0 IL0 1Fd0 FX0 1EN0 FX0 1HB0 Lz0 1EN0 Lz0 1C10 IL0 1HB0 Db0 1HB0 On0 1zd0 On0 1zd0 Lz0 1zd0 Rb0 1wN0 Wn0 1tB0 Rb0 1tB0 WL0 1tB0 Rb0 1zd0 On0 1HB0 FX0 1C10 Lz0 1Ip0 HX0 1zd0 On0 1HB0 IL0 1wp0 On0 1C10 Lz0 1C10 On0 1zd0 On0 1zd0 Rb0 1zd0 Lz0 1C10 Lz0 1C10 On0 1zd0 On0 1zd0 On0 1zd0 On0 1HB0 FX0|77e4","America/Cancun|LMT CST EST EDT CDT|5L.4 60 50 40 50|0123232341414141414141414141414141414141412|-1UQG0 2q2o0 yLB0 1lb0 14p0 1lb0 14p0 Lz0 xB0 14p0 1nX0 11B0 1nX0 1fB0 WL0 1fB0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 Dd0|63e4","America/Caracas|CMT -0430 -04|4r.E 4u 40|01212|-2kV7w.k 28KM2.k 1IwOu kqo0|29e5","America/Cayenne|LMT -04 -03|3t.k 40 30|012|-2mrwu.E 2gWou.E|58e3","America/Panama|CMT EST|5j.A 50|01|-2uduE.o|15e5","America/Chicago|CST CDT EST CWT CPT|60 50 50 50 50|01010101010101010101010101010101010102010101010103401010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010|-261s0 1nX0 11B0 1nX0 1wp0 TX0 WN0 1qL0 1cN0 WL0 1qN0 11z0 1o10 11z0 1o10 11z0 1o10 11z0 1o10 11z0 1qN0 11z0 1o10 11z0 1o10 11z0 1o10 11z0 1o10 11z0 1qN0 WL0 1qN0 11z0 1o10 11z0 11B0 1Hz0 14p0 11z0 1o10 11z0 1qN0 WL0 1qN0 11z0 1o10 11z0 RB0 8x30 iw0 1o10 11z0 1o10 11z0 1o10 11z0 1o10 11z0 1qN0 WL0 1qN0 11z0 1o10 11z0 1o10 11z0 1o10 11z0 1o10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1cN0 1cL0 1cN0 1cL0 s10 1Vz0 LB0 1BX0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0|92e5","America/Chihuahua|LMT MST CST CDT MDT|74.k 70 60 50 60|0121212323241414141414141414141414141414141414141414141414141414141414141414141414141414141|-1UQF0 deL0 8lc0 17c0 10M0 1dd0 2zQN0 1lb0 14p0 1lb0 14q0 1lb0 14p0 1nX0 11B0 1nX0 1fB0 WL0 1fB0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0|81e4","America/Costa_Rica|SJMT CST CDT|5A.d 60 50|0121212121|-1Xd6n.L 2lu0n.L Db0 1Kp0 Db0 pRB0 15b0 1kp0 mL0|12e5","America/Creston|MST PST|70 80|010|-29DR0 43B0|53e2","America/Cuiaba|LMT -04 -03|3I.k 40 30|012121212121212121212121212121212121212121212121212121212121212121212121212121212121212121|-2glwf.E HdLf.E 1cc0 1e10 1bX0 Ezd0 So0 1vA0 Mn0 1BB0 ML0 1BB0 zX0 qe10 xb0 2ep0 nz0 1C10 zX0 1C10 LX0 1C10 Mn0 H210 Rb0 1tB0 IL0 1Fd0 FX0 1EN0 FX0 1HB0 Lz0 1EN0 Lz0 1C10 IL0 1HB0 Db0 1HB0 On0 1zd0 On0 1zd0 Lz0 1zd0 Rb0 1wN0 Wn0 1tB0 Rb0 1tB0 WL0 1tB0 Rb0 1zd0 On0 1HB0 FX0 4a10 HX0 1zd0 On0 1HB0 IL0 1wp0 On0 1C10 Lz0 1C10 On0 1zd0 On0 1zd0 Rb0 1zd0 Lz0 1C10 Lz0 1C10 On0 1zd0 On0 1zd0 On0 1zd0 On0 1HB0 FX0|54e4","America/Danmarkshavn|LMT -03 -02 GMT|1e.E 30 20 0|01212121212121212121212121212121213|-2a5WJ.k 2z5fJ.k 19U0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 DC0|8","America/Dawson_Creek|PST PDT PWT PPT MST|80 70 70 70 70|0102301010101010101010101010101010101010101010101010101014|-25TO0 1in0 UGp0 8x10 iy0 3NB0 11z0 1o10 11z0 1o10 11z0 1qN0 WL0 1qN0 11z0 1o10 11z0 1o10 11z0 1o10 11z0 1o10 11z0 1qN0 11z0 1o10 11z0 1o10 11z0 1o10 11z0 1o10 11z0 1qN0 WL0 1qN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1cN0 ML0|12e3","America/Dawson|YST YDT YWT YPT YDDT PST PDT MST|90 80 80 80 70 80 70 70|010102304056565656565656565656565656565656565656565656565656565656565656565656565656565656567|-25TN0 1in0 1o10 13V0 Ser0 8x00 iz0 LCL0 1fA0 jrA0 fNd0 1cL0 1cN0 1cL0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1z90|13e2","America/Denver|MST MDT MWT MPT|70 60 60 60|01010101023010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010|-261r0 1nX0 11B0 1nX0 11B0 1qL0 WN0 mn0 Ord0 8x20 ix0 LCN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1cN0 1cL0 1cN0 1cL0 s10 1Vz0 LB0 1BX0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0|26e5","America/Detroit|LMT CST EST EWT EPT EDT|5w.b 60 50 40 40 40|0123425252525252525252525252525252525252525252525252525252525252525252525252525252525252525252525252525252525252525252525252525252525252525252|-2Cgir.N peqr.N 156L0 8x40 iv0 6fd0 11z0 JxX1 SMX 1cN0 1cL0 aW10 1cL0 s10 1Vz0 1cN0 1cL0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0|37e5","America/Edmonton|LMT MST MDT MWT MPT|7x.Q 70 60 60 60|0121212121212134121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121|-2yd4q.8 shdq.8 1in0 17d0 hz0 2dB0 1fz0 1a10 11z0 1qN0 WL0 1qN0 11z0 IGN0 8x20 ix0 3NB0 11z0 XQp0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0|10e5","America/Eirunepe|LMT -05 -04|4D.s 50 40|0121212121212121212121212121212121|-2glvk.w HdLk.w 1cc0 1e10 1bX0 Ezd0 So0 1vA0 Mn0 1BB0 ML0 1BB0 zX0 qe10 xb0 2ep0 nz0 1C10 zX0 1C10 LX0 1C10 Mn0 H210 Rb0 1tB0 IL0 1Fd0 FX0 dPB0 On0 yTd0 d5X0|31e3","America/El_Salvador|LMT CST CDT|5U.M 60 50|012121|-1XiG3.c 2Fvc3.c WL0 1qN0 WL0|11e5","America/Tijuana|LMT MST PST PDT PWT PPT|7M.4 70 80 70 70 70|012123245232323232323232323232323232323232323232323232323232323232323232323232323232323232323232323232323232323232323232323232323232323232323232323232|-1UQE0 4PX0 8mM0 8lc0 SN0 1cL0 pHB0 83r0 zI0 5O10 1Rz0 cOO0 11A0 1o00 11A0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1o00 11A0 BUp0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 U10 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0|20e5","America/Fort_Nelson|PST PDT PWT PPT MST|80 70 70 70 70|01023010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010104|-25TO0 1in0 UGp0 8x10 iy0 3NB0 11z0 1o10 11z0 1o10 11z0 1qN0 WL0 1qN0 11z0 1o10 11z0 1o10 11z0 1o10 11z0 1o10 11z0 1qN0 11z0 1o10 11z0 1o10 11z0 1o10 11z0 1o10 11z0 1qN0 WL0 1qN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0|39e2","America/Fort_Wayne|CST CDT CWT CPT EST EDT|60 50 50 50 50 40|010101023010101010101010101040454545454545454545454545454545454545454545454545454545454545454545454|-261s0 1nX0 11B0 1nX0 QI10 Db0 RB0 8x30 iw0 1o10 11z0 1o10 11z0 1o10 11z0 1o10 11z0 1qN0 WL0 1qN0 11z0 1o10 11z0 1o10 11z0 1o10 11z0 1o10 5Tz0 1o10 qLb0 1cL0 1cN0 1cL0 1qhd0 1nX0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0|","America/Fortaleza|LMT -03 -02|2y 30 20|0121212121212121212121212121212121212121|-2glxq HdLq 1cc0 1e10 1bX0 Ezd0 So0 1vA0 Mn0 1BB0 ML0 1BB0 zX0 qe10 xb0 2ep0 nz0 1C10 zX0 1C10 LX0 1C10 Mn0 H210 Rb0 1tB0 IL0 1Fd0 FX0 1EN0 FX0 1HB0 Lz0 nsp0 WL0 1tB0 5z0 2mN0 On0|34e5","America/Glace_Bay|LMT AST ADT AWT APT|3X.M 40 30 30 30|012134121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121|-2IsI0.c CwO0.c 1in0 UGp0 8x50 iu0 iq10 11z0 Jg10 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0|19e3","America/Godthab|LMT -03 -02|3q.U 30 20|0121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121|-2a5Ux.4 2z5dx.4 19U0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00|17e3","America/Goose_Bay|NST NDT NST NDT NWT NPT AST ADT ADDT|3u.Q 2u.Q 3u 2u 2u 2u 40 30 20|010232323232323245232323232323232323232323232323232323232326767676767676767676767676767676767676767676768676767676767676767676767676767676767676767676767676767676767676767676767676767676767676767676767676|-25TSt.8 1in0 DXb0 2HbX.8 WL0 1qN0 WL0 1qN0 WL0 1tB0 TX0 1tB0 WL0 1qN0 WL0 1qN0 7UHu itu 1tB0 WL0 1qN0 WL0 1qN0 WL0 1qN0 WL0 1tB0 WL0 1ld0 11z0 1o10 11z0 1o10 11z0 1o10 11z0 1o10 11z0 1qN0 11z0 1o10 11z0 1o10 11z0 1o10 11z0 1o10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 S10 g0u 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 14n1 1lb0 14p0 1nW0 11C0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zcX Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0|76e2","America/Grand_Turk|KMT EST EDT AST|57.a 50 40 40|0121212121212121212121212121212121212121212121212121212121212121212121212132121212121212121212121212121212121212121|-2l1uQ.O 2HHBQ.O 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 7jA0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0|37e2","America/Guatemala|LMT CST CDT|62.4 60 50|0121212121|-24KhV.U 2efXV.U An0 mtd0 Nz0 ifB0 17b0 zDB0 11z0|13e5","America/Guayaquil|QMT -05 -04|5e 50 40|0121|-1yVSK 2uILK rz0|27e5","America/Guyana|LMT -0345 -03 -04|3Q.E 3J 30 40|0123|-2dvU7.k 2r6LQ.k Bxbf|80e4","America/Halifax|LMT AST ADT AWT APT|4e.o 40 30 30 30|0121212121212121212121212121212121212121212121212134121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121|-2IsHJ.A xzzJ.A 1db0 3I30 1in0 3HX0 IL0 1E10 ML0 1yN0 Pb0 1Bd0 Mn0 1Bd0 Rz0 1w10 Xb0 1w10 LX0 1w10 Xb0 1w10 Lz0 1C10 Jz0 1E10 OL0 1yN0 Un0 1qp0 Xb0 1qp0 11X0 1w10 Lz0 1HB0 LX0 1C10 FX0 1w10 Xb0 1qp0 Xb0 1BB0 LX0 1td0 Xb0 1qp0 Xb0 Rf0 8x50 iu0 1o10 11z0 1o10 11z0 1o10 11z0 1o10 11z0 3Qp0 11z0 1o10 11z0 1o10 11z0 1o10 11z0 3Qp0 11z0 1o10 11z0 1o10 11z0 1o10 11z0 6i10 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0|39e4","America/Havana|HMT CST CDT|5t.A 50 40|012121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121|-1Meuu.o 72zu.o ML0 sld0 An0 1Nd0 Db0 1Nd0 An0 6Ep0 An0 1Nd0 An0 JDd0 Mn0 1Ap0 On0 1fd0 11X0 1qN0 WL0 1wp0 1cL0 1cN0 1cL0 1cN0 1fz0 1cN0 14n0 1ld0 14L0 1kN0 15b0 1kp0 1cL0 1cN0 1fz0 1a10 1fz0 1fB0 11z0 14p0 1nX0 11B0 1nX0 1o10 11z0 1o10 11z0 1o10 11z0 1o10 14n0 1ld0 14n0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 1a10 1in0 1a10 1fA0 1a00 1fA0 1a00 1fA0 1a00 1fA0 1a00 1fA0 1cM0 1cM0 1cM0 1fA0 17c0 1o00 11A0 1qM0 11A0 1o00 11A0 1o00 14o0 1lc0 14o0 1lc0 11A0 6i00 Rc0 1wo0 U00 1tA0 Rc0 1wo0 U00 1wo0 U00 1zc0 U00 1qM0 Oo0 1zc0 Oo0 1zc0 Oo0 1zc0 Rc0 1zc0 Oo0 1zc0 Oo0 1zc0 Oo0 1zc0 Oo0 1zc0 Rc0 1zc0 Oo0 1zc0 Oo0 1zc0 Oo0 1zc0 Oo0 1zc0 Oo0 1zc0 Rc0 1zc0 Oo0 1zc0 Oo0 1zc0 Oo0 1zc0 Oo0 1zc0 Rc0 1zc0 Oo0 1zc0 Oo0 1zc0 Oo0 1zc0 Oo0 1zc0 Oo0 1zc0|21e5","America/Hermosillo|LMT MST CST PST MDT|7n.Q 70 60 80 60|0121212131414141|-1UQF0 deL0 8lc0 17c0 10M0 1dd0 otX0 gmN0 P2N0 13Vd0 1lb0 14p0 1lb0 14p0 1lb0|64e4","America/Indiana/Knox|CST CDT CWT CPT EST|60 50 50 50 50|0101023010101010101010101010101010101040101010101010101010101010101010101010101010101010141010101010101010101010101010101010101010101010101010101010101010|-261s0 1nX0 11B0 1nX0 SgN0 8x30 iw0 3NB0 11z0 1o10 11z0 1o10 11z0 1qN0 WL0 1qN0 11z0 1o10 11z0 1o10 11z0 1o10 11z0 1o10 1fz0 1cN0 1cL0 1cN0 11z0 1o10 11z0 1o10 1cL0 1cN0 1fz0 1cN0 1cL0 1cN0 3Cn0 8wp0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1cN0 1cL0 1cN0 1cL0 s10 1Vz0 LB0 1BX0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 z8o0 1o00 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0|","America/Indiana/Marengo|CST CDT CWT CPT EST EDT|60 50 50 50 50 40|0101023010101010101010104545454545414545454545454545454545454545454545454545454545454545454545454545454|-261s0 1nX0 11B0 1nX0 SgN0 8x30 iw0 dyN0 11z0 6fd0 11z0 1o10 11z0 1qN0 11z0 1o10 11z0 1o10 11z0 1o10 11z0 1o10 11z0 1qN0 jrz0 1cL0 1cN0 1cL0 1cN0 1fz0 1cN0 1cL0 1cN0 1cL0 s10 1VA0 LA0 1BX0 1e6p0 1nX0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0|","America/Indiana/Petersburg|CST CDT CWT CPT EST EDT|60 50 50 50 50 40|01010230101010101010101010104010101010101010101010141014545454545454545454545454545454545454545454545454545454545454|-261s0 1nX0 11B0 1nX0 SgN0 8x30 iw0 njX0 WN0 1qN0 11z0 1o10 11z0 1o10 11z0 1o10 11z0 1o10 11z0 1qN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 3Fb0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1cN0 1cL0 1cN0 1cL0 s10 1Vz0 LB0 1BX0 1cN0 1fz0 1a10 1fz0 19co0 1o00 Rd0 1zb0 Oo0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0|","America/Indiana/Tell_City|CST CDT CWT CPT EST EDT|60 50 50 50 50 40|01010230101010101010101010401054541010101010101010101010101010101010101010101010101010101010101010|-261s0 1nX0 11B0 1nX0 SgN0 8x30 iw0 njX0 WN0 1qN0 11z0 1o10 11z0 1o10 11z0 1o10 11z0 1o10 11z0 1qN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 8wn0 1cN0 1cL0 1cN0 1cK0 1cN0 1cL0 1qhd0 1o00 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0|","America/Indiana/Vevay|CST CDT CWT CPT EST EDT|60 50 50 50 50 40|010102304545454545454545454545454545454545454545454545454545454545454545454545454|-261s0 1nX0 11B0 1nX0 SgN0 8x30 iw0 kPB0 Awn0 1cL0 1cN0 1cL0 1cN0 1fz0 1cN0 1cL0 1lnd0 1nX0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0|","America/Indiana/Vincennes|CST CDT CWT CPT EST EDT|60 50 50 50 50 40|01010230101010101010101010101010454541014545454545454545454545454545454545454545454545454545454545454|-261s0 1nX0 11B0 1nX0 SgN0 8x30 iw0 1o10 11z0 g0p0 11z0 1o10 11z0 1qL0 WN0 1qN0 11z0 1o10 11z0 1o10 11z0 1o10 11z0 1o10 1fz0 1cN0 WL0 1qN0 1cL0 1cN0 1cL0 1cN0 caL0 1cL0 1cN0 1cL0 1qhd0 1o00 Rd0 1zb0 Oo0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0|","America/Indiana/Winamac|CST CDT CWT CPT EST EDT|60 50 50 50 50 40|01010230101010101010101010101010101010454541054545454545454545454545454545454545454545454545454545454545454|-261s0 1nX0 11B0 1nX0 SgN0 8x30 iw0 1o10 11z0 1o10 11z0 1o10 11z0 1o10 11z0 1qN0 WL0 1qN0 11z0 1o10 11z0 1o10 11z0 1o10 11z0 1o10 1fz0 1cN0 1cL0 1cN0 11z0 1o10 11z0 1o10 11z0 1o10 11z0 1qN0 jrz0 1cL0 1cN0 1cL0 1qhd0 1o00 Rd0 1za0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0|","America/Inuvik|-00 PST PDDT MST MDT|0 80 60 70 60|0121343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343|-FnA0 tWU0 1fA0 wPe0 2pz0 1cL0 1cN0 1cL0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0|35e2","America/Iqaluit|-00 EWT EPT EST EDDT EDT CST CDT|0 40 40 50 30 40 60 50|01234353535353535353535353535353535353535353567353535353535353535353535353535353535353535353535353535353535353535353535353|-16K00 7nX0 iv0 LCL0 1fA0 zgO0 1cL0 1cN0 1cL0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11C0 1nX0 11A0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0|67e2","America/Jamaica|KMT EST EDT|57.a 50 40|0121212121212121212121|-2l1uQ.O 2uM1Q.O 1Vz0 LB0 1BX0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1a10 1fz0|94e4","America/Juneau|PST PWT PPT PDT YDT YST AKST AKDT|80 70 70 70 80 90 90 80|01203030303030303030303030403030356767676767676767676767676767676767676767676767676767676767676767676767676767676767676767676767676767676767676|-17T20 8x10 iy0 Vo10 1cL0 1cN0 1cL0 1cN0 1fz0 1cN0 1cL0 1cN0 1cL0 s10 1Vz0 LB0 1BX0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cM0 1cM0 1cL0 1cN0 1fz0 1a10 1fz0 co0 10q0 1cL0 1cN0 1cL0 1cN0 1cL0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0|33e3","America/Kentucky/Louisville|CST CDT CWT CPT EST EDT|60 50 50 50 50 40|0101010102301010101010101010101010101454545454545414545454545454545454545454545454545454545454545454545454545454545454545454545454545454545454545454545454545454545454545454545454|-261s0 1nX0 11B0 1nX0 3Fd0 Nb0 LPd0 11z0 RB0 8x30 iw0 1nX1 e0X 9vd0 WL0 1qN0 11z0 1o10 11z0 1o10 11z0 1o10 11z0 1o10 11z0 1qN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1cN0 xz0 gso0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1cN0 1cL0 1cN0 1cL0 s10 1VA0 LA0 1BX0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0|","America/Kentucky/Monticello|CST CDT CWT CPT EST EDT|60 50 50 50 50 40|0101023010101010101010101010101010101010101010101010101010101010101010101454545454545454545454545454545454545454545454545454545454545454545454545454|-261s0 1nX0 11B0 1nX0 SgN0 8x30 iw0 SWp0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1cN0 1cL0 1cN0 1cL0 s10 1Vz0 LB0 1BX0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11A0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0|","America/La_Paz|CMT BST -04|4w.A 3w.A 40|012|-1x37r.o 13b0|19e5","America/Lima|LMT -05 -04|58.A 50 40|0121212121212121|-2tyGP.o 1bDzP.o zX0 1aN0 1cL0 1cN0 1cL0 1PrB0 zX0 1O10 zX0 6Gp0 zX0 98p0 zX0|11e6","America/Los_Angeles|PST PDT PWT PPT|80 70 70 70|010102301010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010|-261q0 1nX0 11B0 1nX0 SgN0 8x10 iy0 5Wp1 1VaX 3dA0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1a00 1fA0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1cN0 1cL0 1cN0 1cL0 s10 1Vz0 LB0 1BX0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0|15e6","America/Maceio|LMT -03 -02|2m.Q 30 20|012121212121212121212121212121212121212121|-2glxB.8 HdLB.8 1cc0 1e10 1bX0 Ezd0 So0 1vA0 Mn0 1BB0 ML0 1BB0 zX0 qe10 xb0 2ep0 nz0 1C10 zX0 1C10 LX0 1C10 Mn0 H210 Rb0 1tB0 IL0 1Fd0 FX0 1EN0 FX0 1HB0 Lz0 dMN0 Lz0 8Q10 WL0 1tB0 5z0 2mN0 On0|93e4","America/Managua|MMT CST EST CDT|5J.c 60 50 50|0121313121213131|-1quie.M 1yAMe.M 4mn0 9Up0 Dz0 1K10 Dz0 s3F0 1KH0 DB0 9In0 k8p0 19X0 1o30 11y0|22e5","America/Manaus|LMT -04 -03|40.4 40 30|01212121212121212121212121212121|-2glvX.U HdKX.U 1cc0 1e10 1bX0 Ezd0 So0 1vA0 Mn0 1BB0 ML0 1BB0 zX0 qe10 xb0 2ep0 nz0 1C10 zX0 1C10 LX0 1C10 Mn0 H210 Rb0 1tB0 IL0 1Fd0 FX0 dPB0 On0|19e5","America/Martinique|FFMT AST ADT|44.k 40 30|0121|-2mPTT.E 2LPbT.E 19X0|39e4","America/Matamoros|LMT CST CDT|6E 60 50|0121212121212121212121212121212121212121212121212121212121212121212121212121212121212121|-1UQG0 2FjC0 1nX0 i6p0 1lb0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 1fB0 WL0 1fB0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 U10 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0|45e4","America/Mazatlan|LMT MST CST PST MDT|75.E 70 60 80 60|0121212131414141414141414141414141414141414141414141414141414141414141414141414141414141414141|-1UQF0 deL0 8lc0 17c0 10M0 1dd0 otX0 gmN0 P2N0 13Vd0 1lb0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 1fB0 WL0 1fB0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0|44e4","America/Menominee|CST CDT CWT CPT EST|60 50 50 50 50|01010230101041010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010|-261s0 1nX0 11B0 1nX0 SgN0 8x30 iw0 1o10 11z0 LCN0 1fz0 6410 9Jb0 1cM0 s10 1Vz0 LB0 1BX0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0|85e2","America/Merida|LMT CST EST CDT|5W.s 60 50 50|0121313131313131313131313131313131313131313131313131313131313131313131313131313131313131|-1UQG0 2q2o0 2hz0 wu30 1lb0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 1fB0 WL0 1fB0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0|11e5","America/Metlakatla|PST PWT PPT PDT AKST AKDT|80 70 70 70 90 80|01203030303030303030303030303030304545450454545454545454545454545454545454545454|-17T20 8x10 iy0 Vo10 1cL0 1cN0 1cL0 1cN0 1fz0 1cN0 1cL0 1cN0 1cL0 s10 1Vz0 LB0 1BX0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1a10 1fz0 1hU10 Rd0 1zb0 Op0 1zb0 Op0 1zb0 uM0 jB0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0|14e2","America/Mexico_City|LMT MST CST CDT CWT|6A.A 70 60 50 50|012121232324232323232323232323232323232323232323232323232323232323232323232323232323232323232323232|-1UQF0 deL0 8lc0 17c0 10M0 1dd0 gEn0 TX0 3xd0 Jb0 6zB0 SL0 e5d0 17b0 1Pff0 1lb0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 1fB0 WL0 1fB0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0|20e6","America/Miquelon|LMT AST -03 -02|3I.E 40 30 20|012323232323232323232323232323232323232323232323232323232323232323232323232323232323232323232323232323232|-2mKkf.k 2LTAf.k gQ10 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0|61e2","America/Moncton|EST AST ADT AWT APT|50 40 30 30 30|012121212121212121212134121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121|-2IsH0 CwN0 1in0 zAo0 An0 1Nd0 An0 1Nd0 An0 1Nd0 An0 1Nd0 An0 1Nd0 An0 1K10 Lz0 1zB0 NX0 1u10 Wn0 S20 8x50 iu0 1o10 11z0 1o10 11z0 1o10 11z0 1o10 11z0 1qN0 WL0 1qN0 11z0 1o10 11z0 1o10 11z0 1o10 11z0 1o10 11z0 1qN0 11z0 1o10 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1cN0 1cL0 3Cp0 1cL0 1cN0 1cL0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14n1 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 ReX 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0|64e3","America/Monterrey|LMT CST CDT|6F.g 60 50|0121212121212121212121212121212121212121212121212121212121212121212121212121212121212121|-1UQG0 2FjC0 1nX0 i6p0 1lb0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 1fB0 WL0 1fB0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0|41e5","America/Montevideo|LMT MMT -04 -03 -0330 -0230 -02 -0130|3I.P 3I.P 40 30 3u 2u 20 1u|012343434343434343434343435353636353636375363636363636363636363636363636363636363636363|-2tRUf.9 sVc0 8jcf.9 1db0 1dcu 1cLu 1dcu 1cLu ircu 11zu 1o0u 11zu 1o0u 11zu 1o0u 11zu 1qMu WLu 1qMu WLu 1fAu 1cLu 1o0u 11zu NAu 3jXu zXu Dq0u 19Xu pcu jz0 cm10 19X0 6tB0 1fbu 3o0u jX0 4vB0 xz0 3Cp0 mmu 1a10 IMu Db0 4c10 uL0 1Nd0 An0 1SN0 uL0 mp0 28L0 iPB0 un0 1SN0 xz0 1zd0 Lz0 1zd0 Rb0 1zd0 On0 1wp0 Rb0 s8p0 1fB0 1ip0 11z0 1ld0 14n0 1o10 11z0 1o10 11z0 1o10 14n0 1ld0 14n0 1ld0 14n0 1o10 11z0 1o10 11z0 1o10 11z0|17e5","America/Toronto|EST EDT EWT EPT|50 40 40 40|01010101010101010101010101010101010101010101012301010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010|-25TR0 1in0 11Wu 1nzu 1fD0 WJ0 1wr0 Nb0 1Ap0 On0 1zd0 On0 1wp0 TX0 1tB0 TX0 1tB0 TX0 1tB0 WL0 1qN0 11z0 1o10 11z0 1o10 11z0 1o10 11z0 1qN0 WL0 1qN0 11z0 1o10 11z0 1o10 11z0 1o10 11z0 1o10 11z0 1o10 11z0 1qN0 WL0 1qN0 4kM0 8x40 iv0 1o10 11z0 1nX0 11z0 1o10 11z0 1o10 1qL0 11D0 1nX0 11B0 11z0 1o10 11z0 1o10 11z0 1o10 11z0 1o10 11z0 1qN0 11z0 1o10 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0|65e5","America/Nassau|LMT EST EWT EPT EDT|59.u 50 40 40 40|01212314141414141414141414141414141414141414141414141414141414141414141414141414141414141414141414141414141414141414141414141414141414141414141414141414141|-2kNuO.u 1drbO.u 6tX0 cp0 1hS0 pF0 J630 1cL0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0|24e4","America/New_York|EST EDT EWT EPT|50 40 40 40|01010101010101010101010101010101010101010101010102301010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010|-261t0 1nX0 11B0 1nX0 11B0 1qL0 1a10 11z0 1qN0 WL0 1qN0 11z0 1o10 11z0 1o10 11z0 1o10 11z0 1o10 11z0 1qN0 11z0 1o10 11z0 1o10 11z0 1o10 11z0 1o10 11z0 1qN0 WL0 1qN0 11z0 1o10 11z0 1o10 11z0 1o10 11z0 1o10 11z0 1qN0 WL0 1qN0 11z0 1o10 11z0 RB0 8x40 iv0 1o10 11z0 1o10 11z0 1o10 11z0 1o10 11z0 1qN0 WL0 1qN0 11z0 1o10 11z0 1o10 11z0 1o10 11z0 1o10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1cN0 1cL0 1cN0 1cL0 s10 1Vz0 LB0 1BX0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0|21e6","America/Nipigon|EST EDT EWT EPT|50 40 40 40|010123010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010|-25TR0 1in0 Rnb0 3je0 8x40 iv0 19yN0 1cL0 1cN0 1cL0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0|16e2","America/Nome|NST NWT NPT BST BDT YST AKST AKDT|b0 a0 a0 b0 a0 90 90 80|012034343434343434343434343434343456767676767676767676767676767676767676767676767676767676767676767676767676767676767676767676767676767676767676|-17SX0 8wW0 iB0 Qlb0 52O0 1cL0 1cN0 1cL0 1cN0 1fz0 1cN0 1cL0 1cN0 1cL0 s10 1Vz0 LB0 1BX0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1a10 1fz0 cl0 10q0 1cL0 1cN0 1cL0 1cN0 1cL0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0|38e2","America/Noronha|LMT -02 -01|29.E 20 10|0121212121212121212121212121212121212121|-2glxO.k HdKO.k 1cc0 1e10 1bX0 Ezd0 So0 1vA0 Mn0 1BB0 ML0 1BB0 zX0 qe10 xb0 2ep0 nz0 1C10 zX0 1C10 LX0 1C10 Mn0 H210 Rb0 1tB0 IL0 1Fd0 FX0 1EN0 FX0 1HB0 Lz0 nsp0 WL0 1tB0 2L0 2pB0 On0|30e2","America/North_Dakota/Beulah|MST MDT MWT MPT CST CDT|70 60 60 60 60 50|010102301010101010101010101010101010101010101010101010101010101010101010101010101010101010101014545454545454545454545454545454545454545454545454545454|-261r0 1nX0 11B0 1nX0 SgN0 8x20 ix0 QwN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1cN0 1cL0 1cN0 1cL0 s10 1Vz0 LB0 1BX0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Oo0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0|","America/North_Dakota/Center|MST MDT MWT MPT CST CDT|70 60 60 60 60 50|010102301010101010101010101010101010101010101010101010101014545454545454545454545454545454545454545454545454545454545454545454545454545454545454545454|-261r0 1nX0 11B0 1nX0 SgN0 8x20 ix0 QwN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1cN0 1cL0 1cN0 1cL0 s10 1Vz0 LB0 1BX0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14o0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0|","America/North_Dakota/New_Salem|MST MDT MWT MPT CST CDT|70 60 60 60 60 50|010102301010101010101010101010101010101010101010101010101010101010101010101010101454545454545454545454545454545454545454545454545454545454545454545454|-261r0 1nX0 11B0 1nX0 SgN0 8x20 ix0 QwN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1cN0 1cL0 1cN0 1cL0 s10 1Vz0 LB0 1BX0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14o0 1nX0 11B0 1nX0 11B0 1nX0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0|","America/Ojinaga|LMT MST CST CDT MDT|6V.E 70 60 50 60|0121212323241414141414141414141414141414141414141414141414141414141414141414141414141414141|-1UQF0 deL0 8lc0 17c0 10M0 1dd0 2zQN0 1lb0 14p0 1lb0 14q0 1lb0 14p0 1nX0 11B0 1nX0 1fB0 WL0 1fB0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 U10 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0|23e3","America/Pangnirtung|-00 AST AWT APT ADDT ADT EDT EST CST CDT|0 40 30 30 20 30 40 50 60 50|012314151515151515151515151515151515167676767689767676767676767676767676767676767676767676767676767676767676767676767676767|-1XiM0 PnG0 8x50 iu0 LCL0 1fA0 zgO0 1cL0 1cN0 1cL0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1o00 14p0 1lb0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11C0 1nX0 11A0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0|14e2","America/Paramaribo|LMT PMT PMT -0330 -03|3E.E 3E.Q 3E.A 3u 30|01234|-2nDUj.k Wqo0.c qanX.I 1yVXN.o|24e4","America/Phoenix|MST MDT MWT|70 60 60|01010202010|-261r0 1nX0 11B0 1nX0 SgN0 4Al1 Ap0 1db0 SWqX 1cL0|42e5","America/Port-au-Prince|PPMT EST EDT|4N 50 40|01212121212121212121212121212121212121212121212121212121212121212121212121212121212121|-28RHb 2FnMb 19X0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 14q0 1o00 11A0 1o00 11A0 1o00 14o0 1lc0 14o0 1lc0 14o0 1o00 11A0 1o00 11A0 1o00 14o0 1lc0 14o0 1lc0 i6n0 1nX0 11B0 1nX0 d430 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 3iN0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0|23e5","America/Rio_Branco|LMT -05 -04|4v.c 50 40|01212121212121212121212121212121|-2glvs.M HdLs.M 1cc0 1e10 1bX0 Ezd0 So0 1vA0 Mn0 1BB0 ML0 1BB0 zX0 qe10 xb0 2ep0 nz0 1C10 zX0 1C10 LX0 1C10 Mn0 H210 Rb0 1tB0 IL0 1Fd0 FX0 NBd0 d5X0|31e4","America/Porto_Velho|LMT -04 -03|4f.A 40 30|012121212121212121212121212121|-2glvI.o HdKI.o 1cc0 1e10 1bX0 Ezd0 So0 1vA0 Mn0 1BB0 ML0 1BB0 zX0 qe10 xb0 2ep0 nz0 1C10 zX0 1C10 LX0 1C10 Mn0 H210 Rb0 1tB0 IL0 1Fd0 FX0|37e4","America/Puerto_Rico|AST AWT APT|40 30 30|0120|-17lU0 7XT0 iu0|24e5","America/Punta_Arenas|SMT -05 -04 -03|4G.K 50 40 30|0102021212121212121232323232323232323232323232323232323232323232323232323232323232323232323232323232323232323232323|-2q2jh.e fJAh.e 5knG.K 1Vzh.e jRAG.K 1pbh.e 11d0 1oL0 11d0 1oL0 11d0 1oL0 11d0 1pb0 11d0 nHX0 op0 blz0 ko0 Qeo0 WL0 1zd0 On0 1ip0 11z0 1o10 11z0 1qN0 WL0 1ld0 14n0 1qN0 WL0 1qN0 11z0 1o10 11z0 1o10 11z0 1qN0 WL0 1qN0 WL0 1qN0 11z0 1o10 11z0 1o10 11z0 1o10 11z0 1qN0 WL0 1qN0 WL0 1qN0 1cL0 1cN0 11z0 1o10 11z0 1qN0 WL0 1fB0 19X0 1qN0 11z0 1o10 11z0 1o10 11z0 1o10 11z0 1qN0 WL0 1qN0 17b0 1ip0 11z0 1ip0 1fz0 1fB0 11z0 1qN0 WL0 1qN0 WL0 1qN0 WL0 1qN0 11z0 1o10 11z0 1o10 11z0 1qN0 WL0 1qN0 17b0 1ip0 11z0 1o10 19X0 1fB0 1nX0 G10 1EL0 Op0 1zb0 Rd0 1wn0 Rd0 46n0 Ap0|","America/Rainy_River|CST CDT CWT CPT|60 50 50 50|010123010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010|-25TQ0 1in0 Rnb0 3je0 8x30 iw0 19yN0 1cL0 1cN0 1cL0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0|842","America/Rankin_Inlet|-00 CST CDDT CDT EST|0 60 40 50 50|012131313131313131313131313131313131313131313431313131313131313131313131313131313131313131313131313131313131313131313131|-vDc0 keu0 1fA0 zgO0 1cL0 1cN0 1cL0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0|26e2","America/Recife|LMT -03 -02|2j.A 30 20|0121212121212121212121212121212121212121|-2glxE.o HdLE.o 1cc0 1e10 1bX0 Ezd0 So0 1vA0 Mn0 1BB0 ML0 1BB0 zX0 qe10 xb0 2ep0 nz0 1C10 zX0 1C10 LX0 1C10 Mn0 H210 Rb0 1tB0 IL0 1Fd0 FX0 1EN0 FX0 1HB0 Lz0 nsp0 WL0 1tB0 2L0 2pB0 On0|33e5","America/Regina|LMT MST MDT MWT MPT CST|6W.A 70 60 60 60 60|012121212121212121212121341212121212121212121212121215|-2AD51.o uHe1.o 1in0 s2L0 11z0 1o10 11z0 1o10 11z0 1qN0 WL0 1qN0 11z0 66N0 1cL0 1cN0 19X0 1fB0 1cL0 1fB0 1cL0 1cN0 1cL0 M30 8x20 ix0 1ip0 1cL0 1ip0 11z0 1o10 11z0 1o10 11z0 1qN0 WL0 1qN0 11z0 1o10 11z0 1o10 11z0 1o10 11z0 1o10 11z0 1qN0 11z0 1o10 11z0 3NB0 1cL0 1cN0|19e4","America/Resolute|-00 CST CDDT CDT EST|0 60 40 50 50|012131313131313131313131313131313131313131313431313131313431313131313131313131313131313131313131313131313131313131313131|-SnA0 GWS0 1fA0 zgO0 1cL0 1cN0 1cL0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0|229","America/Santarem|LMT -04 -03|3C.M 40 30|0121212121212121212121212121212|-2glwl.c HdLl.c 1cc0 1e10 1bX0 Ezd0 So0 1vA0 Mn0 1BB0 ML0 1BB0 zX0 qe10 xb0 2ep0 nz0 1C10 zX0 1C10 LX0 1C10 Mn0 H210 Rb0 1tB0 IL0 1Fd0 FX0 NBd0|21e4","America/Santiago|SMT -05 -04 -03|4G.K 50 40 30|010202121212121212321232323232323232323232323232323232323232323232323232323232323232323232323232323232323232323232323232323232323232323232323232323232323232323|-2q2jh.e fJAh.e 5knG.K 1Vzh.e jRAG.K 1pbh.e 11d0 1oL0 11d0 1oL0 11d0 1oL0 11d0 1pb0 11d0 nHX0 op0 9Bz0 jb0 1oN0 ko0 Qeo0 WL0 1zd0 On0 1ip0 11z0 1o10 11z0 1qN0 WL0 1ld0 14n0 1qN0 WL0 1qN0 11z0 1o10 11z0 1o10 11z0 1qN0 WL0 1qN0 WL0 1qN0 11z0 1o10 11z0 1o10 11z0 1o10 11z0 1qN0 WL0 1qN0 WL0 1qN0 1cL0 1cN0 11z0 1o10 11z0 1qN0 WL0 1fB0 19X0 1qN0 11z0 1o10 11z0 1o10 11z0 1o10 11z0 1qN0 WL0 1qN0 17b0 1ip0 11z0 1ip0 1fz0 1fB0 11z0 1qN0 WL0 1qN0 WL0 1qN0 WL0 1qN0 11z0 1o10 11z0 1o10 11z0 1qN0 WL0 1qN0 17b0 1ip0 11z0 1o10 19X0 1fB0 1nX0 G10 1EL0 Op0 1zb0 Rd0 1wn0 Rd0 46n0 Ap0 1Nb0 Ap0 1Nb0 Ap0 1zb0 11B0 1nX0 11B0 1nX0 11B0 1nX0 11B0 1nX0 11B0 1qL0 11B0 1nX0 11B0 1nX0 11B0 1nX0 11B0 1nX0 11B0 1qL0 WN0 1qL0 11B0 1nX0 11B0 1nX0 11B0 1nX0 11B0 1nX0 11B0 1qL0 WN0 1qL0 11B0 1nX0 11B0|62e5","America/Santo_Domingo|SDMT EST EDT -0430 AST|4E 50 40 4u 40|01213131313131414|-1ttjk 1lJMk Mn0 6sp0 Lbu 1Cou yLu 1RAu wLu 1QMu xzu 1Q0u xXu 1PAu 13jB0 e00|29e5","America/Sao_Paulo|LMT -03 -02|36.s 30 20|01212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121|-2glwR.w HdKR.w 1cc0 1e10 1bX0 Ezd0 So0 1vA0 Mn0 1BB0 ML0 1BB0 zX0 pTd0 PX0 2ep0 nz0 1C10 zX0 1C10 LX0 1C10 Mn0 H210 Rb0 1tB0 IL0 1Fd0 FX0 1EN0 FX0 1HB0 Lz0 1EN0 Lz0 1C10 IL0 1HB0 Db0 1HB0 On0 1zd0 On0 1zd0 Lz0 1zd0 Rb0 1wN0 Wn0 1tB0 Rb0 1tB0 WL0 1tB0 Rb0 1zd0 On0 1HB0 FX0 1C10 Lz0 1Ip0 HX0 1zd0 On0 1HB0 IL0 1wp0 On0 1C10 Lz0 1C10 On0 1zd0 On0 1zd0 Rb0 1zd0 Lz0 1C10 Lz0 1C10 On0 1zd0 On0 1zd0 On0 1zd0 On0 1HB0 FX0|20e6","America/Scoresbysund|LMT -02 -01 +00|1r.Q 20 10 0|0121323232323232323232323232323232323232323232323232323232323232323232323232323232323232323232323232323232323232323232|-2a5Ww.8 2z5ew.8 1a00 1cK0 1cL0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00|452","America/Sitka|PST PWT PPT PDT YST AKST AKDT|80 70 70 70 90 90 80|01203030303030303030303030303030345656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565|-17T20 8x10 iy0 Vo10 1cL0 1cN0 1cL0 1cN0 1fz0 1cN0 1cL0 1cN0 1cL0 s10 1Vz0 LB0 1BX0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1a10 1fz0 co0 10q0 1cL0 1cN0 1cL0 1cN0 1cL0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0|90e2","America/St_Johns|NST NDT NST NDT NWT NPT NDDT|3u.Q 2u.Q 3u 2u 2u 2u 1u|01010101010101010101010101010101010102323232323232324523232323232323232323232323232323232323232323232323232323232323232323232323232323232326232323232323232323232323232323232323232323232323232323232323232323232323232323232323232323232323232|-28oit.8 14L0 1nB0 1in0 1gm0 Dz0 1JB0 1cL0 1cN0 1cL0 1fB0 19X0 1fB0 19X0 1fB0 19X0 1fB0 19X0 1fB0 1cL0 1cN0 1cL0 1fB0 19X0 1fB0 19X0 1fB0 19X0 1fB0 19X0 1fB0 1cL0 1fB0 19X0 1fB0 19X0 10O0 eKX.8 19X0 1iq0 WL0 1qN0 WL0 1qN0 WL0 1tB0 TX0 1tB0 WL0 1qN0 WL0 1qN0 7UHu itu 1tB0 WL0 1qN0 WL0 1qN0 WL0 1qN0 WL0 1tB0 WL0 1ld0 11z0 1o10 11z0 1o10 11z0 1o10 11z0 1o10 11z0 1qN0 11z0 1o10 11z0 1o10 11z0 1o10 11z0 1o10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 14n1 1lb0 14p0 1nW0 11C0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zcX Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0|11e4","America/Swift_Current|LMT MST MDT MWT MPT CST|7b.k 70 60 60 60 60|012134121212121212121215|-2AD4M.E uHdM.E 1in0 UGp0 8x20 ix0 1o10 17b0 1ip0 11z0 1o10 11z0 1o10 11z0 isN0 1cL0 3Cp0 1cL0 1cN0 11z0 1qN0 WL0 pMp0|16e3","America/Tegucigalpa|LMT CST CDT|5M.Q 60 50|01212121|-1WGGb.8 2ETcb.8 WL0 1qN0 WL0 GRd0 AL0|11e5","America/Thule|LMT AST ADT|4z.8 40 30|012121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121|-2a5To.Q 31NBo.Q 1cL0 1cN0 1cL0 1fB0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0|656","America/Thunder_Bay|CST EST EWT EPT EDT|60 50 40 40 40|0123141414141414141414141414141414141414141414141414141414141414141414141414141414141414141414141414141414141414141414141414141414141414141|-2q5S0 1iaN0 8x40 iv0 XNB0 1cL0 1cN0 1fz0 1cN0 1cL0 3Cp0 1cL0 1cN0 1cL0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0|11e4","America/Vancouver|PST PDT PWT PPT|80 70 70 70|0102301010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010|-25TO0 1in0 UGp0 8x10 iy0 1o10 11z0 1o10 11z0 1o10 11z0 1o10 11z0 1qN0 WL0 1qN0 11z0 1o10 11z0 1o10 11z0 1o10 11z0 1o10 11z0 1qN0 11z0 1o10 11z0 1o10 11z0 1o10 11z0 1o10 11z0 1qN0 WL0 1qN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0|23e5","America/Whitehorse|YST YDT YWT YPT YDDT PST PDT MST|90 80 80 80 70 80 70 70|010102304056565656565656565656565656565656565656565656565656565656565656565656565656565656567|-25TN0 1in0 1o10 13V0 Ser0 8x00 iz0 LCL0 1fA0 3NA0 vrd0 1cL0 1cN0 1cL0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1z90|23e3","America/Winnipeg|CST CDT CWT CPT|60 50 50 50|010101023010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010|-2aIi0 WL0 3ND0 1in0 Jap0 Rb0 aCN0 8x30 iw0 1tB0 11z0 1ip0 11z0 1o10 11z0 1o10 11z0 1rd0 10L0 1op0 11z0 1o10 11z0 1o10 11z0 1o10 11z0 1o10 11z0 1qN0 11z0 1o10 11z0 1o10 11z0 1o10 1cL0 1cN0 11z0 6i10 WL0 6i10 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1a00 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1a00 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 14o0 1lc0 14o0 1o00 11A0 1o00 11A0 1o00 14o0 1lc0 14o0 1lc0 14o0 1o00 11A0 1o00 11A0 1o00 14o0 1lc0 14o0 1lc0 14o0 1lc0 14o0 1o00 11A0 1o00 11A0 1o00 14o0 1lc0 14o0 1lc0 14o0 1o00 11A0 1o00 11A0 1nX0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0|66e4","America/Yakutat|YST YWT YPT YDT AKST AKDT|90 80 80 80 90 80|01203030303030303030303030303030304545454545454545454545454545454545454545454545454545454545454545454545454545454545454545454545454545454545454|-17T10 8x00 iz0 Vo10 1cL0 1cN0 1cL0 1cN0 1fz0 1cN0 1cL0 1cN0 1cL0 s10 1Vz0 LB0 1BX0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1a10 1fz0 cn0 10q0 1cL0 1cN0 1cL0 1cN0 1cL0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0|642","America/Yellowknife|-00 MST MWT MPT MDDT MDT|0 70 60 60 50 60|012314151515151515151515151515151515151515151515151515151515151515151515151515151515151515151515151515151515151515151515151|-1pdA0 hix0 8x20 ix0 LCL0 1fA0 zgO0 1cL0 1cN0 1cL0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0|19e3","Antarctica/Casey|-00 +08 +11|0 -80 -b0|0121212121212|-2q00 1DjS0 T90 40P0 KL0 blz0 3m10 1o30 14k0 1kr0 12l0 1o01|10","Antarctica/Davis|-00 +07 +05|0 -70 -50|01012121|-vyo0 iXt0 alj0 1D7v0 VB0 3Wn0 KN0|70","Antarctica/DumontDUrville|-00 +10|0 -a0|0101|-U0o0 cfq0 bFm0|80","Antarctica/Macquarie|AEST AEDT -00|-a0 -b0 0|010201010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101|-29E80 1a00 4SK0 1ayy0 Lvs0 1cM0 1o00 Rc0 1wo0 Rc0 1wo0 U00 1wo0 LA0 1C00 Oo0 1zc0 Oo0 1zc0 Oo0 1zc0 Rc0 1zc0 Oo0 1zc0 Oo0 1zc0 Oo0 1zc0 Oo0 1zc0 Oo0 1zc0 11A0 1qM0 WM0 1qM0 Oo0 1zc0 Oo0 1zc0 Oo0 1wo0 WM0 1tA0 WM0 1tA0 U00 1tA0 U00 1tA0 11A0 1fA0 1a00 1fA0 1a00 1fA0 1a00 1fA0 1a00 1fA0 1cM0 1fA0 1a00 1fA0 1a00 1fA0 1a00 1fA0 1a00 11A0 1o00 1io0 1a00 1fA0 1a00 1fA0 1a00 1fA0 1a00 1fA0 1cM0 1cM0 1a00 1io0 1cM0 1cM0 1cM0 1cM0 3Co0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0|1","Antarctica/Mawson|-00 +06 +05|0 -60 -50|012|-CEo0 2fyk0|60","Pacific/Auckland|NZMT NZST NZST NZDT|-bu -cu -c0 -d0|01020202020202020202020202023232323232323232323232323232323232323232323232323232323232323232323232323232323232323232323232323232323232323232323232323232323|-1GCVu Lz0 1tB0 11zu 1o0u 11zu 1o0u 11zu 1o0u 14nu 1lcu 14nu 1lcu 1lbu 11Au 1nXu 11Au 1nXu 11Au 1nXu 11Au 1nXu 11Au 1qLu WMu 1qLu 11Au 1n1bu IM0 1C00 Rc0 1zc0 Oo0 1zc0 Oo0 1zc0 Oo0 1zc0 Oo0 1zc0 Oo0 1zc0 Rc0 1zc0 Oo0 1zc0 Oo0 1zc0 Oo0 1zc0 Oo0 1zc0 Oo0 1zc0 Rc0 1zc0 Oo0 1qM0 14o0 1lc0 14o0 1lc0 14o0 1lc0 17c0 1io0 17c0 1io0 17c0 1io0 17c0 1lc0 14o0 1lc0 14o0 1lc0 17c0 1io0 17c0 1io0 17c0 1lc0 14o0 1lc0 14o0 1lc0 17c0 1io0 17c0 1io0 17c0 1io0 17c0 1io0 1fA0 1a00 1fA0 1a00 1fA0 1a00 1fA0 1a00 1fA0 1cM0 1fA0 1a00 1fA0 1a00 1fA0 1a00 1fA0 1a00 1fA0 1a00 1fA0 1cM0 1fA0 1a00 1fA0 1a00 1fA0 1a00 1fA0 1a00 1fA0 1a00 1io0 1a00 1fA0 1a00 1fA0 1a00 1fA0 1a00 1fA0 1a00 1fA0 1cM0 1fA0 1a00 1fA0 1a00 1fA0 1a00 1fA0 1a00 1fA0 1a00 1fA0 1cM0 1fA0 1a00 1fA0 1a00|14e5","Antarctica/Palmer|-00 -03 -04 -02|0 30 40 20|0121212121213121212121212121212121212121212121212121212121212121212121212121212121|-cao0 nD0 1vd0 SL0 1vd0 17z0 1cN0 1fz0 1cN0 1cL0 1cN0 asn0 Db0 jsN0 14N0 11z0 1o10 11z0 1qN0 WL0 1qN0 WL0 1qN0 1cL0 1cN0 11z0 1o10 11z0 1qN0 WL0 1fB0 19X0 1qN0 11z0 1o10 11z0 1o10 11z0 1o10 11z0 1qN0 WL0 1qN0 17b0 1ip0 11z0 1ip0 1fz0 1fB0 11z0 1qN0 WL0 1qN0 WL0 1qN0 WL0 1qN0 11z0 1o10 11z0 1o10 11z0 1qN0 WL0 1qN0 17b0 1ip0 11z0 1o10 19X0 1fB0 1nX0 G10 1EL0 Op0 1zb0 Rd0 1wn0 Rd0 46n0 Ap0|40","Antarctica/Rothera|-00 -03|0 30|01|gOo0|130","Antarctica/Syowa|-00 +03|0 -30|01|-vs00|20","Antarctica/Troll|-00 +00 +02|0 0 -20|01212121212121212121212121212121212121212121212121212121212121212121|1puo0 hd0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00|40","Antarctica/Vostok|-00 +06|0 -60|01|-tjA0|25","Europe/Oslo|CET CEST|-10 -20|010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010|-2awM0 Qm0 W6o0 5pf0 WM0 1fA0 1cM0 1cM0 1cM0 1cM0 wJc0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1qM0 WM0 zpc0 1a00 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00|62e4","Asia/Riyadh|LMT +03|-36.Q -30|01|-TvD6.Q|57e5","Asia/Almaty|LMT +05 +06 +07|-57.M -50 -60 -70|012323232323232323232321232323232323232323232323232|-1Pc57.M eUo7.M 23CL0 1db0 1cN0 1db0 1cN0 1db0 1dd0 1cO0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 2pB0 IM0 rX0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0|15e5","Asia/Amman|LMT EET EEST|-2n.I -20 -30|0121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121|-1yW2n.I 1HiMn.I KL0 1oN0 11b0 1oN0 11b0 1pd0 1dz0 1cp0 11b0 1op0 11b0 fO10 1db0 1e10 1cL0 1cN0 1cL0 1cN0 1fz0 1pd0 10n0 1ld0 14n0 1hB0 15b0 1ip0 19X0 1cN0 1cL0 1cN0 17b0 1ld0 14o0 1lc0 17c0 1io0 17c0 1io0 17c0 1So0 y00 1fc0 1dc0 1co0 1dc0 1cM0 1cM0 1cM0 1o00 11A0 1lc0 17c0 1cM0 1cM0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 4bX0 Dd0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0|25e5","Asia/Anadyr|LMT +12 +13 +14 +11|-bN.U -c0 -d0 -e0 -b0|01232121212121212121214121212121212121212121212121212121212141|-1PcbN.U eUnN.U 23CL0 1db0 2q10 1cN0 1db0 1dd0 1cO0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 2pB0 IM0 rX0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 2sp0 WM0|13e3","Asia/Aqtau|LMT +04 +05 +06|-3l.4 -40 -50 -60|012323232323232323232123232312121212121212121212|-1Pc3l.4 eUnl.4 24PX0 2pX0 1cN0 1db0 1dd0 1cO0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 2pB0 IM0 rX0 1cM0 1cM0 1cM0 1cM0 1cM0 1cN0 1cM0 1fA0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0|15e4","Asia/Aqtobe|LMT +04 +05 +06|-3M.E -40 -50 -60|0123232323232323232321232323232323232323232323232|-1Pc3M.E eUnM.E 23CL0 3Db0 1cN0 1db0 1dd0 1cO0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 2pB0 IM0 rX0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0|27e4","Asia/Ashgabat|LMT +04 +05 +06|-3R.w -40 -50 -60|0123232323232323232323212|-1Pc3R.w eUnR.w 23CL0 1db0 1cN0 1db0 1cN0 1db0 1dd0 1cO0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 2pB0 IM0|41e4","Asia/Atyrau|LMT +03 +05 +06 +04|-3r.I -30 -50 -60 -40|01232323232323232323242323232323232324242424242|-1Pc3r.I eUor.I 24PW0 2pX0 1cN0 1db0 1dd0 1cO0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 2pB0 IM0 rX0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1o00 11A0 1o00 11A0 1o00 2sp0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0|","Asia/Baghdad|BMT +03 +04|-2V.A -30 -40|012121212121212121212121212121212121212121212121212121|-26BeV.A 2ACnV.A 11b0 1cp0 1dz0 1dd0 1db0 1cN0 1cp0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1de0 1dc0 1dc0 1dc0 1cM0 1dc0 1cM0 1dc0 1cM0 1dc0 1dc0 1dc0 1cM0 1dc0 1cM0 1dc0 1cM0 1dc0 1dc0 1dc0 1cM0 1dc0 1cM0 1dc0 1cM0 1dc0 1dc0 1dc0 1cM0 1dc0 1cM0 1dc0 1cM0 1dc0|66e5","Asia/Qatar|LMT +04 +03|-3q.8 -40 -30|012|-21Jfq.8 27BXq.8|96e4","Asia/Baku|LMT +03 +04 +05|-3j.o -30 -40 -50|01232323232323232323232123232323232323232323232323232323232323232|-1Pc3j.o 1jUoj.o WCL0 1db0 1cN0 1db0 1cN0 1db0 1dd0 1cO0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 2pB0 1cM0 9Je0 1o00 11z0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00|27e5","Asia/Bangkok|BMT +07|-6G.4 -70|01|-218SG.4|15e6","Asia/Barnaul|LMT +06 +07 +08|-5z -60 -70 -80|0123232323232323232323212323232321212121212121212121212121212121212|-21S5z pCnz 23CL0 1db0 1cN0 1db0 1cN0 1db0 1dd0 1cO0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 2pB0 IM0 rX0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 p90 LE0 1fA0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 8Hz0 3rd0|","Asia/Beirut|EET EEST|-20 -30|010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010|-21aq0 1on0 1410 1db0 19B0 1in0 1ip0 WL0 1lQp0 11b0 1oN0 11b0 1oN0 11b0 1pd0 11b0 1oN0 11b0 q6N0 En0 1oN0 11b0 1oN0 11b0 1oN0 11b0 1pd0 11b0 1oN0 11b0 1op0 11b0 dA10 17b0 1iN0 17b0 1iN0 17b0 1iN0 17b0 1vB0 SL0 1mp0 13z0 1iN0 17b0 1iN0 17b0 1jd0 12n0 1a10 1cL0 1cN0 1cL0 1cN0 1cL0 1fB0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1qL0 WN0 1qL0 WN0 1qL0 11B0 1nX0 11B0 1nX0 11B0 1qL0 WN0 1qL0 WN0 1qL0 WN0 1qL0 11B0 1nX0 11B0 1nX0 11B0 1qL0 WN0 1qL0 WN0 1qL0 11B0 1nX0 11B0 1nX0 11B0 1nX0 11B0 1qL0 WN0 1qL0 WN0 1qL0 11B0 1nX0 11B0 1nX0 11B0 1qL0 WN0 1qL0 WN0 1qL0 11B0 1nX0 11B0 1nX0 11B0 1nX0 11B0 1qL0 WN0 1qL0 WN0 1qL0 11B0 1nX0 11B0 1nX0 11B0 1qL0 WN0 1qL0 WN0 1qL0 WN0 1qL0 11B0 1nX0 11B0 1nX0|22e5","Asia/Bishkek|LMT +05 +06 +07|-4W.o -50 -60 -70|012323232323232323232321212121212121212121212121212|-1Pc4W.o eUnW.o 23CL0 1db0 1cN0 1db0 1cN0 1db0 1dd0 1cO0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 2e00 1tX0 17b0 1ip0 17b0 1ip0 17b0 1ip0 17b0 1ip0 19X0 1cPu 1nX0 11B0 1nX0 11B0 1qL0 WN0 1qL0 WN0 1qL0 11B0 1nX0 11B0 1nX0 11B0 1qL0 WN0|87e4","Asia/Brunei|LMT +0730 +08|-7D.E -7u -80|012|-1KITD.E gDc9.E|42e4","Asia/Kolkata|MMT IST +0630|-5l.a -5u -6u|012121|-2zOtl.a 1r2LP.a 1un0 HB0 7zX0|15e6","Asia/Chita|LMT +08 +09 +10|-7x.Q -80 -90 -a0|012323232323232323232321232323232323232323232323232323232323232312|-21Q7x.Q pAnx.Q 23CL0 1db0 1cN0 1db0 1cN0 1db0 1dd0 1cO0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 2pB0 IM0 rX0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 8Hz0 3re0|33e4","Asia/Choibalsan|LMT +07 +08 +10 +09|-7C -70 -80 -a0 -90|0123434343434343434343434343434343434343434343424242|-2APHC 2UkoC cKn0 1da0 1dd0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1fB0 1cL0 1cN0 1cL0 1cN0 1cL0 6hD0 11z0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 3Db0 h1f0 1cJ0 1cP0 1cJ0|38e3","Asia/Shanghai|CST CDT|-80 -90|01010101010101010101010101010|-23uw0 18n0 OjB0 Rz0 11d0 1wL0 A10 8HX0 1G10 Tz0 1ip0 1jX0 1cN0 11b0 1oN0 aL0 1tU30 Rb0 1o10 11z0 1qN0 WL0 1qN0 11z0 1o10 11z0 1o10 11z0|23e6","Asia/Colombo|MMT +0530 +06 +0630|-5j.w -5u -60 -6u|01231321|-2zOtj.w 1rFbN.w 1zzu 7Apu 23dz0 11zu n3cu|22e5","Asia/Dhaka|HMT +0630 +0530 +06 +07|-5R.k -6u -5u -60 -70|0121343|-18LFR.k 1unn.k HB0 m6n0 2kxbu 1i00|16e6","Asia/Damascus|LMT EET EEST|-2p.c -20 -30|01212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121|-21Jep.c Hep.c 17b0 1ip0 17b0 1ip0 17b0 1ip0 19X0 1xRB0 11X0 1oN0 10L0 1pB0 11b0 1oN0 10L0 1mp0 13X0 1oN0 11b0 1pd0 11b0 1oN0 11b0 1oN0 11b0 1oN0 11b0 1pd0 11b0 1oN0 11b0 1oN0 11b0 1oN0 11b0 1pd0 11b0 1oN0 Nb0 1AN0 Nb0 bcp0 19X0 1gp0 19X0 3ld0 1xX0 Vd0 1Bz0 Sp0 1vX0 10p0 1dz0 1cN0 1cL0 1db0 1db0 1g10 1an0 1ap0 1db0 1fd0 1db0 1cN0 1db0 1dd0 1db0 1cp0 1dz0 1c10 1dX0 1cN0 1db0 1dd0 1db0 1cN0 1db0 1cN0 1db0 1cN0 1db0 1dd0 1db0 1cN0 1db0 1cN0 19z0 1fB0 1qL0 11B0 1on0 Wp0 1qL0 11B0 1nX0 11B0 1nX0 11B0 1nX0 11B0 1nX0 11B0 1qL0 WN0 1qL0 WN0 1qL0 11B0 1nX0 11B0 1nX0 11B0 1nX0 11B0 1qL0 WN0 1qL0 WN0 1qL0 11B0 1nX0 11B0 1nX0 11B0 1qL0 WN0 1qL0 WN0 1qL0 11B0 1nX0 11B0 1nX0 11B0 1nX0 11B0 1qL0 WN0 1qL0 WN0 1qL0 11B0 1nX0 11B0 1nX0 11B0 1qL0 WN0 1qL0|26e5","Asia/Dili|LMT +08 +09|-8m.k -80 -90|01212|-2le8m.k 1dnXm.k 1nfA0 Xld0|19e4","Asia/Dubai|LMT +04|-3F.c -40|01|-21JfF.c|39e5","Asia/Dushanbe|LMT +05 +06 +07|-4z.c -50 -60 -70|012323232323232323232321|-1Pc4z.c eUnz.c 23CL0 1db0 1cN0 1db0 1cN0 1db0 1dd0 1cO0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 2hB0|76e4","Asia/Famagusta|LMT EET EEST +03|-2f.M -20 -30 -30|0121212121212121212121212121212121212121212121212121212121212121212121212121212121212312121212121212121212121212121212121212121|-1Vc2f.M 2a3cf.M 1cL0 1qp0 Xz0 19B0 19X0 1fB0 1db0 1cp0 1cL0 1fB0 19X0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1fB0 1cL0 1cN0 1cL0 1cN0 1o30 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 15U0 2Ks0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00|","Asia/Gaza|EET EEST IST IDT|-20 -30 -20 -30|010101010101010101010101010101010123232323232323232323232323232320101010101010101010101010101010101010101010101010101010101010101010101010101010101010|-1c2o0 MM0 iM0 4JA0 10o0 1pA0 10M0 1pA0 16o0 1jA0 16o0 1jA0 pBa0 Vz0 1oN0 11b0 1oO0 10N0 1pz0 10N0 1pb0 10N0 1pb0 10N0 1pb0 10N0 1pz0 10N0 1pb0 10N0 1pb0 11d0 1oL0 dW0 hfB0 Db0 1fB0 Rb0 bXB0 gM0 8Q00 IM0 1wo0 TX0 1HB0 IL0 1s10 10n0 1o10 WL0 1zd0 On0 1ld0 11z0 1o10 14n0 1o10 14n0 1nd0 12n0 1nd0 Xz0 1q10 12n0 M10 C00 17c0 1io0 17c0 1io0 17c0 1o00 1cL0 1fB0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 17c0 1io0 18N0 1bz0 19z0 1gp0 1610 1iL0 11z0 1o10 14o0 1lA1 SKX 1xd1 MKX 1AN0 1a00 1fA0 1cL0 1cN0 1nX0 1210 1nA0 1210 1qL0 WN0 1qL0 WN0 1qL0 11c0 1on0 11B0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00|18e5","Asia/Hebron|EET EEST IST IDT|-20 -30 -20 -30|01010101010101010101010101010101012323232323232323232323232323232010101010101010101010101010101010101010101010101010101010101010101010101010101010101010|-1c2o0 MM0 iM0 4JA0 10o0 1pA0 10M0 1pA0 16o0 1jA0 16o0 1jA0 pBa0 Vz0 1oN0 11b0 1oO0 10N0 1pz0 10N0 1pb0 10N0 1pb0 10N0 1pb0 10N0 1pz0 10N0 1pb0 10N0 1pb0 11d0 1oL0 dW0 hfB0 Db0 1fB0 Rb0 bXB0 gM0 8Q00 IM0 1wo0 TX0 1HB0 IL0 1s10 10n0 1o10 WL0 1zd0 On0 1ld0 11z0 1o10 14n0 1o10 14n0 1nd0 12n0 1nd0 Xz0 1q10 12n0 M10 C00 17c0 1io0 17c0 1io0 17c0 1o00 1cL0 1fB0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 17c0 1io0 18N0 1bz0 19z0 1gp0 1610 1iL0 12L0 1mN0 14o0 1lc0 Tb0 1xd1 MKX bB0 cn0 1cN0 1a00 1fA0 1cL0 1cN0 1nX0 1210 1nA0 1210 1qL0 WN0 1qL0 WN0 1qL0 11c0 1on0 11B0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00|25e4","Asia/Ho_Chi_Minh|LMT PLMT +07 +08 +09|-76.E -76.u -70 -80 -90|0123423232|-2yC76.E bK00.a 1h7b6.u 5lz0 18o0 3Oq0 k5b0 aW00 BAM0|90e5","Asia/Hong_Kong|LMT HKT HKST HKWT JST|-7A.G -80 -90 -8u -90|0123412121212121212121212121212121212121212121212121212121212121212121|-2CFH0 1taO0 Hc0 xUu 9tBu 11z0 1tDu Rc0 1wo0 11A0 1cM0 11A0 1o00 11A0 1o00 11A0 1o00 14o0 1o00 11A0 1nX0 U10 1tz0 U10 1wn0 Rd0 1wn0 U10 1tz0 U10 1tz0 U10 1tz0 U10 1wn0 Rd0 1wn0 Rd0 1wn0 U10 1tz0 U10 1tz0 17d0 1cL0 1cN0 1cL0 1cN0 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1cN0 1cL0 s10 1Vz0 1cN0 1cL0 1cN0 1cL0 6fd0 14n0|73e5","Asia/Hovd|LMT +06 +07 +08|-66.A -60 -70 -80|012323232323232323232323232323232323232323232323232|-2APG6.A 2Uko6.A cKn0 1db0 1dd0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1fB0 1cL0 1cN0 1cL0 1cN0 1cL0 6hD0 11z0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 kEp0 1cJ0 1cP0 1cJ0|81e3","Asia/Irkutsk|IMT +07 +08 +09|-6V.5 -70 -80 -90|01232323232323232323232123232323232323232323232323232323232323232|-21zGV.5 pjXV.5 23CL0 1db0 1cN0 1db0 1cN0 1db0 1dd0 1cO0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 2pB0 IM0 rX0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 8Hz0|60e4","Europe/Istanbul|IMT EET EEST +03 +04|-1U.U -20 -30 -30 -40|0121212121212121212121212121212121212121212121234312121212121212121212121212121212121212121212121212121212121212123|-2ogNU.U dzzU.U 11b0 8tB0 1on0 1410 1db0 19B0 1in0 3Rd0 Un0 1oN0 11b0 zSN0 CL0 mp0 1Vz0 1gN0 8yn0 1yp0 ML0 1kp0 17b0 1ip0 17b0 1fB0 19X0 1ip0 19X0 1ip0 17b0 qdB0 38L0 1jd0 Tz0 l6O0 11A0 WN0 1qL0 TB0 1tX0 U10 1tz0 11B0 1in0 17d0 z90 cne0 pb0 2Cp0 1800 14o0 1dc0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1a00 1fA0 1cM0 1cM0 1fA0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WO0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 Xc0 1qo0 WM0 1qM0 11A0 1o00 1200 1nA0 11A0 1tA0 U00 15w0|13e6","Asia/Jakarta|BMT +0720 +0730 +09 +08 WIB|-77.c -7k -7u -90 -80 -70|01232425|-1Q0Tk luM0 mPzO 8vWu 6kpu 4PXu xhcu|31e6","Asia/Jayapura|LMT +09 +0930 WIT|-9m.M -90 -9u -90|0123|-1uu9m.M sMMm.M L4nu|26e4","Asia/Jerusalem|JMT IST IDT IDDT|-2k.E -20 -30 -40|01212121212121321212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121|-26Bek.E SyOk.E MM0 iM0 4JA0 10o0 1pA0 10M0 1pA0 16o0 1jA0 16o0 1jA0 3LA0 Eo0 oo0 1co0 1dA0 16o0 10M0 1jc0 1tA0 14o0 1cM0 1a00 11A0 1Nc0 Ao0 1Nc0 Ao0 1Ko0 LA0 1o00 WM0 EQK0 Db0 1fB0 Rb0 bXB0 gM0 8Q00 IM0 1wo0 TX0 1HB0 IL0 1s10 10n0 1o10 WL0 1zd0 On0 1ld0 11z0 1o10 14n0 1o10 14n0 1nd0 12n0 1nd0 Xz0 1q10 12n0 1hB0 1dX0 1ep0 1aL0 1eN0 17X0 1nf0 11z0 1tB0 19W0 1e10 17b0 1ep0 1gL0 18N0 1fz0 1eN0 17b0 1gq0 1gn0 19d0 1dz0 1c10 17X0 1hB0 1gn0 19d0 1dz0 1c10 17X0 1kp0 1dz0 1c10 1aL0 1eN0 1oL0 10N0 1oL0 10N0 1oL0 10N0 1rz0 W10 1rz0 W10 1rz0 10N0 1oL0 10N0 1oL0 10N0 1rz0 W10 1rz0 W10 1rz0 10N0 1oL0 10N0 1oL0 10N0 1oL0 10N0 1rz0 W10 1rz0 W10 1rz0 10N0 1oL0 10N0 1oL0 10N0 1rz0 W10 1rz0 W10 1rz0 W10 1rz0 10N0 1oL0 10N0 1oL0|81e4","Asia/Kabul|+04 +0430|-40 -4u|01|-10Qs0|46e5","Asia/Kamchatka|LMT +11 +12 +13|-ay.A -b0 -c0 -d0|012323232323232323232321232323232323232323232323232323232323212|-1SLKy.A ivXy.A 23CL0 1db0 1cN0 1db0 1cN0 1db0 1dd0 1cO0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 2pB0 IM0 rX0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 2sp0 WM0|18e4","Asia/Karachi|LMT +0530 +0630 +05 PKT PKST|-4s.c -5u -6u -50 -50 -60|012134545454|-2xoss.c 1qOKW.c 7zX0 eup0 LqMu 1fy00 1cL0 dK10 11b0 1610 1jX0|24e6","Asia/Urumqi|LMT +06|-5O.k -60|01|-1GgtO.k|32e5","Asia/Kathmandu|LMT +0530 +0545|-5F.g -5u -5J|012|-21JhF.g 2EGMb.g|12e5","Asia/Khandyga|LMT +08 +09 +10 +11|-92.d -80 -90 -a0 -b0|0123232323232323232323212323232323232323232323232343434343434343432|-21Q92.d pAp2.d 23CL0 1db0 1cN0 1db0 1cN0 1db0 1dd0 1cO0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 2pB0 IM0 rX0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 qK0 yN0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 17V0 7zD0|66e2","Asia/Krasnoyarsk|LMT +06 +07 +08|-6b.q -60 -70 -80|01232323232323232323232123232323232323232323232323232323232323232|-21Hib.q prAb.q 23CL0 1db0 1cN0 1db0 1cN0 1db0 1dd0 1cO0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 2pB0 IM0 rX0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 8Hz0|10e5","Asia/Kuala_Lumpur|SMT +07 +0720 +0730 +09 +08|-6T.p -70 -7k -7u -90 -80|0123435|-2Bg6T.p 17anT.p l5XE 17bO 8Fyu 1so1u|71e5","Asia/Kuching|LMT +0730 +08 +0820 +09|-7l.k -7u -80 -8k -90|0123232323232323242|-1KITl.k gDbP.k 6ynu AnE 1O0k AnE 1NAk AnE 1NAk AnE 1NAk AnE 1O0k AnE 1NAk AnE pAk 8Fz0|13e4","Asia/Macau|LMT CST +09 +10 CDT|-7y.a -80 -90 -a0 -90|012323214141414141414141414141414141414141414141414141414141414141414141|-2CFHy.a 1uqKy.a PX0 1kn0 15B0 11b0 4Qq0 1oM0 11c0 1ko0 1u00 11A0 1cM0 11c0 1o00 11A0 1o00 11A0 1oo0 1400 1o00 11A0 1o00 U00 1tA0 U00 1wo0 Rc0 1wru U10 1tz0 U10 1tz0 U10 1tz0 U10 1wn0 Rd0 1wn0 Rd0 1wn0 U10 1tz0 U10 1tz0 17d0 1cK0 1cO0 1cK0 1cO0 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1cN0 1cL0 s10 1Vz0 1cN0 1cL0 1cN0 1cL0 6fd0 14n0|57e4","Asia/Magadan|LMT +10 +11 +12|-a3.c -a0 -b0 -c0|012323232323232323232321232323232323232323232323232323232323232312|-1Pca3.c eUo3.c 23CL0 1db0 1cN0 1db0 1cN0 1db0 1dd0 1cO0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 2pB0 IM0 rX0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 8Hz0 3Cq0|95e3","Asia/Makassar|LMT MMT +08 +09 WITA|-7V.A -7V.A -80 -90 -80|01234|-21JjV.A vfc0 myLV.A 8ML0|15e5","Asia/Manila|PST PDT JST|-80 -90 -90|010201010|-1kJI0 AL0 cK10 65X0 mXB0 vX0 VK10 1db0|24e6","Asia/Nicosia|LMT EET EEST|-2d.s -20 -30|01212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121|-1Vc2d.s 2a3cd.s 1cL0 1qp0 Xz0 19B0 19X0 1fB0 1db0 1cp0 1cL0 1fB0 19X0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1fB0 1cL0 1cN0 1cL0 1cN0 1o30 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00|32e4","Asia/Novokuznetsk|LMT +06 +07 +08|-5M.M -60 -70 -80|012323232323232323232321232323232323232323232323232323232323212|-1PctM.M eULM.M 23CL0 1db0 1cN0 1db0 1cN0 1db0 1dd0 1cO0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 2pB0 IM0 rX0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 2sp0 WM0|55e4","Asia/Novosibirsk|LMT +06 +07 +08|-5v.E -60 -70 -80|0123232323232323232323212323212121212121212121212121212121212121212|-21Qnv.E pAFv.E 23CL0 1db0 1cN0 1db0 1cN0 1db0 1dd0 1cO0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 2pB0 IM0 rX0 1cM0 1cM0 ml0 Os0 1cM0 1cM0 1cM0 1cM0 1fA0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 8Hz0 4eN0|15e5","Asia/Omsk|LMT +05 +06 +07|-4R.u -50 -60 -70|01232323232323232323232123232323232323232323232323232323232323232|-224sR.u pMLR.u 23CL0 1db0 1cN0 1db0 1cN0 1db0 1dd0 1cO0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 2pB0 IM0 rX0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 8Hz0|12e5","Asia/Oral|LMT +03 +05 +06 +04|-3p.o -30 -50 -60 -40|01232323232323232424242424242424242424242424242|-1Pc3p.o eUop.o 23CK0 3Db0 1cN0 1db0 1dd0 1cO0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 2pB0 1cM0 1fA0 1cM0 1cM0 IM0 1EM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0|27e4","Asia/Pontianak|LMT PMT +0730 +09 +08 WITA WIB|-7h.k -7h.k -7u -90 -80 -80 -70|012324256|-2ua7h.k XE00 munL.k 8Rau 6kpu 4PXu xhcu Wqnu|23e4","Asia/Pyongyang|LMT KST JST KST|-8n -8u -90 -90|012313|-2um8n 97XR 1lTzu 2Onc0 6BA0|29e5","Asia/Qostanay|LMT +04 +05 +06|-4e.s -40 -50 -60|012323232323232323232123232323232323232323232323|-1Pc4e.s eUoe.s 23CL0 3Db0 1cN0 1db0 1dd0 1cO0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 2pB0 IM0 rX0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0|","Asia/Qyzylorda|LMT +04 +05 +06|-4l.Q -40 -50 -60|01232323232323232323232323232323232323232323232|-1Pc4l.Q eUol.Q 23CL0 3Db0 1cN0 1db0 1dd0 1cO0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 3ao0 1EM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 zQl0|73e4","Asia/Rangoon|RMT +0630 +09|-6o.L -6u -90|0121|-21Jio.L SmnS.L 7j9u|48e5","Asia/Sakhalin|LMT +09 +11 +12 +10|-9u.M -90 -b0 -c0 -a0|01232323232323232323232423232323232424242424242424242424242424242|-2AGVu.M 1BoMu.M 1qFa0 1db0 1cN0 1db0 1cN0 1db0 1dd0 1cO0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 2pB0 IM0 rX0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1o00 2pB0 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 8Hz0 3rd0|58e4","Asia/Samarkand|LMT +04 +05 +06|-4r.R -40 -50 -60|01232323232323232323232|-1Pc4r.R eUor.R 23CL0 3Db0 1cN0 1db0 1dd0 1cO0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0|36e4","Asia/Seoul|LMT KST JST KST KDT KDT|-8r.Q -8u -90 -90 -a0 -9u|012343434343151515151515134343|-2um8r.Q 97XV.Q 1m1zu 6CM0 Fz0 1kN0 14n0 1kN0 14L0 1zd0 On0 69B0 2I0u OL0 1FB0 Rb0 1qN0 TX0 1tB0 TX0 1tB0 TX0 1tB0 TX0 2ap0 12FBu 11A0 1o00 11A0|23e6","Asia/Srednekolymsk|LMT +10 +11 +12|-ae.Q -a0 -b0 -c0|01232323232323232323232123232323232323232323232323232323232323232|-1Pcae.Q eUoe.Q 23CL0 1db0 1cN0 1db0 1cN0 1db0 1dd0 1cO0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 2pB0 IM0 rX0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 8Hz0|35e2","Asia/Taipei|CST JST CDT|-80 -90 -90|01020202020202020202020202020202020202020|-1iw80 joM0 1yo0 Tz0 1ip0 1jX0 1cN0 11b0 1oN0 11b0 1oN0 11b0 1oN0 11b0 10N0 1BX0 10p0 1pz0 10p0 1pz0 10p0 1db0 1dd0 1db0 1cN0 1db0 1cN0 1db0 1cN0 1db0 1BB0 ML0 1Bd0 ML0 uq10 1db0 1cN0 1db0 97B0 AL0|74e5","Asia/Tashkent|LMT +05 +06 +07|-4B.b -50 -60 -70|012323232323232323232321|-1Pc4B.b eUnB.b 23CL0 1db0 1cN0 1db0 1cN0 1db0 1dd0 1cO0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 2pB0|23e5","Asia/Tbilisi|TBMT +03 +04 +05|-2X.b -30 -40 -50|0123232323232323232323212121232323232323232323212|-1Pc2X.b 1jUnX.b WCL0 1db0 1cN0 1db0 1cN0 1db0 1dd0 1cO0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 2pB0 1cK0 1cL0 1cN0 1cL0 1cN0 2pz0 1cL0 1fB0 3Nz0 11B0 1nX0 11B0 1qL0 WN0 1qL0 WN0 1qL0 11B0 1nX0 11B0 1nX0 11B0 An0 Os0 WM0|11e5","Asia/Tehran|LMT TMT +0330 +04 +05 +0430|-3p.I -3p.I -3u -40 -50 -4u|01234325252525252525252525252525252525252525252525252525252525252525252525252525252525252525252525252|-2btDp.I 1d3c0 1huLT.I TXu 1pz0 sN0 vAu 1cL0 1dB0 1en0 pNB0 UL0 1cN0 1dz0 1cp0 1dz0 1cp0 1dz0 1cp0 1dz0 1cp0 1dz0 1cN0 1dz0 1cp0 1dz0 1cp0 1dz0 1cp0 1dz0 1cN0 1dz0 1cp0 1dz0 1cp0 1dz0 1cp0 1dz0 1cN0 1dz0 64p0 1dz0 1cN0 1dz0 1cp0 1dz0 1cp0 1dz0 1cp0 1dz0 1cN0 1dz0 1cp0 1dz0 1cp0 1dz0 1cp0 1dz0 1cN0 1dz0 1cp0 1dz0 1cp0 1dz0 1cp0 1dz0 1cN0 1dz0 1cp0 1dz0 1cp0 1dz0 1cp0 1dz0 1cN0 1dz0 1cp0 1dz0 1cp0 1dz0 1cp0 1dz0 1cp0 1dz0 1cN0 1dz0 1cp0 1dz0 1cp0 1dz0 1cp0 1dz0 1cN0 1dz0 1cp0 1dz0 1cp0 1dz0 1cp0 1dz0|14e6","Asia/Thimphu|LMT +0530 +06|-5W.A -5u -60|012|-Su5W.A 1BGMs.A|79e3","Asia/Tokyo|JST JDT|-90 -a0|010101010|-QJJ0 Rc0 1lc0 14o0 1zc0 Oo0 1zc0 Oo0|38e6","Asia/Tomsk|LMT +06 +07 +08|-5D.P -60 -70 -80|0123232323232323232323212323232323232323232323212121212121212121212|-21NhD.P pxzD.P 23CL0 1db0 1cN0 1db0 1cN0 1db0 1dd0 1cO0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 2pB0 IM0 rX0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 co0 1bB0 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 8Hz0 3Qp0|10e5","Asia/Ulaanbaatar|LMT +07 +08 +09|-77.w -70 -80 -90|012323232323232323232323232323232323232323232323232|-2APH7.w 2Uko7.w cKn0 1db0 1dd0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1fB0 1cL0 1cN0 1cL0 1cN0 1cL0 6hD0 11z0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 kEp0 1cJ0 1cP0 1cJ0|12e5","Asia/Ust-Nera|LMT +08 +09 +12 +11 +10|-9w.S -80 -90 -c0 -b0 -a0|012343434343434343434345434343434343434343434343434343434343434345|-21Q9w.S pApw.S 23CL0 1d90 1cN0 1db0 1cN0 1db0 1dd0 1cO0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 2pB0 IM0 rX0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 17V0 7zD0|65e2","Asia/Vladivostok|LMT +09 +10 +11|-8L.v -90 -a0 -b0|01232323232323232323232123232323232323232323232323232323232323232|-1SJIL.v itXL.v 23CL0 1db0 1cN0 1db0 1cN0 1db0 1dd0 1cO0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 2pB0 IM0 rX0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 8Hz0|60e4","Asia/Yakutsk|LMT +08 +09 +10|-8C.W -80 -90 -a0|01232323232323232323232123232323232323232323232323232323232323232|-21Q8C.W pAoC.W 23CL0 1db0 1cN0 1db0 1cN0 1db0 1dd0 1cO0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 2pB0 IM0 rX0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 8Hz0|28e4","Asia/Yekaterinburg|LMT PMT +04 +05 +06|-42.x -3J.5 -40 -50 -60|012343434343434343434343234343434343434343434343434343434343434343|-2ag42.x 7mQh.s qBvJ.5 23CL0 1db0 1cN0 1db0 1cN0 1db0 1dd0 1cO0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 2pB0 IM0 rX0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 8Hz0|14e5","Asia/Yerevan|LMT +03 +04 +05|-2W -30 -40 -50|0123232323232323232323212121212323232323232323232323232323232|-1Pc2W 1jUnW WCL0 1db0 1cN0 1db0 1cN0 1db0 1dd0 1cO0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 2pB0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 4RX0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0|13e5","Atlantic/Azores|HMT -02 -01 +00 WET|1S.w 20 10 0 0|01212121212121212121212121212121212121212121232123212321232121212121212121212121212121212121212121232323232323232323232323232323234323232323232323232323232323232323232323232323232323232323232323232323232323232323232323232|-2ldW0 aPX0 Sp0 LX0 1vc0 Tc0 1uM0 SM0 1vc0 Tc0 1vc0 SM0 1vc0 6600 1co0 3E00 17c0 1fA0 1a00 1io0 1a00 1io0 17c0 3I00 17c0 1cM0 1cM0 3Fc0 1cM0 1a00 1fA0 1io0 17c0 1cM0 1cM0 1a00 1fA0 1io0 1qM0 Dc0 1tA0 1cM0 1dc0 1400 gL0 IM0 s10 U00 dX0 Rc0 pd0 Rc0 gL0 Oo0 pd0 Rc0 gL0 Oo0 pd0 14o0 1cM0 1cP0 1cM0 1cM0 1cM0 1cM0 1cM0 3Co0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 qIl0 1cM0 1fA0 1cM0 1cM0 1cN0 1cL0 1cN0 1cM0 1cM0 1cM0 1cM0 1cN0 1cL0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cL0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00|25e4","Atlantic/Bermuda|BMT BST AST ADT|4j.i 3j.i 40 30|010102323232323232323232323232323232323232323232323232323232323232323232323232323232323232323232323232323232323232323232323232323232323232323232323232323232|-28p7E.G 1bb0 1i10 11X0 ru30 thbE.G 1PX0 11B0 1tz0 Rd0 1zb0 Op0 1zb0 3I10 Lz0 1EN0 FX0 1HB0 FX0 1Kp0 Db0 1Kp0 Db0 1Kp0 FX0 93d0 11z0 GAp0 1cL0 1cN0 1cL0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0|65e3","Atlantic/Canary|LMT -01 WET WEST|11.A 10 0 -10|01232323232323232323232323232323232323232323232323232323232323232323232323232323232323232323232323232323232323232323232|-1UtaW.o XPAW.o 1lAK0 1a10 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00|54e4","Atlantic/Cape_Verde|LMT -02 -01|1y.4 20 10|01212|-2ldW0 1eEo0 7zX0 1djf0|50e4","Atlantic/Faroe|LMT WET WEST|r.4 0 -10|01212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121|-2uSnw.U 2Wgow.U 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00|49e3","Atlantic/Madeira|FMT -01 +00 +01 WET WEST|17.A 10 0 -10 0 -10|01212121212121212121212121212121212121212121232123212321232121212121212121212121212121212121212121454545454545454545454545454545454545454545454545454545454545454545454545454545454545454545454545454545454545454545454545454|-2ldX0 aPX0 Sp0 LX0 1vc0 Tc0 1uM0 SM0 1vc0 Tc0 1vc0 SM0 1vc0 6600 1co0 3E00 17c0 1fA0 1a00 1io0 1a00 1io0 17c0 3I00 17c0 1cM0 1cM0 3Fc0 1cM0 1a00 1fA0 1io0 17c0 1cM0 1cM0 1a00 1fA0 1io0 1qM0 Dc0 1tA0 1cM0 1dc0 1400 gL0 IM0 s10 U00 dX0 Rc0 pd0 Rc0 gL0 Oo0 pd0 Rc0 gL0 Oo0 pd0 14o0 1cM0 1cP0 1cM0 1cM0 1cM0 1cM0 1cM0 3Co0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 qIl0 1cM0 1fA0 1cM0 1cM0 1cN0 1cL0 1cN0 1cM0 1cM0 1cM0 1cM0 1cN0 1cL0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00|27e4","Atlantic/Reykjavik|LMT -01 +00 GMT|1s 10 0 0|012121212121212121212121212121212121212121212121212121212121212121213|-2uWmw mfaw 1Bd0 ML0 1LB0 Cn0 1LB0 3fX0 C10 HrX0 1cO0 LB0 1EL0 LA0 1C00 Oo0 1wo0 Rc0 1wo0 Rc0 1wo0 Rc0 1zc0 Oo0 1zc0 14o0 1lc0 14o0 1lc0 14o0 1o00 11A0 1lc0 14o0 1o00 14o0 1lc0 14o0 1lc0 14o0 1lc0 14o0 1lc0 14o0 1o00 14o0 1lc0 14o0 1lc0 14o0 1lc0 14o0 1lc0 14o0 1lc0 14o0 1o00 14o0 1lc0 14o0 1lc0 14o0 1lc0 14o0 1lc0 14o0 1o00 14o0|12e4","Atlantic/South_Georgia|-02|20|0||30","Atlantic/Stanley|SMT -04 -03 -02|3P.o 40 30 20|012121212121212323212121212121212121212121212121212121212121212121212|-2kJw8.A 12bA8.A 19X0 1fB0 19X0 1ip0 19X0 1fB0 19X0 1fB0 19X0 1fB0 Cn0 1Cc10 WL0 1qL0 U10 1tz0 2mN0 WN0 1qL0 WN0 1qL0 WN0 1qL0 WN0 1tz0 U10 1tz0 WN0 1qL0 WN0 1qL0 WN0 1qL0 WN0 1qL0 WN0 1tz0 WN0 1qL0 WN0 1qL0 WN0 1qL0 WN0 1qL0 WN0 1qN0 U10 1wn0 Rd0 1wn0 U10 1tz0 U10 1tz0 U10 1tz0 U10 1tz0 U10 1wn0 U10 1tz0 U10 1tz0 U10|21e2","Australia/Sydney|AEST AEDT|-a0 -b0|0101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101|-293k0 xc0 10jc0 yM0 1cM0 1cM0 1fA0 1a00 17c00 LA0 1C00 Oo0 1zc0 Oo0 1zc0 Oo0 1zc0 Rc0 1zc0 Oo0 1zc0 Oo0 1zc0 Oo0 1zc0 Oo0 1zc0 Oo0 1zc0 14o0 1o00 Oo0 1zc0 Oo0 1zc0 Oo0 1zc0 U00 1qM0 WM0 1tA0 WM0 1tA0 U00 1tA0 Oo0 1zc0 Oo0 1zc0 Oo0 1zc0 Rc0 1zc0 Oo0 1zc0 Oo0 1zc0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 11A0 1o00 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 11A0 1o00 WM0 1qM0 14o0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0|40e5","Australia/Adelaide|ACST ACDT|-9u -au|0101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101|-293ju xc0 10jc0 yM0 1cM0 1cM0 1fA0 1a00 17c00 LA0 1C00 Oo0 1zc0 Oo0 1zc0 Oo0 1zc0 Rc0 1zc0 Oo0 1zc0 Oo0 1zc0 Oo0 1zc0 Oo0 1zc0 Oo0 1zc0 Rc0 1zc0 Oo0 1zc0 Oo0 1zc0 Oo0 1zc0 U00 1qM0 WM0 1tA0 WM0 1tA0 U00 1tA0 U00 1tA0 Oo0 1zc0 WM0 1qM0 Rc0 1zc0 U00 1tA0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 11A0 1o00 WM0 1qM0 14o0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0|11e5","Australia/Brisbane|AEST AEDT|-a0 -b0|01010101010101010|-293k0 xc0 10jc0 yM0 1cM0 1cM0 1fA0 1a00 17c00 LA0 H1A0 Oo0 1zc0 Oo0 1zc0 Oo0|20e5","Australia/Broken_Hill|ACST ACDT|-9u -au|0101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101|-293ju xc0 10jc0 yM0 1cM0 1cM0 1fA0 1a00 17c00 LA0 1C00 Oo0 1zc0 Oo0 1zc0 Oo0 1zc0 Rc0 1zc0 Oo0 1zc0 Oo0 1zc0 Oo0 1zc0 Oo0 1zc0 Oo0 1zc0 14o0 1o00 Oo0 1zc0 Oo0 1zc0 Oo0 1zc0 U00 1qM0 WM0 1tA0 WM0 1tA0 U00 1tA0 Oo0 1zc0 Oo0 1zc0 Oo0 1zc0 Rc0 1zc0 Oo0 1zc0 Oo0 1zc0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 11A0 1o00 WM0 1qM0 14o0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0|18e3","Australia/Hobart|AEST AEDT|-a0 -b0|0101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101|-29E80 1a00 1qM0 Oo0 1zc0 Oo0 TAo0 yM0 1cM0 1cM0 1fA0 1a00 VfA0 1cM0 1o00 Rc0 1wo0 Rc0 1wo0 U00 1wo0 LA0 1C00 Oo0 1zc0 Oo0 1zc0 Oo0 1zc0 Rc0 1zc0 Oo0 1zc0 Oo0 1zc0 Oo0 1zc0 Oo0 1zc0 Oo0 1zc0 11A0 1qM0 WM0 1qM0 Oo0 1zc0 Oo0 1zc0 Oo0 1wo0 WM0 1tA0 WM0 1tA0 U00 1tA0 U00 1tA0 11A0 1fA0 1a00 1fA0 1a00 1fA0 1a00 1fA0 1a00 1fA0 1cM0 1fA0 1a00 1fA0 1a00 1fA0 1a00 1fA0 1a00 11A0 1o00 1io0 1a00 1fA0 1a00 1fA0 1a00 1fA0 1a00 1fA0 1cM0 1cM0 1a00 1io0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0|21e4","Australia/Darwin|ACST ACDT|-9u -au|010101010|-293ju xc0 10jc0 yM0 1cM0 1cM0 1fA0 1a00|12e4","Australia/Eucla|+0845 +0945|-8J -9J|0101010101010101010|-293iJ xc0 10jc0 yM0 1cM0 1cM0 1gSo0 Oo0 l5A0 Oo0 iJA0 G00 zU00 IM0 1qM0 11A0 1o00 11A0|368","Australia/Lord_Howe|AEST +1030 +1130 +11|-a0 -au -bu -b0|0121212121313131313131313131313131313131313131313131313131313131313131313131313131313131313131313131313131313131313|raC0 1zdu Rb0 1zd0 On0 1zd0 On0 1zd0 On0 1zd0 TXu 1qMu WLu 1tAu WLu 1tAu TXu 1tAu Onu 1zcu Onu 1zcu Onu 1zcu Rbu 1zcu Onu 1zcu Onu 1zcu 11zu 1o0u 11zu 1o0u 11zu 1o0u 11zu 1qMu WLu 11Au 1nXu 1qMu 11zu 1o0u 11zu 1o0u 11zu 1qMu WLu 1qMu 11zu 1o0u WLu 1qMu 14nu 1cMu 1cLu 1cMu 1cLu 1cMu 1cLu 1cMu 1cLu 1fAu 1cLu 1cMu 1cLu 1cMu 1cLu 1cMu 1cLu 1cMu 1cLu 1cMu 1cLu 1fAu 1cLu 1cMu 1cLu 1cMu 1cLu 1cMu 1cLu 1cMu 1cLu 1cMu 1fzu 1cMu 1cLu 1cMu 1cLu 1cMu 1cLu 1cMu 1cLu 1cMu 1cLu 1fAu 1cLu 1cMu 1cLu 1cMu 1cLu 1cMu 1cLu 1cMu 1cLu 1cMu 1cLu 1fAu 1cLu 1cMu 1cLu 1cMu|347","Australia/Lindeman|AEST AEDT|-a0 -b0|010101010101010101010|-293k0 xc0 10jc0 yM0 1cM0 1cM0 1fA0 1a00 17c00 LA0 H1A0 Oo0 1zc0 Oo0 1zc0 Oo0 1zc0 Rc0 1zc0 Oo0|10","Australia/Melbourne|AEST AEDT|-a0 -b0|0101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101|-293k0 xc0 10jc0 yM0 1cM0 1cM0 1fA0 1a00 17c00 LA0 1C00 Oo0 1zc0 Oo0 1zc0 Oo0 1zc0 Rc0 1zc0 Oo0 1zc0 Oo0 1zc0 Oo0 1zc0 Oo0 1zc0 Oo0 1zc0 Rc0 1zc0 Oo0 1zc0 Oo0 1zc0 Oo0 1zc0 U00 1qM0 WM0 1qM0 11A0 1tA0 U00 1tA0 U00 1tA0 Oo0 1zc0 Oo0 1zc0 Rc0 1zc0 Oo0 1zc0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 11A0 1o00 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 11A0 1o00 WM0 1qM0 14o0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0|39e5","Australia/Perth|AWST AWDT|-80 -90|0101010101010101010|-293i0 xc0 10jc0 yM0 1cM0 1cM0 1gSo0 Oo0 l5A0 Oo0 iJA0 G00 zU00 IM0 1qM0 11A0 1o00 11A0|18e5","CET|CET CEST|-10 -20|01010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010|-2aFe0 11d0 1iO0 11A0 1o00 11A0 Qrc0 6i00 WM0 1fA0 1cM0 1cM0 1cM0 16M0 1gMM0 1a00 1fA0 1cM0 1cM0 1cM0 1fA0 1a00 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00|","Pacific/Easter|EMT -07 -06 -05|7h.s 70 60 50|012121212121212121212121212123232323232323232323232323232323232323232323232323232323232323232323232323232323232323232323232323232323232323|-1uSgG.w 1s4IG.w WL0 1zd0 On0 1ip0 11z0 1o10 11z0 1qN0 WL0 1ld0 14n0 1qN0 WL0 1qN0 11z0 1o10 11z0 1o10 11z0 1qN0 WL0 1qN0 WL0 1qN0 11z0 1o10 2pA0 11z0 1o10 11z0 1qN0 WL0 1qN0 WL0 1qN0 1cL0 1cN0 11z0 1o10 11z0 1qN0 WL0 1fB0 19X0 1qN0 11z0 1o10 11z0 1o10 11z0 1o10 11z0 1qN0 WL0 1qN0 17b0 1ip0 11z0 1ip0 1fz0 1fB0 11z0 1qN0 WL0 1qN0 WL0 1qN0 WL0 1qN0 11z0 1o10 11z0 1o10 11z0 1qN0 WL0 1qN0 17b0 1ip0 11z0 1o10 19X0 1fB0 1nX0 G10 1EL0 Op0 1zb0 Rd0 1wn0 Rd0 46n0 Ap0 1Nb0 Ap0 1Nb0 Ap0 1zb0 11B0 1nX0 11B0 1nX0 11B0 1nX0 11B0 1nX0 11B0 1qL0 11B0 1nX0 11B0 1nX0 11B0 1nX0 11B0 1nX0 11B0 1qL0 WN0 1qL0 11B0 1nX0 11B0 1nX0 11B0 1nX0 11B0 1nX0 11B0 1qL0 WN0 1qL0 11B0 1nX0 11B0|30e2","CST6CDT|CST CDT CWT CPT|60 50 50 50|010102301010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010|-261s0 1nX0 11B0 1nX0 SgN0 8x30 iw0 QwN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1cN0 1cL0 1cN0 1cL0 s10 1Vz0 LB0 1BX0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0|","EET|EET EEST|-20 -30|010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010|hDB0 1a00 1fA0 1cM0 1cM0 1cM0 1fA0 1a00 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00|","Europe/Dublin|DMT IST GMT BST IST|p.l -y.D 0 -10 -10|01232323232324242424242424242424242424242424242424242424242424242424242424242424242424242424242424242424242424242424242424242424242424242424242424242424242424242424242424242424242424242424242424242424242424242424242424242424242|-2ax9y.D Rc0 1fzy.D 14M0 1fc0 1g00 1co0 1dc0 1co0 1oo0 1400 1dc0 19A0 1io0 1io0 WM0 1o00 14o0 1o00 17c0 1io0 17c0 1fA0 1a00 1lc0 17c0 1io0 17c0 1fA0 1a00 1io0 17c0 1io0 17c0 1fA0 1cM0 1io0 17c0 1fA0 1a00 1io0 17c0 1io0 17c0 1fA0 1a00 1io0 1qM0 Dc0 g600 14o0 1wo0 17c0 1io0 11A0 1o00 17c0 1fA0 1a00 1fA0 1cM0 1fA0 1a00 17c0 1fA0 1a00 1io0 17c0 1lc0 17c0 1fA0 1a00 1io0 17c0 1io0 17c0 1fA0 1a00 1a00 1qM0 WM0 1qM0 11A0 1o00 WM0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1tA0 IM0 90o0 U00 1tA0 U00 1tA0 U00 1tA0 U00 1tA0 WM0 1qM0 WM0 1qM0 WM0 1tA0 U00 1tA0 U00 1tA0 11z0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1o00 14o0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00|12e5","EST|EST|50|0||","EST5EDT|EST EDT EWT EPT|50 40 40 40|010102301010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010|-261t0 1nX0 11B0 1nX0 SgN0 8x40 iv0 QwN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1cN0 1cL0 1cN0 1cL0 s10 1Vz0 LB0 1BX0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0|","Etc/GMT-0|GMT|0|0||","Etc/GMT-1|+01|-10|0||","Pacific/Port_Moresby|+10|-a0|0||25e4","Etc/GMT-11|+11|-b0|0||","Pacific/Tarawa|+12|-c0|0||29e3","Etc/GMT-13|+13|-d0|0||","Etc/GMT-14|+14|-e0|0||","Etc/GMT-2|+02|-20|0||","Etc/GMT-3|+03|-30|0||","Etc/GMT-4|+04|-40|0||","Etc/GMT-5|+05|-50|0||","Etc/GMT-6|+06|-60|0||","Indian/Christmas|+07|-70|0||21e2","Etc/GMT-8|+08|-80|0||","Pacific/Palau|+09|-90|0||21e3","Etc/GMT+1|-01|10|0||","Etc/GMT+10|-10|a0|0||","Etc/GMT+11|-11|b0|0||","Etc/GMT+12|-12|c0|0||","Etc/GMT+3|-03|30|0||","Etc/GMT+4|-04|40|0||","Etc/GMT+5|-05|50|0||","Etc/GMT+6|-06|60|0||","Etc/GMT+7|-07|70|0||","Etc/GMT+8|-08|80|0||","Etc/GMT+9|-09|90|0||","Etc/UTC|UTC|0|0||","Europe/Amsterdam|AMT NST +0120 +0020 CEST CET|-j.w -1j.w -1k -k -20 -10|010101010101010101010101010101010101010101012323234545454545454545454545454545454545454545454545454545454545454545454545454545454545454545454545454545454545454545454545454545454545|-2aFcj.w 11b0 1iP0 11A0 1io0 1cM0 1fA0 1a00 1fA0 1a00 1fA0 1a00 1co0 1io0 1yo0 Pc0 1a00 1fA0 1Bc0 Mo0 1tc0 Uo0 1tA0 U00 1uo0 W00 1s00 VA0 1so0 Vc0 1sM0 UM0 1wo0 Rc0 1u00 Wo0 1rA0 W00 1s00 VA0 1sM0 UM0 1w00 fV0 BCX.w 1tA0 U00 1u00 Wo0 1sm0 601k WM0 1fA0 1cM0 1cM0 1cM0 16M0 1gMM0 1a00 1fA0 1cM0 1cM0 1cM0 1fA0 1a00 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00|16e5","Europe/Andorra|WET CET CEST|0 -10 -20|012121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121|-UBA0 1xIN0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00|79e3","Europe/Astrakhan|LMT +03 +04 +05|-3c.c -30 -40 -50|012323232323232323212121212121212121212121212121212121212121212|-1Pcrc.c eUMc.c 23CL0 1db0 1cN0 1db0 1cN0 1db0 1dd0 1cO0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 2pB0 1cM0 1fA0 1cM0 3Co0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 8Hz0 3rd0|10e5","Europe/Athens|AMT EET EEST CEST CET|-1y.Q -20 -30 -20 -10|012123434121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121|-2a61x.Q CNbx.Q mn0 kU10 9b0 3Es0 Xa0 1fb0 1dd0 k3X0 Nz0 SCp0 1vc0 SO0 1cM0 1a00 1ao0 1fc0 1a10 1fG0 1cg0 1dX0 1bX0 1cQ0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00|35e5","Europe/London|GMT BST BDST|0 -10 -20|0101010101010101010101010101010101010101010101010121212121210101210101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010|-2axa0 Rc0 1fA0 14M0 1fc0 1g00 1co0 1dc0 1co0 1oo0 1400 1dc0 19A0 1io0 1io0 WM0 1o00 14o0 1o00 17c0 1io0 17c0 1fA0 1a00 1lc0 17c0 1io0 17c0 1fA0 1a00 1io0 17c0 1io0 17c0 1fA0 1cM0 1io0 17c0 1fA0 1a00 1io0 17c0 1io0 17c0 1fA0 1a00 1io0 1qM0 Dc0 2Rz0 Dc0 1zc0 Oo0 1zc0 Rc0 1wo0 17c0 1iM0 FA0 xB0 1fA0 1a00 14o0 bb0 LA0 xB0 Rc0 1wo0 11A0 1o00 17c0 1fA0 1a00 1fA0 1cM0 1fA0 1a00 17c0 1fA0 1a00 1io0 17c0 1lc0 17c0 1fA0 1a00 1io0 17c0 1io0 17c0 1fA0 1a00 1a00 1qM0 WM0 1qM0 11A0 1o00 WM0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1tA0 IM0 90o0 U00 1tA0 U00 1tA0 U00 1tA0 U00 1tA0 WM0 1qM0 WM0 1qM0 WM0 1tA0 U00 1tA0 U00 1tA0 11z0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1o00 14o0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00|10e6","Europe/Belgrade|CET CEST|-10 -20|01010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010|-19RC0 3IP0 WM0 1fA0 1cM0 1cM0 1rc0 Qo0 1vmo0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00|12e5","Europe/Berlin|CET CEST CEMT|-10 -20 -30|01010101010101210101210101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010|-2aFe0 11d0 1iO0 11A0 1o00 11A0 Qrc0 6i00 WM0 1fA0 1cM0 1cM0 1cM0 kL0 Nc0 m10 WM0 1ao0 1cp0 dX0 jz0 Dd0 1io0 17c0 1fA0 1a00 1ehA0 1a00 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00|41e5","Europe/Prague|CET CEST GMT|-10 -20 0|01010101010101010201010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010|-2aFe0 11d0 1iO0 11A0 1o00 11A0 Qrc0 6i00 WM0 1fA0 1cM0 1cM0 1cM0 1cM0 1qM0 11c0 mp0 xA0 mn0 17c0 1io0 17c0 1fc0 1ao0 1bNc0 1cM0 1fA0 1a00 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00|13e5","Europe/Brussels|WET CET CEST WEST|0 -10 -20 -10|0121212103030303030303030303030303030303030303030303212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121|-2ehc0 3zX0 11c0 1iO0 11A0 1o00 11A0 my0 Ic0 1qM0 Rc0 1EM0 UM0 1u00 10o0 1io0 1io0 17c0 1a00 1fA0 1cM0 1cM0 1io0 17c0 1fA0 1a00 1io0 1a30 1io0 17c0 1fA0 1a00 1io0 17c0 1cM0 1cM0 1a00 1io0 1cM0 1cM0 1a00 1fA0 1io0 17c0 1cM0 1cM0 1a00 1fA0 1io0 1qM0 Dc0 y00 5Wn0 WM0 1fA0 1cM0 16M0 1iM0 16M0 1C00 Uo0 1eeo0 1a00 1fA0 1cM0 1cM0 1cM0 1fA0 1a00 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00|21e5","Europe/Bucharest|BMT EET EEST|-1I.o -20 -30|0121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121|-1xApI.o 20LI.o RA0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1Axc0 On0 1fA0 1a10 1cO0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cK0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cL0 1cN0 1cL0 1fB0 1nX0 11E0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00|19e5","Europe/Budapest|CET CEST|-10 -20|0101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010|-2aFe0 11d0 1iO0 11A0 1o00 11A0 1oo0 11c0 1lc0 17c0 O1V0 3Nf0 WM0 1fA0 1cM0 1cM0 1oJ0 1dd0 1020 1fX0 1cp0 1cM0 1cM0 1cM0 1fA0 1a00 bhy0 Rb0 1wr0 Rc0 1C00 LA0 1C00 LA0 SNW0 1a00 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cO0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00|17e5","Europe/Zurich|CET CEST|-10 -20|01010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010|-19Lc0 11A0 1o00 11A0 1xG10 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00|38e4","Europe/Chisinau|CMT BMT EET EEST CEST CET MSK MSD|-1T -1I.o -20 -30 -20 -10 -30 -40|012323232323232323234545467676767676767676767323232323232323232323232323232323232323232323232323232323232323232323232323232323232323232323232|-26jdT wGMa.A 20LI.o RA0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 27A0 2en0 39g0 WM0 1fA0 1cM0 V90 1t7z0 1db0 1cN0 1db0 1cN0 1db0 1dd0 1cO0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 gL0 WO0 1cM0 1cM0 1cK0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1fB0 1nX0 11D0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00|67e4","Europe/Copenhagen|CET CEST|-10 -20|0101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010|-2azC0 Tz0 VuO0 60q0 WM0 1fA0 1cM0 1cM0 1cM0 S00 1HA0 Nc0 1C00 Dc0 1Nc0 Ao0 1h5A0 1a00 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00|12e5","Europe/Gibraltar|GMT BST BDST CET CEST|0 -10 -20 -10 -20|010101010101010101010101010101010101010101010101012121212121010121010101010101010101034343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343|-2axa0 Rc0 1fA0 14M0 1fc0 1g00 1co0 1dc0 1co0 1oo0 1400 1dc0 19A0 1io0 1io0 WM0 1o00 14o0 1o00 17c0 1io0 17c0 1fA0 1a00 1lc0 17c0 1io0 17c0 1fA0 1a00 1io0 17c0 1io0 17c0 1fA0 1cM0 1io0 17c0 1fA0 1a00 1io0 17c0 1io0 17c0 1fA0 1a00 1io0 1qM0 Dc0 2Rz0 Dc0 1zc0 Oo0 1zc0 Rc0 1wo0 17c0 1iM0 FA0 xB0 1fA0 1a00 14o0 bb0 LA0 xB0 Rc0 1wo0 11A0 1o00 17c0 1fA0 1a00 1fA0 1cM0 1fA0 1a00 17c0 1fA0 1a00 1io0 17c0 1lc0 17c0 1fA0 10Jz0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00|30e3","Europe/Helsinki|HMT EET EEST|-1D.N -20 -30|0121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121|-1WuND.N OULD.N 1dA0 1xGq0 1cM0 1cM0 1cM0 1cN0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00|12e5","Europe/Kaliningrad|CET CEST EET EEST MSK MSD +03|-10 -20 -20 -30 -30 -40 -30|01010101010101232454545454545454543232323232323232323232323232323232323232323262|-2aFe0 11d0 1iO0 11A0 1o00 11A0 Qrc0 6i00 WM0 1fA0 1cM0 1cM0 1cM0 390 7A0 1en0 12N0 1pbb0 1db0 1cN0 1db0 1cN0 1db0 1dd0 1cO0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cN0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 8Hz0|44e4","Europe/Kiev|KMT EET MSK CEST CET MSD EEST|-22.4 -20 -30 -20 -10 -40 -30|0123434252525252525252525256161616161616161616161616161616161616161616161616161616161616161616161616161616161616161616161|-1Pc22.4 eUo2.4 rnz0 2Hg0 WM0 1fA0 da0 1v4m0 1db0 1cN0 1db0 1cN0 1db0 1dd0 1cO0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 Db0 3220 1cK0 1cL0 1cN0 1cL0 1cN0 1cL0 1cQ0 1cM0 1fA0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00|34e5","Europe/Kirov|LMT +03 +04 +05|-3i.M -30 -40 -50|01232323232323232321212121212121212121212121212121212121212121|-22WM0 qH90 23CL0 1db0 1cN0 1db0 1cN0 1db0 1dd0 1cO0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 2pB0 1cM0 1fA0 1cM0 3Co0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 8Hz0|48e4","Europe/Lisbon|LMT WET WEST WEMT CET CEST|A.J 0 -10 -20 -10 -20|012121212121212121212121212121212121212121212321232123212321212121212121212121212121212121212121214121212121212121212121212121212124545454212121212121212121212121212121212121212121212121212121212121212121212121212121212121|-2le00 aPX0 Sp0 LX0 1vc0 Tc0 1uM0 SM0 1vc0 Tc0 1vc0 SM0 1vc0 6600 1co0 3E00 17c0 1fA0 1a00 1io0 1a00 1io0 17c0 3I00 17c0 1cM0 1cM0 3Fc0 1cM0 1a00 1fA0 1io0 17c0 1cM0 1cM0 1a00 1fA0 1io0 1qM0 Dc0 1tA0 1cM0 1dc0 1400 gL0 IM0 s10 U00 dX0 Rc0 pd0 Rc0 gL0 Oo0 pd0 Rc0 gL0 Oo0 pd0 14o0 1cM0 1cP0 1cM0 1cM0 1cM0 1cM0 1cM0 3Co0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 pvy0 1cM0 1cM0 1fA0 1cM0 1cM0 1cN0 1cL0 1cN0 1cM0 1cM0 1cM0 1cM0 1cN0 1cL0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00|27e5","Europe/Luxembourg|LMT CET CEST WET WEST WEST WET|-o.A -10 -20 0 -10 -20 -10|0121212134343434343434343434343434343434343434343434565651212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121|-2DG0o.A t6mo.A TB0 1nX0 Up0 1o20 11A0 rW0 CM0 1qP0 R90 1EO0 UK0 1u20 10m0 1ip0 1in0 17e0 19W0 1fB0 1db0 1cp0 1in0 17d0 1fz0 1a10 1in0 1a10 1in0 17f0 1fA0 1a00 1io0 17c0 1cM0 1cM0 1a00 1io0 1cM0 1cM0 1a00 1fA0 1io0 17c0 1cM0 1cM0 1a00 1fA0 1io0 1qM0 Dc0 vA0 60L0 WM0 1fA0 1cM0 17c0 1io0 16M0 1C00 Uo0 1eeo0 1a00 1fA0 1cM0 1cM0 1cM0 1fA0 1a00 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00|54e4","Europe/Madrid|WET WEST WEMT CET CEST|0 -10 -20 -10 -20|010101010101010101210343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343|-25Td0 19B0 1cL0 1dd0 b1z0 18p0 3HX0 17d0 1fz0 1a10 1io0 1a00 1in0 17d0 iIn0 Hd0 1cL0 bb0 1200 2s20 14n0 5aL0 Mp0 1vz0 17d0 1in0 17d0 1in0 17d0 1in0 17d0 6hX0 11B0 XHX0 1a10 1fz0 1a10 19X0 1cN0 1fz0 1a10 1fC0 1cM0 1cM0 1cM0 1fA0 1a00 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00|62e5","Europe/Malta|CET CEST|-10 -20|0101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010|-2arB0 Lz0 1cN0 1db0 1410 1on0 Wp0 1qL0 17d0 1cL0 M3B0 5M20 WM0 1fA0 1co0 17c0 1iM0 16m0 1de0 1lc0 14m0 1lc0 WO0 1qM0 GTW0 On0 1C10 LA0 1C00 LA0 1EM0 LA0 1C00 LA0 1zc0 Oo0 1C00 Oo0 1co0 1cM0 1lA0 Xc0 1qq0 11z0 1o10 11z0 1o10 11z0 1o10 11z0 1o10 11z0 1iN0 19z0 1fB0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00|42e4","Europe/Minsk|MMT EET MSK CEST CET MSD EEST +03|-1O -20 -30 -20 -10 -40 -30 -30|01234343252525252525252525261616161616161616161616161616161616161617|-1Pc1O eUnO qNX0 3gQ0 WM0 1fA0 1cM0 Al0 1tsn0 1db0 1cN0 1db0 1cN0 1db0 1dd0 1cO0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 3Fc0 1cN0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0|19e5","Europe/Monaco|PMT WET WEST WEMT CET CEST|-9.l 0 -10 -20 -10 -20|01212121212121212121212121212121212121212121212121232323232345454545454545454545454545454545454545454545454545454545454545454545454545454545454545454545454545454545454545454545454545454|-2n5c9.l cFX9.l HA0 19A0 1iM0 11c0 1oo0 Wo0 1rc0 QM0 1EM0 UM0 1u00 10o0 1io0 1wo0 Rc0 1a00 1fA0 1cM0 1cM0 1io0 17c0 1fA0 1a00 1io0 1a00 1io0 17c0 1fA0 1a00 1io0 17c0 1cM0 1cM0 1a00 1io0 1cM0 1cM0 1a00 1fA0 1io0 17c0 1cM0 1cM0 1a00 1fA0 1io0 1qM0 Df0 2RV0 11z0 11B0 1ze0 WM0 1fA0 1cM0 1fa0 1aq0 16M0 1ekn0 1cL0 1fC0 1a00 1fA0 1cM0 1cM0 1cM0 1fA0 1a00 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00|38e3","Europe/Moscow|MMT MMT MST MDST MSD MSK +05 EET EEST MSK|-2u.h -2v.j -3v.j -4v.j -40 -30 -50 -20 -30 -40|012132345464575454545454545454545458754545454545454545454545454545454545454595|-2ag2u.h 2pyW.W 1bA0 11X0 GN0 1Hb0 c4v.j ik0 3DA0 dz0 15A0 c10 2q10 iM10 23CL0 1db0 1cN0 1db0 1cN0 1db0 1dd0 1cO0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cN0 IM0 rX0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 8Hz0|16e6","Europe/Paris|PMT WET WEST CEST CET WEMT|-9.l 0 -10 -20 -10 -20|0121212121212121212121212121212121212121212121212123434352543434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434|-2nco9.l cNb9.l HA0 19A0 1iM0 11c0 1oo0 Wo0 1rc0 QM0 1EM0 UM0 1u00 10o0 1io0 1wo0 Rc0 1a00 1fA0 1cM0 1cM0 1io0 17c0 1fA0 1a00 1io0 1a00 1io0 17c0 1fA0 1a00 1io0 17c0 1cM0 1cM0 1a00 1io0 1cM0 1cM0 1a00 1fA0 1io0 17c0 1cM0 1cM0 1a00 1fA0 1io0 1qM0 Df0 Ik0 5M30 WM0 1fA0 1cM0 Vx0 hB0 1aq0 16M0 1ekn0 1cL0 1fC0 1a00 1fA0 1cM0 1cM0 1cM0 1fA0 1a00 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00|11e6","Europe/Riga|RMT LST EET MSK CEST CET MSD EEST|-1A.y -2A.y -20 -30 -20 -10 -40 -30|010102345454536363636363636363727272727272727272727272727272727272727272727272727272727272727272727272727272727272727272727272|-25TzA.y 11A0 1iM0 ko0 gWm0 yDXA.y 2bX0 3fE0 WM0 1fA0 1cM0 1cM0 4m0 1sLy0 1db0 1cN0 1db0 1cN0 1db0 1dd0 1cO0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cN0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cN0 1o00 11A0 1o00 11A0 1qM0 3oo0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00|64e4","Europe/Rome|CET CEST|-10 -20|0101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010|-2arB0 Lz0 1cN0 1db0 1410 1on0 Wp0 1qL0 17d0 1cL0 M3B0 5M20 WM0 1fA0 1cM0 16M0 1iM0 16m0 1de0 1lc0 14m0 1lc0 WO0 1qM0 GTW0 On0 1C10 LA0 1C00 LA0 1EM0 LA0 1C00 LA0 1zc0 Oo0 1C00 Oo0 1C00 LA0 1zc0 Oo0 1C00 LA0 1C00 LA0 1zc0 Oo0 1C00 Oo0 1zc0 Oo0 1fC0 1a00 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00|39e5","Europe/Samara|LMT +03 +04 +05|-3k.k -30 -40 -50|0123232323232323232121232323232323232323232323232323232323212|-22WM0 qH90 23CL0 1db0 1cN0 1db0 1cN0 1db0 1dd0 1cO0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 2pB0 1cM0 1fA0 2y10 14m0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 2sp0 WM0|12e5","Europe/Saratov|LMT +03 +04 +05|-34.i -30 -40 -50|012323232323232321212121212121212121212121212121212121212121212|-22WM0 qH90 23CL0 1db0 1cN0 1db0 1cN0 1db0 1dd0 1cO0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 2pB0 1cM0 1cM0 1cM0 1fA0 1cM0 3Co0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 8Hz0 5810|","Europe/Simferopol|SMT EET MSK CEST CET MSD EEST MSK|-2g -20 -30 -20 -10 -40 -30 -40|012343432525252525252525252161616525252616161616161616161616161616161616172|-1Pc2g eUog rEn0 2qs0 WM0 1fA0 1cM0 3V0 1u0L0 1db0 1cN0 1db0 1cN0 1db0 1dd0 1cO0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1Q00 4eL0 1cL0 1cN0 1cL0 1cN0 dX0 WL0 1cN0 1cL0 1fB0 1o30 11B0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11z0 1nW0|33e4","Europe/Sofia|EET CET CEST EEST|-20 -10 -20 -30|01212103030303030303030303030303030303030303030303030303030303030303030303030303030303030303030303030303030303030303030303030|-168L0 WM0 1fA0 1cM0 1cM0 1cN0 1mKH0 1dd0 1fb0 1ap0 1fb0 1a20 1fy0 1a30 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cK0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1fB0 1nX0 11E0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00|12e5","Europe/Stockholm|CET CEST|-10 -20|01010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010|-2azC0 TB0 2yDe0 1a00 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00|15e5","Europe/Tallinn|TMT CET CEST EET MSK MSD EEST|-1D -10 -20 -20 -30 -40 -30|012103421212454545454545454546363636363636363636363636363636363636363636363636363636363636363636363636363636363636363636363|-26oND teD 11A0 1Ta0 4rXl KSLD 2FX0 2Jg0 WM0 1fA0 1cM0 18J0 1sTX0 1db0 1cN0 1db0 1cN0 1db0 1dd0 1cO0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cN0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1o00 11A0 1o00 11A0 1o10 11A0 1qM0 5QM0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00|41e4","Europe/Tirane|LMT CET CEST|-1j.k -10 -20|01212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121|-2glBj.k 14pcj.k 5LC0 WM0 4M0 1fCK0 10n0 1op0 11z0 1pd0 11z0 1qN0 WL0 1qp0 Xb0 1qp0 Xb0 1qp0 11z0 1lB0 11z0 1qN0 11z0 1iN0 16n0 1dd0 1cO0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00|42e4","Europe/Ulyanovsk|LMT +03 +04 +05 +02|-3d.A -30 -40 -50 -20|01232323232323232321214121212121212121212121212121212121212121212|-22WM0 qH90 23CL0 1db0 1cN0 1db0 1cN0 1db0 1dd0 1cO0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 2pB0 1cM0 1fA0 2pB0 IM0 rX0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 8Hz0 3rd0|13e5","Europe/Uzhgorod|CET CEST MSK MSD EET EEST|-10 -20 -30 -40 -20 -30|010101023232323232323232320454545454545454545454545454545454545454545454545454545454545454545454545454545454545454545454|-1cqL0 6i00 WM0 1fA0 1cM0 1ml0 1Cp0 1r3W0 1db0 1cN0 1db0 1cN0 1db0 1dd0 1cO0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1Q00 1Nf0 2pw0 1cL0 1cN0 1cL0 1cN0 1cL0 1cQ0 1cM0 1fA0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00|11e4","Europe/Vienna|CET CEST|-10 -20|0101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010|-2aFe0 11d0 1iO0 11A0 1o00 11A0 3KM0 14o0 LA00 6i00 WM0 1fA0 1cM0 1cM0 1cM0 400 2qM0 1ao0 1co0 1cM0 1io0 17c0 1gHa0 19X0 1cP0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00|18e5","Europe/Vilnius|WMT KMT CET EET MSK CEST MSD EEST|-1o -1z.A -10 -20 -30 -20 -40 -30|012324525254646464646464646473737373737373737352537373737373737373737373737373737373737373737373737373737373737373737373|-293do 6ILM.o 1Ooz.A zz0 Mfd0 29W0 3is0 WM0 1fA0 1cM0 LV0 1tgL0 1db0 1cN0 1db0 1cN0 1db0 1dd0 1cO0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cN0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1o00 11A0 1o00 11B0 1o00 11A0 1qM0 8io0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00|54e4","Europe/Volgograd|LMT +03 +04 +05|-2V.E -30 -40 -50|0123232323232323212121212121212121212121212121212121212121212121|-21IqV.E psLV.E 23CL0 1db0 1cN0 1db0 1cN0 1db0 1dd0 1cO0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 2pB0 1cM0 1cM0 1cM0 1fA0 1cM0 3Co0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 8Hz0 9Jd0 5gn0|10e5","Europe/Warsaw|WMT CET CEST EET EEST|-1o -10 -20 -20 -30|012121234312121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121|-2ctdo 1LXo 11d0 1iO0 11A0 1o00 11A0 1on0 11A0 6zy0 HWP0 5IM0 WM0 1fA0 1cM0 1dz0 1mL0 1en0 15B0 1aq0 1nA0 11A0 1io0 17c0 1fA0 1a00 iDX0 LA0 1cM0 1cM0 1C00 Oo0 1cM0 1cM0 1zc0 Oo0 1zc0 Oo0 1zc0 Oo0 1C00 LA0 uso0 1a00 1fA0 1cM0 1cM0 1cM0 1fA0 1a00 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cN0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00|17e5","Europe/Zaporozhye|+0220 EET MSK CEST CET MSD EEST|-2k -20 -30 -20 -10 -40 -30|01234342525252525252525252526161616161616161616161616161616161616161616161616161616161616161616161616161616161616161616161|-1Pc2k eUok rdb0 2RE0 WM0 1fA0 8m0 1v9a0 1db0 1cN0 1db0 1cN0 1db0 1dd0 1cO0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cK0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cQ0 1cM0 1fA0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00|77e4","HST|HST|a0|0||","Indian/Chagos|LMT +05 +06|-4N.E -50 -60|012|-2xosN.E 3AGLN.E|30e2","Indian/Cocos|+0630|-6u|0||596","Indian/Kerguelen|-00 +05|0 -50|01|-MG00|130","Indian/Mahe|LMT +04|-3F.M -40|01|-2xorF.M|79e3","Indian/Maldives|MMT +05|-4S -50|01|-olgS|35e4","Indian/Mauritius|LMT +04 +05|-3O -40 -50|012121|-2xorO 34unO 14L0 12kr0 11z0|15e4","Indian/Reunion|LMT +04|-3F.Q -40|01|-2mDDF.Q|84e4","Pacific/Kwajalein|+11 +10 +09 -12 +12|-b0 -a0 -90 c0 -c0|012034|-1kln0 akp0 6Up0 12ry0 Wan0|14e3","MET|MET MEST|-10 -20|01010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010|-2aFe0 11d0 1iO0 11A0 1o00 11A0 Qrc0 6i00 WM0 1fA0 1cM0 1cM0 1cM0 16M0 1gMM0 1a00 1fA0 1cM0 1cM0 1cM0 1fA0 1a00 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00|","MST|MST|70|0||","MST7MDT|MST MDT MWT MPT|70 60 60 60|010102301010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010|-261r0 1nX0 11B0 1nX0 SgN0 8x20 ix0 QwN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1cN0 1cL0 1cN0 1cL0 s10 1Vz0 LB0 1BX0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0|","Pacific/Chatham|+1215 +1245 +1345|-cf -cJ -dJ|012121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212|-WqAf 1adef IM0 1C00 Rc0 1zc0 Oo0 1zc0 Oo0 1zc0 Oo0 1zc0 Oo0 1zc0 Oo0 1zc0 Rc0 1zc0 Oo0 1zc0 Oo0 1zc0 Oo0 1zc0 Oo0 1zc0 Oo0 1zc0 Rc0 1zc0 Oo0 1qM0 14o0 1lc0 14o0 1lc0 14o0 1lc0 17c0 1io0 17c0 1io0 17c0 1io0 17c0 1lc0 14o0 1lc0 14o0 1lc0 17c0 1io0 17c0 1io0 17c0 1lc0 14o0 1lc0 14o0 1lc0 17c0 1io0 17c0 1io0 17c0 1io0 17c0 1io0 1fA0 1a00 1fA0 1a00 1fA0 1a00 1fA0 1a00 1fA0 1cM0 1fA0 1a00 1fA0 1a00 1fA0 1a00 1fA0 1a00 1fA0 1a00 1fA0 1cM0 1fA0 1a00 1fA0 1a00 1fA0 1a00 1fA0 1a00 1fA0 1a00 1io0 1a00 1fA0 1a00 1fA0 1a00 1fA0 1a00 1fA0 1a00 1fA0 1cM0 1fA0 1a00 1fA0 1a00 1fA0 1a00 1fA0 1a00 1fA0 1a00 1fA0 1cM0 1fA0 1a00 1fA0 1a00|600","Pacific/Apia|LMT -1130 -11 -10 +14 +13|bq.U bu b0 a0 -e0 -d0|01232345454545454545454545454545454545454545454545454545454|-2nDMx.4 1yW03.4 2rRbu 1ff0 1a00 CI0 AQ0 1cM0 1fA0 1a00 1fA0 1a00 1fA0 1a00 1fA0 1a00 1fA0 1a00 1fA0 1cM0 1fA0 1a00 1fA0 1a00 1fA0 1a00 1fA0 1a00 1fA0 1a00 1io0 1a00 1fA0 1a00 1fA0 1a00 1fA0 1a00 1fA0 1a00 1fA0 1cM0 1fA0 1a00 1fA0 1a00 1fA0 1a00 1fA0 1a00 1fA0 1a00 1fA0 1cM0 1fA0 1a00 1fA0 1a00|37e3","Pacific/Bougainville|+10 +09 +11|-a0 -90 -b0|0102|-16Wy0 7CN0 2MQp0|18e4","Pacific/Chuuk|+10 +09|-a0 -90|01010|-2ewy0 axB0 RVX0 axd0|49e3","Pacific/Efate|LMT +11 +12|-bd.g -b0 -c0|012121212121212121212121|-2l9nd.g 2uNXd.g Dc0 n610 1cL0 1cN0 1cL0 1fB0 19X0 1fB0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1fB0 Lz0 1Nd0 An0|66e3","Pacific/Enderbury|-12 -11 +13|c0 b0 -d0|012|nIc0 B7X0|1","Pacific/Fakaofo|-11 +13|b0 -d0|01|1Gfn0|483","Pacific/Fiji|LMT +12 +13|-bT.I -c0 -d0|0121212121212121212121212121212121212121212121212121212121212121|-2bUzT.I 3m8NT.I LA0 1EM0 IM0 nJc0 LA0 1o00 Rc0 1wo0 Ao0 1Nc0 Ao0 1Q00 xz0 1SN0 uM0 1SM0 uM0 1VA0 s00 1VA0 s00 1VA0 s00 20o0 pc0 2hc0 bc0 20o0 pc0 20o0 pc0 20o0 pc0 20o0 pc0 20o0 s00 1VA0 s00 20o0 pc0 20o0 pc0 20o0 pc0 20o0 pc0 20o0 s00 20o0 pc0 20o0 pc0 20o0 pc0 20o0 pc0 20o0 s00 1VA0 s00|88e4","Pacific/Galapagos|LMT -05 -06|5W.o 50 60|01212|-1yVS1.A 2dTz1.A gNd0 rz0|25e3","Pacific/Gambier|LMT -09|8X.M 90|01|-2jof0.c|125","Pacific/Guadalcanal|LMT +11|-aD.M -b0|01|-2joyD.M|11e4","Pacific/Guam|GST +09 GDT ChST|-a0 -90 -b0 -a0|01020202020202020203|-18jK0 6pB0 AhB0 3QL0 g2p0 3p91 WOX rX0 1zd0 Rb0 1wp0 Rb0 5xd0 rX0 5sN0 zb1 1C0X On0 ULb0|17e4","Pacific/Honolulu|HST HDT HWT HPT HST|au 9u 9u 9u a0|0102304|-1thLu 8x0 lef0 8wWu iAu 46p0|37e4","Pacific/Kiritimati|-1040 -10 +14|aE a0 -e0|012|nIaE B7Xk|51e2","Pacific/Kosrae|+11 +09 +10 +12|-b0 -90 -a0 -c0|01021030|-2ewz0 axC0 HBy0 akp0 axd0 WOK0 1bdz0|66e2","Pacific/Majuro|+11 +09 +10 +12|-b0 -90 -a0 -c0|0102103|-2ewz0 axC0 HBy0 akp0 6RB0 12um0|28e3","Pacific/Marquesas|LMT -0930|9i 9u|01|-2joeG|86e2","Pacific/Pago_Pago|LMT SST|bm.M b0|01|-2nDMB.c|37e2","Pacific/Nauru|LMT +1130 +09 +12|-b7.E -bu -90 -c0|01213|-1Xdn7.E QCnB.E 7mqu 1lnbu|10e3","Pacific/Niue|-1120 -1130 -11|bk bu b0|012|-KfME 17y0a|12e2","Pacific/Norfolk|+1112 +1130 +1230 +11 +12|-bc -bu -cu -b0 -c0|012134343434343434343434343434343434343434|-Kgbc W01G Oo0 1COo0 9Jcu 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0|25e4","Pacific/Noumea|LMT +11 +12|-b5.M -b0 -c0|01212121|-2l9n5.M 2EqM5.M xX0 1PB0 yn0 HeP0 Ao0|98e3","Pacific/Pitcairn|-0830 -08|8u 80|01|18Vku|56","Pacific/Pohnpei|+11 +09 +10|-b0 -90 -a0|010210|-2ewz0 axC0 HBy0 akp0 axd0|34e3","Pacific/Rarotonga|-1030 -0930 -10|au 9u a0|012121212121212121212121212|lyWu IL0 1zcu Onu 1zcu Onu 1zcu Rbu 1zcu Onu 1zcu Onu 1zcu Onu 1zcu Onu 1zcu Onu 1zcu Rbu 1zcu Onu 1zcu Onu 1zcu Onu|13e3","Pacific/Tahiti|LMT -10|9W.g a0|01|-2joe1.I|18e4","Pacific/Tongatapu|+1220 +13 +14|-ck -d0 -e0|0121212121|-1aB0k 2n5dk 15A0 1wo0 xz0 1Q10 xz0 zWN0 s00|75e3","PST8PDT|PST PDT PWT PPT|80 70 70 70|010102301010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010|-261q0 1nX0 11B0 1nX0 SgN0 8x10 iy0 QwN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1cN0 1cL0 1cN0 1cL0 s10 1Vz0 LB0 1BX0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0|","WET|WET WEST|0 -10|010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010|hDB0 1a00 1fA0 1cM0 1cM0 1cM0 1fA0 1a00 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00|"],"links":["Africa/Abidjan|Africa/Bamako","Africa/Abidjan|Africa/Banjul","Africa/Abidjan|Africa/Conakry","Africa/Abidjan|Africa/Dakar","Africa/Abidjan|Africa/Freetown","Africa/Abidjan|Africa/Lome","Africa/Abidjan|Africa/Nouakchott","Africa/Abidjan|Africa/Ouagadougou","Africa/Abidjan|Africa/Timbuktu","Africa/Abidjan|Atlantic/St_Helena","Africa/Cairo|Egypt","Africa/Johannesburg|Africa/Maseru","Africa/Johannesburg|Africa/Mbabane","Africa/Lagos|Africa/Bangui","Africa/Lagos|Africa/Brazzaville","Africa/Lagos|Africa/Douala","Africa/Lagos|Africa/Kinshasa","Africa/Lagos|Africa/Libreville","Africa/Lagos|Africa/Luanda","Africa/Lagos|Africa/Malabo","Africa/Lagos|Africa/Niamey","Africa/Lagos|Africa/Porto-Novo","Africa/Maputo|Africa/Blantyre","Africa/Maputo|Africa/Bujumbura","Africa/Maputo|Africa/Gaborone","Africa/Maputo|Africa/Harare","Africa/Maputo|Africa/Kigali","Africa/Maputo|Africa/Lubumbashi","Africa/Maputo|Africa/Lusaka","Africa/Nairobi|Africa/Addis_Ababa","Africa/Nairobi|Africa/Asmara","Africa/Nairobi|Africa/Asmera","Africa/Nairobi|Africa/Dar_es_Salaam","Africa/Nairobi|Africa/Djibouti","Africa/Nairobi|Africa/Kampala","Africa/Nairobi|Africa/Mogadishu","Africa/Nairobi|Indian/Antananarivo","Africa/Nairobi|Indian/Comoro","Africa/Nairobi|Indian/Mayotte","Africa/Tripoli|Libya","America/Adak|America/Atka","America/Adak|US/Aleutian","America/Anchorage|US/Alaska","America/Argentina/Buenos_Aires|America/Buenos_Aires","America/Argentina/Catamarca|America/Argentina/ComodRivadavia","America/Argentina/Catamarca|America/Catamarca","America/Argentina/Cordoba|America/Cordoba","America/Argentina/Cordoba|America/Rosario","America/Argentina/Jujuy|America/Jujuy","America/Argentina/Mendoza|America/Mendoza","America/Atikokan|America/Coral_Harbour","America/Chicago|US/Central","America/Curacao|America/Aruba","America/Curacao|America/Kralendijk","America/Curacao|America/Lower_Princes","America/Denver|America/Shiprock","America/Denver|Navajo","America/Denver|US/Mountain","America/Detroit|US/Michigan","America/Edmonton|Canada/Mountain","America/Fort_Wayne|America/Indiana/Indianapolis","America/Fort_Wayne|America/Indianapolis","America/Fort_Wayne|US/East-Indiana","America/Godthab|America/Nuuk","America/Halifax|Canada/Atlantic","America/Havana|Cuba","America/Indiana/Knox|America/Knox_IN","America/Indiana/Knox|US/Indiana-Starke","America/Jamaica|Jamaica","America/Kentucky/Louisville|America/Louisville","America/Los_Angeles|US/Pacific","America/Manaus|Brazil/West","America/Mazatlan|Mexico/BajaSur","America/Mexico_City|Mexico/General","America/New_York|US/Eastern","America/Noronha|Brazil/DeNoronha","America/Panama|America/Cayman","America/Phoenix|US/Arizona","America/Port_of_Spain|America/Anguilla","America/Port_of_Spain|America/Antigua","America/Port_of_Spain|America/Dominica","America/Port_of_Spain|America/Grenada","America/Port_of_Spain|America/Guadeloupe","America/Port_of_Spain|America/Marigot","America/Port_of_Spain|America/Montserrat","America/Port_of_Spain|America/St_Barthelemy","America/Port_of_Spain|America/St_Kitts","America/Port_of_Spain|America/St_Lucia","America/Port_of_Spain|America/St_Thomas","America/Port_of_Spain|America/St_Vincent","America/Port_of_Spain|America/Tortola","America/Port_of_Spain|America/Virgin","America/Regina|Canada/Saskatchewan","America/Rio_Branco|America/Porto_Acre","America/Rio_Branco|Brazil/Acre","America/Santiago|Chile/Continental","America/Sao_Paulo|Brazil/East","America/St_Johns|Canada/Newfoundland","America/Tijuana|America/Ensenada","America/Tijuana|America/Santa_Isabel","America/Tijuana|Mexico/BajaNorte","America/Toronto|America/Montreal","America/Toronto|Canada/Eastern","America/Vancouver|Canada/Pacific","America/Whitehorse|Canada/Yukon","America/Winnipeg|Canada/Central","Asia/Ashgabat|Asia/Ashkhabad","Asia/Bangkok|Asia/Phnom_Penh","Asia/Bangkok|Asia/Vientiane","Asia/Dhaka|Asia/Dacca","Asia/Dubai|Asia/Muscat","Asia/Ho_Chi_Minh|Asia/Saigon","Asia/Hong_Kong|Hongkong","Asia/Jerusalem|Asia/Tel_Aviv","Asia/Jerusalem|Israel","Asia/Kathmandu|Asia/Katmandu","Asia/Kolkata|Asia/Calcutta","Asia/Kuala_Lumpur|Asia/Singapore","Asia/Kuala_Lumpur|Singapore","Asia/Macau|Asia/Macao","Asia/Makassar|Asia/Ujung_Pandang","Asia/Nicosia|Europe/Nicosia","Asia/Qatar|Asia/Bahrain","Asia/Rangoon|Asia/Yangon","Asia/Riyadh|Asia/Aden","Asia/Riyadh|Asia/Kuwait","Asia/Seoul|ROK","Asia/Shanghai|Asia/Chongqing","Asia/Shanghai|Asia/Chungking","Asia/Shanghai|Asia/Harbin","Asia/Shanghai|PRC","Asia/Taipei|ROC","Asia/Tehran|Iran","Asia/Thimphu|Asia/Thimbu","Asia/Tokyo|Japan","Asia/Ulaanbaatar|Asia/Ulan_Bator","Asia/Urumqi|Asia/Kashgar","Atlantic/Faroe|Atlantic/Faeroe","Atlantic/Reykjavik|Iceland","Atlantic/South_Georgia|Etc/GMT+2","Australia/Adelaide|Australia/South","Australia/Brisbane|Australia/Queensland","Australia/Broken_Hill|Australia/Yancowinna","Australia/Darwin|Australia/North","Australia/Hobart|Australia/Currie","Australia/Hobart|Australia/Tasmania","Australia/Lord_Howe|Australia/LHI","Australia/Melbourne|Australia/Victoria","Australia/Perth|Australia/West","Australia/Sydney|Australia/ACT","Australia/Sydney|Australia/Canberra","Australia/Sydney|Australia/NSW","Etc/GMT-0|Etc/GMT","Etc/GMT-0|Etc/GMT+0","Etc/GMT-0|Etc/GMT0","Etc/GMT-0|Etc/Greenwich","Etc/GMT-0|GMT","Etc/GMT-0|GMT+0","Etc/GMT-0|GMT-0","Etc/GMT-0|GMT0","Etc/GMT-0|Greenwich","Etc/UTC|Etc/UCT","Etc/UTC|Etc/Universal","Etc/UTC|Etc/Zulu","Etc/UTC|UCT","Etc/UTC|UTC","Etc/UTC|Universal","Etc/UTC|Zulu","Europe/Belgrade|Europe/Ljubljana","Europe/Belgrade|Europe/Podgorica","Europe/Belgrade|Europe/Sarajevo","Europe/Belgrade|Europe/Skopje","Europe/Belgrade|Europe/Zagreb","Europe/Chisinau|Europe/Tiraspol","Europe/Dublin|Eire","Europe/Helsinki|Europe/Mariehamn","Europe/Istanbul|Asia/Istanbul","Europe/Istanbul|Turkey","Europe/Lisbon|Portugal","Europe/London|Europe/Belfast","Europe/London|Europe/Guernsey","Europe/London|Europe/Isle_of_Man","Europe/London|Europe/Jersey","Europe/London|GB","Europe/London|GB-Eire","Europe/Moscow|W-SU","Europe/Oslo|Arctic/Longyearbyen","Europe/Oslo|Atlantic/Jan_Mayen","Europe/Prague|Europe/Bratislava","Europe/Rome|Europe/San_Marino","Europe/Rome|Europe/Vatican","Europe/Warsaw|Poland","Europe/Zurich|Europe/Busingen","Europe/Zurich|Europe/Vaduz","Indian/Christmas|Etc/GMT-7","Pacific/Auckland|Antarctica/McMurdo","Pacific/Auckland|Antarctica/South_Pole","Pacific/Auckland|NZ","Pacific/Chatham|NZ-CHAT","Pacific/Chuuk|Pacific/Truk","Pacific/Chuuk|Pacific/Yap","Pacific/Easter|Chile/EasterIsland","Pacific/Guam|Pacific/Saipan","Pacific/Honolulu|Pacific/Johnston","Pacific/Honolulu|US/Hawaii","Pacific/Kwajalein|Kwajalein","Pacific/Pago_Pago|Pacific/Midway","Pacific/Pago_Pago|Pacific/Samoa","Pacific/Pago_Pago|US/Samoa","Pacific/Palau|Etc/GMT-9","Pacific/Pohnpei|Pacific/Ponape","Pacific/Port_Moresby|Etc/GMT-10","Pacific/Tarawa|Etc/GMT-12","Pacific/Tarawa|Pacific/Funafuti","Pacific/Tarawa|Pacific/Wake","Pacific/Tarawa|Pacific/Wallis"],"countries":["AD|Europe/Andorra","AE|Asia/Dubai","AF|Asia/Kabul","AG|America/Port_of_Spain America/Antigua","AI|America/Port_of_Spain America/Anguilla","AL|Europe/Tirane","AM|Asia/Yerevan","AO|Africa/Lagos Africa/Luanda","AQ|Antarctica/Casey Antarctica/Davis Antarctica/DumontDUrville Antarctica/Mawson Antarctica/Palmer Antarctica/Rothera Antarctica/Syowa Antarctica/Troll Antarctica/Vostok Pacific/Auckland Antarctica/McMurdo","AR|America/Argentina/Buenos_Aires America/Argentina/Cordoba America/Argentina/Salta America/Argentina/Jujuy America/Argentina/Tucuman America/Argentina/Catamarca America/Argentina/La_Rioja America/Argentina/San_Juan America/Argentina/Mendoza America/Argentina/San_Luis America/Argentina/Rio_Gallegos America/Argentina/Ushuaia","AS|Pacific/Pago_Pago","AT|Europe/Vienna","AU|Australia/Lord_Howe Antarctica/Macquarie Australia/Hobart Australia/Currie Australia/Melbourne Australia/Sydney Australia/Broken_Hill Australia/Brisbane Australia/Lindeman Australia/Adelaide Australia/Darwin Australia/Perth Australia/Eucla","AW|America/Curacao America/Aruba","AX|Europe/Helsinki Europe/Mariehamn","AZ|Asia/Baku","BA|Europe/Belgrade Europe/Sarajevo","BB|America/Barbados","BD|Asia/Dhaka","BE|Europe/Brussels","BF|Africa/Abidjan Africa/Ouagadougou","BG|Europe/Sofia","BH|Asia/Qatar Asia/Bahrain","BI|Africa/Maputo Africa/Bujumbura","BJ|Africa/Lagos Africa/Porto-Novo","BL|America/Port_of_Spain America/St_Barthelemy","BM|Atlantic/Bermuda","BN|Asia/Brunei","BO|America/La_Paz","BQ|America/Curacao America/Kralendijk","BR|America/Noronha America/Belem America/Fortaleza America/Recife America/Araguaina America/Maceio America/Bahia America/Sao_Paulo America/Campo_Grande America/Cuiaba America/Santarem America/Porto_Velho America/Boa_Vista America/Manaus America/Eirunepe America/Rio_Branco","BS|America/Nassau","BT|Asia/Thimphu","BW|Africa/Maputo Africa/Gaborone","BY|Europe/Minsk","BZ|America/Belize","CA|America/St_Johns America/Halifax America/Glace_Bay America/Moncton America/Goose_Bay America/Blanc-Sablon America/Toronto America/Nipigon America/Thunder_Bay America/Iqaluit America/Pangnirtung America/Atikokan America/Winnipeg America/Rainy_River America/Resolute America/Rankin_Inlet America/Regina America/Swift_Current America/Edmonton America/Cambridge_Bay America/Yellowknife America/Inuvik America/Creston America/Dawson_Creek America/Fort_Nelson America/Vancouver America/Whitehorse America/Dawson","CC|Indian/Cocos","CD|Africa/Maputo Africa/Lagos Africa/Kinshasa Africa/Lubumbashi","CF|Africa/Lagos Africa/Bangui","CG|Africa/Lagos Africa/Brazzaville","CH|Europe/Zurich","CI|Africa/Abidjan","CK|Pacific/Rarotonga","CL|America/Santiago America/Punta_Arenas Pacific/Easter","CM|Africa/Lagos Africa/Douala","CN|Asia/Shanghai Asia/Urumqi","CO|America/Bogota","CR|America/Costa_Rica","CU|America/Havana","CV|Atlantic/Cape_Verde","CW|America/Curacao","CX|Indian/Christmas","CY|Asia/Nicosia Asia/Famagusta","CZ|Europe/Prague","DE|Europe/Zurich Europe/Berlin Europe/Busingen","DJ|Africa/Nairobi Africa/Djibouti","DK|Europe/Copenhagen","DM|America/Port_of_Spain America/Dominica","DO|America/Santo_Domingo","DZ|Africa/Algiers","EC|America/Guayaquil Pacific/Galapagos","EE|Europe/Tallinn","EG|Africa/Cairo","EH|Africa/El_Aaiun","ER|Africa/Nairobi Africa/Asmara","ES|Europe/Madrid Africa/Ceuta Atlantic/Canary","ET|Africa/Nairobi Africa/Addis_Ababa","FI|Europe/Helsinki","FJ|Pacific/Fiji","FK|Atlantic/Stanley","FM|Pacific/Chuuk Pacific/Pohnpei Pacific/Kosrae","FO|Atlantic/Faroe","FR|Europe/Paris","GA|Africa/Lagos Africa/Libreville","GB|Europe/London","GD|America/Port_of_Spain America/Grenada","GE|Asia/Tbilisi","GF|America/Cayenne","GG|Europe/London Europe/Guernsey","GH|Africa/Accra","GI|Europe/Gibraltar","GL|America/Nuuk America/Danmarkshavn America/Scoresbysund America/Thule","GM|Africa/Abidjan Africa/Banjul","GN|Africa/Abidjan Africa/Conakry","GP|America/Port_of_Spain America/Guadeloupe","GQ|Africa/Lagos Africa/Malabo","GR|Europe/Athens","GS|Atlantic/South_Georgia","GT|America/Guatemala","GU|Pacific/Guam","GW|Africa/Bissau","GY|America/Guyana","HK|Asia/Hong_Kong","HN|America/Tegucigalpa","HR|Europe/Belgrade Europe/Zagreb","HT|America/Port-au-Prince","HU|Europe/Budapest","ID|Asia/Jakarta Asia/Pontianak Asia/Makassar Asia/Jayapura","IE|Europe/Dublin","IL|Asia/Jerusalem","IM|Europe/London Europe/Isle_of_Man","IN|Asia/Kolkata","IO|Indian/Chagos","IQ|Asia/Baghdad","IR|Asia/Tehran","IS|Atlantic/Reykjavik","IT|Europe/Rome","JE|Europe/London Europe/Jersey","JM|America/Jamaica","JO|Asia/Amman","JP|Asia/Tokyo","KE|Africa/Nairobi","KG|Asia/Bishkek","KH|Asia/Bangkok Asia/Phnom_Penh","KI|Pacific/Tarawa Pacific/Enderbury Pacific/Kiritimati","KM|Africa/Nairobi Indian/Comoro","KN|America/Port_of_Spain America/St_Kitts","KP|Asia/Pyongyang","KR|Asia/Seoul","KW|Asia/Riyadh Asia/Kuwait","KY|America/Panama America/Cayman","KZ|Asia/Almaty Asia/Qyzylorda Asia/Qostanay Asia/Aqtobe Asia/Aqtau Asia/Atyrau Asia/Oral","LA|Asia/Bangkok Asia/Vientiane","LB|Asia/Beirut","LC|America/Port_of_Spain America/St_Lucia","LI|Europe/Zurich Europe/Vaduz","LK|Asia/Colombo","LR|Africa/Monrovia","LS|Africa/Johannesburg Africa/Maseru","LT|Europe/Vilnius","LU|Europe/Luxembourg","LV|Europe/Riga","LY|Africa/Tripoli","MA|Africa/Casablanca","MC|Europe/Monaco","MD|Europe/Chisinau","ME|Europe/Belgrade Europe/Podgorica","MF|America/Port_of_Spain America/Marigot","MG|Africa/Nairobi Indian/Antananarivo","MH|Pacific/Majuro Pacific/Kwajalein","MK|Europe/Belgrade Europe/Skopje","ML|Africa/Abidjan Africa/Bamako","MM|Asia/Yangon","MN|Asia/Ulaanbaatar Asia/Hovd Asia/Choibalsan","MO|Asia/Macau","MP|Pacific/Guam Pacific/Saipan","MQ|America/Martinique","MR|Africa/Abidjan Africa/Nouakchott","MS|America/Port_of_Spain America/Montserrat","MT|Europe/Malta","MU|Indian/Mauritius","MV|Indian/Maldives","MW|Africa/Maputo Africa/Blantyre","MX|America/Mexico_City America/Cancun America/Merida America/Monterrey America/Matamoros America/Mazatlan America/Chihuahua America/Ojinaga America/Hermosillo America/Tijuana America/Bahia_Banderas","MY|Asia/Kuala_Lumpur Asia/Kuching","MZ|Africa/Maputo","NA|Africa/Windhoek","NC|Pacific/Noumea","NE|Africa/Lagos Africa/Niamey","NF|Pacific/Norfolk","NG|Africa/Lagos","NI|America/Managua","NL|Europe/Amsterdam","NO|Europe/Oslo","NP|Asia/Kathmandu","NR|Pacific/Nauru","NU|Pacific/Niue","NZ|Pacific/Auckland Pacific/Chatham","OM|Asia/Dubai Asia/Muscat","PA|America/Panama","PE|America/Lima","PF|Pacific/Tahiti Pacific/Marquesas Pacific/Gambier","PG|Pacific/Port_Moresby Pacific/Bougainville","PH|Asia/Manila","PK|Asia/Karachi","PL|Europe/Warsaw","PM|America/Miquelon","PN|Pacific/Pitcairn","PR|America/Puerto_Rico","PS|Asia/Gaza Asia/Hebron","PT|Europe/Lisbon Atlantic/Madeira Atlantic/Azores","PW|Pacific/Palau","PY|America/Asuncion","QA|Asia/Qatar","RE|Indian/Reunion","RO|Europe/Bucharest","RS|Europe/Belgrade","RU|Europe/Kaliningrad Europe/Moscow Europe/Simferopol Europe/Kirov Europe/Astrakhan Europe/Volgograd Europe/Saratov Europe/Ulyanovsk Europe/Samara Asia/Yekaterinburg Asia/Omsk Asia/Novosibirsk Asia/Barnaul Asia/Tomsk Asia/Novokuznetsk Asia/Krasnoyarsk Asia/Irkutsk Asia/Chita Asia/Yakutsk Asia/Khandyga Asia/Vladivostok Asia/Ust-Nera Asia/Magadan Asia/Sakhalin Asia/Srednekolymsk Asia/Kamchatka Asia/Anadyr","RW|Africa/Maputo Africa/Kigali","SA|Asia/Riyadh","SB|Pacific/Guadalcanal","SC|Indian/Mahe","SD|Africa/Khartoum","SE|Europe/Stockholm","SG|Asia/Singapore","SH|Africa/Abidjan Atlantic/St_Helena","SI|Europe/Belgrade Europe/Ljubljana","SJ|Europe/Oslo Arctic/Longyearbyen","SK|Europe/Prague Europe/Bratislava","SL|Africa/Abidjan Africa/Freetown","SM|Europe/Rome Europe/San_Marino","SN|Africa/Abidjan Africa/Dakar","SO|Africa/Nairobi Africa/Mogadishu","SR|America/Paramaribo","SS|Africa/Juba","ST|Africa/Sao_Tome","SV|America/El_Salvador","SX|America/Curacao America/Lower_Princes","SY|Asia/Damascus","SZ|Africa/Johannesburg Africa/Mbabane","TC|America/Grand_Turk","TD|Africa/Ndjamena","TF|Indian/Reunion Indian/Kerguelen","TG|Africa/Abidjan Africa/Lome","TH|Asia/Bangkok","TJ|Asia/Dushanbe","TK|Pacific/Fakaofo","TL|Asia/Dili","TM|Asia/Ashgabat","TN|Africa/Tunis","TO|Pacific/Tongatapu","TR|Europe/Istanbul","TT|America/Port_of_Spain","TV|Pacific/Funafuti","TW|Asia/Taipei","TZ|Africa/Nairobi Africa/Dar_es_Salaam","UA|Europe/Simferopol Europe/Kiev Europe/Uzhgorod Europe/Zaporozhye","UG|Africa/Nairobi Africa/Kampala","UM|Pacific/Pago_Pago Pacific/Wake Pacific/Honolulu Pacific/Midway","US|America/New_York America/Detroit America/Kentucky/Louisville America/Kentucky/Monticello America/Indiana/Indianapolis America/Indiana/Vincennes America/Indiana/Winamac America/Indiana/Marengo America/Indiana/Petersburg America/Indiana/Vevay America/Chicago America/Indiana/Tell_City America/Indiana/Knox America/Menominee America/North_Dakota/Center America/North_Dakota/New_Salem America/North_Dakota/Beulah America/Denver America/Boise America/Phoenix America/Los_Angeles America/Anchorage America/Juneau America/Sitka America/Metlakatla America/Yakutat America/Nome America/Adak Pacific/Honolulu","UY|America/Montevideo","UZ|Asia/Samarkand Asia/Tashkent","VA|Europe/Rome Europe/Vatican","VC|America/Port_of_Spain America/St_Vincent","VE|America/Caracas","VG|America/Port_of_Spain America/Tortola","VI|America/Port_of_Spain America/St_Thomas","VN|Asia/Bangkok Asia/Ho_Chi_Minh","VU|Pacific/Efate","WF|Pacific/Wallis","WS|Pacific/Apia","YE|Asia/Riyadh Asia/Aden","YT|Africa/Nairobi Indian/Mayotte","ZA|Africa/Johannesburg","ZM|Africa/Maputo Africa/Lusaka","ZW|Africa/Maputo Africa/Harare"]}')},8:(e,t,n)=>{(e.exports=n(5177)).tz.load(n(4360))},5341:function(e,t,n){var r,o,a;!function(i,s){"use strict";e.exports?e.exports=s(n(8)):(o=[n(381)],void 0===(a="function"==typeof(r=s)?r.apply(t,o):r)||(e.exports=a))}(0,(function(e){"use strict";if(!e.tz)throw new Error("moment-timezone-utils.js must be loaded after moment-timezone.js");var t="0123456789abcdefghijklmnopqrstuvwxyzABCDEFGHIJKLMNOPQRSTUVWX";function n(e,n){for(var r="",o=Math.abs(e),a=Math.floor(o),i=function(e,n){for(var r,o=".",a="";n>0;)n-=1,e*=60,r=Math.floor(e+1e-6),o+=t[r],e-=r,r&&(a+=o,o="");return a}(o-a,Math.min(~~n,10));a>0;)r=t[a%60]+r,a=Math.floor(a/60);return e<0&&(r="-"+r),r&&i?r+i:(i||"-"!==r)&&(r||i)||"0"}function r(e){var t,r=[],o=0;for(t=0;ts.population||i.population===s.population&&r&&r[i.name]?l.unshift(i):l.push(i),u=!0);u||d.push([i])}for(o=0;on&&(o=t,t=n,n=o),o=0;on&&(i=Math.min(i,o+1)));return[a,i]}(e.untils,t,n),a=r.apply(e.untils,o);return a[a.length-1]=null,{name:e.name,abbrs:r.apply(e.abbrs,o),untils:a,offsets:r.apply(e.offsets,o),population:e.population,countries:e.countries}}return e.tz.pack=i,e.tz.packBase60=n,e.tz.createLinks=u,e.tz.filterYears=d,e.tz.filterLinkPack=function(e,t,n,r){var o,a,l=e.zones,c=[];for(o=0;o96?e-87:e>64?e-29:e-48}function d(e){var t=0,n=e.split("."),r=n[0],o=n[1]||"",a=1,i=0,s=1;for(45===e.charCodeAt(0)&&(t=1,s=-1);t3){var t=a[E(e)];if(t)return t;T("Moment Timezone found "+e+" from the Intl api, but did not have that data loaded.")}}catch(e){}var n,r,o,i=function(){var e,t,n,r=(new Date).getFullYear()-2,o=new b(new Date(r,0,1)),a=[o];for(n=1;n<48;n++)(t=new b(new Date(r,n,1))).offset!==o.offset&&(e=y(o,t),a.push(e),a.push(new b(new Date(e.at+6e4)))),o=t;for(n=0;n<4;n++)a.push(new b(new Date(r+n,0,1))),a.push(new b(new Date(r+n,6,1)));return a}(),s=i.length,l=k(i),c=[];for(r=0;r0?c[0].zone.name:void 0}function E(e){return(e||"").toLowerCase().replace(/\//g,"_")}function L(e){var t,r,o,i;for("string"==typeof e&&(e=[e]),t=0;t= 2.6.0. You are using Moment.js "+e.version+". See momentjs.com"),h.prototype={_set:function(e){this.name=e.name,this.abbrs=e.abbrs,this.untils=e.untils,this.offsets=e.offsets,this.population=e.population},_index:function(e){var t,n=+e,r=this.untils;for(t=0;tr&&x.moveInvalidForward&&(t=r),a0&&(this._z=null),z.apply(this,arguments)}),e.tz.setDefault=function(t){return(l<2||2===l&&c<9)&&T("Moment Timezone setDefault() requires Moment.js >= 2.9.0. You are using Moment.js "+e.version+"."),e.defaultZone=t?A(t):null,e};var B=e.momentProperties;return"[object Array]"===Object.prototype.toString.call(B)?(B.push("_z"),B.push("_a")):B&&(B._z=null),e}))},2786:function(e,t,n){!function(e){"use strict";e.defineLocale("af",{months:"Januarie_Februarie_Maart_April_Mei_Junie_Julie_Augustus_September_Oktober_November_Desember".split("_"),monthsShort:"Jan_Feb_Mrt_Apr_Mei_Jun_Jul_Aug_Sep_Okt_Nov_Des".split("_"),weekdays:"Sondag_Maandag_Dinsdag_Woensdag_Donderdag_Vrydag_Saterdag".split("_"),weekdaysShort:"Son_Maa_Din_Woe_Don_Vry_Sat".split("_"),weekdaysMin:"So_Ma_Di_Wo_Do_Vr_Sa".split("_"),meridiemParse:/vm|nm/i,isPM:function(e){return/^nm$/i.test(e)},meridiem:function(e,t,n){return e<12?n?"vm":"VM":n?"nm":"NM"},longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY HH:mm",LLLL:"dddd, D MMMM YYYY HH:mm"},calendar:{sameDay:"[Vandag om] LT",nextDay:"[Môre om] LT",nextWeek:"dddd [om] LT",lastDay:"[Gister om] LT",lastWeek:"[Laas] dddd [om] LT",sameElse:"L"},relativeTime:{future:"oor %s",past:"%s gelede",s:"'n paar sekondes",ss:"%d sekondes",m:"'n minuut",mm:"%d minute",h:"'n uur",hh:"%d ure",d:"'n dag",dd:"%d dae",M:"'n maand",MM:"%d maande",y:"'n jaar",yy:"%d jaar"},dayOfMonthOrdinalParse:/\d{1,2}(ste|de)/,ordinal:function(e){return e+(1===e||8===e||e>=20?"ste":"de")},week:{dow:1,doy:4}})}(n(381))},4130:function(e,t,n){!function(e){"use strict";var t=function(e){return 0===e?0:1===e?1:2===e?2:e%100>=3&&e%100<=10?3:e%100>=11?4:5},n={s:["أقل من ثانية","ثانية واحدة",["ثانيتان","ثانيتين"],"%d ثوان","%d ثانية","%d ثانية"],m:["أقل من دقيقة","دقيقة واحدة",["دقيقتان","دقيقتين"],"%d دقائق","%d دقيقة","%d دقيقة"],h:["أقل من ساعة","ساعة واحدة",["ساعتان","ساعتين"],"%d ساعات","%d ساعة","%d ساعة"],d:["أقل من يوم","يوم واحد",["يومان","يومين"],"%d أيام","%d يومًا","%d يوم"],M:["أقل من شهر","شهر واحد",["شهران","شهرين"],"%d أشهر","%d شهرا","%d شهر"],y:["أقل من عام","عام واحد",["عامان","عامين"],"%d أعوام","%d عامًا","%d عام"]},r=function(e){return function(r,o,a,i){var s=t(r),l=n[e][t(r)];return 2===s&&(l=l[o?0:1]),l.replace(/%d/i,r)}},o=["جانفي","فيفري","مارس","أفريل","ماي","جوان","جويلية","أوت","سبتمبر","أكتوبر","نوفمبر","ديسمبر"];e.defineLocale("ar-dz",{months:o,monthsShort:o,weekdays:"الأحد_الإثنين_الثلاثاء_الأربعاء_الخميس_الجمعة_السبت".split("_"),weekdaysShort:"أحد_إثنين_ثلاثاء_أربعاء_خميس_جمعة_سبت".split("_"),weekdaysMin:"ح_ن_ث_ر_خ_ج_س".split("_"),weekdaysParseExact:!0,longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"D/‏M/‏YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY HH:mm",LLLL:"dddd D MMMM YYYY HH:mm"},meridiemParse:/ص|م/,isPM:function(e){return"م"===e},meridiem:function(e,t,n){return e<12?"ص":"م"},calendar:{sameDay:"[اليوم عند الساعة] LT",nextDay:"[غدًا عند الساعة] LT",nextWeek:"dddd [عند الساعة] LT",lastDay:"[أمس عند الساعة] LT",lastWeek:"dddd [عند الساعة] LT",sameElse:"L"},relativeTime:{future:"بعد %s",past:"منذ %s",s:r("s"),ss:r("s"),m:r("m"),mm:r("m"),h:r("h"),hh:r("h"),d:r("d"),dd:r("d"),M:r("M"),MM:r("M"),y:r("y"),yy:r("y")},postformat:function(e){return e.replace(/,/g,"،")},week:{dow:0,doy:4}})}(n(381))},6135:function(e,t,n){!function(e){"use strict";e.defineLocale("ar-kw",{months:"يناير_فبراير_مارس_أبريل_ماي_يونيو_يوليوز_غشت_شتنبر_أكتوبر_نونبر_دجنبر".split("_"),monthsShort:"يناير_فبراير_مارس_أبريل_ماي_يونيو_يوليوز_غشت_شتنبر_أكتوبر_نونبر_دجنبر".split("_"),weekdays:"الأحد_الإتنين_الثلاثاء_الأربعاء_الخميس_الجمعة_السبت".split("_"),weekdaysShort:"احد_اتنين_ثلاثاء_اربعاء_خميس_جمعة_سبت".split("_"),weekdaysMin:"ح_ن_ث_ر_خ_ج_س".split("_"),weekdaysParseExact:!0,longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY HH:mm",LLLL:"dddd D MMMM YYYY HH:mm"},calendar:{sameDay:"[اليوم على الساعة] LT",nextDay:"[غدا على الساعة] LT",nextWeek:"dddd [على الساعة] LT",lastDay:"[أمس على الساعة] LT",lastWeek:"dddd [على الساعة] LT",sameElse:"L"},relativeTime:{future:"في %s",past:"منذ %s",s:"ثوان",ss:"%d ثانية",m:"دقيقة",mm:"%d دقائق",h:"ساعة",hh:"%d ساعات",d:"يوم",dd:"%d أيام",M:"شهر",MM:"%d أشهر",y:"سنة",yy:"%d سنوات"},week:{dow:0,doy:12}})}(n(381))},6440:function(e,t,n){!function(e){"use strict";var t={1:"1",2:"2",3:"3",4:"4",5:"5",6:"6",7:"7",8:"8",9:"9",0:"0"},n=function(e){return 0===e?0:1===e?1:2===e?2:e%100>=3&&e%100<=10?3:e%100>=11?4:5},r={s:["أقل من ثانية","ثانية واحدة",["ثانيتان","ثانيتين"],"%d ثوان","%d ثانية","%d ثانية"],m:["أقل من دقيقة","دقيقة واحدة",["دقيقتان","دقيقتين"],"%d دقائق","%d دقيقة","%d دقيقة"],h:["أقل من ساعة","ساعة واحدة",["ساعتان","ساعتين"],"%d ساعات","%d ساعة","%d ساعة"],d:["أقل من يوم","يوم واحد",["يومان","يومين"],"%d أيام","%d يومًا","%d يوم"],M:["أقل من شهر","شهر واحد",["شهران","شهرين"],"%d أشهر","%d شهرا","%d شهر"],y:["أقل من عام","عام واحد",["عامان","عامين"],"%d أعوام","%d عامًا","%d عام"]},o=function(e){return function(t,o,a,i){var s=n(t),l=r[e][n(t)];return 2===s&&(l=l[o?0:1]),l.replace(/%d/i,t)}},a=["يناير","فبراير","مارس","أبريل","مايو","يونيو","يوليو","أغسطس","سبتمبر","أكتوبر","نوفمبر","ديسمبر"];e.defineLocale("ar-ly",{months:a,monthsShort:a,weekdays:"الأحد_الإثنين_الثلاثاء_الأربعاء_الخميس_الجمعة_السبت".split("_"),weekdaysShort:"أحد_إثنين_ثلاثاء_أربعاء_خميس_جمعة_سبت".split("_"),weekdaysMin:"ح_ن_ث_ر_خ_ج_س".split("_"),weekdaysParseExact:!0,longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"D/‏M/‏YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY HH:mm",LLLL:"dddd D MMMM YYYY HH:mm"},meridiemParse:/ص|م/,isPM:function(e){return"م"===e},meridiem:function(e,t,n){return e<12?"ص":"م"},calendar:{sameDay:"[اليوم عند الساعة] LT",nextDay:"[غدًا عند الساعة] LT",nextWeek:"dddd [عند الساعة] LT",lastDay:"[أمس عند الساعة] LT",lastWeek:"dddd [عند الساعة] LT",sameElse:"L"},relativeTime:{future:"بعد %s",past:"منذ %s",s:o("s"),ss:o("s"),m:o("m"),mm:o("m"),h:o("h"),hh:o("h"),d:o("d"),dd:o("d"),M:o("M"),MM:o("M"),y:o("y"),yy:o("y")},preparse:function(e){return e.replace(/،/g,",")},postformat:function(e){return e.replace(/\d/g,(function(e){return t[e]})).replace(/,/g,"،")},week:{dow:6,doy:12}})}(n(381))},7702:function(e,t,n){!function(e){"use strict";e.defineLocale("ar-ma",{months:"يناير_فبراير_مارس_أبريل_ماي_يونيو_يوليوز_غشت_شتنبر_أكتوبر_نونبر_دجنبر".split("_"),monthsShort:"يناير_فبراير_مارس_أبريل_ماي_يونيو_يوليوز_غشت_شتنبر_أكتوبر_نونبر_دجنبر".split("_"),weekdays:"الأحد_الإثنين_الثلاثاء_الأربعاء_الخميس_الجمعة_السبت".split("_"),weekdaysShort:"احد_اثنين_ثلاثاء_اربعاء_خميس_جمعة_سبت".split("_"),weekdaysMin:"ح_ن_ث_ر_خ_ج_س".split("_"),weekdaysParseExact:!0,longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY HH:mm",LLLL:"dddd D MMMM YYYY HH:mm"},calendar:{sameDay:"[اليوم على الساعة] LT",nextDay:"[غدا على الساعة] LT",nextWeek:"dddd [على الساعة] LT",lastDay:"[أمس على الساعة] LT",lastWeek:"dddd [على الساعة] LT",sameElse:"L"},relativeTime:{future:"في %s",past:"منذ %s",s:"ثوان",ss:"%d ثانية",m:"دقيقة",mm:"%d دقائق",h:"ساعة",hh:"%d ساعات",d:"يوم",dd:"%d أيام",M:"شهر",MM:"%d أشهر",y:"سنة",yy:"%d سنوات"},week:{dow:1,doy:4}})}(n(381))},6040:function(e,t,n){!function(e){"use strict";var t={1:"١",2:"٢",3:"٣",4:"٤",5:"٥",6:"٦",7:"٧",8:"٨",9:"٩",0:"٠"},n={"١":"1","٢":"2","٣":"3","٤":"4","٥":"5","٦":"6","٧":"7","٨":"8","٩":"9","٠":"0"};e.defineLocale("ar-sa",{months:"يناير_فبراير_مارس_أبريل_مايو_يونيو_يوليو_أغسطس_سبتمبر_أكتوبر_نوفمبر_ديسمبر".split("_"),monthsShort:"يناير_فبراير_مارس_أبريل_مايو_يونيو_يوليو_أغسطس_سبتمبر_أكتوبر_نوفمبر_ديسمبر".split("_"),weekdays:"الأحد_الإثنين_الثلاثاء_الأربعاء_الخميس_الجمعة_السبت".split("_"),weekdaysShort:"أحد_إثنين_ثلاثاء_أربعاء_خميس_جمعة_سبت".split("_"),weekdaysMin:"ح_ن_ث_ر_خ_ج_س".split("_"),weekdaysParseExact:!0,longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY HH:mm",LLLL:"dddd D MMMM YYYY HH:mm"},meridiemParse:/ص|م/,isPM:function(e){return"م"===e},meridiem:function(e,t,n){return e<12?"ص":"م"},calendar:{sameDay:"[اليوم على الساعة] LT",nextDay:"[غدا على الساعة] LT",nextWeek:"dddd [على الساعة] LT",lastDay:"[أمس على الساعة] LT",lastWeek:"dddd [على الساعة] LT",sameElse:"L"},relativeTime:{future:"في %s",past:"منذ %s",s:"ثوان",ss:"%d ثانية",m:"دقيقة",mm:"%d دقائق",h:"ساعة",hh:"%d ساعات",d:"يوم",dd:"%d أيام",M:"شهر",MM:"%d أشهر",y:"سنة",yy:"%d سنوات"},preparse:function(e){return e.replace(/[١٢٣٤٥٦٧٨٩٠]/g,(function(e){return n[e]})).replace(/،/g,",")},postformat:function(e){return e.replace(/\d/g,(function(e){return t[e]})).replace(/,/g,"،")},week:{dow:0,doy:6}})}(n(381))},7100:function(e,t,n){!function(e){"use strict";e.defineLocale("ar-tn",{months:"جانفي_فيفري_مارس_أفريل_ماي_جوان_جويلية_أوت_سبتمبر_أكتوبر_نوفمبر_ديسمبر".split("_"),monthsShort:"جانفي_فيفري_مارس_أفريل_ماي_جوان_جويلية_أوت_سبتمبر_أكتوبر_نوفمبر_ديسمبر".split("_"),weekdays:"الأحد_الإثنين_الثلاثاء_الأربعاء_الخميس_الجمعة_السبت".split("_"),weekdaysShort:"أحد_إثنين_ثلاثاء_أربعاء_خميس_جمعة_سبت".split("_"),weekdaysMin:"ح_ن_ث_ر_خ_ج_س".split("_"),weekdaysParseExact:!0,longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY HH:mm",LLLL:"dddd D MMMM YYYY HH:mm"},calendar:{sameDay:"[اليوم على الساعة] LT",nextDay:"[غدا على الساعة] LT",nextWeek:"dddd [على الساعة] LT",lastDay:"[أمس على الساعة] LT",lastWeek:"dddd [على الساعة] LT",sameElse:"L"},relativeTime:{future:"في %s",past:"منذ %s",s:"ثوان",ss:"%d ثانية",m:"دقيقة",mm:"%d دقائق",h:"ساعة",hh:"%d ساعات",d:"يوم",dd:"%d أيام",M:"شهر",MM:"%d أشهر",y:"سنة",yy:"%d سنوات"},week:{dow:1,doy:4}})}(n(381))},867:function(e,t,n){!function(e){"use strict";var t={1:"١",2:"٢",3:"٣",4:"٤",5:"٥",6:"٦",7:"٧",8:"٨",9:"٩",0:"٠"},n={"١":"1","٢":"2","٣":"3","٤":"4","٥":"5","٦":"6","٧":"7","٨":"8","٩":"9","٠":"0"},r=function(e){return 0===e?0:1===e?1:2===e?2:e%100>=3&&e%100<=10?3:e%100>=11?4:5},o={s:["أقل من ثانية","ثانية واحدة",["ثانيتان","ثانيتين"],"%d ثوان","%d ثانية","%d ثانية"],m:["أقل من دقيقة","دقيقة واحدة",["دقيقتان","دقيقتين"],"%d دقائق","%d دقيقة","%d دقيقة"],h:["أقل من ساعة","ساعة واحدة",["ساعتان","ساعتين"],"%d ساعات","%d ساعة","%d ساعة"],d:["أقل من يوم","يوم واحد",["يومان","يومين"],"%d أيام","%d يومًا","%d يوم"],M:["أقل من شهر","شهر واحد",["شهران","شهرين"],"%d أشهر","%d شهرا","%d شهر"],y:["أقل من عام","عام واحد",["عامان","عامين"],"%d أعوام","%d عامًا","%d عام"]},a=function(e){return function(t,n,a,i){var s=r(t),l=o[e][r(t)];return 2===s&&(l=l[n?0:1]),l.replace(/%d/i,t)}},i=["يناير","فبراير","مارس","أبريل","مايو","يونيو","يوليو","أغسطس","سبتمبر","أكتوبر","نوفمبر","ديسمبر"];e.defineLocale("ar",{months:i,monthsShort:i,weekdays:"الأحد_الإثنين_الثلاثاء_الأربعاء_الخميس_الجمعة_السبت".split("_"),weekdaysShort:"أحد_إثنين_ثلاثاء_أربعاء_خميس_جمعة_سبت".split("_"),weekdaysMin:"ح_ن_ث_ر_خ_ج_س".split("_"),weekdaysParseExact:!0,longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"D/‏M/‏YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY HH:mm",LLLL:"dddd D MMMM YYYY HH:mm"},meridiemParse:/ص|م/,isPM:function(e){return"م"===e},meridiem:function(e,t,n){return e<12?"ص":"م"},calendar:{sameDay:"[اليوم عند الساعة] LT",nextDay:"[غدًا عند الساعة] LT",nextWeek:"dddd [عند الساعة] LT",lastDay:"[أمس عند الساعة] LT",lastWeek:"dddd [عند الساعة] LT",sameElse:"L"},relativeTime:{future:"بعد %s",past:"منذ %s",s:a("s"),ss:a("s"),m:a("m"),mm:a("m"),h:a("h"),hh:a("h"),d:a("d"),dd:a("d"),M:a("M"),MM:a("M"),y:a("y"),yy:a("y")},preparse:function(e){return e.replace(/[١٢٣٤٥٦٧٨٩٠]/g,(function(e){return n[e]})).replace(/،/g,",")},postformat:function(e){return e.replace(/\d/g,(function(e){return t[e]})).replace(/,/g,"،")},week:{dow:6,doy:12}})}(n(381))},1083:function(e,t,n){!function(e){"use strict";var t={1:"-inci",5:"-inci",8:"-inci",70:"-inci",80:"-inci",2:"-nci",7:"-nci",20:"-nci",50:"-nci",3:"-üncü",4:"-üncü",100:"-üncü",6:"-ncı",9:"-uncu",10:"-uncu",30:"-uncu",60:"-ıncı",90:"-ıncı"};e.defineLocale("az",{months:"yanvar_fevral_mart_aprel_may_iyun_iyul_avqust_sentyabr_oktyabr_noyabr_dekabr".split("_"),monthsShort:"yan_fev_mar_apr_may_iyn_iyl_avq_sen_okt_noy_dek".split("_"),weekdays:"Bazar_Bazar ertəsi_Çərşənbə axşamı_Çərşənbə_Cümə axşamı_Cümə_Şənbə".split("_"),weekdaysShort:"Baz_BzE_ÇAx_Çər_CAx_Cüm_Şən".split("_"),weekdaysMin:"Bz_BE_ÇA_Çə_CA_Cü_Şə".split("_"),weekdaysParseExact:!0,longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD.MM.YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY HH:mm",LLLL:"dddd, D MMMM YYYY HH:mm"},calendar:{sameDay:"[bugün saat] LT",nextDay:"[sabah saat] LT",nextWeek:"[gələn həftə] dddd [saat] LT",lastDay:"[dünən] LT",lastWeek:"[keçən həftə] dddd [saat] LT",sameElse:"L"},relativeTime:{future:"%s sonra",past:"%s əvvəl",s:"bir neçə saniyə",ss:"%d saniyə",m:"bir dəqiqə",mm:"%d dəqiqə",h:"bir saat",hh:"%d saat",d:"bir gün",dd:"%d gün",M:"bir ay",MM:"%d ay",y:"bir il",yy:"%d il"},meridiemParse:/gecə|səhər|gündüz|axşam/,isPM:function(e){return/^(gündüz|axşam)$/.test(e)},meridiem:function(e,t,n){return e<4?"gecə":e<12?"səhər":e<17?"gündüz":"axşam"},dayOfMonthOrdinalParse:/\d{1,2}-(ıncı|inci|nci|üncü|ncı|uncu)/,ordinal:function(e){if(0===e)return e+"-ıncı";var n=e%10,r=e%100-n,o=e>=100?100:null;return e+(t[n]||t[r]||t[o])},week:{dow:1,doy:7}})}(n(381))},9808:function(e,t,n){!function(e){"use strict";function t(e,t){var n=e.split("_");return t%10==1&&t%100!=11?n[0]:t%10>=2&&t%10<=4&&(t%100<10||t%100>=20)?n[1]:n[2]}function n(e,n,r){return"m"===r?n?"хвіліна":"хвіліну":"h"===r?n?"гадзіна":"гадзіну":e+" "+t({ss:n?"секунда_секунды_секунд":"секунду_секунды_секунд",mm:n?"хвіліна_хвіліны_хвілін":"хвіліну_хвіліны_хвілін",hh:n?"гадзіна_гадзіны_гадзін":"гадзіну_гадзіны_гадзін",dd:"дзень_дні_дзён",MM:"месяц_месяцы_месяцаў",yy:"год_гады_гадоў"}[r],+e)}e.defineLocale("be",{months:{format:"студзеня_лютага_сакавіка_красавіка_траўня_чэрвеня_ліпеня_жніўня_верасня_кастрычніка_лістапада_снежня".split("_"),standalone:"студзень_люты_сакавік_красавік_травень_чэрвень_ліпень_жнівень_верасень_кастрычнік_лістапад_снежань".split("_")},monthsShort:"студ_лют_сак_крас_трав_чэрв_ліп_жнів_вер_каст_ліст_снеж".split("_"),weekdays:{format:"нядзелю_панядзелак_аўторак_сераду_чацвер_пятніцу_суботу".split("_"),standalone:"нядзеля_панядзелак_аўторак_серада_чацвер_пятніца_субота".split("_"),isFormat:/\[ ?[Ууў] ?(?:мінулую|наступную)? ?\] ?dddd/},weekdaysShort:"нд_пн_ат_ср_чц_пт_сб".split("_"),weekdaysMin:"нд_пн_ат_ср_чц_пт_сб".split("_"),longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD.MM.YYYY",LL:"D MMMM YYYY г.",LLL:"D MMMM YYYY г., HH:mm",LLLL:"dddd, D MMMM YYYY г., HH:mm"},calendar:{sameDay:"[Сёння ў] LT",nextDay:"[Заўтра ў] LT",lastDay:"[Учора ў] LT",nextWeek:function(){return"[У] dddd [ў] LT"},lastWeek:function(){switch(this.day()){case 0:case 3:case 5:case 6:return"[У мінулую] dddd [ў] LT";case 1:case 2:case 4:return"[У мінулы] dddd [ў] LT"}},sameElse:"L"},relativeTime:{future:"праз %s",past:"%s таму",s:"некалькі секунд",m:n,mm:n,h:n,hh:n,d:"дзень",dd:n,M:"месяц",MM:n,y:"год",yy:n},meridiemParse:/ночы|раніцы|дня|вечара/,isPM:function(e){return/^(дня|вечара)$/.test(e)},meridiem:function(e,t,n){return e<4?"ночы":e<12?"раніцы":e<17?"дня":"вечара"},dayOfMonthOrdinalParse:/\d{1,2}-(і|ы|га)/,ordinal:function(e,t){switch(t){case"M":case"d":case"DDD":case"w":case"W":return e%10!=2&&e%10!=3||e%100==12||e%100==13?e+"-ы":e+"-і";case"D":return e+"-га";default:return e}},week:{dow:1,doy:7}})}(n(381))},8338:function(e,t,n){!function(e){"use strict";e.defineLocale("bg",{months:"януари_февруари_март_април_май_юни_юли_август_септември_октомври_ноември_декември".split("_"),monthsShort:"яну_фев_мар_апр_май_юни_юли_авг_сеп_окт_ное_дек".split("_"),weekdays:"неделя_понеделник_вторник_сряда_четвъртък_петък_събота".split("_"),weekdaysShort:"нед_пон_вто_сря_чет_пет_съб".split("_"),weekdaysMin:"нд_пн_вт_ср_чт_пт_сб".split("_"),longDateFormat:{LT:"H:mm",LTS:"H:mm:ss",L:"D.MM.YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY H:mm",LLLL:"dddd, D MMMM YYYY H:mm"},calendar:{sameDay:"[Днес в] LT",nextDay:"[Утре в] LT",nextWeek:"dddd [в] LT",lastDay:"[Вчера в] LT",lastWeek:function(){switch(this.day()){case 0:case 3:case 6:return"[Миналата] dddd [в] LT";case 1:case 2:case 4:case 5:return"[Миналия] dddd [в] LT"}},sameElse:"L"},relativeTime:{future:"след %s",past:"преди %s",s:"няколко секунди",ss:"%d секунди",m:"минута",mm:"%d минути",h:"час",hh:"%d часа",d:"ден",dd:"%d дена",w:"седмица",ww:"%d седмици",M:"месец",MM:"%d месеца",y:"година",yy:"%d години"},dayOfMonthOrdinalParse:/\d{1,2}-(ев|ен|ти|ви|ри|ми)/,ordinal:function(e){var t=e%10,n=e%100;return 0===e?e+"-ев":0===n?e+"-ен":n>10&&n<20?e+"-ти":1===t?e+"-ви":2===t?e+"-ри":7===t||8===t?e+"-ми":e+"-ти"},week:{dow:1,doy:7}})}(n(381))},7438:function(e,t,n){!function(e){"use strict";e.defineLocale("bm",{months:"Zanwuyekalo_Fewuruyekalo_Marisikalo_Awirilikalo_Mɛkalo_Zuwɛnkalo_Zuluyekalo_Utikalo_Sɛtanburukalo_ɔkutɔburukalo_Nowanburukalo_Desanburukalo".split("_"),monthsShort:"Zan_Few_Mar_Awi_Mɛ_Zuw_Zul_Uti_Sɛt_ɔku_Now_Des".split("_"),weekdays:"Kari_Ntɛnɛn_Tarata_Araba_Alamisa_Juma_Sibiri".split("_"),weekdaysShort:"Kar_Ntɛ_Tar_Ara_Ala_Jum_Sib".split("_"),weekdaysMin:"Ka_Nt_Ta_Ar_Al_Ju_Si".split("_"),longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD/MM/YYYY",LL:"MMMM [tile] D [san] YYYY",LLL:"MMMM [tile] D [san] YYYY [lɛrɛ] HH:mm",LLLL:"dddd MMMM [tile] D [san] YYYY [lɛrɛ] HH:mm"},calendar:{sameDay:"[Bi lɛrɛ] LT",nextDay:"[Sini lɛrɛ] LT",nextWeek:"dddd [don lɛrɛ] LT",lastDay:"[Kunu lɛrɛ] LT",lastWeek:"dddd [tɛmɛnen lɛrɛ] LT",sameElse:"L"},relativeTime:{future:"%s kɔnɔ",past:"a bɛ %s bɔ",s:"sanga dama dama",ss:"sekondi %d",m:"miniti kelen",mm:"miniti %d",h:"lɛrɛ kelen",hh:"lɛrɛ %d",d:"tile kelen",dd:"tile %d",M:"kalo kelen",MM:"kalo %d",y:"san kelen",yy:"san %d"},week:{dow:1,doy:4}})}(n(381))},6225:function(e,t,n){!function(e){"use strict";var t={1:"১",2:"২",3:"৩",4:"৪",5:"৫",6:"৬",7:"৭",8:"৮",9:"৯",0:"০"},n={"১":"1","২":"2","৩":"3","৪":"4","৫":"5","৬":"6","৭":"7","৮":"8","৯":"9","০":"0"};e.defineLocale("bn-bd",{months:"জানুয়ারি_ফেব্রুয়ারি_মার্চ_এপ্রিল_মে_জুন_জুলাই_আগস্ট_সেপ্টেম্বর_অক্টোবর_নভেম্বর_ডিসেম্বর".split("_"),monthsShort:"জানু_ফেব্রু_মার্চ_এপ্রিল_মে_জুন_জুলাই_আগস্ট_সেপ্ট_অক্টো_নভে_ডিসে".split("_"),weekdays:"রবিবার_সোমবার_মঙ্গলবার_বুধবার_বৃহস্পতিবার_শুক্রবার_শনিবার".split("_"),weekdaysShort:"রবি_সোম_মঙ্গল_বুধ_বৃহস্পতি_শুক্র_শনি".split("_"),weekdaysMin:"রবি_সোম_মঙ্গল_বুধ_বৃহ_শুক্র_শনি".split("_"),longDateFormat:{LT:"A h:mm সময়",LTS:"A h:mm:ss সময়",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY, A h:mm সময়",LLLL:"dddd, D MMMM YYYY, A h:mm সময়"},calendar:{sameDay:"[আজ] LT",nextDay:"[আগামীকাল] LT",nextWeek:"dddd, LT",lastDay:"[গতকাল] LT",lastWeek:"[গত] dddd, LT",sameElse:"L"},relativeTime:{future:"%s পরে",past:"%s আগে",s:"কয়েক সেকেন্ড",ss:"%d সেকেন্ড",m:"এক মিনিট",mm:"%d মিনিট",h:"এক ঘন্টা",hh:"%d ঘন্টা",d:"এক দিন",dd:"%d দিন",M:"এক মাস",MM:"%d মাস",y:"এক বছর",yy:"%d বছর"},preparse:function(e){return e.replace(/[১২৩৪৫৬৭৮৯০]/g,(function(e){return n[e]}))},postformat:function(e){return e.replace(/\d/g,(function(e){return t[e]}))},meridiemParse:/রাত|ভোর|সকাল|দুপুর|বিকাল|সন্ধ্যা|রাত/,meridiemHour:function(e,t){return 12===e&&(e=0),"রাত"===t?e<4?e:e+12:"ভোর"===t||"সকাল"===t?e:"দুপুর"===t?e>=3?e:e+12:"বিকাল"===t||"সন্ধ্যা"===t?e+12:void 0},meridiem:function(e,t,n){return e<4?"রাত":e<6?"ভোর":e<12?"সকাল":e<15?"দুপুর":e<18?"বিকাল":e<20?"সন্ধ্যা":"রাত"},week:{dow:0,doy:6}})}(n(381))},8905:function(e,t,n){!function(e){"use strict";var t={1:"১",2:"২",3:"৩",4:"৪",5:"৫",6:"৬",7:"৭",8:"৮",9:"৯",0:"০"},n={"১":"1","২":"2","৩":"3","৪":"4","৫":"5","৬":"6","৭":"7","৮":"8","৯":"9","০":"0"};e.defineLocale("bn",{months:"জানুয়ারি_ফেব্রুয়ারি_মার্চ_এপ্রিল_মে_জুন_জুলাই_আগস্ট_সেপ্টেম্বর_অক্টোবর_নভেম্বর_ডিসেম্বর".split("_"),monthsShort:"জানু_ফেব্রু_মার্চ_এপ্রিল_মে_জুন_জুলাই_আগস্ট_সেপ্ট_অক্টো_নভে_ডিসে".split("_"),weekdays:"রবিবার_সোমবার_মঙ্গলবার_বুধবার_বৃহস্পতিবার_শুক্রবার_শনিবার".split("_"),weekdaysShort:"রবি_সোম_মঙ্গল_বুধ_বৃহস্পতি_শুক্র_শনি".split("_"),weekdaysMin:"রবি_সোম_মঙ্গল_বুধ_বৃহ_শুক্র_শনি".split("_"),longDateFormat:{LT:"A h:mm সময়",LTS:"A h:mm:ss সময়",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY, A h:mm সময়",LLLL:"dddd, D MMMM YYYY, A h:mm সময়"},calendar:{sameDay:"[আজ] LT",nextDay:"[আগামীকাল] LT",nextWeek:"dddd, LT",lastDay:"[গতকাল] LT",lastWeek:"[গত] dddd, LT",sameElse:"L"},relativeTime:{future:"%s পরে",past:"%s আগে",s:"কয়েক সেকেন্ড",ss:"%d সেকেন্ড",m:"এক মিনিট",mm:"%d মিনিট",h:"এক ঘন্টা",hh:"%d ঘন্টা",d:"এক দিন",dd:"%d দিন",M:"এক মাস",MM:"%d মাস",y:"এক বছর",yy:"%d বছর"},preparse:function(e){return e.replace(/[১২৩৪৫৬৭৮৯০]/g,(function(e){return n[e]}))},postformat:function(e){return e.replace(/\d/g,(function(e){return t[e]}))},meridiemParse:/রাত|সকাল|দুপুর|বিকাল|রাত/,meridiemHour:function(e,t){return 12===e&&(e=0),"রাত"===t&&e>=4||"দুপুর"===t&&e<5||"বিকাল"===t?e+12:e},meridiem:function(e,t,n){return e<4?"রাত":e<10?"সকাল":e<17?"দুপুর":e<20?"বিকাল":"রাত"},week:{dow:0,doy:6}})}(n(381))},1560:function(e,t,n){!function(e){"use strict";var t={1:"༡",2:"༢",3:"༣",4:"༤",5:"༥",6:"༦",7:"༧",8:"༨",9:"༩",0:"༠"},n={"༡":"1","༢":"2","༣":"3","༤":"4","༥":"5","༦":"6","༧":"7","༨":"8","༩":"9","༠":"0"};e.defineLocale("bo",{months:"ཟླ་བ་དང་པོ_ཟླ་བ་གཉིས་པ_ཟླ་བ་གསུམ་པ_ཟླ་བ་བཞི་པ_ཟླ་བ་ལྔ་པ_ཟླ་བ་དྲུག་པ_ཟླ་བ་བདུན་པ_ཟླ་བ་བརྒྱད་པ_ཟླ་བ་དགུ་པ_ཟླ་བ་བཅུ་པ_ཟླ་བ་བཅུ་གཅིག་པ_ཟླ་བ་བཅུ་གཉིས་པ".split("_"),monthsShort:"ཟླ་1_ཟླ་2_ཟླ་3_ཟླ་4_ཟླ་5_ཟླ་6_ཟླ་7_ཟླ་8_ཟླ་9_ཟླ་10_ཟླ་11_ཟླ་12".split("_"),monthsShortRegex:/^(ཟླ་\d{1,2})/,monthsParseExact:!0,weekdays:"གཟའ་ཉི་མ་_གཟའ་ཟླ་བ་_གཟའ་མིག་དམར་_གཟའ་ལྷག་པ་_གཟའ་ཕུར་བུ_གཟའ་པ་སངས་_གཟའ་སྤེན་པ་".split("_"),weekdaysShort:"ཉི་མ་_ཟླ་བ་_མིག་དམར་_ལྷག་པ་_ཕུར་བུ_པ་སངས་_སྤེན་པ་".split("_"),weekdaysMin:"ཉི_ཟླ_མིག_ལྷག_ཕུར_སངས_སྤེན".split("_"),longDateFormat:{LT:"A h:mm",LTS:"A h:mm:ss",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY, A h:mm",LLLL:"dddd, D MMMM YYYY, A h:mm"},calendar:{sameDay:"[དི་རིང] LT",nextDay:"[སང་ཉིན] LT",nextWeek:"[བདུན་ཕྲག་རྗེས་མ], LT",lastDay:"[ཁ་སང] LT",lastWeek:"[བདུན་ཕྲག་མཐའ་མ] dddd, LT",sameElse:"L"},relativeTime:{future:"%s ལ་",past:"%s སྔན་ལ",s:"ལམ་སང",ss:"%d སྐར་ཆ།",m:"སྐར་མ་གཅིག",mm:"%d སྐར་མ",h:"ཆུ་ཚོད་གཅིག",hh:"%d ཆུ་ཚོད",d:"ཉིན་གཅིག",dd:"%d ཉིན་",M:"ཟླ་བ་གཅིག",MM:"%d ཟླ་བ",y:"ལོ་གཅིག",yy:"%d ལོ"},preparse:function(e){return e.replace(/[༡༢༣༤༥༦༧༨༩༠]/g,(function(e){return n[e]}))},postformat:function(e){return e.replace(/\d/g,(function(e){return t[e]}))},meridiemParse:/མཚན་མོ|ཞོགས་ཀས|ཉིན་གུང|དགོང་དག|མཚན་མོ/,meridiemHour:function(e,t){return 12===e&&(e=0),"མཚན་མོ"===t&&e>=4||"ཉིན་གུང"===t&&e<5||"དགོང་དག"===t?e+12:e},meridiem:function(e,t,n){return e<4?"མཚན་མོ":e<10?"ཞོགས་ཀས":e<17?"ཉིན་གུང":e<20?"དགོང་དག":"མཚན་མོ"},week:{dow:0,doy:6}})}(n(381))},1278:function(e,t,n){!function(e){"use strict";function t(e,t,n){return e+" "+o({mm:"munutenn",MM:"miz",dd:"devezh"}[n],e)}function n(e){switch(r(e)){case 1:case 3:case 4:case 5:case 9:return e+" bloaz";default:return e+" vloaz"}}function r(e){return e>9?r(e%10):e}function o(e,t){return 2===t?a(e):e}function a(e){var t={m:"v",b:"v",d:"z"};return void 0===t[e.charAt(0)]?e:t[e.charAt(0)]+e.substring(1)}var i=[/^gen/i,/^c[ʼ\']hwe/i,/^meu/i,/^ebr/i,/^mae/i,/^(mez|eve)/i,/^gou/i,/^eos/i,/^gwe/i,/^her/i,/^du/i,/^ker/i],s=/^(genver|c[ʼ\']hwevrer|meurzh|ebrel|mae|mezheven|gouere|eost|gwengolo|here|du|kerzu|gen|c[ʼ\']hwe|meu|ebr|mae|eve|gou|eos|gwe|her|du|ker)/i,l=/^(genver|c[ʼ\']hwevrer|meurzh|ebrel|mae|mezheven|gouere|eost|gwengolo|here|du|kerzu)/i,c=/^(gen|c[ʼ\']hwe|meu|ebr|mae|eve|gou|eos|gwe|her|du|ker)/i,u=[/^sul/i,/^lun/i,/^meurzh/i,/^merc[ʼ\']her/i,/^yaou/i,/^gwener/i,/^sadorn/i],d=[/^Sul/i,/^Lun/i,/^Meu/i,/^Mer/i,/^Yao/i,/^Gwe/i,/^Sad/i],p=[/^Su/i,/^Lu/i,/^Me([^r]|$)/i,/^Mer/i,/^Ya/i,/^Gw/i,/^Sa/i];e.defineLocale("br",{months:"Genver_Cʼhwevrer_Meurzh_Ebrel_Mae_Mezheven_Gouere_Eost_Gwengolo_Here_Du_Kerzu".split("_"),monthsShort:"Gen_Cʼhwe_Meu_Ebr_Mae_Eve_Gou_Eos_Gwe_Her_Du_Ker".split("_"),weekdays:"Sul_Lun_Meurzh_Mercʼher_Yaou_Gwener_Sadorn".split("_"),weekdaysShort:"Sul_Lun_Meu_Mer_Yao_Gwe_Sad".split("_"),weekdaysMin:"Su_Lu_Me_Mer_Ya_Gw_Sa".split("_"),weekdaysParse:p,fullWeekdaysParse:u,shortWeekdaysParse:d,minWeekdaysParse:p,monthsRegex:s,monthsShortRegex:s,monthsStrictRegex:l,monthsShortStrictRegex:c,monthsParse:i,longMonthsParse:i,shortMonthsParse:i,longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD/MM/YYYY",LL:"D [a viz] MMMM YYYY",LLL:"D [a viz] MMMM YYYY HH:mm",LLLL:"dddd, D [a viz] MMMM YYYY HH:mm"},calendar:{sameDay:"[Hiziv da] LT",nextDay:"[Warcʼhoazh da] LT",nextWeek:"dddd [da] LT",lastDay:"[Decʼh da] LT",lastWeek:"dddd [paset da] LT",sameElse:"L"},relativeTime:{future:"a-benn %s",past:"%s ʼzo",s:"un nebeud segondennoù",ss:"%d eilenn",m:"ur vunutenn",mm:t,h:"un eur",hh:"%d eur",d:"un devezh",dd:t,M:"ur miz",MM:t,y:"ur bloaz",yy:n},dayOfMonthOrdinalParse:/\d{1,2}(añ|vet)/,ordinal:function(e){return e+(1===e?"añ":"vet")},week:{dow:1,doy:4},meridiemParse:/a.m.|g.m./,isPM:function(e){return"g.m."===e},meridiem:function(e,t,n){return e<12?"a.m.":"g.m."}})}(n(381))},622:function(e,t,n){!function(e){"use strict";function t(e,t,n){var r=e+" ";switch(n){case"ss":return r+=1===e?"sekunda":2===e||3===e||4===e?"sekunde":"sekundi";case"m":return t?"jedna minuta":"jedne minute";case"mm":return r+=1===e?"minuta":2===e||3===e||4===e?"minute":"minuta";case"h":return t?"jedan sat":"jednog sata";case"hh":return r+=1===e?"sat":2===e||3===e||4===e?"sata":"sati";case"dd":return r+=1===e?"dan":"dana";case"MM":return r+=1===e?"mjesec":2===e||3===e||4===e?"mjeseca":"mjeseci";case"yy":return r+=1===e?"godina":2===e||3===e||4===e?"godine":"godina"}}e.defineLocale("bs",{months:"januar_februar_mart_april_maj_juni_juli_august_septembar_oktobar_novembar_decembar".split("_"),monthsShort:"jan._feb._mar._apr._maj._jun._jul._aug._sep._okt._nov._dec.".split("_"),monthsParseExact:!0,weekdays:"nedjelja_ponedjeljak_utorak_srijeda_četvrtak_petak_subota".split("_"),weekdaysShort:"ned._pon._uto._sri._čet._pet._sub.".split("_"),weekdaysMin:"ne_po_ut_sr_če_pe_su".split("_"),weekdaysParseExact:!0,longDateFormat:{LT:"H:mm",LTS:"H:mm:ss",L:"DD.MM.YYYY",LL:"D. MMMM YYYY",LLL:"D. MMMM YYYY H:mm",LLLL:"dddd, D. MMMM YYYY H:mm"},calendar:{sameDay:"[danas u] LT",nextDay:"[sutra u] LT",nextWeek:function(){switch(this.day()){case 0:return"[u] [nedjelju] [u] LT";case 3:return"[u] [srijedu] [u] LT";case 6:return"[u] [subotu] [u] LT";case 1:case 2:case 4:case 5:return"[u] dddd [u] LT"}},lastDay:"[jučer u] LT",lastWeek:function(){switch(this.day()){case 0:case 3:return"[prošlu] dddd [u] LT";case 6:return"[prošle] [subote] [u] LT";case 1:case 2:case 4:case 5:return"[prošli] dddd [u] LT"}},sameElse:"L"},relativeTime:{future:"za %s",past:"prije %s",s:"par sekundi",ss:t,m:t,mm:t,h:t,hh:t,d:"dan",dd:t,M:"mjesec",MM:t,y:"godinu",yy:t},dayOfMonthOrdinalParse:/\d{1,2}\./,ordinal:"%d.",week:{dow:1,doy:7}})}(n(381))},2468:function(e,t,n){!function(e){"use strict";e.defineLocale("ca",{months:{standalone:"gener_febrer_març_abril_maig_juny_juliol_agost_setembre_octubre_novembre_desembre".split("_"),format:"de gener_de febrer_de març_d'abril_de maig_de juny_de juliol_d'agost_de setembre_d'octubre_de novembre_de desembre".split("_"),isFormat:/D[oD]?(\s)+MMMM/},monthsShort:"gen._febr._març_abr._maig_juny_jul._ag._set._oct._nov._des.".split("_"),monthsParseExact:!0,weekdays:"diumenge_dilluns_dimarts_dimecres_dijous_divendres_dissabte".split("_"),weekdaysShort:"dg._dl._dt._dc._dj._dv._ds.".split("_"),weekdaysMin:"dg_dl_dt_dc_dj_dv_ds".split("_"),weekdaysParseExact:!0,longDateFormat:{LT:"H:mm",LTS:"H:mm:ss",L:"DD/MM/YYYY",LL:"D MMMM [de] YYYY",ll:"D MMM YYYY",LLL:"D MMMM [de] YYYY [a les] H:mm",lll:"D MMM YYYY, H:mm",LLLL:"dddd D MMMM [de] YYYY [a les] H:mm",llll:"ddd D MMM YYYY, H:mm"},calendar:{sameDay:function(){return"[avui a "+(1!==this.hours()?"les":"la")+"] LT"},nextDay:function(){return"[demà a "+(1!==this.hours()?"les":"la")+"] LT"},nextWeek:function(){return"dddd [a "+(1!==this.hours()?"les":"la")+"] LT"},lastDay:function(){return"[ahir a "+(1!==this.hours()?"les":"la")+"] LT"},lastWeek:function(){return"[el] dddd [passat a "+(1!==this.hours()?"les":"la")+"] LT"},sameElse:"L"},relativeTime:{future:"d'aquí %s",past:"fa %s",s:"uns segons",ss:"%d segons",m:"un minut",mm:"%d minuts",h:"una hora",hh:"%d hores",d:"un dia",dd:"%d dies",M:"un mes",MM:"%d mesos",y:"un any",yy:"%d anys"},dayOfMonthOrdinalParse:/\d{1,2}(r|n|t|è|a)/,ordinal:function(e,t){var n=1===e?"r":2===e?"n":3===e?"r":4===e?"t":"è";return"w"!==t&&"W"!==t||(n="a"),e+n},week:{dow:1,doy:4}})}(n(381))},5822:function(e,t,n){!function(e){"use strict";var t="leden_únor_březen_duben_květen_červen_červenec_srpen_září_říjen_listopad_prosinec".split("_"),n="led_úno_bře_dub_kvě_čvn_čvc_srp_zář_říj_lis_pro".split("_"),r=[/^led/i,/^úno/i,/^bře/i,/^dub/i,/^kvě/i,/^(čvn|červen$|června)/i,/^(čvc|červenec|července)/i,/^srp/i,/^zář/i,/^říj/i,/^lis/i,/^pro/i],o=/^(leden|únor|březen|duben|květen|červenec|července|červen|června|srpen|září|říjen|listopad|prosinec|led|úno|bře|dub|kvě|čvn|čvc|srp|zář|říj|lis|pro)/i;function a(e){return e>1&&e<5&&1!=~~(e/10)}function i(e,t,n,r){var o=e+" ";switch(n){case"s":return t||r?"pár sekund":"pár sekundami";case"ss":return t||r?o+(a(e)?"sekundy":"sekund"):o+"sekundami";case"m":return t?"minuta":r?"minutu":"minutou";case"mm":return t||r?o+(a(e)?"minuty":"minut"):o+"minutami";case"h":return t?"hodina":r?"hodinu":"hodinou";case"hh":return t||r?o+(a(e)?"hodiny":"hodin"):o+"hodinami";case"d":return t||r?"den":"dnem";case"dd":return t||r?o+(a(e)?"dny":"dní"):o+"dny";case"M":return t||r?"měsíc":"měsícem";case"MM":return t||r?o+(a(e)?"měsíce":"měsíců"):o+"měsíci";case"y":return t||r?"rok":"rokem";case"yy":return t||r?o+(a(e)?"roky":"let"):o+"lety"}}e.defineLocale("cs",{months:t,monthsShort:n,monthsRegex:o,monthsShortRegex:o,monthsStrictRegex:/^(leden|ledna|února|únor|březen|března|duben|dubna|květen|května|červenec|července|červen|června|srpen|srpna|září|říjen|října|listopadu|listopad|prosinec|prosince)/i,monthsShortStrictRegex:/^(led|úno|bře|dub|kvě|čvn|čvc|srp|zář|říj|lis|pro)/i,monthsParse:r,longMonthsParse:r,shortMonthsParse:r,weekdays:"neděle_pondělí_úterý_středa_čtvrtek_pátek_sobota".split("_"),weekdaysShort:"ne_po_út_st_čt_pá_so".split("_"),weekdaysMin:"ne_po_út_st_čt_pá_so".split("_"),longDateFormat:{LT:"H:mm",LTS:"H:mm:ss",L:"DD.MM.YYYY",LL:"D. MMMM YYYY",LLL:"D. MMMM YYYY H:mm",LLLL:"dddd D. MMMM YYYY H:mm",l:"D. M. YYYY"},calendar:{sameDay:"[dnes v] LT",nextDay:"[zítra v] LT",nextWeek:function(){switch(this.day()){case 0:return"[v neděli v] LT";case 1:case 2:return"[v] dddd [v] LT";case 3:return"[ve středu v] LT";case 4:return"[ve čtvrtek v] LT";case 5:return"[v pátek v] LT";case 6:return"[v sobotu v] LT"}},lastDay:"[včera v] LT",lastWeek:function(){switch(this.day()){case 0:return"[minulou neděli v] LT";case 1:case 2:return"[minulé] dddd [v] LT";case 3:return"[minulou středu v] LT";case 4:case 5:return"[minulý] dddd [v] LT";case 6:return"[minulou sobotu v] LT"}},sameElse:"L"},relativeTime:{future:"za %s",past:"před %s",s:i,ss:i,m:i,mm:i,h:i,hh:i,d:i,dd:i,M:i,MM:i,y:i,yy:i},dayOfMonthOrdinalParse:/\d{1,2}\./,ordinal:"%d.",week:{dow:1,doy:4}})}(n(381))},877:function(e,t,n){!function(e){"use strict";e.defineLocale("cv",{months:"кӑрлач_нарӑс_пуш_ака_май_ҫӗртме_утӑ_ҫурла_авӑн_юпа_чӳк_раштав".split("_"),monthsShort:"кӑр_нар_пуш_ака_май_ҫӗр_утӑ_ҫур_авн_юпа_чӳк_раш".split("_"),weekdays:"вырсарникун_тунтикун_ытларикун_юнкун_кӗҫнерникун_эрнекун_шӑматкун".split("_"),weekdaysShort:"выр_тун_ытл_юн_кӗҫ_эрн_шӑм".split("_"),weekdaysMin:"вр_тн_ыт_юн_кҫ_эр_шм".split("_"),longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD-MM-YYYY",LL:"YYYY [ҫулхи] MMMM [уйӑхӗн] D[-мӗшӗ]",LLL:"YYYY [ҫулхи] MMMM [уйӑхӗн] D[-мӗшӗ], HH:mm",LLLL:"dddd, YYYY [ҫулхи] MMMM [уйӑхӗн] D[-мӗшӗ], HH:mm"},calendar:{sameDay:"[Паян] LT [сехетре]",nextDay:"[Ыран] LT [сехетре]",lastDay:"[Ӗнер] LT [сехетре]",nextWeek:"[Ҫитес] dddd LT [сехетре]",lastWeek:"[Иртнӗ] dddd LT [сехетре]",sameElse:"L"},relativeTime:{future:function(e){return e+(/сехет$/i.exec(e)?"рен":/ҫул$/i.exec(e)?"тан":"ран")},past:"%s каялла",s:"пӗр-ик ҫеккунт",ss:"%d ҫеккунт",m:"пӗр минут",mm:"%d минут",h:"пӗр сехет",hh:"%d сехет",d:"пӗр кун",dd:"%d кун",M:"пӗр уйӑх",MM:"%d уйӑх",y:"пӗр ҫул",yy:"%d ҫул"},dayOfMonthOrdinalParse:/\d{1,2}-мӗш/,ordinal:"%d-мӗш",week:{dow:1,doy:7}})}(n(381))},7373:function(e,t,n){!function(e){"use strict";e.defineLocale("cy",{months:"Ionawr_Chwefror_Mawrth_Ebrill_Mai_Mehefin_Gorffennaf_Awst_Medi_Hydref_Tachwedd_Rhagfyr".split("_"),monthsShort:"Ion_Chwe_Maw_Ebr_Mai_Meh_Gor_Aws_Med_Hyd_Tach_Rhag".split("_"),weekdays:"Dydd Sul_Dydd Llun_Dydd Mawrth_Dydd Mercher_Dydd Iau_Dydd Gwener_Dydd Sadwrn".split("_"),weekdaysShort:"Sul_Llun_Maw_Mer_Iau_Gwe_Sad".split("_"),weekdaysMin:"Su_Ll_Ma_Me_Ia_Gw_Sa".split("_"),weekdaysParseExact:!0,longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY HH:mm",LLLL:"dddd, D MMMM YYYY HH:mm"},calendar:{sameDay:"[Heddiw am] LT",nextDay:"[Yfory am] LT",nextWeek:"dddd [am] LT",lastDay:"[Ddoe am] LT",lastWeek:"dddd [diwethaf am] LT",sameElse:"L"},relativeTime:{future:"mewn %s",past:"%s yn ôl",s:"ychydig eiliadau",ss:"%d eiliad",m:"munud",mm:"%d munud",h:"awr",hh:"%d awr",d:"diwrnod",dd:"%d diwrnod",M:"mis",MM:"%d mis",y:"blwyddyn",yy:"%d flynedd"},dayOfMonthOrdinalParse:/\d{1,2}(fed|ain|af|il|ydd|ed|eg)/,ordinal:function(e){var t="";return e>20?t=40===e||50===e||60===e||80===e||100===e?"fed":"ain":e>0&&(t=["","af","il","ydd","ydd","ed","ed","ed","fed","fed","fed","eg","fed","eg","eg","fed","eg","eg","fed","eg","fed"][e]),e+t},week:{dow:1,doy:4}})}(n(381))},4780:function(e,t,n){!function(e){"use strict";e.defineLocale("da",{months:"januar_februar_marts_april_maj_juni_juli_august_september_oktober_november_december".split("_"),monthsShort:"jan_feb_mar_apr_maj_jun_jul_aug_sep_okt_nov_dec".split("_"),weekdays:"søndag_mandag_tirsdag_onsdag_torsdag_fredag_lørdag".split("_"),weekdaysShort:"søn_man_tir_ons_tor_fre_lør".split("_"),weekdaysMin:"sø_ma_ti_on_to_fr_lø".split("_"),longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD.MM.YYYY",LL:"D. MMMM YYYY",LLL:"D. MMMM YYYY HH:mm",LLLL:"dddd [d.] D. MMMM YYYY [kl.] HH:mm"},calendar:{sameDay:"[i dag kl.] LT",nextDay:"[i morgen kl.] LT",nextWeek:"på dddd [kl.] LT",lastDay:"[i går kl.] LT",lastWeek:"[i] dddd[s kl.] LT",sameElse:"L"},relativeTime:{future:"om %s",past:"%s siden",s:"få sekunder",ss:"%d sekunder",m:"et minut",mm:"%d minutter",h:"en time",hh:"%d timer",d:"en dag",dd:"%d dage",M:"en måned",MM:"%d måneder",y:"et år",yy:"%d år"},dayOfMonthOrdinalParse:/\d{1,2}\./,ordinal:"%d.",week:{dow:1,doy:4}})}(n(381))},217:function(e,t,n){!function(e){"use strict";function t(e,t,n,r){var o={m:["eine Minute","einer Minute"],h:["eine Stunde","einer Stunde"],d:["ein Tag","einem Tag"],dd:[e+" Tage",e+" Tagen"],w:["eine Woche","einer Woche"],M:["ein Monat","einem Monat"],MM:[e+" Monate",e+" Monaten"],y:["ein Jahr","einem Jahr"],yy:[e+" Jahre",e+" Jahren"]};return t?o[n][0]:o[n][1]}e.defineLocale("de-at",{months:"Jänner_Februar_März_April_Mai_Juni_Juli_August_September_Oktober_November_Dezember".split("_"),monthsShort:"Jän._Feb._März_Apr._Mai_Juni_Juli_Aug._Sep._Okt._Nov._Dez.".split("_"),monthsParseExact:!0,weekdays:"Sonntag_Montag_Dienstag_Mittwoch_Donnerstag_Freitag_Samstag".split("_"),weekdaysShort:"So._Mo._Di._Mi._Do._Fr._Sa.".split("_"),weekdaysMin:"So_Mo_Di_Mi_Do_Fr_Sa".split("_"),weekdaysParseExact:!0,longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD.MM.YYYY",LL:"D. MMMM YYYY",LLL:"D. MMMM YYYY HH:mm",LLLL:"dddd, D. MMMM YYYY HH:mm"},calendar:{sameDay:"[heute um] LT [Uhr]",sameElse:"L",nextDay:"[morgen um] LT [Uhr]",nextWeek:"dddd [um] LT [Uhr]",lastDay:"[gestern um] LT [Uhr]",lastWeek:"[letzten] dddd [um] LT [Uhr]"},relativeTime:{future:"in %s",past:"vor %s",s:"ein paar Sekunden",ss:"%d Sekunden",m:t,mm:"%d Minuten",h:t,hh:"%d Stunden",d:t,dd:t,w:t,ww:"%d Wochen",M:t,MM:t,y:t,yy:t},dayOfMonthOrdinalParse:/\d{1,2}\./,ordinal:"%d.",week:{dow:1,doy:4}})}(n(381))},894:function(e,t,n){!function(e){"use strict";function t(e,t,n,r){var o={m:["eine Minute","einer Minute"],h:["eine Stunde","einer Stunde"],d:["ein Tag","einem Tag"],dd:[e+" Tage",e+" Tagen"],w:["eine Woche","einer Woche"],M:["ein Monat","einem Monat"],MM:[e+" Monate",e+" Monaten"],y:["ein Jahr","einem Jahr"],yy:[e+" Jahre",e+" Jahren"]};return t?o[n][0]:o[n][1]}e.defineLocale("de-ch",{months:"Januar_Februar_März_April_Mai_Juni_Juli_August_September_Oktober_November_Dezember".split("_"),monthsShort:"Jan._Feb._März_Apr._Mai_Juni_Juli_Aug._Sep._Okt._Nov._Dez.".split("_"),monthsParseExact:!0,weekdays:"Sonntag_Montag_Dienstag_Mittwoch_Donnerstag_Freitag_Samstag".split("_"),weekdaysShort:"So_Mo_Di_Mi_Do_Fr_Sa".split("_"),weekdaysMin:"So_Mo_Di_Mi_Do_Fr_Sa".split("_"),weekdaysParseExact:!0,longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD.MM.YYYY",LL:"D. MMMM YYYY",LLL:"D. MMMM YYYY HH:mm",LLLL:"dddd, D. MMMM YYYY HH:mm"},calendar:{sameDay:"[heute um] LT [Uhr]",sameElse:"L",nextDay:"[morgen um] LT [Uhr]",nextWeek:"dddd [um] LT [Uhr]",lastDay:"[gestern um] LT [Uhr]",lastWeek:"[letzten] dddd [um] LT [Uhr]"},relativeTime:{future:"in %s",past:"vor %s",s:"ein paar Sekunden",ss:"%d Sekunden",m:t,mm:"%d Minuten",h:t,hh:"%d Stunden",d:t,dd:t,w:t,ww:"%d Wochen",M:t,MM:t,y:t,yy:t},dayOfMonthOrdinalParse:/\d{1,2}\./,ordinal:"%d.",week:{dow:1,doy:4}})}(n(381))},9740:function(e,t,n){!function(e){"use strict";function t(e,t,n,r){var o={m:["eine Minute","einer Minute"],h:["eine Stunde","einer Stunde"],d:["ein Tag","einem Tag"],dd:[e+" Tage",e+" Tagen"],w:["eine Woche","einer Woche"],M:["ein Monat","einem Monat"],MM:[e+" Monate",e+" Monaten"],y:["ein Jahr","einem Jahr"],yy:[e+" Jahre",e+" Jahren"]};return t?o[n][0]:o[n][1]}e.defineLocale("de",{months:"Januar_Februar_März_April_Mai_Juni_Juli_August_September_Oktober_November_Dezember".split("_"),monthsShort:"Jan._Feb._März_Apr._Mai_Juni_Juli_Aug._Sep._Okt._Nov._Dez.".split("_"),monthsParseExact:!0,weekdays:"Sonntag_Montag_Dienstag_Mittwoch_Donnerstag_Freitag_Samstag".split("_"),weekdaysShort:"So._Mo._Di._Mi._Do._Fr._Sa.".split("_"),weekdaysMin:"So_Mo_Di_Mi_Do_Fr_Sa".split("_"),weekdaysParseExact:!0,longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD.MM.YYYY",LL:"D. MMMM YYYY",LLL:"D. MMMM YYYY HH:mm",LLLL:"dddd, D. MMMM YYYY HH:mm"},calendar:{sameDay:"[heute um] LT [Uhr]",sameElse:"L",nextDay:"[morgen um] LT [Uhr]",nextWeek:"dddd [um] LT [Uhr]",lastDay:"[gestern um] LT [Uhr]",lastWeek:"[letzten] dddd [um] LT [Uhr]"},relativeTime:{future:"in %s",past:"vor %s",s:"ein paar Sekunden",ss:"%d Sekunden",m:t,mm:"%d Minuten",h:t,hh:"%d Stunden",d:t,dd:t,w:t,ww:"%d Wochen",M:t,MM:t,y:t,yy:t},dayOfMonthOrdinalParse:/\d{1,2}\./,ordinal:"%d.",week:{dow:1,doy:4}})}(n(381))},5300:function(e,t,n){!function(e){"use strict";var t=["ޖެނުއަރީ","ފެބްރުއަރީ","މާރިޗު","އޭޕްރީލު","މޭ","ޖޫން","ޖުލައި","އޯގަސްޓު","ސެޕްޓެމްބަރު","އޮކްޓޯބަރު","ނޮވެމްބަރު","ޑިސެމްބަރު"],n=["އާދިއްތަ","ހޯމަ","އަންގާރަ","ބުދަ","ބުރާސްފަތި","ހުކުރު","ހޮނިހިރު"];e.defineLocale("dv",{months:t,monthsShort:t,weekdays:n,weekdaysShort:n,weekdaysMin:"އާދި_ހޯމަ_އަން_ބުދަ_ބުރާ_ހުކު_ހޮނި".split("_"),longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"D/M/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY HH:mm",LLLL:"dddd D MMMM YYYY HH:mm"},meridiemParse:/މކ|މފ/,isPM:function(e){return"މފ"===e},meridiem:function(e,t,n){return e<12?"މކ":"މފ"},calendar:{sameDay:"[މިއަދު] LT",nextDay:"[މާދަމާ] LT",nextWeek:"dddd LT",lastDay:"[އިއްޔެ] LT",lastWeek:"[ފާއިތުވި] dddd LT",sameElse:"L"},relativeTime:{future:"ތެރޭގައި %s",past:"ކުރިން %s",s:"ސިކުންތުކޮޅެއް",ss:"d% ސިކުންތު",m:"މިނިޓެއް",mm:"މިނިޓު %d",h:"ގަޑިއިރެއް",hh:"ގަޑިއިރު %d",d:"ދުވަހެއް",dd:"ދުވަސް %d",M:"މަހެއް",MM:"މަސް %d",y:"އަހަރެއް",yy:"އަހަރު %d"},preparse:function(e){return e.replace(/،/g,",")},postformat:function(e){return e.replace(/,/g,"،")},week:{dow:7,doy:12}})}(n(381))},837:function(e,t,n){!function(e){"use strict";function t(e){return"undefined"!=typeof Function&&e instanceof Function||"[object Function]"===Object.prototype.toString.call(e)}e.defineLocale("el",{monthsNominativeEl:"Ιανουάριος_Φεβρουάριος_Μάρτιος_Απρίλιος_Μάιος_Ιούνιος_Ιούλιος_Αύγουστος_Σεπτέμβριος_Οκτώβριος_Νοέμβριος_Δεκέμβριος".split("_"),monthsGenitiveEl:"Ιανουαρίου_Φεβρουαρίου_Μαρτίου_Απριλίου_Μαΐου_Ιουνίου_Ιουλίου_Αυγούστου_Σεπτεμβρίου_Οκτωβρίου_Νοεμβρίου_Δεκεμβρίου".split("_"),months:function(e,t){return e?"string"==typeof t&&/D/.test(t.substring(0,t.indexOf("MMMM")))?this._monthsGenitiveEl[e.month()]:this._monthsNominativeEl[e.month()]:this._monthsNominativeEl},monthsShort:"Ιαν_Φεβ_Μαρ_Απρ_Μαϊ_Ιουν_Ιουλ_Αυγ_Σεπ_Οκτ_Νοε_Δεκ".split("_"),weekdays:"Κυριακή_Δευτέρα_Τρίτη_Τετάρτη_Πέμπτη_Παρασκευή_Σάββατο".split("_"),weekdaysShort:"Κυρ_Δευ_Τρι_Τετ_Πεμ_Παρ_Σαβ".split("_"),weekdaysMin:"Κυ_Δε_Τρ_Τε_Πε_Πα_Σα".split("_"),meridiem:function(e,t,n){return e>11?n?"μμ":"ΜΜ":n?"πμ":"ΠΜ"},isPM:function(e){return"μ"===(e+"").toLowerCase()[0]},meridiemParse:/[ΠΜ]\.?Μ?\.?/i,longDateFormat:{LT:"h:mm A",LTS:"h:mm:ss A",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY h:mm A",LLLL:"dddd, D MMMM YYYY h:mm A"},calendarEl:{sameDay:"[Σήμερα {}] LT",nextDay:"[Αύριο {}] LT",nextWeek:"dddd [{}] LT",lastDay:"[Χθες {}] LT",lastWeek:function(){switch(this.day()){case 6:return"[το προηγούμενο] dddd [{}] LT";default:return"[την προηγούμενη] dddd [{}] LT"}},sameElse:"L"},calendar:function(e,n){var r=this._calendarEl[e],o=n&&n.hours();return t(r)&&(r=r.apply(n)),r.replace("{}",o%12==1?"στη":"στις")},relativeTime:{future:"σε %s",past:"%s πριν",s:"λίγα δευτερόλεπτα",ss:"%d δευτερόλεπτα",m:"ένα λεπτό",mm:"%d λεπτά",h:"μία ώρα",hh:"%d ώρες",d:"μία μέρα",dd:"%d μέρες",M:"ένας μήνας",MM:"%d μήνες",y:"ένας χρόνος",yy:"%d χρόνια"},dayOfMonthOrdinalParse:/\d{1,2}η/,ordinal:"%dη",week:{dow:1,doy:4}})}(n(381))},8348:function(e,t,n){!function(e){"use strict";e.defineLocale("en-au",{months:"January_February_March_April_May_June_July_August_September_October_November_December".split("_"),monthsShort:"Jan_Feb_Mar_Apr_May_Jun_Jul_Aug_Sep_Oct_Nov_Dec".split("_"),weekdays:"Sunday_Monday_Tuesday_Wednesday_Thursday_Friday_Saturday".split("_"),weekdaysShort:"Sun_Mon_Tue_Wed_Thu_Fri_Sat".split("_"),weekdaysMin:"Su_Mo_Tu_We_Th_Fr_Sa".split("_"),longDateFormat:{LT:"h:mm A",LTS:"h:mm:ss A",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY h:mm A",LLLL:"dddd, D MMMM YYYY h:mm A"},calendar:{sameDay:"[Today at] LT",nextDay:"[Tomorrow at] LT",nextWeek:"dddd [at] LT",lastDay:"[Yesterday at] LT",lastWeek:"[Last] dddd [at] LT",sameElse:"L"},relativeTime:{future:"in %s",past:"%s ago",s:"a few seconds",ss:"%d seconds",m:"a minute",mm:"%d minutes",h:"an hour",hh:"%d hours",d:"a day",dd:"%d days",M:"a month",MM:"%d months",y:"a year",yy:"%d years"},dayOfMonthOrdinalParse:/\d{1,2}(st|nd|rd|th)/,ordinal:function(e){var t=e%10;return e+(1==~~(e%100/10)?"th":1===t?"st":2===t?"nd":3===t?"rd":"th")},week:{dow:0,doy:4}})}(n(381))},7925:function(e,t,n){!function(e){"use strict";e.defineLocale("en-ca",{months:"January_February_March_April_May_June_July_August_September_October_November_December".split("_"),monthsShort:"Jan_Feb_Mar_Apr_May_Jun_Jul_Aug_Sep_Oct_Nov_Dec".split("_"),weekdays:"Sunday_Monday_Tuesday_Wednesday_Thursday_Friday_Saturday".split("_"),weekdaysShort:"Sun_Mon_Tue_Wed_Thu_Fri_Sat".split("_"),weekdaysMin:"Su_Mo_Tu_We_Th_Fr_Sa".split("_"),longDateFormat:{LT:"h:mm A",LTS:"h:mm:ss A",L:"YYYY-MM-DD",LL:"MMMM D, YYYY",LLL:"MMMM D, YYYY h:mm A",LLLL:"dddd, MMMM D, YYYY h:mm A"},calendar:{sameDay:"[Today at] LT",nextDay:"[Tomorrow at] LT",nextWeek:"dddd [at] LT",lastDay:"[Yesterday at] LT",lastWeek:"[Last] dddd [at] LT",sameElse:"L"},relativeTime:{future:"in %s",past:"%s ago",s:"a few seconds",ss:"%d seconds",m:"a minute",mm:"%d minutes",h:"an hour",hh:"%d hours",d:"a day",dd:"%d days",M:"a month",MM:"%d months",y:"a year",yy:"%d years"},dayOfMonthOrdinalParse:/\d{1,2}(st|nd|rd|th)/,ordinal:function(e){var t=e%10;return e+(1==~~(e%100/10)?"th":1===t?"st":2===t?"nd":3===t?"rd":"th")}})}(n(381))},2243:function(e,t,n){!function(e){"use strict";e.defineLocale("en-gb",{months:"January_February_March_April_May_June_July_August_September_October_November_December".split("_"),monthsShort:"Jan_Feb_Mar_Apr_May_Jun_Jul_Aug_Sep_Oct_Nov_Dec".split("_"),weekdays:"Sunday_Monday_Tuesday_Wednesday_Thursday_Friday_Saturday".split("_"),weekdaysShort:"Sun_Mon_Tue_Wed_Thu_Fri_Sat".split("_"),weekdaysMin:"Su_Mo_Tu_We_Th_Fr_Sa".split("_"),longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY HH:mm",LLLL:"dddd, D MMMM YYYY HH:mm"},calendar:{sameDay:"[Today at] LT",nextDay:"[Tomorrow at] LT",nextWeek:"dddd [at] LT",lastDay:"[Yesterday at] LT",lastWeek:"[Last] dddd [at] LT",sameElse:"L"},relativeTime:{future:"in %s",past:"%s ago",s:"a few seconds",ss:"%d seconds",m:"a minute",mm:"%d minutes",h:"an hour",hh:"%d hours",d:"a day",dd:"%d days",M:"a month",MM:"%d months",y:"a year",yy:"%d years"},dayOfMonthOrdinalParse:/\d{1,2}(st|nd|rd|th)/,ordinal:function(e){var t=e%10;return e+(1==~~(e%100/10)?"th":1===t?"st":2===t?"nd":3===t?"rd":"th")},week:{dow:1,doy:4}})}(n(381))},6436:function(e,t,n){!function(e){"use strict";e.defineLocale("en-ie",{months:"January_February_March_April_May_June_July_August_September_October_November_December".split("_"),monthsShort:"Jan_Feb_Mar_Apr_May_Jun_Jul_Aug_Sep_Oct_Nov_Dec".split("_"),weekdays:"Sunday_Monday_Tuesday_Wednesday_Thursday_Friday_Saturday".split("_"),weekdaysShort:"Sun_Mon_Tue_Wed_Thu_Fri_Sat".split("_"),weekdaysMin:"Su_Mo_Tu_We_Th_Fr_Sa".split("_"),longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY HH:mm",LLLL:"dddd D MMMM YYYY HH:mm"},calendar:{sameDay:"[Today at] LT",nextDay:"[Tomorrow at] LT",nextWeek:"dddd [at] LT",lastDay:"[Yesterday at] LT",lastWeek:"[Last] dddd [at] LT",sameElse:"L"},relativeTime:{future:"in %s",past:"%s ago",s:"a few seconds",ss:"%d seconds",m:"a minute",mm:"%d minutes",h:"an hour",hh:"%d hours",d:"a day",dd:"%d days",M:"a month",MM:"%d months",y:"a year",yy:"%d years"},dayOfMonthOrdinalParse:/\d{1,2}(st|nd|rd|th)/,ordinal:function(e){var t=e%10;return e+(1==~~(e%100/10)?"th":1===t?"st":2===t?"nd":3===t?"rd":"th")},week:{dow:1,doy:4}})}(n(381))},7207:function(e,t,n){!function(e){"use strict";e.defineLocale("en-il",{months:"January_February_March_April_May_June_July_August_September_October_November_December".split("_"),monthsShort:"Jan_Feb_Mar_Apr_May_Jun_Jul_Aug_Sep_Oct_Nov_Dec".split("_"),weekdays:"Sunday_Monday_Tuesday_Wednesday_Thursday_Friday_Saturday".split("_"),weekdaysShort:"Sun_Mon_Tue_Wed_Thu_Fri_Sat".split("_"),weekdaysMin:"Su_Mo_Tu_We_Th_Fr_Sa".split("_"),longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY HH:mm",LLLL:"dddd, D MMMM YYYY HH:mm"},calendar:{sameDay:"[Today at] LT",nextDay:"[Tomorrow at] LT",nextWeek:"dddd [at] LT",lastDay:"[Yesterday at] LT",lastWeek:"[Last] dddd [at] LT",sameElse:"L"},relativeTime:{future:"in %s",past:"%s ago",s:"a few seconds",ss:"%d seconds",m:"a minute",mm:"%d minutes",h:"an hour",hh:"%d hours",d:"a day",dd:"%d days",M:"a month",MM:"%d months",y:"a year",yy:"%d years"},dayOfMonthOrdinalParse:/\d{1,2}(st|nd|rd|th)/,ordinal:function(e){var t=e%10;return e+(1==~~(e%100/10)?"th":1===t?"st":2===t?"nd":3===t?"rd":"th")}})}(n(381))},4175:function(e,t,n){!function(e){"use strict";e.defineLocale("en-in",{months:"January_February_March_April_May_June_July_August_September_October_November_December".split("_"),monthsShort:"Jan_Feb_Mar_Apr_May_Jun_Jul_Aug_Sep_Oct_Nov_Dec".split("_"),weekdays:"Sunday_Monday_Tuesday_Wednesday_Thursday_Friday_Saturday".split("_"),weekdaysShort:"Sun_Mon_Tue_Wed_Thu_Fri_Sat".split("_"),weekdaysMin:"Su_Mo_Tu_We_Th_Fr_Sa".split("_"),longDateFormat:{LT:"h:mm A",LTS:"h:mm:ss A",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY h:mm A",LLLL:"dddd, D MMMM YYYY h:mm A"},calendar:{sameDay:"[Today at] LT",nextDay:"[Tomorrow at] LT",nextWeek:"dddd [at] LT",lastDay:"[Yesterday at] LT",lastWeek:"[Last] dddd [at] LT",sameElse:"L"},relativeTime:{future:"in %s",past:"%s ago",s:"a few seconds",ss:"%d seconds",m:"a minute",mm:"%d minutes",h:"an hour",hh:"%d hours",d:"a day",dd:"%d days",M:"a month",MM:"%d months",y:"a year",yy:"%d years"},dayOfMonthOrdinalParse:/\d{1,2}(st|nd|rd|th)/,ordinal:function(e){var t=e%10;return e+(1==~~(e%100/10)?"th":1===t?"st":2===t?"nd":3===t?"rd":"th")},week:{dow:0,doy:6}})}(n(381))},6319:function(e,t,n){!function(e){"use strict";e.defineLocale("en-nz",{months:"January_February_March_April_May_June_July_August_September_October_November_December".split("_"),monthsShort:"Jan_Feb_Mar_Apr_May_Jun_Jul_Aug_Sep_Oct_Nov_Dec".split("_"),weekdays:"Sunday_Monday_Tuesday_Wednesday_Thursday_Friday_Saturday".split("_"),weekdaysShort:"Sun_Mon_Tue_Wed_Thu_Fri_Sat".split("_"),weekdaysMin:"Su_Mo_Tu_We_Th_Fr_Sa".split("_"),longDateFormat:{LT:"h:mm A",LTS:"h:mm:ss A",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY h:mm A",LLLL:"dddd, D MMMM YYYY h:mm A"},calendar:{sameDay:"[Today at] LT",nextDay:"[Tomorrow at] LT",nextWeek:"dddd [at] LT",lastDay:"[Yesterday at] LT",lastWeek:"[Last] dddd [at] LT",sameElse:"L"},relativeTime:{future:"in %s",past:"%s ago",s:"a few seconds",ss:"%d seconds",m:"a minute",mm:"%d minutes",h:"an hour",hh:"%d hours",d:"a day",dd:"%d days",M:"a month",MM:"%d months",y:"a year",yy:"%d years"},dayOfMonthOrdinalParse:/\d{1,2}(st|nd|rd|th)/,ordinal:function(e){var t=e%10;return e+(1==~~(e%100/10)?"th":1===t?"st":2===t?"nd":3===t?"rd":"th")},week:{dow:1,doy:4}})}(n(381))},1662:function(e,t,n){!function(e){"use strict";e.defineLocale("en-sg",{months:"January_February_March_April_May_June_July_August_September_October_November_December".split("_"),monthsShort:"Jan_Feb_Mar_Apr_May_Jun_Jul_Aug_Sep_Oct_Nov_Dec".split("_"),weekdays:"Sunday_Monday_Tuesday_Wednesday_Thursday_Friday_Saturday".split("_"),weekdaysShort:"Sun_Mon_Tue_Wed_Thu_Fri_Sat".split("_"),weekdaysMin:"Su_Mo_Tu_We_Th_Fr_Sa".split("_"),longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY HH:mm",LLLL:"dddd, D MMMM YYYY HH:mm"},calendar:{sameDay:"[Today at] LT",nextDay:"[Tomorrow at] LT",nextWeek:"dddd [at] LT",lastDay:"[Yesterday at] LT",lastWeek:"[Last] dddd [at] LT",sameElse:"L"},relativeTime:{future:"in %s",past:"%s ago",s:"a few seconds",ss:"%d seconds",m:"a minute",mm:"%d minutes",h:"an hour",hh:"%d hours",d:"a day",dd:"%d days",M:"a month",MM:"%d months",y:"a year",yy:"%d years"},dayOfMonthOrdinalParse:/\d{1,2}(st|nd|rd|th)/,ordinal:function(e){var t=e%10;return e+(1==~~(e%100/10)?"th":1===t?"st":2===t?"nd":3===t?"rd":"th")},week:{dow:1,doy:4}})}(n(381))},2915:function(e,t,n){!function(e){"use strict";e.defineLocale("eo",{months:"januaro_februaro_marto_aprilo_majo_junio_julio_aŭgusto_septembro_oktobro_novembro_decembro".split("_"),monthsShort:"jan_feb_mart_apr_maj_jun_jul_aŭg_sept_okt_nov_dec".split("_"),weekdays:"dimanĉo_lundo_mardo_merkredo_ĵaŭdo_vendredo_sabato".split("_"),weekdaysShort:"dim_lun_mard_merk_ĵaŭ_ven_sab".split("_"),weekdaysMin:"di_lu_ma_me_ĵa_ve_sa".split("_"),longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"YYYY-MM-DD",LL:"[la] D[-an de] MMMM, YYYY",LLL:"[la] D[-an de] MMMM, YYYY HH:mm",LLLL:"dddd[n], [la] D[-an de] MMMM, YYYY HH:mm",llll:"ddd, [la] D[-an de] MMM, YYYY HH:mm"},meridiemParse:/[ap]\.t\.m/i,isPM:function(e){return"p"===e.charAt(0).toLowerCase()},meridiem:function(e,t,n){return e>11?n?"p.t.m.":"P.T.M.":n?"a.t.m.":"A.T.M."},calendar:{sameDay:"[Hodiaŭ je] LT",nextDay:"[Morgaŭ je] LT",nextWeek:"dddd[n je] LT",lastDay:"[Hieraŭ je] LT",lastWeek:"[pasintan] dddd[n je] LT",sameElse:"L"},relativeTime:{future:"post %s",past:"antaŭ %s",s:"kelkaj sekundoj",ss:"%d sekundoj",m:"unu minuto",mm:"%d minutoj",h:"unu horo",hh:"%d horoj",d:"unu tago",dd:"%d tagoj",M:"unu monato",MM:"%d monatoj",y:"unu jaro",yy:"%d jaroj"},dayOfMonthOrdinalParse:/\d{1,2}a/,ordinal:"%da",week:{dow:1,doy:7}})}(n(381))},5251:function(e,t,n){!function(e){"use strict";var t="ene._feb._mar._abr._may._jun._jul._ago._sep._oct._nov._dic.".split("_"),n="ene_feb_mar_abr_may_jun_jul_ago_sep_oct_nov_dic".split("_"),r=[/^ene/i,/^feb/i,/^mar/i,/^abr/i,/^may/i,/^jun/i,/^jul/i,/^ago/i,/^sep/i,/^oct/i,/^nov/i,/^dic/i],o=/^(enero|febrero|marzo|abril|mayo|junio|julio|agosto|septiembre|octubre|noviembre|diciembre|ene\.?|feb\.?|mar\.?|abr\.?|may\.?|jun\.?|jul\.?|ago\.?|sep\.?|oct\.?|nov\.?|dic\.?)/i;e.defineLocale("es-do",{months:"enero_febrero_marzo_abril_mayo_junio_julio_agosto_septiembre_octubre_noviembre_diciembre".split("_"),monthsShort:function(e,r){return e?/-MMM-/.test(r)?n[e.month()]:t[e.month()]:t},monthsRegex:o,monthsShortRegex:o,monthsStrictRegex:/^(enero|febrero|marzo|abril|mayo|junio|julio|agosto|septiembre|octubre|noviembre|diciembre)/i,monthsShortStrictRegex:/^(ene\.?|feb\.?|mar\.?|abr\.?|may\.?|jun\.?|jul\.?|ago\.?|sep\.?|oct\.?|nov\.?|dic\.?)/i,monthsParse:r,longMonthsParse:r,shortMonthsParse:r,weekdays:"domingo_lunes_martes_miércoles_jueves_viernes_sábado".split("_"),weekdaysShort:"dom._lun._mar._mié._jue._vie._sáb.".split("_"),weekdaysMin:"do_lu_ma_mi_ju_vi_sá".split("_"),weekdaysParseExact:!0,longDateFormat:{LT:"h:mm A",LTS:"h:mm:ss A",L:"DD/MM/YYYY",LL:"D [de] MMMM [de] YYYY",LLL:"D [de] MMMM [de] YYYY h:mm A",LLLL:"dddd, D [de] MMMM [de] YYYY h:mm A"},calendar:{sameDay:function(){return"[hoy a la"+(1!==this.hours()?"s":"")+"] LT"},nextDay:function(){return"[mañana a la"+(1!==this.hours()?"s":"")+"] LT"},nextWeek:function(){return"dddd [a la"+(1!==this.hours()?"s":"")+"] LT"},lastDay:function(){return"[ayer a la"+(1!==this.hours()?"s":"")+"] LT"},lastWeek:function(){return"[el] dddd [pasado a la"+(1!==this.hours()?"s":"")+"] LT"},sameElse:"L"},relativeTime:{future:"en %s",past:"hace %s",s:"unos segundos",ss:"%d segundos",m:"un minuto",mm:"%d minutos",h:"una hora",hh:"%d horas",d:"un día",dd:"%d días",w:"una semana",ww:"%d semanas",M:"un mes",MM:"%d meses",y:"un año",yy:"%d años"},dayOfMonthOrdinalParse:/\d{1,2}º/,ordinal:"%dº",week:{dow:1,doy:4}})}(n(381))},6112:function(e,t,n){!function(e){"use strict";var t="ene._feb._mar._abr._may._jun._jul._ago._sep._oct._nov._dic.".split("_"),n="ene_feb_mar_abr_may_jun_jul_ago_sep_oct_nov_dic".split("_"),r=[/^ene/i,/^feb/i,/^mar/i,/^abr/i,/^may/i,/^jun/i,/^jul/i,/^ago/i,/^sep/i,/^oct/i,/^nov/i,/^dic/i],o=/^(enero|febrero|marzo|abril|mayo|junio|julio|agosto|septiembre|octubre|noviembre|diciembre|ene\.?|feb\.?|mar\.?|abr\.?|may\.?|jun\.?|jul\.?|ago\.?|sep\.?|oct\.?|nov\.?|dic\.?)/i;e.defineLocale("es-mx",{months:"enero_febrero_marzo_abril_mayo_junio_julio_agosto_septiembre_octubre_noviembre_diciembre".split("_"),monthsShort:function(e,r){return e?/-MMM-/.test(r)?n[e.month()]:t[e.month()]:t},monthsRegex:o,monthsShortRegex:o,monthsStrictRegex:/^(enero|febrero|marzo|abril|mayo|junio|julio|agosto|septiembre|octubre|noviembre|diciembre)/i,monthsShortStrictRegex:/^(ene\.?|feb\.?|mar\.?|abr\.?|may\.?|jun\.?|jul\.?|ago\.?|sep\.?|oct\.?|nov\.?|dic\.?)/i,monthsParse:r,longMonthsParse:r,shortMonthsParse:r,weekdays:"domingo_lunes_martes_miércoles_jueves_viernes_sábado".split("_"),weekdaysShort:"dom._lun._mar._mié._jue._vie._sáb.".split("_"),weekdaysMin:"do_lu_ma_mi_ju_vi_sá".split("_"),weekdaysParseExact:!0,longDateFormat:{LT:"H:mm",LTS:"H:mm:ss",L:"DD/MM/YYYY",LL:"D [de] MMMM [de] YYYY",LLL:"D [de] MMMM [de] YYYY H:mm",LLLL:"dddd, D [de] MMMM [de] YYYY H:mm"},calendar:{sameDay:function(){return"[hoy a la"+(1!==this.hours()?"s":"")+"] LT"},nextDay:function(){return"[mañana a la"+(1!==this.hours()?"s":"")+"] LT"},nextWeek:function(){return"dddd [a la"+(1!==this.hours()?"s":"")+"] LT"},lastDay:function(){return"[ayer a la"+(1!==this.hours()?"s":"")+"] LT"},lastWeek:function(){return"[el] dddd [pasado a la"+(1!==this.hours()?"s":"")+"] LT"},sameElse:"L"},relativeTime:{future:"en %s",past:"hace %s",s:"unos segundos",ss:"%d segundos",m:"un minuto",mm:"%d minutos",h:"una hora",hh:"%d horas",d:"un día",dd:"%d días",w:"una semana",ww:"%d semanas",M:"un mes",MM:"%d meses",y:"un año",yy:"%d años"},dayOfMonthOrdinalParse:/\d{1,2}º/,ordinal:"%dº",week:{dow:0,doy:4},invalidDate:"Fecha inválida"})}(n(381))},1146:function(e,t,n){!function(e){"use strict";var t="ene._feb._mar._abr._may._jun._jul._ago._sep._oct._nov._dic.".split("_"),n="ene_feb_mar_abr_may_jun_jul_ago_sep_oct_nov_dic".split("_"),r=[/^ene/i,/^feb/i,/^mar/i,/^abr/i,/^may/i,/^jun/i,/^jul/i,/^ago/i,/^sep/i,/^oct/i,/^nov/i,/^dic/i],o=/^(enero|febrero|marzo|abril|mayo|junio|julio|agosto|septiembre|octubre|noviembre|diciembre|ene\.?|feb\.?|mar\.?|abr\.?|may\.?|jun\.?|jul\.?|ago\.?|sep\.?|oct\.?|nov\.?|dic\.?)/i;e.defineLocale("es-us",{months:"enero_febrero_marzo_abril_mayo_junio_julio_agosto_septiembre_octubre_noviembre_diciembre".split("_"),monthsShort:function(e,r){return e?/-MMM-/.test(r)?n[e.month()]:t[e.month()]:t},monthsRegex:o,monthsShortRegex:o,monthsStrictRegex:/^(enero|febrero|marzo|abril|mayo|junio|julio|agosto|septiembre|octubre|noviembre|diciembre)/i,monthsShortStrictRegex:/^(ene\.?|feb\.?|mar\.?|abr\.?|may\.?|jun\.?|jul\.?|ago\.?|sep\.?|oct\.?|nov\.?|dic\.?)/i,monthsParse:r,longMonthsParse:r,shortMonthsParse:r,weekdays:"domingo_lunes_martes_miércoles_jueves_viernes_sábado".split("_"),weekdaysShort:"dom._lun._mar._mié._jue._vie._sáb.".split("_"),weekdaysMin:"do_lu_ma_mi_ju_vi_sá".split("_"),weekdaysParseExact:!0,longDateFormat:{LT:"h:mm A",LTS:"h:mm:ss A",L:"MM/DD/YYYY",LL:"D [de] MMMM [de] YYYY",LLL:"D [de] MMMM [de] YYYY h:mm A",LLLL:"dddd, D [de] MMMM [de] YYYY h:mm A"},calendar:{sameDay:function(){return"[hoy a la"+(1!==this.hours()?"s":"")+"] LT"},nextDay:function(){return"[mañana a la"+(1!==this.hours()?"s":"")+"] LT"},nextWeek:function(){return"dddd [a la"+(1!==this.hours()?"s":"")+"] LT"},lastDay:function(){return"[ayer a la"+(1!==this.hours()?"s":"")+"] LT"},lastWeek:function(){return"[el] dddd [pasado a la"+(1!==this.hours()?"s":"")+"] LT"},sameElse:"L"},relativeTime:{future:"en %s",past:"hace %s",s:"unos segundos",ss:"%d segundos",m:"un minuto",mm:"%d minutos",h:"una hora",hh:"%d horas",d:"un día",dd:"%d días",w:"una semana",ww:"%d semanas",M:"un mes",MM:"%d meses",y:"un año",yy:"%d años"},dayOfMonthOrdinalParse:/\d{1,2}º/,ordinal:"%dº",week:{dow:0,doy:6}})}(n(381))},5655:function(e,t,n){!function(e){"use strict";var t="ene._feb._mar._abr._may._jun._jul._ago._sep._oct._nov._dic.".split("_"),n="ene_feb_mar_abr_may_jun_jul_ago_sep_oct_nov_dic".split("_"),r=[/^ene/i,/^feb/i,/^mar/i,/^abr/i,/^may/i,/^jun/i,/^jul/i,/^ago/i,/^sep/i,/^oct/i,/^nov/i,/^dic/i],o=/^(enero|febrero|marzo|abril|mayo|junio|julio|agosto|septiembre|octubre|noviembre|diciembre|ene\.?|feb\.?|mar\.?|abr\.?|may\.?|jun\.?|jul\.?|ago\.?|sep\.?|oct\.?|nov\.?|dic\.?)/i;e.defineLocale("es",{months:"enero_febrero_marzo_abril_mayo_junio_julio_agosto_septiembre_octubre_noviembre_diciembre".split("_"),monthsShort:function(e,r){return e?/-MMM-/.test(r)?n[e.month()]:t[e.month()]:t},monthsRegex:o,monthsShortRegex:o,monthsStrictRegex:/^(enero|febrero|marzo|abril|mayo|junio|julio|agosto|septiembre|octubre|noviembre|diciembre)/i,monthsShortStrictRegex:/^(ene\.?|feb\.?|mar\.?|abr\.?|may\.?|jun\.?|jul\.?|ago\.?|sep\.?|oct\.?|nov\.?|dic\.?)/i,monthsParse:r,longMonthsParse:r,shortMonthsParse:r,weekdays:"domingo_lunes_martes_miércoles_jueves_viernes_sábado".split("_"),weekdaysShort:"dom._lun._mar._mié._jue._vie._sáb.".split("_"),weekdaysMin:"do_lu_ma_mi_ju_vi_sá".split("_"),weekdaysParseExact:!0,longDateFormat:{LT:"H:mm",LTS:"H:mm:ss",L:"DD/MM/YYYY",LL:"D [de] MMMM [de] YYYY",LLL:"D [de] MMMM [de] YYYY H:mm",LLLL:"dddd, D [de] MMMM [de] YYYY H:mm"},calendar:{sameDay:function(){return"[hoy a la"+(1!==this.hours()?"s":"")+"] LT"},nextDay:function(){return"[mañana a la"+(1!==this.hours()?"s":"")+"] LT"},nextWeek:function(){return"dddd [a la"+(1!==this.hours()?"s":"")+"] LT"},lastDay:function(){return"[ayer a la"+(1!==this.hours()?"s":"")+"] LT"},lastWeek:function(){return"[el] dddd [pasado a la"+(1!==this.hours()?"s":"")+"] LT"},sameElse:"L"},relativeTime:{future:"en %s",past:"hace %s",s:"unos segundos",ss:"%d segundos",m:"un minuto",mm:"%d minutos",h:"una hora",hh:"%d horas",d:"un día",dd:"%d días",w:"una semana",ww:"%d semanas",M:"un mes",MM:"%d meses",y:"un año",yy:"%d años"},dayOfMonthOrdinalParse:/\d{1,2}º/,ordinal:"%dº",week:{dow:1,doy:4},invalidDate:"Fecha inválida"})}(n(381))},5603:function(e,t,n){!function(e){"use strict";function t(e,t,n,r){var o={s:["mõne sekundi","mõni sekund","paar sekundit"],ss:[e+"sekundi",e+"sekundit"],m:["ühe minuti","üks minut"],mm:[e+" minuti",e+" minutit"],h:["ühe tunni","tund aega","üks tund"],hh:[e+" tunni",e+" tundi"],d:["ühe päeva","üks päev"],M:["kuu aja","kuu aega","üks kuu"],MM:[e+" kuu",e+" kuud"],y:["ühe aasta","aasta","üks aasta"],yy:[e+" aasta",e+" aastat"]};return t?o[n][2]?o[n][2]:o[n][1]:r?o[n][0]:o[n][1]}e.defineLocale("et",{months:"jaanuar_veebruar_märts_aprill_mai_juuni_juuli_august_september_oktoober_november_detsember".split("_"),monthsShort:"jaan_veebr_märts_apr_mai_juuni_juuli_aug_sept_okt_nov_dets".split("_"),weekdays:"pühapäev_esmaspäev_teisipäev_kolmapäev_neljapäev_reede_laupäev".split("_"),weekdaysShort:"P_E_T_K_N_R_L".split("_"),weekdaysMin:"P_E_T_K_N_R_L".split("_"),longDateFormat:{LT:"H:mm",LTS:"H:mm:ss",L:"DD.MM.YYYY",LL:"D. MMMM YYYY",LLL:"D. MMMM YYYY H:mm",LLLL:"dddd, D. MMMM YYYY H:mm"},calendar:{sameDay:"[Täna,] LT",nextDay:"[Homme,] LT",nextWeek:"[Järgmine] dddd LT",lastDay:"[Eile,] LT",lastWeek:"[Eelmine] dddd LT",sameElse:"L"},relativeTime:{future:"%s pärast",past:"%s tagasi",s:t,ss:t,m:t,mm:t,h:t,hh:t,d:t,dd:"%d päeva",M:t,MM:t,y:t,yy:t},dayOfMonthOrdinalParse:/\d{1,2}\./,ordinal:"%d.",week:{dow:1,doy:4}})}(n(381))},7763:function(e,t,n){!function(e){"use strict";e.defineLocale("eu",{months:"urtarrila_otsaila_martxoa_apirila_maiatza_ekaina_uztaila_abuztua_iraila_urria_azaroa_abendua".split("_"),monthsShort:"urt._ots._mar._api._mai._eka._uzt._abu._ira._urr._aza._abe.".split("_"),monthsParseExact:!0,weekdays:"igandea_astelehena_asteartea_asteazkena_osteguna_ostirala_larunbata".split("_"),weekdaysShort:"ig._al._ar._az._og._ol._lr.".split("_"),weekdaysMin:"ig_al_ar_az_og_ol_lr".split("_"),weekdaysParseExact:!0,longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"YYYY-MM-DD",LL:"YYYY[ko] MMMM[ren] D[a]",LLL:"YYYY[ko] MMMM[ren] D[a] HH:mm",LLLL:"dddd, YYYY[ko] MMMM[ren] D[a] HH:mm",l:"YYYY-M-D",ll:"YYYY[ko] MMM D[a]",lll:"YYYY[ko] MMM D[a] HH:mm",llll:"ddd, YYYY[ko] MMM D[a] HH:mm"},calendar:{sameDay:"[gaur] LT[etan]",nextDay:"[bihar] LT[etan]",nextWeek:"dddd LT[etan]",lastDay:"[atzo] LT[etan]",lastWeek:"[aurreko] dddd LT[etan]",sameElse:"L"},relativeTime:{future:"%s barru",past:"duela %s",s:"segundo batzuk",ss:"%d segundo",m:"minutu bat",mm:"%d minutu",h:"ordu bat",hh:"%d ordu",d:"egun bat",dd:"%d egun",M:"hilabete bat",MM:"%d hilabete",y:"urte bat",yy:"%d urte"},dayOfMonthOrdinalParse:/\d{1,2}\./,ordinal:"%d.",week:{dow:1,doy:7}})}(n(381))},6959:function(e,t,n){!function(e){"use strict";var t={1:"۱",2:"۲",3:"۳",4:"۴",5:"۵",6:"۶",7:"۷",8:"۸",9:"۹",0:"۰"},n={"۱":"1","۲":"2","۳":"3","۴":"4","۵":"5","۶":"6","۷":"7","۸":"8","۹":"9","۰":"0"};e.defineLocale("fa",{months:"ژانویه_فوریه_مارس_آوریل_مه_ژوئن_ژوئیه_اوت_سپتامبر_اکتبر_نوامبر_دسامبر".split("_"),monthsShort:"ژانویه_فوریه_مارس_آوریل_مه_ژوئن_ژوئیه_اوت_سپتامبر_اکتبر_نوامبر_دسامبر".split("_"),weekdays:"یک‌شنبه_دوشنبه_سه‌شنبه_چهارشنبه_پنج‌شنبه_جمعه_شنبه".split("_"),weekdaysShort:"یک‌شنبه_دوشنبه_سه‌شنبه_چهارشنبه_پنج‌شنبه_جمعه_شنبه".split("_"),weekdaysMin:"ی_د_س_چ_پ_ج_ش".split("_"),weekdaysParseExact:!0,longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY HH:mm",LLLL:"dddd, D MMMM YYYY HH:mm"},meridiemParse:/قبل از ظهر|بعد از ظهر/,isPM:function(e){return/بعد از ظهر/.test(e)},meridiem:function(e,t,n){return e<12?"قبل از ظهر":"بعد از ظهر"},calendar:{sameDay:"[امروز ساعت] LT",nextDay:"[فردا ساعت] LT",nextWeek:"dddd [ساعت] LT",lastDay:"[دیروز ساعت] LT",lastWeek:"dddd [پیش] [ساعت] LT",sameElse:"L"},relativeTime:{future:"در %s",past:"%s پیش",s:"چند ثانیه",ss:"%d ثانیه",m:"یک دقیقه",mm:"%d دقیقه",h:"یک ساعت",hh:"%d ساعت",d:"یک روز",dd:"%d روز",M:"یک ماه",MM:"%d ماه",y:"یک سال",yy:"%d سال"},preparse:function(e){return e.replace(/[۰-۹]/g,(function(e){return n[e]})).replace(/،/g,",")},postformat:function(e){return e.replace(/\d/g,(function(e){return t[e]})).replace(/,/g,"،")},dayOfMonthOrdinalParse:/\d{1,2}م/,ordinal:"%dم",week:{dow:6,doy:12}})}(n(381))},1897:function(e,t,n){!function(e){"use strict";var t="nolla yksi kaksi kolme neljä viisi kuusi seitsemän kahdeksan yhdeksän".split(" "),n=["nolla","yhden","kahden","kolmen","neljän","viiden","kuuden",t[7],t[8],t[9]];function r(e,t,n,r){var a="";switch(n){case"s":return r?"muutaman sekunnin":"muutama sekunti";case"ss":a=r?"sekunnin":"sekuntia";break;case"m":return r?"minuutin":"minuutti";case"mm":a=r?"minuutin":"minuuttia";break;case"h":return r?"tunnin":"tunti";case"hh":a=r?"tunnin":"tuntia";break;case"d":return r?"päivän":"päivä";case"dd":a=r?"päivän":"päivää";break;case"M":return r?"kuukauden":"kuukausi";case"MM":a=r?"kuukauden":"kuukautta";break;case"y":return r?"vuoden":"vuosi";case"yy":a=r?"vuoden":"vuotta"}return a=o(e,r)+" "+a}function o(e,r){return e<10?r?n[e]:t[e]:e}e.defineLocale("fi",{months:"tammikuu_helmikuu_maaliskuu_huhtikuu_toukokuu_kesäkuu_heinäkuu_elokuu_syyskuu_lokakuu_marraskuu_joulukuu".split("_"),monthsShort:"tammi_helmi_maalis_huhti_touko_kesä_heinä_elo_syys_loka_marras_joulu".split("_"),weekdays:"sunnuntai_maanantai_tiistai_keskiviikko_torstai_perjantai_lauantai".split("_"),weekdaysShort:"su_ma_ti_ke_to_pe_la".split("_"),weekdaysMin:"su_ma_ti_ke_to_pe_la".split("_"),longDateFormat:{LT:"HH.mm",LTS:"HH.mm.ss",L:"DD.MM.YYYY",LL:"Do MMMM[ta] YYYY",LLL:"Do MMMM[ta] YYYY, [klo] HH.mm",LLLL:"dddd, Do MMMM[ta] YYYY, [klo] HH.mm",l:"D.M.YYYY",ll:"Do MMM YYYY",lll:"Do MMM YYYY, [klo] HH.mm",llll:"ddd, Do MMM YYYY, [klo] HH.mm"},calendar:{sameDay:"[tänään] [klo] LT",nextDay:"[huomenna] [klo] LT",nextWeek:"dddd [klo] LT",lastDay:"[eilen] [klo] LT",lastWeek:"[viime] dddd[na] [klo] LT",sameElse:"L"},relativeTime:{future:"%s päästä",past:"%s sitten",s:r,ss:r,m:r,mm:r,h:r,hh:r,d:r,dd:r,M:r,MM:r,y:r,yy:r},dayOfMonthOrdinalParse:/\d{1,2}\./,ordinal:"%d.",week:{dow:1,doy:4}})}(n(381))},2549:function(e,t,n){!function(e){"use strict";e.defineLocale("fil",{months:"Enero_Pebrero_Marso_Abril_Mayo_Hunyo_Hulyo_Agosto_Setyembre_Oktubre_Nobyembre_Disyembre".split("_"),monthsShort:"Ene_Peb_Mar_Abr_May_Hun_Hul_Ago_Set_Okt_Nob_Dis".split("_"),weekdays:"Linggo_Lunes_Martes_Miyerkules_Huwebes_Biyernes_Sabado".split("_"),weekdaysShort:"Lin_Lun_Mar_Miy_Huw_Biy_Sab".split("_"),weekdaysMin:"Li_Lu_Ma_Mi_Hu_Bi_Sab".split("_"),longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"MM/D/YYYY",LL:"MMMM D, YYYY",LLL:"MMMM D, YYYY HH:mm",LLLL:"dddd, MMMM DD, YYYY HH:mm"},calendar:{sameDay:"LT [ngayong araw]",nextDay:"[Bukas ng] LT",nextWeek:"LT [sa susunod na] dddd",lastDay:"LT [kahapon]",lastWeek:"LT [noong nakaraang] dddd",sameElse:"L"},relativeTime:{future:"sa loob ng %s",past:"%s ang nakalipas",s:"ilang segundo",ss:"%d segundo",m:"isang minuto",mm:"%d minuto",h:"isang oras",hh:"%d oras",d:"isang araw",dd:"%d araw",M:"isang buwan",MM:"%d buwan",y:"isang taon",yy:"%d taon"},dayOfMonthOrdinalParse:/\d{1,2}/,ordinal:function(e){return e},week:{dow:1,doy:4}})}(n(381))},4694:function(e,t,n){!function(e){"use strict";e.defineLocale("fo",{months:"januar_februar_mars_apríl_mai_juni_juli_august_september_oktober_november_desember".split("_"),monthsShort:"jan_feb_mar_apr_mai_jun_jul_aug_sep_okt_nov_des".split("_"),weekdays:"sunnudagur_mánadagur_týsdagur_mikudagur_hósdagur_fríggjadagur_leygardagur".split("_"),weekdaysShort:"sun_mán_týs_mik_hós_frí_ley".split("_"),weekdaysMin:"su_má_tý_mi_hó_fr_le".split("_"),longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY HH:mm",LLLL:"dddd D. MMMM, YYYY HH:mm"},calendar:{sameDay:"[Í dag kl.] LT",nextDay:"[Í morgin kl.] LT",nextWeek:"dddd [kl.] LT",lastDay:"[Í gjár kl.] LT",lastWeek:"[síðstu] dddd [kl] LT",sameElse:"L"},relativeTime:{future:"um %s",past:"%s síðani",s:"fá sekund",ss:"%d sekundir",m:"ein minuttur",mm:"%d minuttir",h:"ein tími",hh:"%d tímar",d:"ein dagur",dd:"%d dagar",M:"ein mánaður",MM:"%d mánaðir",y:"eitt ár",yy:"%d ár"},dayOfMonthOrdinalParse:/\d{1,2}\./,ordinal:"%d.",week:{dow:1,doy:4}})}(n(381))},3049:function(e,t,n){!function(e){"use strict";e.defineLocale("fr-ca",{months:"janvier_février_mars_avril_mai_juin_juillet_août_septembre_octobre_novembre_décembre".split("_"),monthsShort:"janv._févr._mars_avr._mai_juin_juil._août_sept._oct._nov._déc.".split("_"),monthsParseExact:!0,weekdays:"dimanche_lundi_mardi_mercredi_jeudi_vendredi_samedi".split("_"),weekdaysShort:"dim._lun._mar._mer._jeu._ven._sam.".split("_"),weekdaysMin:"di_lu_ma_me_je_ve_sa".split("_"),weekdaysParseExact:!0,longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"YYYY-MM-DD",LL:"D MMMM YYYY",LLL:"D MMMM YYYY HH:mm",LLLL:"dddd D MMMM YYYY HH:mm"},calendar:{sameDay:"[Aujourd’hui à] LT",nextDay:"[Demain à] LT",nextWeek:"dddd [à] LT",lastDay:"[Hier à] LT",lastWeek:"dddd [dernier à] LT",sameElse:"L"},relativeTime:{future:"dans %s",past:"il y a %s",s:"quelques secondes",ss:"%d secondes",m:"une minute",mm:"%d minutes",h:"une heure",hh:"%d heures",d:"un jour",dd:"%d jours",M:"un mois",MM:"%d mois",y:"un an",yy:"%d ans"},dayOfMonthOrdinalParse:/\d{1,2}(er|e)/,ordinal:function(e,t){switch(t){default:case"M":case"Q":case"D":case"DDD":case"d":return e+(1===e?"er":"e");case"w":case"W":return e+(1===e?"re":"e")}}})}(n(381))},2330:function(e,t,n){!function(e){"use strict";e.defineLocale("fr-ch",{months:"janvier_février_mars_avril_mai_juin_juillet_août_septembre_octobre_novembre_décembre".split("_"),monthsShort:"janv._févr._mars_avr._mai_juin_juil._août_sept._oct._nov._déc.".split("_"),monthsParseExact:!0,weekdays:"dimanche_lundi_mardi_mercredi_jeudi_vendredi_samedi".split("_"),weekdaysShort:"dim._lun._mar._mer._jeu._ven._sam.".split("_"),weekdaysMin:"di_lu_ma_me_je_ve_sa".split("_"),weekdaysParseExact:!0,longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD.MM.YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY HH:mm",LLLL:"dddd D MMMM YYYY HH:mm"},calendar:{sameDay:"[Aujourd’hui à] LT",nextDay:"[Demain à] LT",nextWeek:"dddd [à] LT",lastDay:"[Hier à] LT",lastWeek:"dddd [dernier à] LT",sameElse:"L"},relativeTime:{future:"dans %s",past:"il y a %s",s:"quelques secondes",ss:"%d secondes",m:"une minute",mm:"%d minutes",h:"une heure",hh:"%d heures",d:"un jour",dd:"%d jours",M:"un mois",MM:"%d mois",y:"un an",yy:"%d ans"},dayOfMonthOrdinalParse:/\d{1,2}(er|e)/,ordinal:function(e,t){switch(t){default:case"M":case"Q":case"D":case"DDD":case"d":return e+(1===e?"er":"e");case"w":case"W":return e+(1===e?"re":"e")}},week:{dow:1,doy:4}})}(n(381))},4470:function(e,t,n){!function(e){"use strict";var t=/^(janvier|février|mars|avril|mai|juin|juillet|août|septembre|octobre|novembre|décembre)/i,n=/(janv\.?|févr\.?|mars|avr\.?|mai|juin|juil\.?|août|sept\.?|oct\.?|nov\.?|déc\.?)/i,r=/(janv\.?|févr\.?|mars|avr\.?|mai|juin|juil\.?|août|sept\.?|oct\.?|nov\.?|déc\.?|janvier|février|mars|avril|mai|juin|juillet|août|septembre|octobre|novembre|décembre)/i,o=[/^janv/i,/^févr/i,/^mars/i,/^avr/i,/^mai/i,/^juin/i,/^juil/i,/^août/i,/^sept/i,/^oct/i,/^nov/i,/^déc/i];e.defineLocale("fr",{months:"janvier_février_mars_avril_mai_juin_juillet_août_septembre_octobre_novembre_décembre".split("_"),monthsShort:"janv._févr._mars_avr._mai_juin_juil._août_sept._oct._nov._déc.".split("_"),monthsRegex:r,monthsShortRegex:r,monthsStrictRegex:t,monthsShortStrictRegex:n,monthsParse:o,longMonthsParse:o,shortMonthsParse:o,weekdays:"dimanche_lundi_mardi_mercredi_jeudi_vendredi_samedi".split("_"),weekdaysShort:"dim._lun._mar._mer._jeu._ven._sam.".split("_"),weekdaysMin:"di_lu_ma_me_je_ve_sa".split("_"),weekdaysParseExact:!0,longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY HH:mm",LLLL:"dddd D MMMM YYYY HH:mm"},calendar:{sameDay:"[Aujourd’hui à] LT",nextDay:"[Demain à] LT",nextWeek:"dddd [à] LT",lastDay:"[Hier à] LT",lastWeek:"dddd [dernier à] LT",sameElse:"L"},relativeTime:{future:"dans %s",past:"il y a %s",s:"quelques secondes",ss:"%d secondes",m:"une minute",mm:"%d minutes",h:"une heure",hh:"%d heures",d:"un jour",dd:"%d jours",w:"une semaine",ww:"%d semaines",M:"un mois",MM:"%d mois",y:"un an",yy:"%d ans"},dayOfMonthOrdinalParse:/\d{1,2}(er|)/,ordinal:function(e,t){switch(t){case"D":return e+(1===e?"er":"");default:case"M":case"Q":case"DDD":case"d":return e+(1===e?"er":"e");case"w":case"W":return e+(1===e?"re":"e")}},week:{dow:1,doy:4}})}(n(381))},5044:function(e,t,n){!function(e){"use strict";var t="jan._feb._mrt._apr._mai_jun._jul._aug._sep._okt._nov._des.".split("_"),n="jan_feb_mrt_apr_mai_jun_jul_aug_sep_okt_nov_des".split("_");e.defineLocale("fy",{months:"jannewaris_febrewaris_maart_april_maaie_juny_july_augustus_septimber_oktober_novimber_desimber".split("_"),monthsShort:function(e,r){return e?/-MMM-/.test(r)?n[e.month()]:t[e.month()]:t},monthsParseExact:!0,weekdays:"snein_moandei_tiisdei_woansdei_tongersdei_freed_sneon".split("_"),weekdaysShort:"si._mo._ti._wo._to._fr._so.".split("_"),weekdaysMin:"Si_Mo_Ti_Wo_To_Fr_So".split("_"),weekdaysParseExact:!0,longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD-MM-YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY HH:mm",LLLL:"dddd D MMMM YYYY HH:mm"},calendar:{sameDay:"[hjoed om] LT",nextDay:"[moarn om] LT",nextWeek:"dddd [om] LT",lastDay:"[juster om] LT",lastWeek:"[ôfrûne] dddd [om] LT",sameElse:"L"},relativeTime:{future:"oer %s",past:"%s lyn",s:"in pear sekonden",ss:"%d sekonden",m:"ien minút",mm:"%d minuten",h:"ien oere",hh:"%d oeren",d:"ien dei",dd:"%d dagen",M:"ien moanne",MM:"%d moannen",y:"ien jier",yy:"%d jierren"},dayOfMonthOrdinalParse:/\d{1,2}(ste|de)/,ordinal:function(e){return e+(1===e||8===e||e>=20?"ste":"de")},week:{dow:1,doy:4}})}(n(381))},9295:function(e,t,n){!function(e){"use strict";var t=["Eanáir","Feabhra","Márta","Aibreán","Bealtaine","Meitheamh","Iúil","Lúnasa","Meán Fómhair","Deireadh Fómhair","Samhain","Nollaig"],n=["Ean","Feabh","Márt","Aib","Beal","Meith","Iúil","Lún","M.F.","D.F.","Samh","Noll"],r=["Dé Domhnaigh","Dé Luain","Dé Máirt","Dé Céadaoin","Déardaoin","Dé hAoine","Dé Sathairn"],o=["Domh","Luan","Máirt","Céad","Déar","Aoine","Sath"],a=["Do","Lu","Má","Cé","Dé","A","Sa"];e.defineLocale("ga",{months:t,monthsShort:n,monthsParseExact:!0,weekdays:r,weekdaysShort:o,weekdaysMin:a,longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY HH:mm",LLLL:"dddd, D MMMM YYYY HH:mm"},calendar:{sameDay:"[Inniu ag] LT",nextDay:"[Amárach ag] LT",nextWeek:"dddd [ag] LT",lastDay:"[Inné ag] LT",lastWeek:"dddd [seo caite] [ag] LT",sameElse:"L"},relativeTime:{future:"i %s",past:"%s ó shin",s:"cúpla soicind",ss:"%d soicind",m:"nóiméad",mm:"%d nóiméad",h:"uair an chloig",hh:"%d uair an chloig",d:"lá",dd:"%d lá",M:"mí",MM:"%d míonna",y:"bliain",yy:"%d bliain"},dayOfMonthOrdinalParse:/\d{1,2}(d|na|mh)/,ordinal:function(e){return e+(1===e?"d":e%10==2?"na":"mh")},week:{dow:1,doy:4}})}(n(381))},2101:function(e,t,n){!function(e){"use strict";var t=["Am Faoilleach","An Gearran","Am Màrt","An Giblean","An Cèitean","An t-Ògmhios","An t-Iuchar","An Lùnastal","An t-Sultain","An Dàmhair","An t-Samhain","An Dùbhlachd"],n=["Faoi","Gear","Màrt","Gibl","Cèit","Ògmh","Iuch","Lùn","Sult","Dàmh","Samh","Dùbh"],r=["Didòmhnaich","Diluain","Dimàirt","Diciadain","Diardaoin","Dihaoine","Disathairne"],o=["Did","Dil","Dim","Dic","Dia","Dih","Dis"],a=["Dò","Lu","Mà","Ci","Ar","Ha","Sa"];e.defineLocale("gd",{months:t,monthsShort:n,monthsParseExact:!0,weekdays:r,weekdaysShort:o,weekdaysMin:a,longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY HH:mm",LLLL:"dddd, D MMMM YYYY HH:mm"},calendar:{sameDay:"[An-diugh aig] LT",nextDay:"[A-màireach aig] LT",nextWeek:"dddd [aig] LT",lastDay:"[An-dè aig] LT",lastWeek:"dddd [seo chaidh] [aig] LT",sameElse:"L"},relativeTime:{future:"ann an %s",past:"bho chionn %s",s:"beagan diogan",ss:"%d diogan",m:"mionaid",mm:"%d mionaidean",h:"uair",hh:"%d uairean",d:"latha",dd:"%d latha",M:"mìos",MM:"%d mìosan",y:"bliadhna",yy:"%d bliadhna"},dayOfMonthOrdinalParse:/\d{1,2}(d|na|mh)/,ordinal:function(e){return e+(1===e?"d":e%10==2?"na":"mh")},week:{dow:1,doy:4}})}(n(381))},8794:function(e,t,n){!function(e){"use strict";e.defineLocale("gl",{months:"xaneiro_febreiro_marzo_abril_maio_xuño_xullo_agosto_setembro_outubro_novembro_decembro".split("_"),monthsShort:"xan._feb._mar._abr._mai._xuñ._xul._ago._set._out._nov._dec.".split("_"),monthsParseExact:!0,weekdays:"domingo_luns_martes_mércores_xoves_venres_sábado".split("_"),weekdaysShort:"dom._lun._mar._mér._xov._ven._sáb.".split("_"),weekdaysMin:"do_lu_ma_mé_xo_ve_sá".split("_"),weekdaysParseExact:!0,longDateFormat:{LT:"H:mm",LTS:"H:mm:ss",L:"DD/MM/YYYY",LL:"D [de] MMMM [de] YYYY",LLL:"D [de] MMMM [de] YYYY H:mm",LLLL:"dddd, D [de] MMMM [de] YYYY H:mm"},calendar:{sameDay:function(){return"[hoxe "+(1!==this.hours()?"ás":"á")+"] LT"},nextDay:function(){return"[mañá "+(1!==this.hours()?"ás":"á")+"] LT"},nextWeek:function(){return"dddd ["+(1!==this.hours()?"ás":"a")+"] LT"},lastDay:function(){return"[onte "+(1!==this.hours()?"á":"a")+"] LT"},lastWeek:function(){return"[o] dddd [pasado "+(1!==this.hours()?"ás":"a")+"] LT"},sameElse:"L"},relativeTime:{future:function(e){return 0===e.indexOf("un")?"n"+e:"en "+e},past:"hai %s",s:"uns segundos",ss:"%d segundos",m:"un minuto",mm:"%d minutos",h:"unha hora",hh:"%d horas",d:"un día",dd:"%d días",M:"un mes",MM:"%d meses",y:"un ano",yy:"%d anos"},dayOfMonthOrdinalParse:/\d{1,2}º/,ordinal:"%dº",week:{dow:1,doy:4}})}(n(381))},7884:function(e,t,n){!function(e){"use strict";function t(e,t,n,r){var o={s:["थोडया सॅकंडांनी","थोडे सॅकंड"],ss:[e+" सॅकंडांनी",e+" सॅकंड"],m:["एका मिणटान","एक मिनूट"],mm:[e+" मिणटांनी",e+" मिणटां"],h:["एका वरान","एक वर"],hh:[e+" वरांनी",e+" वरां"],d:["एका दिसान","एक दीस"],dd:[e+" दिसांनी",e+" दीस"],M:["एका म्हयन्यान","एक म्हयनो"],MM:[e+" म्हयन्यानी",e+" म्हयने"],y:["एका वर्सान","एक वर्स"],yy:[e+" वर्सांनी",e+" वर्सां"]};return r?o[n][0]:o[n][1]}e.defineLocale("gom-deva",{months:{standalone:"जानेवारी_फेब्रुवारी_मार्च_एप्रील_मे_जून_जुलय_ऑगस्ट_सप्टेंबर_ऑक्टोबर_नोव्हेंबर_डिसेंबर".split("_"),format:"जानेवारीच्या_फेब्रुवारीच्या_मार्चाच्या_एप्रीलाच्या_मेयाच्या_जूनाच्या_जुलयाच्या_ऑगस्टाच्या_सप्टेंबराच्या_ऑक्टोबराच्या_नोव्हेंबराच्या_डिसेंबराच्या".split("_"),isFormat:/MMMM(\s)+D[oD]?/},monthsShort:"जाने._फेब्रु._मार्च_एप्री._मे_जून_जुल._ऑग._सप्टें._ऑक्टो._नोव्हें._डिसें.".split("_"),monthsParseExact:!0,weekdays:"आयतार_सोमार_मंगळार_बुधवार_बिरेस्तार_सुक्रार_शेनवार".split("_"),weekdaysShort:"आयत._सोम._मंगळ._बुध._ब्रेस्त._सुक्र._शेन.".split("_"),weekdaysMin:"आ_सो_मं_बु_ब्रे_सु_शे".split("_"),weekdaysParseExact:!0,longDateFormat:{LT:"A h:mm [वाजतां]",LTS:"A h:mm:ss [वाजतां]",L:"DD-MM-YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY A h:mm [वाजतां]",LLLL:"dddd, MMMM Do, YYYY, A h:mm [वाजतां]",llll:"ddd, D MMM YYYY, A h:mm [वाजतां]"},calendar:{sameDay:"[आयज] LT",nextDay:"[फाल्यां] LT",nextWeek:"[फुडलो] dddd[,] LT",lastDay:"[काल] LT",lastWeek:"[फाटलो] dddd[,] LT",sameElse:"L"},relativeTime:{future:"%s",past:"%s आदीं",s:t,ss:t,m:t,mm:t,h:t,hh:t,d:t,dd:t,M:t,MM:t,y:t,yy:t},dayOfMonthOrdinalParse:/\d{1,2}(वेर)/,ordinal:function(e,t){switch(t){case"D":return e+"वेर";default:case"M":case"Q":case"DDD":case"d":case"w":case"W":return e}},week:{dow:0,doy:3},meridiemParse:/राती|सकाळीं|दनपारां|सांजे/,meridiemHour:function(e,t){return 12===e&&(e=0),"राती"===t?e<4?e:e+12:"सकाळीं"===t?e:"दनपारां"===t?e>12?e:e+12:"सांजे"===t?e+12:void 0},meridiem:function(e,t,n){return e<4?"राती":e<12?"सकाळीं":e<16?"दनपारां":e<20?"सांजे":"राती"}})}(n(381))},3168:function(e,t,n){!function(e){"use strict";function t(e,t,n,r){var o={s:["thoddea sekondamni","thodde sekond"],ss:[e+" sekondamni",e+" sekond"],m:["eka mintan","ek minut"],mm:[e+" mintamni",e+" mintam"],h:["eka voran","ek vor"],hh:[e+" voramni",e+" voram"],d:["eka disan","ek dis"],dd:[e+" disamni",e+" dis"],M:["eka mhoinean","ek mhoino"],MM:[e+" mhoineamni",e+" mhoine"],y:["eka vorsan","ek voros"],yy:[e+" vorsamni",e+" vorsam"]};return r?o[n][0]:o[n][1]}e.defineLocale("gom-latn",{months:{standalone:"Janer_Febrer_Mars_Abril_Mai_Jun_Julai_Agost_Setembr_Otubr_Novembr_Dezembr".split("_"),format:"Janerachea_Febrerachea_Marsachea_Abrilachea_Maiachea_Junachea_Julaiachea_Agostachea_Setembrachea_Otubrachea_Novembrachea_Dezembrachea".split("_"),isFormat:/MMMM(\s)+D[oD]?/},monthsShort:"Jan._Feb._Mars_Abr._Mai_Jun_Jul._Ago._Set._Otu._Nov._Dez.".split("_"),monthsParseExact:!0,weekdays:"Aitar_Somar_Mongllar_Budhvar_Birestar_Sukrar_Son'var".split("_"),weekdaysShort:"Ait._Som._Mon._Bud._Bre._Suk._Son.".split("_"),weekdaysMin:"Ai_Sm_Mo_Bu_Br_Su_Sn".split("_"),weekdaysParseExact:!0,longDateFormat:{LT:"A h:mm [vazta]",LTS:"A h:mm:ss [vazta]",L:"DD-MM-YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY A h:mm [vazta]",LLLL:"dddd, MMMM Do, YYYY, A h:mm [vazta]",llll:"ddd, D MMM YYYY, A h:mm [vazta]"},calendar:{sameDay:"[Aiz] LT",nextDay:"[Faleam] LT",nextWeek:"[Fuddlo] dddd[,] LT",lastDay:"[Kal] LT",lastWeek:"[Fattlo] dddd[,] LT",sameElse:"L"},relativeTime:{future:"%s",past:"%s adim",s:t,ss:t,m:t,mm:t,h:t,hh:t,d:t,dd:t,M:t,MM:t,y:t,yy:t},dayOfMonthOrdinalParse:/\d{1,2}(er)/,ordinal:function(e,t){switch(t){case"D":return e+"er";default:case"M":case"Q":case"DDD":case"d":case"w":case"W":return e}},week:{dow:0,doy:3},meridiemParse:/rati|sokallim|donparam|sanje/,meridiemHour:function(e,t){return 12===e&&(e=0),"rati"===t?e<4?e:e+12:"sokallim"===t?e:"donparam"===t?e>12?e:e+12:"sanje"===t?e+12:void 0},meridiem:function(e,t,n){return e<4?"rati":e<12?"sokallim":e<16?"donparam":e<20?"sanje":"rati"}})}(n(381))},5349:function(e,t,n){!function(e){"use strict";var t={1:"૧",2:"૨",3:"૩",4:"૪",5:"૫",6:"૬",7:"૭",8:"૮",9:"૯",0:"૦"},n={"૧":"1","૨":"2","૩":"3","૪":"4","૫":"5","૬":"6","૭":"7","૮":"8","૯":"9","૦":"0"};e.defineLocale("gu",{months:"જાન્યુઆરી_ફેબ્રુઆરી_માર્ચ_એપ્રિલ_મે_જૂન_જુલાઈ_ઑગસ્ટ_સપ્ટેમ્બર_ઑક્ટ્બર_નવેમ્બર_ડિસેમ્બર".split("_"),monthsShort:"જાન્યુ._ફેબ્રુ._માર્ચ_એપ્રિ._મે_જૂન_જુલા._ઑગ._સપ્ટે._ઑક્ટ્._નવે._ડિસે.".split("_"),monthsParseExact:!0,weekdays:"રવિવાર_સોમવાર_મંગળવાર_બુધ્વાર_ગુરુવાર_શુક્રવાર_શનિવાર".split("_"),weekdaysShort:"રવિ_સોમ_મંગળ_બુધ્_ગુરુ_શુક્ર_શનિ".split("_"),weekdaysMin:"ર_સો_મં_બુ_ગુ_શુ_શ".split("_"),longDateFormat:{LT:"A h:mm વાગ્યે",LTS:"A h:mm:ss વાગ્યે",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY, A h:mm વાગ્યે",LLLL:"dddd, D MMMM YYYY, A h:mm વાગ્યે"},calendar:{sameDay:"[આજ] LT",nextDay:"[કાલે] LT",nextWeek:"dddd, LT",lastDay:"[ગઇકાલે] LT",lastWeek:"[પાછલા] dddd, LT",sameElse:"L"},relativeTime:{future:"%s મા",past:"%s પહેલા",s:"અમુક પળો",ss:"%d સેકંડ",m:"એક મિનિટ",mm:"%d મિનિટ",h:"એક કલાક",hh:"%d કલાક",d:"એક દિવસ",dd:"%d દિવસ",M:"એક મહિનો",MM:"%d મહિનો",y:"એક વર્ષ",yy:"%d વર્ષ"},preparse:function(e){return e.replace(/[૧૨૩૪૫૬૭૮૯૦]/g,(function(e){return n[e]}))},postformat:function(e){return e.replace(/\d/g,(function(e){return t[e]}))},meridiemParse:/રાત|બપોર|સવાર|સાંજ/,meridiemHour:function(e,t){return 12===e&&(e=0),"રાત"===t?e<4?e:e+12:"સવાર"===t?e:"બપોર"===t?e>=10?e:e+12:"સાંજ"===t?e+12:void 0},meridiem:function(e,t,n){return e<4?"રાત":e<10?"સવાર":e<17?"બપોર":e<20?"સાંજ":"રાત"},week:{dow:0,doy:6}})}(n(381))},4206:function(e,t,n){!function(e){"use strict";e.defineLocale("he",{months:"ינואר_פברואר_מרץ_אפריל_מאי_יוני_יולי_אוגוסט_ספטמבר_אוקטובר_נובמבר_דצמבר".split("_"),monthsShort:"ינו׳_פבר׳_מרץ_אפר׳_מאי_יוני_יולי_אוג׳_ספט׳_אוק׳_נוב׳_דצמ׳".split("_"),weekdays:"ראשון_שני_שלישי_רביעי_חמישי_שישי_שבת".split("_"),weekdaysShort:"א׳_ב׳_ג׳_ד׳_ה׳_ו׳_ש׳".split("_"),weekdaysMin:"א_ב_ג_ד_ה_ו_ש".split("_"),longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD/MM/YYYY",LL:"D [ב]MMMM YYYY",LLL:"D [ב]MMMM YYYY HH:mm",LLLL:"dddd, D [ב]MMMM YYYY HH:mm",l:"D/M/YYYY",ll:"D MMM YYYY",lll:"D MMM YYYY HH:mm",llll:"ddd, D MMM YYYY HH:mm"},calendar:{sameDay:"[היום ב־]LT",nextDay:"[מחר ב־]LT",nextWeek:"dddd [בשעה] LT",lastDay:"[אתמול ב־]LT",lastWeek:"[ביום] dddd [האחרון בשעה] LT",sameElse:"L"},relativeTime:{future:"בעוד %s",past:"לפני %s",s:"מספר שניות",ss:"%d שניות",m:"דקה",mm:"%d דקות",h:"שעה",hh:function(e){return 2===e?"שעתיים":e+" שעות"},d:"יום",dd:function(e){return 2===e?"יומיים":e+" ימים"},M:"חודש",MM:function(e){return 2===e?"חודשיים":e+" חודשים"},y:"שנה",yy:function(e){return 2===e?"שנתיים":e%10==0&&10!==e?e+" שנה":e+" שנים"}},meridiemParse:/אחה"צ|לפנה"צ|אחרי הצהריים|לפני הצהריים|לפנות בוקר|בבוקר|בערב/i,isPM:function(e){return/^(אחה"צ|אחרי הצהריים|בערב)$/.test(e)},meridiem:function(e,t,n){return e<5?"לפנות בוקר":e<10?"בבוקר":e<12?n?'לפנה"צ':"לפני הצהריים":e<18?n?'אחה"צ':"אחרי הצהריים":"בערב"}})}(n(381))},94:function(e,t,n){!function(e){"use strict";var t={1:"१",2:"२",3:"३",4:"४",5:"५",6:"६",7:"७",8:"८",9:"९",0:"०"},n={"१":"1","२":"2","३":"3","४":"4","५":"5","६":"6","७":"7","८":"8","९":"9","०":"0"},r=[/^जन/i,/^फ़र|फर/i,/^मार्च/i,/^अप्रै/i,/^मई/i,/^जून/i,/^जुल/i,/^अग/i,/^सितं|सित/i,/^अक्टू/i,/^नव|नवं/i,/^दिसं|दिस/i],o=[/^जन/i,/^फ़र/i,/^मार्च/i,/^अप्रै/i,/^मई/i,/^जून/i,/^जुल/i,/^अग/i,/^सित/i,/^अक्टू/i,/^नव/i,/^दिस/i];e.defineLocale("hi",{months:{format:"जनवरी_फ़रवरी_मार्च_अप्रैल_मई_जून_जुलाई_अगस्त_सितम्बर_अक्टूबर_नवम्बर_दिसम्बर".split("_"),standalone:"जनवरी_फरवरी_मार्च_अप्रैल_मई_जून_जुलाई_अगस्त_सितंबर_अक्टूबर_नवंबर_दिसंबर".split("_")},monthsShort:"जन._फ़र._मार्च_अप्रै._मई_जून_जुल._अग._सित._अक्टू._नव._दिस.".split("_"),weekdays:"रविवार_सोमवार_मंगलवार_बुधवार_गुरूवार_शुक्रवार_शनिवार".split("_"),weekdaysShort:"रवि_सोम_मंगल_बुध_गुरू_शुक्र_शनि".split("_"),weekdaysMin:"र_सो_मं_बु_गु_शु_श".split("_"),longDateFormat:{LT:"A h:mm बजे",LTS:"A h:mm:ss बजे",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY, A h:mm बजे",LLLL:"dddd, D MMMM YYYY, A h:mm बजे"},monthsParse:r,longMonthsParse:r,shortMonthsParse:o,monthsRegex:/^(जनवरी|जन\.?|फ़रवरी|फरवरी|फ़र\.?|मार्च?|अप्रैल|अप्रै\.?|मई?|जून?|जुलाई|जुल\.?|अगस्त|अग\.?|सितम्बर|सितंबर|सित\.?|अक्टूबर|अक्टू\.?|नवम्बर|नवंबर|नव\.?|दिसम्बर|दिसंबर|दिस\.?)/i,monthsShortRegex:/^(जनवरी|जन\.?|फ़रवरी|फरवरी|फ़र\.?|मार्च?|अप्रैल|अप्रै\.?|मई?|जून?|जुलाई|जुल\.?|अगस्त|अग\.?|सितम्बर|सितंबर|सित\.?|अक्टूबर|अक्टू\.?|नवम्बर|नवंबर|नव\.?|दिसम्बर|दिसंबर|दिस\.?)/i,monthsStrictRegex:/^(जनवरी?|फ़रवरी|फरवरी?|मार्च?|अप्रैल?|मई?|जून?|जुलाई?|अगस्त?|सितम्बर|सितंबर|सित?\.?|अक्टूबर|अक्टू\.?|नवम्बर|नवंबर?|दिसम्बर|दिसंबर?)/i,monthsShortStrictRegex:/^(जन\.?|फ़र\.?|मार्च?|अप्रै\.?|मई?|जून?|जुल\.?|अग\.?|सित\.?|अक्टू\.?|नव\.?|दिस\.?)/i,calendar:{sameDay:"[आज] LT",nextDay:"[कल] LT",nextWeek:"dddd, LT",lastDay:"[कल] LT",lastWeek:"[पिछले] dddd, LT",sameElse:"L"},relativeTime:{future:"%s में",past:"%s पहले",s:"कुछ ही क्षण",ss:"%d सेकंड",m:"एक मिनट",mm:"%d मिनट",h:"एक घंटा",hh:"%d घंटे",d:"एक दिन",dd:"%d दिन",M:"एक महीने",MM:"%d महीने",y:"एक वर्ष",yy:"%d वर्ष"},preparse:function(e){return e.replace(/[१२३४५६७८९०]/g,(function(e){return n[e]}))},postformat:function(e){return e.replace(/\d/g,(function(e){return t[e]}))},meridiemParse:/रात|सुबह|दोपहर|शाम/,meridiemHour:function(e,t){return 12===e&&(e=0),"रात"===t?e<4?e:e+12:"सुबह"===t?e:"दोपहर"===t?e>=10?e:e+12:"शाम"===t?e+12:void 0},meridiem:function(e,t,n){return e<4?"रात":e<10?"सुबह":e<17?"दोपहर":e<20?"शाम":"रात"},week:{dow:0,doy:6}})}(n(381))},316:function(e,t,n){!function(e){"use strict";function t(e,t,n){var r=e+" ";switch(n){case"ss":return r+=1===e?"sekunda":2===e||3===e||4===e?"sekunde":"sekundi";case"m":return t?"jedna minuta":"jedne minute";case"mm":return r+=1===e?"minuta":2===e||3===e||4===e?"minute":"minuta";case"h":return t?"jedan sat":"jednog sata";case"hh":return r+=1===e?"sat":2===e||3===e||4===e?"sata":"sati";case"dd":return r+=1===e?"dan":"dana";case"MM":return r+=1===e?"mjesec":2===e||3===e||4===e?"mjeseca":"mjeseci";case"yy":return r+=1===e?"godina":2===e||3===e||4===e?"godine":"godina"}}e.defineLocale("hr",{months:{format:"siječnja_veljače_ožujka_travnja_svibnja_lipnja_srpnja_kolovoza_rujna_listopada_studenoga_prosinca".split("_"),standalone:"siječanj_veljača_ožujak_travanj_svibanj_lipanj_srpanj_kolovoz_rujan_listopad_studeni_prosinac".split("_")},monthsShort:"sij._velj._ožu._tra._svi._lip._srp._kol._ruj._lis._stu._pro.".split("_"),monthsParseExact:!0,weekdays:"nedjelja_ponedjeljak_utorak_srijeda_četvrtak_petak_subota".split("_"),weekdaysShort:"ned._pon._uto._sri._čet._pet._sub.".split("_"),weekdaysMin:"ne_po_ut_sr_če_pe_su".split("_"),weekdaysParseExact:!0,longDateFormat:{LT:"H:mm",LTS:"H:mm:ss",L:"DD.MM.YYYY",LL:"Do MMMM YYYY",LLL:"Do MMMM YYYY H:mm",LLLL:"dddd, Do MMMM YYYY H:mm"},calendar:{sameDay:"[danas u] LT",nextDay:"[sutra u] LT",nextWeek:function(){switch(this.day()){case 0:return"[u] [nedjelju] [u] LT";case 3:return"[u] [srijedu] [u] LT";case 6:return"[u] [subotu] [u] LT";case 1:case 2:case 4:case 5:return"[u] dddd [u] LT"}},lastDay:"[jučer u] LT",lastWeek:function(){switch(this.day()){case 0:return"[prošlu] [nedjelju] [u] LT";case 3:return"[prošlu] [srijedu] [u] LT";case 6:return"[prošle] [subote] [u] LT";case 1:case 2:case 4:case 5:return"[prošli] dddd [u] LT"}},sameElse:"L"},relativeTime:{future:"za %s",past:"prije %s",s:"par sekundi",ss:t,m:t,mm:t,h:t,hh:t,d:"dan",dd:t,M:"mjesec",MM:t,y:"godinu",yy:t},dayOfMonthOrdinalParse:/\d{1,2}\./,ordinal:"%d.",week:{dow:1,doy:7}})}(n(381))},2138:function(e,t,n){!function(e){"use strict";var t="vasárnap hétfőn kedden szerdán csütörtökön pénteken szombaton".split(" ");function n(e,t,n,r){var o=e;switch(n){case"s":return r||t?"néhány másodperc":"néhány másodperce";case"ss":return o+(r||t)?" másodperc":" másodperce";case"m":return"egy"+(r||t?" perc":" perce");case"mm":return o+(r||t?" perc":" perce");case"h":return"egy"+(r||t?" óra":" órája");case"hh":return o+(r||t?" óra":" órája");case"d":return"egy"+(r||t?" nap":" napja");case"dd":return o+(r||t?" nap":" napja");case"M":return"egy"+(r||t?" hónap":" hónapja");case"MM":return o+(r||t?" hónap":" hónapja");case"y":return"egy"+(r||t?" év":" éve");case"yy":return o+(r||t?" év":" éve")}return""}function r(e){return(e?"":"[múlt] ")+"["+t[this.day()]+"] LT[-kor]"}e.defineLocale("hu",{months:"január_február_március_április_május_június_július_augusztus_szeptember_október_november_december".split("_"),monthsShort:"jan._feb._márc._ápr._máj._jún._júl._aug._szept._okt._nov._dec.".split("_"),monthsParseExact:!0,weekdays:"vasárnap_hétfő_kedd_szerda_csütörtök_péntek_szombat".split("_"),weekdaysShort:"vas_hét_kedd_sze_csüt_pén_szo".split("_"),weekdaysMin:"v_h_k_sze_cs_p_szo".split("_"),longDateFormat:{LT:"H:mm",LTS:"H:mm:ss",L:"YYYY.MM.DD.",LL:"YYYY. MMMM D.",LLL:"YYYY. MMMM D. H:mm",LLLL:"YYYY. MMMM D., dddd H:mm"},meridiemParse:/de|du/i,isPM:function(e){return"u"===e.charAt(1).toLowerCase()},meridiem:function(e,t,n){return e<12?!0===n?"de":"DE":!0===n?"du":"DU"},calendar:{sameDay:"[ma] LT[-kor]",nextDay:"[holnap] LT[-kor]",nextWeek:function(){return r.call(this,!0)},lastDay:"[tegnap] LT[-kor]",lastWeek:function(){return r.call(this,!1)},sameElse:"L"},relativeTime:{future:"%s múlva",past:"%s",s:n,ss:n,m:n,mm:n,h:n,hh:n,d:n,dd:n,M:n,MM:n,y:n,yy:n},dayOfMonthOrdinalParse:/\d{1,2}\./,ordinal:"%d.",week:{dow:1,doy:4}})}(n(381))},1423:function(e,t,n){!function(e){"use strict";e.defineLocale("hy-am",{months:{format:"հունվարի_փետրվարի_մարտի_ապրիլի_մայիսի_հունիսի_հուլիսի_օգոստոսի_սեպտեմբերի_հոկտեմբերի_նոյեմբերի_դեկտեմբերի".split("_"),standalone:"հունվար_փետրվար_մարտ_ապրիլ_մայիս_հունիս_հուլիս_օգոստոս_սեպտեմբեր_հոկտեմբեր_նոյեմբեր_դեկտեմբեր".split("_")},monthsShort:"հնվ_փտր_մրտ_ապր_մյս_հնս_հլս_օգս_սպտ_հկտ_նմբ_դկտ".split("_"),weekdays:"կիրակի_երկուշաբթի_երեքշաբթի_չորեքշաբթի_հինգշաբթի_ուրբաթ_շաբաթ".split("_"),weekdaysShort:"կրկ_երկ_երք_չրք_հնգ_ուրբ_շբթ".split("_"),weekdaysMin:"կրկ_երկ_երք_չրք_հնգ_ուրբ_շբթ".split("_"),longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD.MM.YYYY",LL:"D MMMM YYYY թ.",LLL:"D MMMM YYYY թ., HH:mm",LLLL:"dddd, D MMMM YYYY թ., HH:mm"},calendar:{sameDay:"[այսօր] LT",nextDay:"[վաղը] LT",lastDay:"[երեկ] LT",nextWeek:function(){return"dddd [օրը ժամը] LT"},lastWeek:function(){return"[անցած] dddd [օրը ժամը] LT"},sameElse:"L"},relativeTime:{future:"%s հետո",past:"%s առաջ",s:"մի քանի վայրկյան",ss:"%d վայրկյան",m:"րոպե",mm:"%d րոպե",h:"ժամ",hh:"%d ժամ",d:"օր",dd:"%d օր",M:"ամիս",MM:"%d ամիս",y:"տարի",yy:"%d տարի"},meridiemParse:/գիշերվա|առավոտվա|ցերեկվա|երեկոյան/,isPM:function(e){return/^(ցերեկվա|երեկոյան)$/.test(e)},meridiem:function(e){return e<4?"գիշերվա":e<12?"առավոտվա":e<17?"ցերեկվա":"երեկոյան"},dayOfMonthOrdinalParse:/\d{1,2}|\d{1,2}-(ին|րդ)/,ordinal:function(e,t){switch(t){case"DDD":case"w":case"W":case"DDDo":return 1===e?e+"-ին":e+"-րդ";default:return e}},week:{dow:1,doy:7}})}(n(381))},9218:function(e,t,n){!function(e){"use strict";e.defineLocale("id",{months:"Januari_Februari_Maret_April_Mei_Juni_Juli_Agustus_September_Oktober_November_Desember".split("_"),monthsShort:"Jan_Feb_Mar_Apr_Mei_Jun_Jul_Agt_Sep_Okt_Nov_Des".split("_"),weekdays:"Minggu_Senin_Selasa_Rabu_Kamis_Jumat_Sabtu".split("_"),weekdaysShort:"Min_Sen_Sel_Rab_Kam_Jum_Sab".split("_"),weekdaysMin:"Mg_Sn_Sl_Rb_Km_Jm_Sb".split("_"),longDateFormat:{LT:"HH.mm",LTS:"HH.mm.ss",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY [pukul] HH.mm",LLLL:"dddd, D MMMM YYYY [pukul] HH.mm"},meridiemParse:/pagi|siang|sore|malam/,meridiemHour:function(e,t){return 12===e&&(e=0),"pagi"===t?e:"siang"===t?e>=11?e:e+12:"sore"===t||"malam"===t?e+12:void 0},meridiem:function(e,t,n){return e<11?"pagi":e<15?"siang":e<19?"sore":"malam"},calendar:{sameDay:"[Hari ini pukul] LT",nextDay:"[Besok pukul] LT",nextWeek:"dddd [pukul] LT",lastDay:"[Kemarin pukul] LT",lastWeek:"dddd [lalu pukul] LT",sameElse:"L"},relativeTime:{future:"dalam %s",past:"%s yang lalu",s:"beberapa detik",ss:"%d detik",m:"semenit",mm:"%d menit",h:"sejam",hh:"%d jam",d:"sehari",dd:"%d hari",M:"sebulan",MM:"%d bulan",y:"setahun",yy:"%d tahun"},week:{dow:0,doy:6}})}(n(381))},135:function(e,t,n){!function(e){"use strict";function t(e){return e%100==11||e%10!=1}function n(e,n,r,o){var a=e+" ";switch(r){case"s":return n||o?"nokkrar sekúndur":"nokkrum sekúndum";case"ss":return t(e)?a+(n||o?"sekúndur":"sekúndum"):a+"sekúnda";case"m":return n?"mínúta":"mínútu";case"mm":return t(e)?a+(n||o?"mínútur":"mínútum"):n?a+"mínúta":a+"mínútu";case"hh":return t(e)?a+(n||o?"klukkustundir":"klukkustundum"):a+"klukkustund";case"d":return n?"dagur":o?"dag":"degi";case"dd":return t(e)?n?a+"dagar":a+(o?"daga":"dögum"):n?a+"dagur":a+(o?"dag":"degi");case"M":return n?"mánuður":o?"mánuð":"mánuði";case"MM":return t(e)?n?a+"mánuðir":a+(o?"mánuði":"mánuðum"):n?a+"mánuður":a+(o?"mánuð":"mánuði");case"y":return n||o?"ár":"ári";case"yy":return t(e)?a+(n||o?"ár":"árum"):a+(n||o?"ár":"ári")}}e.defineLocale("is",{months:"janúar_febrúar_mars_apríl_maí_júní_júlí_ágúst_september_október_nóvember_desember".split("_"),monthsShort:"jan_feb_mar_apr_maí_jún_júl_ágú_sep_okt_nóv_des".split("_"),weekdays:"sunnudagur_mánudagur_þriðjudagur_miðvikudagur_fimmtudagur_föstudagur_laugardagur".split("_"),weekdaysShort:"sun_mán_þri_mið_fim_fös_lau".split("_"),weekdaysMin:"Su_Má_Þr_Mi_Fi_Fö_La".split("_"),longDateFormat:{LT:"H:mm",LTS:"H:mm:ss",L:"DD.MM.YYYY",LL:"D. MMMM YYYY",LLL:"D. MMMM YYYY [kl.] H:mm",LLLL:"dddd, D. MMMM YYYY [kl.] H:mm"},calendar:{sameDay:"[í dag kl.] LT",nextDay:"[á morgun kl.] LT",nextWeek:"dddd [kl.] LT",lastDay:"[í gær kl.] LT",lastWeek:"[síðasta] dddd [kl.] LT",sameElse:"L"},relativeTime:{future:"eftir %s",past:"fyrir %s síðan",s:n,ss:n,m:n,mm:n,h:"klukkustund",hh:n,d:n,dd:n,M:n,MM:n,y:n,yy:n},dayOfMonthOrdinalParse:/\d{1,2}\./,ordinal:"%d.",week:{dow:1,doy:4}})}(n(381))},150:function(e,t,n){!function(e){"use strict";e.defineLocale("it-ch",{months:"gennaio_febbraio_marzo_aprile_maggio_giugno_luglio_agosto_settembre_ottobre_novembre_dicembre".split("_"),monthsShort:"gen_feb_mar_apr_mag_giu_lug_ago_set_ott_nov_dic".split("_"),weekdays:"domenica_lunedì_martedì_mercoledì_giovedì_venerdì_sabato".split("_"),weekdaysShort:"dom_lun_mar_mer_gio_ven_sab".split("_"),weekdaysMin:"do_lu_ma_me_gi_ve_sa".split("_"),longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD.MM.YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY HH:mm",LLLL:"dddd D MMMM YYYY HH:mm"},calendar:{sameDay:"[Oggi alle] LT",nextDay:"[Domani alle] LT",nextWeek:"dddd [alle] LT",lastDay:"[Ieri alle] LT",lastWeek:function(){switch(this.day()){case 0:return"[la scorsa] dddd [alle] LT";default:return"[lo scorso] dddd [alle] LT"}},sameElse:"L"},relativeTime:{future:function(e){return(/^[0-9].+$/.test(e)?"tra":"in")+" "+e},past:"%s fa",s:"alcuni secondi",ss:"%d secondi",m:"un minuto",mm:"%d minuti",h:"un'ora",hh:"%d ore",d:"un giorno",dd:"%d giorni",M:"un mese",MM:"%d mesi",y:"un anno",yy:"%d anni"},dayOfMonthOrdinalParse:/\d{1,2}º/,ordinal:"%dº",week:{dow:1,doy:4}})}(n(381))},626:function(e,t,n){!function(e){"use strict";e.defineLocale("it",{months:"gennaio_febbraio_marzo_aprile_maggio_giugno_luglio_agosto_settembre_ottobre_novembre_dicembre".split("_"),monthsShort:"gen_feb_mar_apr_mag_giu_lug_ago_set_ott_nov_dic".split("_"),weekdays:"domenica_lunedì_martedì_mercoledì_giovedì_venerdì_sabato".split("_"),weekdaysShort:"dom_lun_mar_mer_gio_ven_sab".split("_"),weekdaysMin:"do_lu_ma_me_gi_ve_sa".split("_"),longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY HH:mm",LLLL:"dddd D MMMM YYYY HH:mm"},calendar:{sameDay:function(){return"[Oggi a"+(this.hours()>1?"lle ":0===this.hours()?" ":"ll'")+"]LT"},nextDay:function(){return"[Domani a"+(this.hours()>1?"lle ":0===this.hours()?" ":"ll'")+"]LT"},nextWeek:function(){return"dddd [a"+(this.hours()>1?"lle ":0===this.hours()?" ":"ll'")+"]LT"},lastDay:function(){return"[Ieri a"+(this.hours()>1?"lle ":0===this.hours()?" ":"ll'")+"]LT"},lastWeek:function(){switch(this.day()){case 0:return"[La scorsa] dddd [a"+(this.hours()>1?"lle ":0===this.hours()?" ":"ll'")+"]LT";default:return"[Lo scorso] dddd [a"+(this.hours()>1?"lle ":0===this.hours()?" ":"ll'")+"]LT"}},sameElse:"L"},relativeTime:{future:"tra %s",past:"%s fa",s:"alcuni secondi",ss:"%d secondi",m:"un minuto",mm:"%d minuti",h:"un'ora",hh:"%d ore",d:"un giorno",dd:"%d giorni",w:"una settimana",ww:"%d settimane",M:"un mese",MM:"%d mesi",y:"un anno",yy:"%d anni"},dayOfMonthOrdinalParse:/\d{1,2}º/,ordinal:"%dº",week:{dow:1,doy:4}})}(n(381))},9183:function(e,t,n){!function(e){"use strict";e.defineLocale("ja",{eras:[{since:"2019-05-01",offset:1,name:"令和",narrow:"㋿",abbr:"R"},{since:"1989-01-08",until:"2019-04-30",offset:1,name:"平成",narrow:"㍻",abbr:"H"},{since:"1926-12-25",until:"1989-01-07",offset:1,name:"昭和",narrow:"㍼",abbr:"S"},{since:"1912-07-30",until:"1926-12-24",offset:1,name:"大正",narrow:"㍽",abbr:"T"},{since:"1873-01-01",until:"1912-07-29",offset:6,name:"明治",narrow:"㍾",abbr:"M"},{since:"0001-01-01",until:"1873-12-31",offset:1,name:"西暦",narrow:"AD",abbr:"AD"},{since:"0000-12-31",until:-1/0,offset:1,name:"紀元前",narrow:"BC",abbr:"BC"}],eraYearOrdinalRegex:/(元|\d+)年/,eraYearOrdinalParse:function(e,t){return"元"===t[1]?1:parseInt(t[1]||e,10)},months:"1月_2月_3月_4月_5月_6月_7月_8月_9月_10月_11月_12月".split("_"),monthsShort:"1月_2月_3月_4月_5月_6月_7月_8月_9月_10月_11月_12月".split("_"),weekdays:"日曜日_月曜日_火曜日_水曜日_木曜日_金曜日_土曜日".split("_"),weekdaysShort:"日_月_火_水_木_金_土".split("_"),weekdaysMin:"日_月_火_水_木_金_土".split("_"),longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"YYYY/MM/DD",LL:"YYYY年M月D日",LLL:"YYYY年M月D日 HH:mm",LLLL:"YYYY年M月D日 dddd HH:mm",l:"YYYY/MM/DD",ll:"YYYY年M月D日",lll:"YYYY年M月D日 HH:mm",llll:"YYYY年M月D日(ddd) HH:mm"},meridiemParse:/午前|午後/i,isPM:function(e){return"午後"===e},meridiem:function(e,t,n){return e<12?"午前":"午後"},calendar:{sameDay:"[今日] LT",nextDay:"[明日] LT",nextWeek:function(e){return e.week()!==this.week()?"[来週]dddd LT":"dddd LT"},lastDay:"[昨日] LT",lastWeek:function(e){return this.week()!==e.week()?"[先週]dddd LT":"dddd LT"},sameElse:"L"},dayOfMonthOrdinalParse:/\d{1,2}日/,ordinal:function(e,t){switch(t){case"y":return 1===e?"元年":e+"年";case"d":case"D":case"DDD":return e+"日";default:return e}},relativeTime:{future:"%s後",past:"%s前",s:"数秒",ss:"%d秒",m:"1分",mm:"%d分",h:"1時間",hh:"%d時間",d:"1日",dd:"%d日",M:"1ヶ月",MM:"%dヶ月",y:"1年",yy:"%d年"}})}(n(381))},4286:function(e,t,n){!function(e){"use strict";e.defineLocale("jv",{months:"Januari_Februari_Maret_April_Mei_Juni_Juli_Agustus_September_Oktober_Nopember_Desember".split("_"),monthsShort:"Jan_Feb_Mar_Apr_Mei_Jun_Jul_Ags_Sep_Okt_Nop_Des".split("_"),weekdays:"Minggu_Senen_Seloso_Rebu_Kemis_Jemuwah_Septu".split("_"),weekdaysShort:"Min_Sen_Sel_Reb_Kem_Jem_Sep".split("_"),weekdaysMin:"Mg_Sn_Sl_Rb_Km_Jm_Sp".split("_"),longDateFormat:{LT:"HH.mm",LTS:"HH.mm.ss",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY [pukul] HH.mm",LLLL:"dddd, D MMMM YYYY [pukul] HH.mm"},meridiemParse:/enjing|siyang|sonten|ndalu/,meridiemHour:function(e,t){return 12===e&&(e=0),"enjing"===t?e:"siyang"===t?e>=11?e:e+12:"sonten"===t||"ndalu"===t?e+12:void 0},meridiem:function(e,t,n){return e<11?"enjing":e<15?"siyang":e<19?"sonten":"ndalu"},calendar:{sameDay:"[Dinten puniko pukul] LT",nextDay:"[Mbenjang pukul] LT",nextWeek:"dddd [pukul] LT",lastDay:"[Kala wingi pukul] LT",lastWeek:"dddd [kepengker pukul] LT",sameElse:"L"},relativeTime:{future:"wonten ing %s",past:"%s ingkang kepengker",s:"sawetawis detik",ss:"%d detik",m:"setunggal menit",mm:"%d menit",h:"setunggal jam",hh:"%d jam",d:"sedinten",dd:"%d dinten",M:"sewulan",MM:"%d wulan",y:"setaun",yy:"%d taun"},week:{dow:1,doy:7}})}(n(381))},2105:function(e,t,n){!function(e){"use strict";e.defineLocale("ka",{months:"იანვარი_თებერვალი_მარტი_აპრილი_მაისი_ივნისი_ივლისი_აგვისტო_სექტემბერი_ოქტომბერი_ნოემბერი_დეკემბერი".split("_"),monthsShort:"იან_თებ_მარ_აპრ_მაი_ივნ_ივლ_აგვ_სექ_ოქტ_ნოე_დეკ".split("_"),weekdays:{standalone:"კვირა_ორშაბათი_სამშაბათი_ოთხშაბათი_ხუთშაბათი_პარასკევი_შაბათი".split("_"),format:"კვირას_ორშაბათს_სამშაბათს_ოთხშაბათს_ხუთშაბათს_პარასკევს_შაბათს".split("_"),isFormat:/(წინა|შემდეგ)/},weekdaysShort:"კვი_ორშ_სამ_ოთხ_ხუთ_პარ_შაბ".split("_"),weekdaysMin:"კვ_ორ_სა_ოთ_ხუ_პა_შა".split("_"),longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY HH:mm",LLLL:"dddd, D MMMM YYYY HH:mm"},calendar:{sameDay:"[დღეს] LT[-ზე]",nextDay:"[ხვალ] LT[-ზე]",lastDay:"[გუშინ] LT[-ზე]",nextWeek:"[შემდეგ] dddd LT[-ზე]",lastWeek:"[წინა] dddd LT-ზე",sameElse:"L"},relativeTime:{future:function(e){return e.replace(/(წამ|წუთ|საათ|წელ|დღ|თვ)(ი|ე)/,(function(e,t,n){return"ი"===n?t+"ში":t+n+"ში"}))},past:function(e){return/(წამი|წუთი|საათი|დღე|თვე)/.test(e)?e.replace(/(ი|ე)$/,"ის წინ"):/წელი/.test(e)?e.replace(/წელი$/,"წლის წინ"):e},s:"რამდენიმე წამი",ss:"%d წამი",m:"წუთი",mm:"%d წუთი",h:"საათი",hh:"%d საათი",d:"დღე",dd:"%d დღე",M:"თვე",MM:"%d თვე",y:"წელი",yy:"%d წელი"},dayOfMonthOrdinalParse:/0|1-ლი|მე-\d{1,2}|\d{1,2}-ე/,ordinal:function(e){return 0===e?e:1===e?e+"-ლი":e<20||e<=100&&e%20==0||e%100==0?"მე-"+e:e+"-ე"},week:{dow:1,doy:7}})}(n(381))},7772:function(e,t,n){!function(e){"use strict";var t={0:"-ші",1:"-ші",2:"-ші",3:"-ші",4:"-ші",5:"-ші",6:"-шы",7:"-ші",8:"-ші",9:"-шы",10:"-шы",20:"-шы",30:"-шы",40:"-шы",50:"-ші",60:"-шы",70:"-ші",80:"-ші",90:"-шы",100:"-ші"};e.defineLocale("kk",{months:"қаңтар_ақпан_наурыз_сәуір_мамыр_маусым_шілде_тамыз_қыркүйек_қазан_қараша_желтоқсан".split("_"),monthsShort:"қаң_ақп_нау_сәу_мам_мау_шіл_там_қыр_қаз_қар_жел".split("_"),weekdays:"жексенбі_дүйсенбі_сейсенбі_сәрсенбі_бейсенбі_жұма_сенбі".split("_"),weekdaysShort:"жек_дүй_сей_сәр_бей_жұм_сен".split("_"),weekdaysMin:"жк_дй_сй_ср_бй_жм_сн".split("_"),longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD.MM.YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY HH:mm",LLLL:"dddd, D MMMM YYYY HH:mm"},calendar:{sameDay:"[Бүгін сағат] LT",nextDay:"[Ертең сағат] LT",nextWeek:"dddd [сағат] LT",lastDay:"[Кеше сағат] LT",lastWeek:"[Өткен аптаның] dddd [сағат] LT",sameElse:"L"},relativeTime:{future:"%s ішінде",past:"%s бұрын",s:"бірнеше секунд",ss:"%d секунд",m:"бір минут",mm:"%d минут",h:"бір сағат",hh:"%d сағат",d:"бір күн",dd:"%d күн",M:"бір ай",MM:"%d ай",y:"бір жыл",yy:"%d жыл"},dayOfMonthOrdinalParse:/\d{1,2}-(ші|шы)/,ordinal:function(e){var n=e%10,r=e>=100?100:null;return e+(t[e]||t[n]||t[r])},week:{dow:1,doy:7}})}(n(381))},8758:function(e,t,n){!function(e){"use strict";var t={1:"១",2:"២",3:"៣",4:"៤",5:"៥",6:"៦",7:"៧",8:"៨",9:"៩",0:"០"},n={"១":"1","២":"2","៣":"3","៤":"4","៥":"5","៦":"6","៧":"7","៨":"8","៩":"9","០":"0"};e.defineLocale("km",{months:"មករា_កុម្ភៈ_មីនា_មេសា_ឧសភា_មិថុនា_កក្កដា_សីហា_កញ្ញា_តុលា_វិច្ឆិកា_ធ្នូ".split("_"),monthsShort:"មករា_កុម្ភៈ_មីនា_មេសា_ឧសភា_មិថុនា_កក្កដា_សីហា_កញ្ញា_តុលា_វិច្ឆិកា_ធ្នូ".split("_"),weekdays:"អាទិត្យ_ច័ន្ទ_អង្គារ_ពុធ_ព្រហស្បតិ៍_សុក្រ_សៅរ៍".split("_"),weekdaysShort:"អា_ច_អ_ព_ព្រ_សុ_ស".split("_"),weekdaysMin:"អា_ច_អ_ព_ព្រ_សុ_ស".split("_"),weekdaysParseExact:!0,longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY HH:mm",LLLL:"dddd, D MMMM YYYY HH:mm"},meridiemParse:/ព្រឹក|ល្ងាច/,isPM:function(e){return"ល្ងាច"===e},meridiem:function(e,t,n){return e<12?"ព្រឹក":"ល្ងាច"},calendar:{sameDay:"[ថ្ងៃនេះ ម៉ោង] LT",nextDay:"[ស្អែក ម៉ោង] LT",nextWeek:"dddd [ម៉ោង] LT",lastDay:"[ម្សិលមិញ ម៉ោង] LT",lastWeek:"dddd [សប្តាហ៍មុន] [ម៉ោង] LT",sameElse:"L"},relativeTime:{future:"%sទៀត",past:"%sមុន",s:"ប៉ុន្មានវិនាទី",ss:"%d វិនាទី",m:"មួយនាទី",mm:"%d នាទី",h:"មួយម៉ោង",hh:"%d ម៉ោង",d:"មួយថ្ងៃ",dd:"%d ថ្ងៃ",M:"មួយខែ",MM:"%d ខែ",y:"មួយឆ្នាំ",yy:"%d ឆ្នាំ"},dayOfMonthOrdinalParse:/ទី\d{1,2}/,ordinal:"ទី%d",preparse:function(e){return e.replace(/[១២៣៤៥៦៧៨៩០]/g,(function(e){return n[e]}))},postformat:function(e){return e.replace(/\d/g,(function(e){return t[e]}))},week:{dow:1,doy:4}})}(n(381))},9282:function(e,t,n){!function(e){"use strict";var t={1:"೧",2:"೨",3:"೩",4:"೪",5:"೫",6:"೬",7:"೭",8:"೮",9:"೯",0:"೦"},n={"೧":"1","೨":"2","೩":"3","೪":"4","೫":"5","೬":"6","೭":"7","೮":"8","೯":"9","೦":"0"};e.defineLocale("kn",{months:"ಜನವರಿ_ಫೆಬ್ರವರಿ_ಮಾರ್ಚ್_ಏಪ್ರಿಲ್_ಮೇ_ಜೂನ್_ಜುಲೈ_ಆಗಸ್ಟ್_ಸೆಪ್ಟೆಂಬರ್_ಅಕ್ಟೋಬರ್_ನವೆಂಬರ್_ಡಿಸೆಂಬರ್".split("_"),monthsShort:"ಜನ_ಫೆಬ್ರ_ಮಾರ್ಚ್_ಏಪ್ರಿಲ್_ಮೇ_ಜೂನ್_ಜುಲೈ_ಆಗಸ್ಟ್_ಸೆಪ್ಟೆಂ_ಅಕ್ಟೋ_ನವೆಂ_ಡಿಸೆಂ".split("_"),monthsParseExact:!0,weekdays:"ಭಾನುವಾರ_ಸೋಮವಾರ_ಮಂಗಳವಾರ_ಬುಧವಾರ_ಗುರುವಾರ_ಶುಕ್ರವಾರ_ಶನಿವಾರ".split("_"),weekdaysShort:"ಭಾನು_ಸೋಮ_ಮಂಗಳ_ಬುಧ_ಗುರು_ಶುಕ್ರ_ಶನಿ".split("_"),weekdaysMin:"ಭಾ_ಸೋ_ಮಂ_ಬು_ಗು_ಶು_ಶ".split("_"),longDateFormat:{LT:"A h:mm",LTS:"A h:mm:ss",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY, A h:mm",LLLL:"dddd, D MMMM YYYY, A h:mm"},calendar:{sameDay:"[ಇಂದು] LT",nextDay:"[ನಾಳೆ] LT",nextWeek:"dddd, LT",lastDay:"[ನಿನ್ನೆ] LT",lastWeek:"[ಕೊನೆಯ] dddd, LT",sameElse:"L"},relativeTime:{future:"%s ನಂತರ",past:"%s ಹಿಂದೆ",s:"ಕೆಲವು ಕ್ಷಣಗಳು",ss:"%d ಸೆಕೆಂಡುಗಳು",m:"ಒಂದು ನಿಮಿಷ",mm:"%d ನಿಮಿಷ",h:"ಒಂದು ಗಂಟೆ",hh:"%d ಗಂಟೆ",d:"ಒಂದು ದಿನ",dd:"%d ದಿನ",M:"ಒಂದು ತಿಂಗಳು",MM:"%d ತಿಂಗಳು",y:"ಒಂದು ವರ್ಷ",yy:"%d ವರ್ಷ"},preparse:function(e){return e.replace(/[೧೨೩೪೫೬೭೮೯೦]/g,(function(e){return n[e]}))},postformat:function(e){return e.replace(/\d/g,(function(e){return t[e]}))},meridiemParse:/ರಾತ್ರಿ|ಬೆಳಿಗ್ಗೆ|ಮಧ್ಯಾಹ್ನ|ಸಂಜೆ/,meridiemHour:function(e,t){return 12===e&&(e=0),"ರಾತ್ರಿ"===t?e<4?e:e+12:"ಬೆಳಿಗ್ಗೆ"===t?e:"ಮಧ್ಯಾಹ್ನ"===t?e>=10?e:e+12:"ಸಂಜೆ"===t?e+12:void 0},meridiem:function(e,t,n){return e<4?"ರಾತ್ರಿ":e<10?"ಬೆಳಿಗ್ಗೆ":e<17?"ಮಧ್ಯಾಹ್ನ":e<20?"ಸಂಜೆ":"ರಾತ್ರಿ"},dayOfMonthOrdinalParse:/\d{1,2}(ನೇ)/,ordinal:function(e){return e+"ನೇ"},week:{dow:0,doy:6}})}(n(381))},3730:function(e,t,n){!function(e){"use strict";e.defineLocale("ko",{months:"1월_2월_3월_4월_5월_6월_7월_8월_9월_10월_11월_12월".split("_"),monthsShort:"1월_2월_3월_4월_5월_6월_7월_8월_9월_10월_11월_12월".split("_"),weekdays:"일요일_월요일_화요일_수요일_목요일_금요일_토요일".split("_"),weekdaysShort:"일_월_화_수_목_금_토".split("_"),weekdaysMin:"일_월_화_수_목_금_토".split("_"),longDateFormat:{LT:"A h:mm",LTS:"A h:mm:ss",L:"YYYY.MM.DD.",LL:"YYYY년 MMMM D일",LLL:"YYYY년 MMMM D일 A h:mm",LLLL:"YYYY년 MMMM D일 dddd A h:mm",l:"YYYY.MM.DD.",ll:"YYYY년 MMMM D일",lll:"YYYY년 MMMM D일 A h:mm",llll:"YYYY년 MMMM D일 dddd A h:mm"},calendar:{sameDay:"오늘 LT",nextDay:"내일 LT",nextWeek:"dddd LT",lastDay:"어제 LT",lastWeek:"지난주 dddd LT",sameElse:"L"},relativeTime:{future:"%s 후",past:"%s 전",s:"몇 초",ss:"%d초",m:"1분",mm:"%d분",h:"한 시간",hh:"%d시간",d:"하루",dd:"%d일",M:"한 달",MM:"%d달",y:"일 년",yy:"%d년"},dayOfMonthOrdinalParse:/\d{1,2}(일|월|주)/,ordinal:function(e,t){switch(t){case"d":case"D":case"DDD":return e+"일";case"M":return e+"월";case"w":case"W":return e+"주";default:return e}},meridiemParse:/오전|오후/,isPM:function(e){return"오후"===e},meridiem:function(e,t,n){return e<12?"오전":"오후"}})}(n(381))},1408:function(e,t,n){!function(e){"use strict";var t={1:"١",2:"٢",3:"٣",4:"٤",5:"٥",6:"٦",7:"٧",8:"٨",9:"٩",0:"٠"},n={"١":"1","٢":"2","٣":"3","٤":"4","٥":"5","٦":"6","٧":"7","٨":"8","٩":"9","٠":"0"},r=["کانونی دووەم","شوبات","ئازار","نیسان","ئایار","حوزەیران","تەمموز","ئاب","ئەیلوول","تشرینی یەكەم","تشرینی دووەم","كانونی یەکەم"];e.defineLocale("ku",{months:r,monthsShort:r,weekdays:"یه‌كشه‌ممه‌_دووشه‌ممه‌_سێشه‌ممه‌_چوارشه‌ممه‌_پێنجشه‌ممه‌_هه‌ینی_شه‌ممه‌".split("_"),weekdaysShort:"یه‌كشه‌م_دووشه‌م_سێشه‌م_چوارشه‌م_پێنجشه‌م_هه‌ینی_شه‌ممه‌".split("_"),weekdaysMin:"ی_د_س_چ_پ_ه_ش".split("_"),weekdaysParseExact:!0,longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY HH:mm",LLLL:"dddd, D MMMM YYYY HH:mm"},meridiemParse:/ئێواره‌|به‌یانی/,isPM:function(e){return/ئێواره‌/.test(e)},meridiem:function(e,t,n){return e<12?"به‌یانی":"ئێواره‌"},calendar:{sameDay:"[ئه‌مرۆ كاتژمێر] LT",nextDay:"[به‌یانی كاتژمێر] LT",nextWeek:"dddd [كاتژمێر] LT",lastDay:"[دوێنێ كاتژمێر] LT",lastWeek:"dddd [كاتژمێر] LT",sameElse:"L"},relativeTime:{future:"له‌ %s",past:"%s",s:"چه‌ند چركه‌یه‌ك",ss:"چركه‌ %d",m:"یه‌ك خوله‌ك",mm:"%d خوله‌ك",h:"یه‌ك كاتژمێر",hh:"%d كاتژمێر",d:"یه‌ك ڕۆژ",dd:"%d ڕۆژ",M:"یه‌ك مانگ",MM:"%d مانگ",y:"یه‌ك ساڵ",yy:"%d ساڵ"},preparse:function(e){return e.replace(/[١٢٣٤٥٦٧٨٩٠]/g,(function(e){return n[e]})).replace(/،/g,",")},postformat:function(e){return e.replace(/\d/g,(function(e){return t[e]})).replace(/,/g,"،")},week:{dow:6,doy:12}})}(n(381))},3291:function(e,t,n){!function(e){"use strict";var t={0:"-чү",1:"-чи",2:"-чи",3:"-чү",4:"-чү",5:"-чи",6:"-чы",7:"-чи",8:"-чи",9:"-чу",10:"-чу",20:"-чы",30:"-чу",40:"-чы",50:"-чү",60:"-чы",70:"-чи",80:"-чи",90:"-чу",100:"-чү"};e.defineLocale("ky",{months:"январь_февраль_март_апрель_май_июнь_июль_август_сентябрь_октябрь_ноябрь_декабрь".split("_"),monthsShort:"янв_фев_март_апр_май_июнь_июль_авг_сен_окт_ноя_дек".split("_"),weekdays:"Жекшемби_Дүйшөмбү_Шейшемби_Шаршемби_Бейшемби_Жума_Ишемби".split("_"),weekdaysShort:"Жек_Дүй_Шей_Шар_Бей_Жум_Ише".split("_"),weekdaysMin:"Жк_Дй_Шй_Шр_Бй_Жм_Иш".split("_"),longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD.MM.YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY HH:mm",LLLL:"dddd, D MMMM YYYY HH:mm"},calendar:{sameDay:"[Бүгүн саат] LT",nextDay:"[Эртең саат] LT",nextWeek:"dddd [саат] LT",lastDay:"[Кечээ саат] LT",lastWeek:"[Өткөн аптанын] dddd [күнү] [саат] LT",sameElse:"L"},relativeTime:{future:"%s ичинде",past:"%s мурун",s:"бирнече секунд",ss:"%d секунд",m:"бир мүнөт",mm:"%d мүнөт",h:"бир саат",hh:"%d саат",d:"бир күн",dd:"%d күн",M:"бир ай",MM:"%d ай",y:"бир жыл",yy:"%d жыл"},dayOfMonthOrdinalParse:/\d{1,2}-(чи|чы|чү|чу)/,ordinal:function(e){var n=e%10,r=e>=100?100:null;return e+(t[e]||t[n]||t[r])},week:{dow:1,doy:7}})}(n(381))},6841:function(e,t,n){!function(e){"use strict";function t(e,t,n,r){var o={m:["eng Minutt","enger Minutt"],h:["eng Stonn","enger Stonn"],d:["een Dag","engem Dag"],M:["ee Mount","engem Mount"],y:["ee Joer","engem Joer"]};return t?o[n][0]:o[n][1]}function n(e){return o(e.substr(0,e.indexOf(" ")))?"a "+e:"an "+e}function r(e){return o(e.substr(0,e.indexOf(" ")))?"viru "+e:"virun "+e}function o(e){if(e=parseInt(e,10),isNaN(e))return!1;if(e<0)return!0;if(e<10)return 4<=e&&e<=7;if(e<100){var t=e%10;return o(0===t?e/10:t)}if(e<1e4){for(;e>=10;)e/=10;return o(e)}return o(e/=1e3)}e.defineLocale("lb",{months:"Januar_Februar_Mäerz_Abrëll_Mee_Juni_Juli_August_September_Oktober_November_Dezember".split("_"),monthsShort:"Jan._Febr._Mrz._Abr._Mee_Jun._Jul._Aug._Sept._Okt._Nov._Dez.".split("_"),monthsParseExact:!0,weekdays:"Sonndeg_Méindeg_Dënschdeg_Mëttwoch_Donneschdeg_Freideg_Samschdeg".split("_"),weekdaysShort:"So._Mé._Dë._Më._Do._Fr._Sa.".split("_"),weekdaysMin:"So_Mé_Dë_Më_Do_Fr_Sa".split("_"),weekdaysParseExact:!0,longDateFormat:{LT:"H:mm [Auer]",LTS:"H:mm:ss [Auer]",L:"DD.MM.YYYY",LL:"D. MMMM YYYY",LLL:"D. MMMM YYYY H:mm [Auer]",LLLL:"dddd, D. MMMM YYYY H:mm [Auer]"},calendar:{sameDay:"[Haut um] LT",sameElse:"L",nextDay:"[Muer um] LT",nextWeek:"dddd [um] LT",lastDay:"[Gëschter um] LT",lastWeek:function(){switch(this.day()){case 2:case 4:return"[Leschten] dddd [um] LT";default:return"[Leschte] dddd [um] LT"}}},relativeTime:{future:n,past:r,s:"e puer Sekonnen",ss:"%d Sekonnen",m:t,mm:"%d Minutten",h:t,hh:"%d Stonnen",d:t,dd:"%d Deeg",M:t,MM:"%d Méint",y:t,yy:"%d Joer"},dayOfMonthOrdinalParse:/\d{1,2}\./,ordinal:"%d.",week:{dow:1,doy:4}})}(n(381))},5466:function(e,t,n){!function(e){"use strict";e.defineLocale("lo",{months:"ມັງກອນ_ກຸມພາ_ມີນາ_ເມສາ_ພຶດສະພາ_ມິຖຸນາ_ກໍລະກົດ_ສິງຫາ_ກັນຍາ_ຕຸລາ_ພະຈິກ_ທັນວາ".split("_"),monthsShort:"ມັງກອນ_ກຸມພາ_ມີນາ_ເມສາ_ພຶດສະພາ_ມິຖຸນາ_ກໍລະກົດ_ສິງຫາ_ກັນຍາ_ຕຸລາ_ພະຈິກ_ທັນວາ".split("_"),weekdays:"ອາທິດ_ຈັນ_ອັງຄານ_ພຸດ_ພະຫັດ_ສຸກ_ເສົາ".split("_"),weekdaysShort:"ທິດ_ຈັນ_ອັງຄານ_ພຸດ_ພະຫັດ_ສຸກ_ເສົາ".split("_"),weekdaysMin:"ທ_ຈ_ອຄ_ພ_ພຫ_ສກ_ສ".split("_"),weekdaysParseExact:!0,longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY HH:mm",LLLL:"ວັນdddd D MMMM YYYY HH:mm"},meridiemParse:/ຕອນເຊົ້າ|ຕອນແລງ/,isPM:function(e){return"ຕອນແລງ"===e},meridiem:function(e,t,n){return e<12?"ຕອນເຊົ້າ":"ຕອນແລງ"},calendar:{sameDay:"[ມື້ນີ້ເວລາ] LT",nextDay:"[ມື້ອື່ນເວລາ] LT",nextWeek:"[ວັນ]dddd[ໜ້າເວລາ] LT",lastDay:"[ມື້ວານນີ້ເວລາ] LT",lastWeek:"[ວັນ]dddd[ແລ້ວນີ້ເວລາ] LT",sameElse:"L"},relativeTime:{future:"ອີກ %s",past:"%sຜ່ານມາ",s:"ບໍ່ເທົ່າໃດວິນາທີ",ss:"%d ວິນາທີ",m:"1 ນາທີ",mm:"%d ນາທີ",h:"1 ຊົ່ວໂມງ",hh:"%d ຊົ່ວໂມງ",d:"1 ມື້",dd:"%d ມື້",M:"1 ເດືອນ",MM:"%d ເດືອນ",y:"1 ປີ",yy:"%d ປີ"},dayOfMonthOrdinalParse:/(ທີ່)\d{1,2}/,ordinal:function(e){return"ທີ່"+e}})}(n(381))},7010:function(e,t,n){!function(e){"use strict";var t={ss:"sekundė_sekundžių_sekundes",m:"minutė_minutės_minutę",mm:"minutės_minučių_minutes",h:"valanda_valandos_valandą",hh:"valandos_valandų_valandas",d:"diena_dienos_dieną",dd:"dienos_dienų_dienas",M:"mėnuo_mėnesio_mėnesį",MM:"mėnesiai_mėnesių_mėnesius",y:"metai_metų_metus",yy:"metai_metų_metus"};function n(e,t,n,r){return t?"kelios sekundės":r?"kelių sekundžių":"kelias sekundes"}function r(e,t,n,r){return t?a(n)[0]:r?a(n)[1]:a(n)[2]}function o(e){return e%10==0||e>10&&e<20}function a(e){return t[e].split("_")}function i(e,t,n,i){var s=e+" ";return 1===e?s+r(e,t,n[0],i):t?s+(o(e)?a(n)[1]:a(n)[0]):i?s+a(n)[1]:s+(o(e)?a(n)[1]:a(n)[2])}e.defineLocale("lt",{months:{format:"sausio_vasario_kovo_balandžio_gegužės_birželio_liepos_rugpjūčio_rugsėjo_spalio_lapkričio_gruodžio".split("_"),standalone:"sausis_vasaris_kovas_balandis_gegužė_birželis_liepa_rugpjūtis_rugsėjis_spalis_lapkritis_gruodis".split("_"),isFormat:/D[oD]?(\[[^\[\]]*\]|\s)+MMMM?|MMMM?(\[[^\[\]]*\]|\s)+D[oD]?/},monthsShort:"sau_vas_kov_bal_geg_bir_lie_rgp_rgs_spa_lap_grd".split("_"),weekdays:{format:"sekmadienį_pirmadienį_antradienį_trečiadienį_ketvirtadienį_penktadienį_šeštadienį".split("_"),standalone:"sekmadienis_pirmadienis_antradienis_trečiadienis_ketvirtadienis_penktadienis_šeštadienis".split("_"),isFormat:/dddd HH:mm/},weekdaysShort:"Sek_Pir_Ant_Tre_Ket_Pen_Šeš".split("_"),weekdaysMin:"S_P_A_T_K_Pn_Š".split("_"),weekdaysParseExact:!0,longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"YYYY-MM-DD",LL:"YYYY [m.] MMMM D [d.]",LLL:"YYYY [m.] MMMM D [d.], HH:mm [val.]",LLLL:"YYYY [m.] MMMM D [d.], dddd, HH:mm [val.]",l:"YYYY-MM-DD",ll:"YYYY [m.] MMMM D [d.]",lll:"YYYY [m.] MMMM D [d.], HH:mm [val.]",llll:"YYYY [m.] MMMM D [d.], ddd, HH:mm [val.]"},calendar:{sameDay:"[Šiandien] LT",nextDay:"[Rytoj] LT",nextWeek:"dddd LT",lastDay:"[Vakar] LT",lastWeek:"[Praėjusį] dddd LT",sameElse:"L"},relativeTime:{future:"po %s",past:"prieš %s",s:n,ss:i,m:r,mm:i,h:r,hh:i,d:r,dd:i,M:r,MM:i,y:r,yy:i},dayOfMonthOrdinalParse:/\d{1,2}-oji/,ordinal:function(e){return e+"-oji"},week:{dow:1,doy:4}})}(n(381))},7595:function(e,t,n){!function(e){"use strict";var t={ss:"sekundes_sekundēm_sekunde_sekundes".split("_"),m:"minūtes_minūtēm_minūte_minūtes".split("_"),mm:"minūtes_minūtēm_minūte_minūtes".split("_"),h:"stundas_stundām_stunda_stundas".split("_"),hh:"stundas_stundām_stunda_stundas".split("_"),d:"dienas_dienām_diena_dienas".split("_"),dd:"dienas_dienām_diena_dienas".split("_"),M:"mēneša_mēnešiem_mēnesis_mēneši".split("_"),MM:"mēneša_mēnešiem_mēnesis_mēneši".split("_"),y:"gada_gadiem_gads_gadi".split("_"),yy:"gada_gadiem_gads_gadi".split("_")};function n(e,t,n){return n?t%10==1&&t%100!=11?e[2]:e[3]:t%10==1&&t%100!=11?e[0]:e[1]}function r(e,r,o){return e+" "+n(t[o],e,r)}function o(e,r,o){return n(t[o],e,r)}function a(e,t){return t?"dažas sekundes":"dažām sekundēm"}e.defineLocale("lv",{months:"janvāris_februāris_marts_aprīlis_maijs_jūnijs_jūlijs_augusts_septembris_oktobris_novembris_decembris".split("_"),monthsShort:"jan_feb_mar_apr_mai_jūn_jūl_aug_sep_okt_nov_dec".split("_"),weekdays:"svētdiena_pirmdiena_otrdiena_trešdiena_ceturtdiena_piektdiena_sestdiena".split("_"),weekdaysShort:"Sv_P_O_T_C_Pk_S".split("_"),weekdaysMin:"Sv_P_O_T_C_Pk_S".split("_"),weekdaysParseExact:!0,longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD.MM.YYYY.",LL:"YYYY. [gada] D. MMMM",LLL:"YYYY. [gada] D. MMMM, HH:mm",LLLL:"YYYY. [gada] D. MMMM, dddd, HH:mm"},calendar:{sameDay:"[Šodien pulksten] LT",nextDay:"[Rīt pulksten] LT",nextWeek:"dddd [pulksten] LT",lastDay:"[Vakar pulksten] LT",lastWeek:"[Pagājušā] dddd [pulksten] LT",sameElse:"L"},relativeTime:{future:"pēc %s",past:"pirms %s",s:a,ss:r,m:o,mm:r,h:o,hh:r,d:o,dd:r,M:o,MM:r,y:o,yy:r},dayOfMonthOrdinalParse:/\d{1,2}\./,ordinal:"%d.",week:{dow:1,doy:4}})}(n(381))},9861:function(e,t,n){!function(e){"use strict";var t={words:{ss:["sekund","sekunda","sekundi"],m:["jedan minut","jednog minuta"],mm:["minut","minuta","minuta"],h:["jedan sat","jednog sata"],hh:["sat","sata","sati"],dd:["dan","dana","dana"],MM:["mjesec","mjeseca","mjeseci"],yy:["godina","godine","godina"]},correctGrammaticalCase:function(e,t){return 1===e?t[0]:e>=2&&e<=4?t[1]:t[2]},translate:function(e,n,r){var o=t.words[r];return 1===r.length?n?o[0]:o[1]:e+" "+t.correctGrammaticalCase(e,o)}};e.defineLocale("me",{months:"januar_februar_mart_april_maj_jun_jul_avgust_septembar_oktobar_novembar_decembar".split("_"),monthsShort:"jan._feb._mar._apr._maj_jun_jul_avg._sep._okt._nov._dec.".split("_"),monthsParseExact:!0,weekdays:"nedjelja_ponedjeljak_utorak_srijeda_četvrtak_petak_subota".split("_"),weekdaysShort:"ned._pon._uto._sri._čet._pet._sub.".split("_"),weekdaysMin:"ne_po_ut_sr_če_pe_su".split("_"),weekdaysParseExact:!0,longDateFormat:{LT:"H:mm",LTS:"H:mm:ss",L:"DD.MM.YYYY",LL:"D. MMMM YYYY",LLL:"D. MMMM YYYY H:mm",LLLL:"dddd, D. MMMM YYYY H:mm"},calendar:{sameDay:"[danas u] LT",nextDay:"[sjutra u] LT",nextWeek:function(){switch(this.day()){case 0:return"[u] [nedjelju] [u] LT";case 3:return"[u] [srijedu] [u] LT";case 6:return"[u] [subotu] [u] LT";case 1:case 2:case 4:case 5:return"[u] dddd [u] LT"}},lastDay:"[juče u] LT",lastWeek:function(){return["[prošle] [nedjelje] [u] LT","[prošlog] [ponedjeljka] [u] LT","[prošlog] [utorka] [u] LT","[prošle] [srijede] [u] LT","[prošlog] [četvrtka] [u] LT","[prošlog] [petka] [u] LT","[prošle] [subote] [u] LT"][this.day()]},sameElse:"L"},relativeTime:{future:"za %s",past:"prije %s",s:"nekoliko sekundi",ss:t.translate,m:t.translate,mm:t.translate,h:t.translate,hh:t.translate,d:"dan",dd:t.translate,M:"mjesec",MM:t.translate,y:"godinu",yy:t.translate},dayOfMonthOrdinalParse:/\d{1,2}\./,ordinal:"%d.",week:{dow:1,doy:7}})}(n(381))},5493:function(e,t,n){!function(e){"use strict";e.defineLocale("mi",{months:"Kohi-tāte_Hui-tanguru_Poutū-te-rangi_Paenga-whāwhā_Haratua_Pipiri_Hōngoingoi_Here-turi-kōkā_Mahuru_Whiringa-ā-nuku_Whiringa-ā-rangi_Hakihea".split("_"),monthsShort:"Kohi_Hui_Pou_Pae_Hara_Pipi_Hōngoi_Here_Mahu_Whi-nu_Whi-ra_Haki".split("_"),monthsRegex:/(?:['a-z\u0101\u014D\u016B]+\-?){1,3}/i,monthsStrictRegex:/(?:['a-z\u0101\u014D\u016B]+\-?){1,3}/i,monthsShortRegex:/(?:['a-z\u0101\u014D\u016B]+\-?){1,3}/i,monthsShortStrictRegex:/(?:['a-z\u0101\u014D\u016B]+\-?){1,2}/i,weekdays:"Rātapu_Mane_Tūrei_Wenerei_Tāite_Paraire_Hātarei".split("_"),weekdaysShort:"Ta_Ma_Tū_We_Tāi_Pa_Hā".split("_"),weekdaysMin:"Ta_Ma_Tū_We_Tāi_Pa_Hā".split("_"),longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY [i] HH:mm",LLLL:"dddd, D MMMM YYYY [i] HH:mm"},calendar:{sameDay:"[i teie mahana, i] LT",nextDay:"[apopo i] LT",nextWeek:"dddd [i] LT",lastDay:"[inanahi i] LT",lastWeek:"dddd [whakamutunga i] LT",sameElse:"L"},relativeTime:{future:"i roto i %s",past:"%s i mua",s:"te hēkona ruarua",ss:"%d hēkona",m:"he meneti",mm:"%d meneti",h:"te haora",hh:"%d haora",d:"he ra",dd:"%d ra",M:"he marama",MM:"%d marama",y:"he tau",yy:"%d tau"},dayOfMonthOrdinalParse:/\d{1,2}º/,ordinal:"%dº",week:{dow:1,doy:4}})}(n(381))},5966:function(e,t,n){!function(e){"use strict";e.defineLocale("mk",{months:"јануари_февруари_март_април_мај_јуни_јули_август_септември_октомври_ноември_декември".split("_"),monthsShort:"јан_фев_мар_апр_мај_јун_јул_авг_сеп_окт_ное_дек".split("_"),weekdays:"недела_понеделник_вторник_среда_четврток_петок_сабота".split("_"),weekdaysShort:"нед_пон_вто_сре_чет_пет_саб".split("_"),weekdaysMin:"нe_пo_вт_ср_че_пе_сa".split("_"),longDateFormat:{LT:"H:mm",LTS:"H:mm:ss",L:"D.MM.YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY H:mm",LLLL:"dddd, D MMMM YYYY H:mm"},calendar:{sameDay:"[Денес во] LT",nextDay:"[Утре во] LT",nextWeek:"[Во] dddd [во] LT",lastDay:"[Вчера во] LT",lastWeek:function(){switch(this.day()){case 0:case 3:case 6:return"[Изминатата] dddd [во] LT";case 1:case 2:case 4:case 5:return"[Изминатиот] dddd [во] LT"}},sameElse:"L"},relativeTime:{future:"за %s",past:"пред %s",s:"неколку секунди",ss:"%d секунди",m:"една минута",mm:"%d минути",h:"еден час",hh:"%d часа",d:"еден ден",dd:"%d дена",M:"еден месец",MM:"%d месеци",y:"една година",yy:"%d години"},dayOfMonthOrdinalParse:/\d{1,2}-(ев|ен|ти|ви|ри|ми)/,ordinal:function(e){var t=e%10,n=e%100;return 0===e?e+"-ев":0===n?e+"-ен":n>10&&n<20?e+"-ти":1===t?e+"-ви":2===t?e+"-ри":7===t||8===t?e+"-ми":e+"-ти"},week:{dow:1,doy:7}})}(n(381))},7341:function(e,t,n){!function(e){"use strict";e.defineLocale("ml",{months:"ജനുവരി_ഫെബ്രുവരി_മാർച്ച്_ഏപ്രിൽ_മേയ്_ജൂൺ_ജൂലൈ_ഓഗസ്റ്റ്_സെപ്റ്റംബർ_ഒക്ടോബർ_നവംബർ_ഡിസംബർ".split("_"),monthsShort:"ജനു._ഫെബ്രു._മാർ._ഏപ്രി._മേയ്_ജൂൺ_ജൂലൈ._ഓഗ._സെപ്റ്റ._ഒക്ടോ._നവം._ഡിസം.".split("_"),monthsParseExact:!0,weekdays:"ഞായറാഴ്ച_തിങ്കളാഴ്ച_ചൊവ്വാഴ്ച_ബുധനാഴ്ച_വ്യാഴാഴ്ച_വെള്ളിയാഴ്ച_ശനിയാഴ്ച".split("_"),weekdaysShort:"ഞായർ_തിങ്കൾ_ചൊവ്വ_ബുധൻ_വ്യാഴം_വെള്ളി_ശനി".split("_"),weekdaysMin:"ഞാ_തി_ചൊ_ബു_വ്യാ_വെ_ശ".split("_"),longDateFormat:{LT:"A h:mm -നു",LTS:"A h:mm:ss -നു",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY, A h:mm -നു",LLLL:"dddd, D MMMM YYYY, A h:mm -നു"},calendar:{sameDay:"[ഇന്ന്] LT",nextDay:"[നാളെ] LT",nextWeek:"dddd, LT",lastDay:"[ഇന്നലെ] LT",lastWeek:"[കഴിഞ്ഞ] dddd, LT",sameElse:"L"},relativeTime:{future:"%s കഴിഞ്ഞ്",past:"%s മുൻപ്",s:"അൽപ നിമിഷങ്ങൾ",ss:"%d സെക്കൻഡ്",m:"ഒരു മിനിറ്റ്",mm:"%d മിനിറ്റ്",h:"ഒരു മണിക്കൂർ",hh:"%d മണിക്കൂർ",d:"ഒരു ദിവസം",dd:"%d ദിവസം",M:"ഒരു മാസം",MM:"%d മാസം",y:"ഒരു വർഷം",yy:"%d വർഷം"},meridiemParse:/രാത്രി|രാവിലെ|ഉച്ച കഴിഞ്ഞ്|വൈകുന്നേരം|രാത്രി/i,meridiemHour:function(e,t){return 12===e&&(e=0),"രാത്രി"===t&&e>=4||"ഉച്ച കഴിഞ്ഞ്"===t||"വൈകുന്നേരം"===t?e+12:e},meridiem:function(e,t,n){return e<4?"രാത്രി":e<12?"രാവിലെ":e<17?"ഉച്ച കഴിഞ്ഞ്":e<20?"വൈകുന്നേരം":"രാത്രി"}})}(n(381))},5115:function(e,t,n){!function(e){"use strict";function t(e,t,n,r){switch(n){case"s":return t?"хэдхэн секунд":"хэдхэн секундын";case"ss":return e+(t?" секунд":" секундын");case"m":case"mm":return e+(t?" минут":" минутын");case"h":case"hh":return e+(t?" цаг":" цагийн");case"d":case"dd":return e+(t?" өдөр":" өдрийн");case"M":case"MM":return e+(t?" сар":" сарын");case"y":case"yy":return e+(t?" жил":" жилийн");default:return e}}e.defineLocale("mn",{months:"Нэгдүгээр сар_Хоёрдугаар сар_Гуравдугаар сар_Дөрөвдүгээр сар_Тавдугаар сар_Зургадугаар сар_Долдугаар сар_Наймдугаар сар_Есдүгээр сар_Аравдугаар сар_Арван нэгдүгээр сар_Арван хоёрдугаар сар".split("_"),monthsShort:"1 сар_2 сар_3 сар_4 сар_5 сар_6 сар_7 сар_8 сар_9 сар_10 сар_11 сар_12 сар".split("_"),monthsParseExact:!0,weekdays:"Ням_Даваа_Мягмар_Лхагва_Пүрэв_Баасан_Бямба".split("_"),weekdaysShort:"Ням_Дав_Мяг_Лха_Пүр_Баа_Бям".split("_"),weekdaysMin:"Ня_Да_Мя_Лх_Пү_Ба_Бя".split("_"),weekdaysParseExact:!0,longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"YYYY-MM-DD",LL:"YYYY оны MMMMын D",LLL:"YYYY оны MMMMын D HH:mm",LLLL:"dddd, YYYY оны MMMMын D HH:mm"},meridiemParse:/ҮӨ|ҮХ/i,isPM:function(e){return"ҮХ"===e},meridiem:function(e,t,n){return e<12?"ҮӨ":"ҮХ"},calendar:{sameDay:"[Өнөөдөр] LT",nextDay:"[Маргааш] LT",nextWeek:"[Ирэх] dddd LT",lastDay:"[Өчигдөр] LT",lastWeek:"[Өнгөрсөн] dddd LT",sameElse:"L"},relativeTime:{future:"%s дараа",past:"%s өмнө",s:t,ss:t,m:t,mm:t,h:t,hh:t,d:t,dd:t,M:t,MM:t,y:t,yy:t},dayOfMonthOrdinalParse:/\d{1,2} өдөр/,ordinal:function(e,t){switch(t){case"d":case"D":case"DDD":return e+" өдөр";default:return e}}})}(n(381))},370:function(e,t,n){!function(e){"use strict";var t={1:"१",2:"२",3:"३",4:"४",5:"५",6:"६",7:"७",8:"८",9:"९",0:"०"},n={"१":"1","२":"2","३":"3","४":"4","५":"5","६":"6","७":"7","८":"8","९":"9","०":"0"};function r(e,t,n,r){var o="";if(t)switch(n){case"s":o="काही सेकंद";break;case"ss":o="%d सेकंद";break;case"m":o="एक मिनिट";break;case"mm":o="%d मिनिटे";break;case"h":o="एक तास";break;case"hh":o="%d तास";break;case"d":o="एक दिवस";break;case"dd":o="%d दिवस";break;case"M":o="एक महिना";break;case"MM":o="%d महिने";break;case"y":o="एक वर्ष";break;case"yy":o="%d वर्षे"}else switch(n){case"s":o="काही सेकंदां";break;case"ss":o="%d सेकंदां";break;case"m":o="एका मिनिटा";break;case"mm":o="%d मिनिटां";break;case"h":o="एका तासा";break;case"hh":o="%d तासां";break;case"d":o="एका दिवसा";break;case"dd":o="%d दिवसां";break;case"M":o="एका महिन्या";break;case"MM":o="%d महिन्यां";break;case"y":o="एका वर्षा";break;case"yy":o="%d वर्षां"}return o.replace(/%d/i,e)}e.defineLocale("mr",{months:"जानेवारी_फेब्रुवारी_मार्च_एप्रिल_मे_जून_जुलै_ऑगस्ट_सप्टेंबर_ऑक्टोबर_नोव्हेंबर_डिसेंबर".split("_"),monthsShort:"जाने._फेब्रु._मार्च._एप्रि._मे._जून._जुलै._ऑग._सप्टें._ऑक्टो._नोव्हें._डिसें.".split("_"),monthsParseExact:!0,weekdays:"रविवार_सोमवार_मंगळवार_बुधवार_गुरूवार_शुक्रवार_शनिवार".split("_"),weekdaysShort:"रवि_सोम_मंगळ_बुध_गुरू_शुक्र_शनि".split("_"),weekdaysMin:"र_सो_मं_बु_गु_शु_श".split("_"),longDateFormat:{LT:"A h:mm वाजता",LTS:"A h:mm:ss वाजता",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY, A h:mm वाजता",LLLL:"dddd, D MMMM YYYY, A h:mm वाजता"},calendar:{sameDay:"[आज] LT",nextDay:"[उद्या] LT",nextWeek:"dddd, LT",lastDay:"[काल] LT",lastWeek:"[मागील] dddd, LT",sameElse:"L"},relativeTime:{future:"%sमध्ये",past:"%sपूर्वी",s:r,ss:r,m:r,mm:r,h:r,hh:r,d:r,dd:r,M:r,MM:r,y:r,yy:r},preparse:function(e){return e.replace(/[१२३४५६७८९०]/g,(function(e){return n[e]}))},postformat:function(e){return e.replace(/\d/g,(function(e){return t[e]}))},meridiemParse:/पहाटे|सकाळी|दुपारी|सायंकाळी|रात्री/,meridiemHour:function(e,t){return 12===e&&(e=0),"पहाटे"===t||"सकाळी"===t?e:"दुपारी"===t||"सायंकाळी"===t||"रात्री"===t?e>=12?e:e+12:void 0},meridiem:function(e,t,n){return e>=0&&e<6?"पहाटे":e<12?"सकाळी":e<17?"दुपारी":e<20?"सायंकाळी":"रात्री"},week:{dow:0,doy:6}})}(n(381))},1237:function(e,t,n){!function(e){"use strict";e.defineLocale("ms-my",{months:"Januari_Februari_Mac_April_Mei_Jun_Julai_Ogos_September_Oktober_November_Disember".split("_"),monthsShort:"Jan_Feb_Mac_Apr_Mei_Jun_Jul_Ogs_Sep_Okt_Nov_Dis".split("_"),weekdays:"Ahad_Isnin_Selasa_Rabu_Khamis_Jumaat_Sabtu".split("_"),weekdaysShort:"Ahd_Isn_Sel_Rab_Kha_Jum_Sab".split("_"),weekdaysMin:"Ah_Is_Sl_Rb_Km_Jm_Sb".split("_"),longDateFormat:{LT:"HH.mm",LTS:"HH.mm.ss",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY [pukul] HH.mm",LLLL:"dddd, D MMMM YYYY [pukul] HH.mm"},meridiemParse:/pagi|tengahari|petang|malam/,meridiemHour:function(e,t){return 12===e&&(e=0),"pagi"===t?e:"tengahari"===t?e>=11?e:e+12:"petang"===t||"malam"===t?e+12:void 0},meridiem:function(e,t,n){return e<11?"pagi":e<15?"tengahari":e<19?"petang":"malam"},calendar:{sameDay:"[Hari ini pukul] LT",nextDay:"[Esok pukul] LT",nextWeek:"dddd [pukul] LT",lastDay:"[Kelmarin pukul] LT",lastWeek:"dddd [lepas pukul] LT",sameElse:"L"},relativeTime:{future:"dalam %s",past:"%s yang lepas",s:"beberapa saat",ss:"%d saat",m:"seminit",mm:"%d minit",h:"sejam",hh:"%d jam",d:"sehari",dd:"%d hari",M:"sebulan",MM:"%d bulan",y:"setahun",yy:"%d tahun"},week:{dow:1,doy:7}})}(n(381))},9847:function(e,t,n){!function(e){"use strict";e.defineLocale("ms",{months:"Januari_Februari_Mac_April_Mei_Jun_Julai_Ogos_September_Oktober_November_Disember".split("_"),monthsShort:"Jan_Feb_Mac_Apr_Mei_Jun_Jul_Ogs_Sep_Okt_Nov_Dis".split("_"),weekdays:"Ahad_Isnin_Selasa_Rabu_Khamis_Jumaat_Sabtu".split("_"),weekdaysShort:"Ahd_Isn_Sel_Rab_Kha_Jum_Sab".split("_"),weekdaysMin:"Ah_Is_Sl_Rb_Km_Jm_Sb".split("_"),longDateFormat:{LT:"HH.mm",LTS:"HH.mm.ss",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY [pukul] HH.mm",LLLL:"dddd, D MMMM YYYY [pukul] HH.mm"},meridiemParse:/pagi|tengahari|petang|malam/,meridiemHour:function(e,t){return 12===e&&(e=0),"pagi"===t?e:"tengahari"===t?e>=11?e:e+12:"petang"===t||"malam"===t?e+12:void 0},meridiem:function(e,t,n){return e<11?"pagi":e<15?"tengahari":e<19?"petang":"malam"},calendar:{sameDay:"[Hari ini pukul] LT",nextDay:"[Esok pukul] LT",nextWeek:"dddd [pukul] LT",lastDay:"[Kelmarin pukul] LT",lastWeek:"dddd [lepas pukul] LT",sameElse:"L"},relativeTime:{future:"dalam %s",past:"%s yang lepas",s:"beberapa saat",ss:"%d saat",m:"seminit",mm:"%d minit",h:"sejam",hh:"%d jam",d:"sehari",dd:"%d hari",M:"sebulan",MM:"%d bulan",y:"setahun",yy:"%d tahun"},week:{dow:1,doy:7}})}(n(381))},2126:function(e,t,n){!function(e){"use strict";e.defineLocale("mt",{months:"Jannar_Frar_Marzu_April_Mejju_Ġunju_Lulju_Awwissu_Settembru_Ottubru_Novembru_Diċembru".split("_"),monthsShort:"Jan_Fra_Mar_Apr_Mej_Ġun_Lul_Aww_Set_Ott_Nov_Diċ".split("_"),weekdays:"Il-Ħadd_It-Tnejn_It-Tlieta_L-Erbgħa_Il-Ħamis_Il-Ġimgħa_Is-Sibt".split("_"),weekdaysShort:"Ħad_Tne_Tli_Erb_Ħam_Ġim_Sib".split("_"),weekdaysMin:"Ħa_Tn_Tl_Er_Ħa_Ġi_Si".split("_"),longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY HH:mm",LLLL:"dddd, D MMMM YYYY HH:mm"},calendar:{sameDay:"[Illum fil-]LT",nextDay:"[Għada fil-]LT",nextWeek:"dddd [fil-]LT",lastDay:"[Il-bieraħ fil-]LT",lastWeek:"dddd [li għadda] [fil-]LT",sameElse:"L"},relativeTime:{future:"f’ %s",past:"%s ilu",s:"ftit sekondi",ss:"%d sekondi",m:"minuta",mm:"%d minuti",h:"siegħa",hh:"%d siegħat",d:"ġurnata",dd:"%d ġranet",M:"xahar",MM:"%d xhur",y:"sena",yy:"%d sni"},dayOfMonthOrdinalParse:/\d{1,2}º/,ordinal:"%dº",week:{dow:1,doy:4}})}(n(381))},6165:function(e,t,n){!function(e){"use strict";var t={1:"၁",2:"၂",3:"၃",4:"၄",5:"၅",6:"၆",7:"၇",8:"၈",9:"၉",0:"၀"},n={"၁":"1","၂":"2","၃":"3","၄":"4","၅":"5","၆":"6","၇":"7","၈":"8","၉":"9","၀":"0"};e.defineLocale("my",{months:"ဇန်နဝါရီ_ဖေဖော်ဝါရီ_မတ်_ဧပြီ_မေ_ဇွန်_ဇူလိုင်_သြဂုတ်_စက်တင်ဘာ_အောက်တိုဘာ_နိုဝင်ဘာ_ဒီဇင်ဘာ".split("_"),monthsShort:"ဇန်_ဖေ_မတ်_ပြီ_မေ_ဇွန်_လိုင်_သြ_စက်_အောက်_နို_ဒီ".split("_"),weekdays:"တနင်္ဂနွေ_တနင်္လာ_အင်္ဂါ_ဗုဒ္ဓဟူး_ကြာသပတေး_သောကြာ_စနေ".split("_"),weekdaysShort:"နွေ_လာ_ဂါ_ဟူး_ကြာ_သော_နေ".split("_"),weekdaysMin:"နွေ_လာ_ဂါ_ဟူး_ကြာ_သော_နေ".split("_"),longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY HH:mm",LLLL:"dddd D MMMM YYYY HH:mm"},calendar:{sameDay:"[ယနေ.] LT [မှာ]",nextDay:"[မနက်ဖြန်] LT [မှာ]",nextWeek:"dddd LT [မှာ]",lastDay:"[မနေ.က] LT [မှာ]",lastWeek:"[ပြီးခဲ့သော] dddd LT [မှာ]",sameElse:"L"},relativeTime:{future:"လာမည့် %s မှာ",past:"လွန်ခဲ့သော %s က",s:"စက္ကန်.အနည်းငယ်",ss:"%d စက္ကန့်",m:"တစ်မိနစ်",mm:"%d မိနစ်",h:"တစ်နာရီ",hh:"%d နာရီ",d:"တစ်ရက်",dd:"%d ရက်",M:"တစ်လ",MM:"%d လ",y:"တစ်နှစ်",yy:"%d နှစ်"},preparse:function(e){return e.replace(/[၁၂၃၄၅၆၇၈၉၀]/g,(function(e){return n[e]}))},postformat:function(e){return e.replace(/\d/g,(function(e){return t[e]}))},week:{dow:1,doy:4}})}(n(381))},4924:function(e,t,n){!function(e){"use strict";e.defineLocale("nb",{months:"januar_februar_mars_april_mai_juni_juli_august_september_oktober_november_desember".split("_"),monthsShort:"jan._feb._mars_apr._mai_juni_juli_aug._sep._okt._nov._des.".split("_"),monthsParseExact:!0,weekdays:"søndag_mandag_tirsdag_onsdag_torsdag_fredag_lørdag".split("_"),weekdaysShort:"sø._ma._ti._on._to._fr._lø.".split("_"),weekdaysMin:"sø_ma_ti_on_to_fr_lø".split("_"),weekdaysParseExact:!0,longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD.MM.YYYY",LL:"D. MMMM YYYY",LLL:"D. MMMM YYYY [kl.] HH:mm",LLLL:"dddd D. MMMM YYYY [kl.] HH:mm"},calendar:{sameDay:"[i dag kl.] LT",nextDay:"[i morgen kl.] LT",nextWeek:"dddd [kl.] LT",lastDay:"[i går kl.] LT",lastWeek:"[forrige] dddd [kl.] LT",sameElse:"L"},relativeTime:{future:"om %s",past:"%s siden",s:"noen sekunder",ss:"%d sekunder",m:"ett minutt",mm:"%d minutter",h:"en time",hh:"%d timer",d:"en dag",dd:"%d dager",w:"en uke",ww:"%d uker",M:"en måned",MM:"%d måneder",y:"ett år",yy:"%d år"},dayOfMonthOrdinalParse:/\d{1,2}\./,ordinal:"%d.",week:{dow:1,doy:4}})}(n(381))},6744:function(e,t,n){!function(e){"use strict";var t={1:"१",2:"२",3:"३",4:"४",5:"५",6:"६",7:"७",8:"८",9:"९",0:"०"},n={"१":"1","२":"2","३":"3","४":"4","५":"5","६":"6","७":"7","८":"8","९":"9","०":"0"};e.defineLocale("ne",{months:"जनवरी_फेब्रुवरी_मार्च_अप्रिल_मई_जुन_जुलाई_अगष्ट_सेप्टेम्बर_अक्टोबर_नोभेम्बर_डिसेम्बर".split("_"),monthsShort:"जन._फेब्रु._मार्च_अप्रि._मई_जुन_जुलाई._अग._सेप्ट._अक्टो._नोभे._डिसे.".split("_"),monthsParseExact:!0,weekdays:"आइतबार_सोमबार_मङ्गलबार_बुधबार_बिहिबार_शुक्रबार_शनिबार".split("_"),weekdaysShort:"आइत._सोम._मङ्गल._बुध._बिहि._शुक्र._शनि.".split("_"),weekdaysMin:"आ._सो._मं._बु._बि._शु._श.".split("_"),weekdaysParseExact:!0,longDateFormat:{LT:"Aको h:mm बजे",LTS:"Aको h:mm:ss बजे",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY, Aको h:mm बजे",LLLL:"dddd, D MMMM YYYY, Aको h:mm बजे"},preparse:function(e){return e.replace(/[१२३४५६७८९०]/g,(function(e){return n[e]}))},postformat:function(e){return e.replace(/\d/g,(function(e){return t[e]}))},meridiemParse:/राति|बिहान|दिउँसो|साँझ/,meridiemHour:function(e,t){return 12===e&&(e=0),"राति"===t?e<4?e:e+12:"बिहान"===t?e:"दिउँसो"===t?e>=10?e:e+12:"साँझ"===t?e+12:void 0},meridiem:function(e,t,n){return e<3?"राति":e<12?"बिहान":e<16?"दिउँसो":e<20?"साँझ":"राति"},calendar:{sameDay:"[आज] LT",nextDay:"[भोलि] LT",nextWeek:"[आउँदो] dddd[,] LT",lastDay:"[हिजो] LT",lastWeek:"[गएको] dddd[,] LT",sameElse:"L"},relativeTime:{future:"%sमा",past:"%s अगाडि",s:"केही क्षण",ss:"%d सेकेण्ड",m:"एक मिनेट",mm:"%d मिनेट",h:"एक घण्टा",hh:"%d घण्टा",d:"एक दिन",dd:"%d दिन",M:"एक महिना",MM:"%d महिना",y:"एक बर्ष",yy:"%d बर्ष"},week:{dow:0,doy:6}})}(n(381))},9814:function(e,t,n){!function(e){"use strict";var t="jan._feb._mrt._apr._mei_jun._jul._aug._sep._okt._nov._dec.".split("_"),n="jan_feb_mrt_apr_mei_jun_jul_aug_sep_okt_nov_dec".split("_"),r=[/^jan/i,/^feb/i,/^maart|mrt.?$/i,/^apr/i,/^mei$/i,/^jun[i.]?$/i,/^jul[i.]?$/i,/^aug/i,/^sep/i,/^okt/i,/^nov/i,/^dec/i],o=/^(januari|februari|maart|april|mei|ju[nl]i|augustus|september|oktober|november|december|jan\.?|feb\.?|mrt\.?|apr\.?|ju[nl]\.?|aug\.?|sep\.?|okt\.?|nov\.?|dec\.?)/i;e.defineLocale("nl-be",{months:"januari_februari_maart_april_mei_juni_juli_augustus_september_oktober_november_december".split("_"),monthsShort:function(e,r){return e?/-MMM-/.test(r)?n[e.month()]:t[e.month()]:t},monthsRegex:o,monthsShortRegex:o,monthsStrictRegex:/^(januari|februari|maart|april|mei|ju[nl]i|augustus|september|oktober|november|december)/i,monthsShortStrictRegex:/^(jan\.?|feb\.?|mrt\.?|apr\.?|mei|ju[nl]\.?|aug\.?|sep\.?|okt\.?|nov\.?|dec\.?)/i,monthsParse:r,longMonthsParse:r,shortMonthsParse:r,weekdays:"zondag_maandag_dinsdag_woensdag_donderdag_vrijdag_zaterdag".split("_"),weekdaysShort:"zo._ma._di._wo._do._vr._za.".split("_"),weekdaysMin:"zo_ma_di_wo_do_vr_za".split("_"),weekdaysParseExact:!0,longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY HH:mm",LLLL:"dddd D MMMM YYYY HH:mm"},calendar:{sameDay:"[vandaag om] LT",nextDay:"[morgen om] LT",nextWeek:"dddd [om] LT",lastDay:"[gisteren om] LT",lastWeek:"[afgelopen] dddd [om] LT",sameElse:"L"},relativeTime:{future:"over %s",past:"%s geleden",s:"een paar seconden",ss:"%d seconden",m:"één minuut",mm:"%d minuten",h:"één uur",hh:"%d uur",d:"één dag",dd:"%d dagen",M:"één maand",MM:"%d maanden",y:"één jaar",yy:"%d jaar"},dayOfMonthOrdinalParse:/\d{1,2}(ste|de)/,ordinal:function(e){return e+(1===e||8===e||e>=20?"ste":"de")},week:{dow:1,doy:4}})}(n(381))},3901:function(e,t,n){!function(e){"use strict";var t="jan._feb._mrt._apr._mei_jun._jul._aug._sep._okt._nov._dec.".split("_"),n="jan_feb_mrt_apr_mei_jun_jul_aug_sep_okt_nov_dec".split("_"),r=[/^jan/i,/^feb/i,/^maart|mrt.?$/i,/^apr/i,/^mei$/i,/^jun[i.]?$/i,/^jul[i.]?$/i,/^aug/i,/^sep/i,/^okt/i,/^nov/i,/^dec/i],o=/^(januari|februari|maart|april|mei|ju[nl]i|augustus|september|oktober|november|december|jan\.?|feb\.?|mrt\.?|apr\.?|ju[nl]\.?|aug\.?|sep\.?|okt\.?|nov\.?|dec\.?)/i;e.defineLocale("nl",{months:"januari_februari_maart_april_mei_juni_juli_augustus_september_oktober_november_december".split("_"),monthsShort:function(e,r){return e?/-MMM-/.test(r)?n[e.month()]:t[e.month()]:t},monthsRegex:o,monthsShortRegex:o,monthsStrictRegex:/^(januari|februari|maart|april|mei|ju[nl]i|augustus|september|oktober|november|december)/i,monthsShortStrictRegex:/^(jan\.?|feb\.?|mrt\.?|apr\.?|mei|ju[nl]\.?|aug\.?|sep\.?|okt\.?|nov\.?|dec\.?)/i,monthsParse:r,longMonthsParse:r,shortMonthsParse:r,weekdays:"zondag_maandag_dinsdag_woensdag_donderdag_vrijdag_zaterdag".split("_"),weekdaysShort:"zo._ma._di._wo._do._vr._za.".split("_"),weekdaysMin:"zo_ma_di_wo_do_vr_za".split("_"),weekdaysParseExact:!0,longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD-MM-YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY HH:mm",LLLL:"dddd D MMMM YYYY HH:mm"},calendar:{sameDay:"[vandaag om] LT",nextDay:"[morgen om] LT",nextWeek:"dddd [om] LT",lastDay:"[gisteren om] LT",lastWeek:"[afgelopen] dddd [om] LT",sameElse:"L"},relativeTime:{future:"over %s",past:"%s geleden",s:"een paar seconden",ss:"%d seconden",m:"één minuut",mm:"%d minuten",h:"één uur",hh:"%d uur",d:"één dag",dd:"%d dagen",w:"één week",ww:"%d weken",M:"één maand",MM:"%d maanden",y:"één jaar",yy:"%d jaar"},dayOfMonthOrdinalParse:/\d{1,2}(ste|de)/,ordinal:function(e){return e+(1===e||8===e||e>=20?"ste":"de")},week:{dow:1,doy:4}})}(n(381))},3877:function(e,t,n){!function(e){"use strict";e.defineLocale("nn",{months:"januar_februar_mars_april_mai_juni_juli_august_september_oktober_november_desember".split("_"),monthsShort:"jan._feb._mars_apr._mai_juni_juli_aug._sep._okt._nov._des.".split("_"),monthsParseExact:!0,weekdays:"sundag_måndag_tysdag_onsdag_torsdag_fredag_laurdag".split("_"),weekdaysShort:"su._må._ty._on._to._fr._lau.".split("_"),weekdaysMin:"su_må_ty_on_to_fr_la".split("_"),weekdaysParseExact:!0,longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD.MM.YYYY",LL:"D. MMMM YYYY",LLL:"D. MMMM YYYY [kl.] H:mm",LLLL:"dddd D. MMMM YYYY [kl.] HH:mm"},calendar:{sameDay:"[I dag klokka] LT",nextDay:"[I morgon klokka] LT",nextWeek:"dddd [klokka] LT",lastDay:"[I går klokka] LT",lastWeek:"[Føregåande] dddd [klokka] LT",sameElse:"L"},relativeTime:{future:"om %s",past:"%s sidan",s:"nokre sekund",ss:"%d sekund",m:"eit minutt",mm:"%d minutt",h:"ein time",hh:"%d timar",d:"ein dag",dd:"%d dagar",w:"ei veke",ww:"%d veker",M:"ein månad",MM:"%d månader",y:"eit år",yy:"%d år"},dayOfMonthOrdinalParse:/\d{1,2}\./,ordinal:"%d.",week:{dow:1,doy:4}})}(n(381))},2135:function(e,t,n){!function(e){"use strict";e.defineLocale("oc-lnc",{months:{standalone:"genièr_febrièr_març_abril_mai_junh_julhet_agost_setembre_octòbre_novembre_decembre".split("_"),format:"de genièr_de febrièr_de març_d'abril_de mai_de junh_de julhet_d'agost_de setembre_d'octòbre_de novembre_de decembre".split("_"),isFormat:/D[oD]?(\s)+MMMM/},monthsShort:"gen._febr._març_abr._mai_junh_julh._ago._set._oct._nov._dec.".split("_"),monthsParseExact:!0,weekdays:"dimenge_diluns_dimars_dimècres_dijòus_divendres_dissabte".split("_"),weekdaysShort:"dg._dl._dm._dc._dj._dv._ds.".split("_"),weekdaysMin:"dg_dl_dm_dc_dj_dv_ds".split("_"),weekdaysParseExact:!0,longDateFormat:{LT:"H:mm",LTS:"H:mm:ss",L:"DD/MM/YYYY",LL:"D MMMM [de] YYYY",ll:"D MMM YYYY",LLL:"D MMMM [de] YYYY [a] H:mm",lll:"D MMM YYYY, H:mm",LLLL:"dddd D MMMM [de] YYYY [a] H:mm",llll:"ddd D MMM YYYY, H:mm"},calendar:{sameDay:"[uèi a] LT",nextDay:"[deman a] LT",nextWeek:"dddd [a] LT",lastDay:"[ièr a] LT",lastWeek:"dddd [passat a] LT",sameElse:"L"},relativeTime:{future:"d'aquí %s",past:"fa %s",s:"unas segondas",ss:"%d segondas",m:"una minuta",mm:"%d minutas",h:"una ora",hh:"%d oras",d:"un jorn",dd:"%d jorns",M:"un mes",MM:"%d meses",y:"un an",yy:"%d ans"},dayOfMonthOrdinalParse:/\d{1,2}(r|n|t|è|a)/,ordinal:function(e,t){var n=1===e?"r":2===e?"n":3===e?"r":4===e?"t":"è";return"w"!==t&&"W"!==t||(n="a"),e+n},week:{dow:1,doy:4}})}(n(381))},5858:function(e,t,n){!function(e){"use strict";var t={1:"੧",2:"੨",3:"੩",4:"੪",5:"੫",6:"੬",7:"੭",8:"੮",9:"੯",0:"੦"},n={"੧":"1","੨":"2","੩":"3","੪":"4","੫":"5","੬":"6","੭":"7","੮":"8","੯":"9","੦":"0"};e.defineLocale("pa-in",{months:"ਜਨਵਰੀ_ਫ਼ਰਵਰੀ_ਮਾਰਚ_ਅਪ੍ਰੈਲ_ਮਈ_ਜੂਨ_ਜੁਲਾਈ_ਅਗਸਤ_ਸਤੰਬਰ_ਅਕਤੂਬਰ_ਨਵੰਬਰ_ਦਸੰਬਰ".split("_"),monthsShort:"ਜਨਵਰੀ_ਫ਼ਰਵਰੀ_ਮਾਰਚ_ਅਪ੍ਰੈਲ_ਮਈ_ਜੂਨ_ਜੁਲਾਈ_ਅਗਸਤ_ਸਤੰਬਰ_ਅਕਤੂਬਰ_ਨਵੰਬਰ_ਦਸੰਬਰ".split("_"),weekdays:"ਐਤਵਾਰ_ਸੋਮਵਾਰ_ਮੰਗਲਵਾਰ_ਬੁਧਵਾਰ_ਵੀਰਵਾਰ_ਸ਼ੁੱਕਰਵਾਰ_ਸ਼ਨੀਚਰਵਾਰ".split("_"),weekdaysShort:"ਐਤ_ਸੋਮ_ਮੰਗਲ_ਬੁਧ_ਵੀਰ_ਸ਼ੁਕਰ_ਸ਼ਨੀ".split("_"),weekdaysMin:"ਐਤ_ਸੋਮ_ਮੰਗਲ_ਬੁਧ_ਵੀਰ_ਸ਼ੁਕਰ_ਸ਼ਨੀ".split("_"),longDateFormat:{LT:"A h:mm ਵਜੇ",LTS:"A h:mm:ss ਵਜੇ",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY, A h:mm ਵਜੇ",LLLL:"dddd, D MMMM YYYY, A h:mm ਵਜੇ"},calendar:{sameDay:"[ਅਜ] LT",nextDay:"[ਕਲ] LT",nextWeek:"[ਅਗਲਾ] dddd, LT",lastDay:"[ਕਲ] LT",lastWeek:"[ਪਿਛਲੇ] dddd, LT",sameElse:"L"},relativeTime:{future:"%s ਵਿੱਚ",past:"%s ਪਿਛਲੇ",s:"ਕੁਝ ਸਕਿੰਟ",ss:"%d ਸਕਿੰਟ",m:"ਇਕ ਮਿੰਟ",mm:"%d ਮਿੰਟ",h:"ਇੱਕ ਘੰਟਾ",hh:"%d ਘੰਟੇ",d:"ਇੱਕ ਦਿਨ",dd:"%d ਦਿਨ",M:"ਇੱਕ ਮਹੀਨਾ",MM:"%d ਮਹੀਨੇ",y:"ਇੱਕ ਸਾਲ",yy:"%d ਸਾਲ"},preparse:function(e){return e.replace(/[੧੨੩੪੫੬੭੮੯੦]/g,(function(e){return n[e]}))},postformat:function(e){return e.replace(/\d/g,(function(e){return t[e]}))},meridiemParse:/ਰਾਤ|ਸਵੇਰ|ਦੁਪਹਿਰ|ਸ਼ਾਮ/,meridiemHour:function(e,t){return 12===e&&(e=0),"ਰਾਤ"===t?e<4?e:e+12:"ਸਵੇਰ"===t?e:"ਦੁਪਹਿਰ"===t?e>=10?e:e+12:"ਸ਼ਾਮ"===t?e+12:void 0},meridiem:function(e,t,n){return e<4?"ਰਾਤ":e<10?"ਸਵੇਰ":e<17?"ਦੁਪਹਿਰ":e<20?"ਸ਼ਾਮ":"ਰਾਤ"},week:{dow:0,doy:6}})}(n(381))},4495:function(e,t,n){!function(e){"use strict";var t="styczeń_luty_marzec_kwiecień_maj_czerwiec_lipiec_sierpień_wrzesień_październik_listopad_grudzień".split("_"),n="stycznia_lutego_marca_kwietnia_maja_czerwca_lipca_sierpnia_września_października_listopada_grudnia".split("_"),r=[/^sty/i,/^lut/i,/^mar/i,/^kwi/i,/^maj/i,/^cze/i,/^lip/i,/^sie/i,/^wrz/i,/^paź/i,/^lis/i,/^gru/i];function o(e){return e%10<5&&e%10>1&&~~(e/10)%10!=1}function a(e,t,n){var r=e+" ";switch(n){case"ss":return r+(o(e)?"sekundy":"sekund");case"m":return t?"minuta":"minutę";case"mm":return r+(o(e)?"minuty":"minut");case"h":return t?"godzina":"godzinę";case"hh":return r+(o(e)?"godziny":"godzin");case"ww":return r+(o(e)?"tygodnie":"tygodni");case"MM":return r+(o(e)?"miesiące":"miesięcy");case"yy":return r+(o(e)?"lata":"lat")}}e.defineLocale("pl",{months:function(e,r){return e?/D MMMM/.test(r)?n[e.month()]:t[e.month()]:t},monthsShort:"sty_lut_mar_kwi_maj_cze_lip_sie_wrz_paź_lis_gru".split("_"),monthsParse:r,longMonthsParse:r,shortMonthsParse:r,weekdays:"niedziela_poniedziałek_wtorek_środa_czwartek_piątek_sobota".split("_"),weekdaysShort:"ndz_pon_wt_śr_czw_pt_sob".split("_"),weekdaysMin:"Nd_Pn_Wt_Śr_Cz_Pt_So".split("_"),longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD.MM.YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY HH:mm",LLLL:"dddd, D MMMM YYYY HH:mm"},calendar:{sameDay:"[Dziś o] LT",nextDay:"[Jutro o] LT",nextWeek:function(){switch(this.day()){case 0:return"[W niedzielę o] LT";case 2:return"[We wtorek o] LT";case 3:return"[W środę o] LT";case 6:return"[W sobotę o] LT";default:return"[W] dddd [o] LT"}},lastDay:"[Wczoraj o] LT",lastWeek:function(){switch(this.day()){case 0:return"[W zeszłą niedzielę o] LT";case 3:return"[W zeszłą środę o] LT";case 6:return"[W zeszłą sobotę o] LT";default:return"[W zeszły] dddd [o] LT"}},sameElse:"L"},relativeTime:{future:"za %s",past:"%s temu",s:"kilka sekund",ss:a,m:a,mm:a,h:a,hh:a,d:"1 dzień",dd:"%d dni",w:"tydzień",ww:a,M:"miesiąc",MM:a,y:"rok",yy:a},dayOfMonthOrdinalParse:/\d{1,2}\./,ordinal:"%d.",week:{dow:1,doy:4}})}(n(381))},7971:function(e,t,n){!function(e){"use strict";e.defineLocale("pt-br",{months:"janeiro_fevereiro_março_abril_maio_junho_julho_agosto_setembro_outubro_novembro_dezembro".split("_"),monthsShort:"jan_fev_mar_abr_mai_jun_jul_ago_set_out_nov_dez".split("_"),weekdays:"domingo_segunda-feira_terça-feira_quarta-feira_quinta-feira_sexta-feira_sábado".split("_"),weekdaysShort:"dom_seg_ter_qua_qui_sex_sáb".split("_"),weekdaysMin:"do_2ª_3ª_4ª_5ª_6ª_sá".split("_"),weekdaysParseExact:!0,longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD/MM/YYYY",LL:"D [de] MMMM [de] YYYY",LLL:"D [de] MMMM [de] YYYY [às] HH:mm",LLLL:"dddd, D [de] MMMM [de] YYYY [às] HH:mm"},calendar:{sameDay:"[Hoje às] LT",nextDay:"[Amanhã às] LT",nextWeek:"dddd [às] LT",lastDay:"[Ontem às] LT",lastWeek:function(){return 0===this.day()||6===this.day()?"[Último] dddd [às] LT":"[Última] dddd [às] LT"},sameElse:"L"},relativeTime:{future:"em %s",past:"há %s",s:"poucos segundos",ss:"%d segundos",m:"um minuto",mm:"%d minutos",h:"uma hora",hh:"%d horas",d:"um dia",dd:"%d dias",M:"um mês",MM:"%d meses",y:"um ano",yy:"%d anos"},dayOfMonthOrdinalParse:/\d{1,2}º/,ordinal:"%dº",invalidDate:"Data inválida"})}(n(381))},9520:function(e,t,n){!function(e){"use strict";e.defineLocale("pt",{months:"janeiro_fevereiro_março_abril_maio_junho_julho_agosto_setembro_outubro_novembro_dezembro".split("_"),monthsShort:"jan_fev_mar_abr_mai_jun_jul_ago_set_out_nov_dez".split("_"),weekdays:"Domingo_Segunda-feira_Terça-feira_Quarta-feira_Quinta-feira_Sexta-feira_Sábado".split("_"),weekdaysShort:"Dom_Seg_Ter_Qua_Qui_Sex_Sáb".split("_"),weekdaysMin:"Do_2ª_3ª_4ª_5ª_6ª_Sá".split("_"),weekdaysParseExact:!0,longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD/MM/YYYY",LL:"D [de] MMMM [de] YYYY",LLL:"D [de] MMMM [de] YYYY HH:mm",LLLL:"dddd, D [de] MMMM [de] YYYY HH:mm"},calendar:{sameDay:"[Hoje às] LT",nextDay:"[Amanhã às] LT",nextWeek:"dddd [às] LT",lastDay:"[Ontem às] LT",lastWeek:function(){return 0===this.day()||6===this.day()?"[Último] dddd [às] LT":"[Última] dddd [às] LT"},sameElse:"L"},relativeTime:{future:"em %s",past:"há %s",s:"segundos",ss:"%d segundos",m:"um minuto",mm:"%d minutos",h:"uma hora",hh:"%d horas",d:"um dia",dd:"%d dias",w:"uma semana",ww:"%d semanas",M:"um mês",MM:"%d meses",y:"um ano",yy:"%d anos"},dayOfMonthOrdinalParse:/\d{1,2}º/,ordinal:"%dº",week:{dow:1,doy:4}})}(n(381))},6459:function(e,t,n){!function(e){"use strict";function t(e,t,n){var r=" ";return(e%100>=20||e>=100&&e%100==0)&&(r=" de "),e+r+{ss:"secunde",mm:"minute",hh:"ore",dd:"zile",ww:"săptămâni",MM:"luni",yy:"ani"}[n]}e.defineLocale("ro",{months:"ianuarie_februarie_martie_aprilie_mai_iunie_iulie_august_septembrie_octombrie_noiembrie_decembrie".split("_"),monthsShort:"ian._feb._mart._apr._mai_iun._iul._aug._sept._oct._nov._dec.".split("_"),monthsParseExact:!0,weekdays:"duminică_luni_marți_miercuri_joi_vineri_sâmbătă".split("_"),weekdaysShort:"Dum_Lun_Mar_Mie_Joi_Vin_Sâm".split("_"),weekdaysMin:"Du_Lu_Ma_Mi_Jo_Vi_Sâ".split("_"),longDateFormat:{LT:"H:mm",LTS:"H:mm:ss",L:"DD.MM.YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY H:mm",LLLL:"dddd, D MMMM YYYY H:mm"},calendar:{sameDay:"[azi la] LT",nextDay:"[mâine la] LT",nextWeek:"dddd [la] LT",lastDay:"[ieri la] LT",lastWeek:"[fosta] dddd [la] LT",sameElse:"L"},relativeTime:{future:"peste %s",past:"%s în urmă",s:"câteva secunde",ss:t,m:"un minut",mm:t,h:"o oră",hh:t,d:"o zi",dd:t,w:"o săptămână",ww:t,M:"o lună",MM:t,y:"un an",yy:t},week:{dow:1,doy:7}})}(n(381))},1793:function(e,t,n){!function(e){"use strict";function t(e,t){var n=e.split("_");return t%10==1&&t%100!=11?n[0]:t%10>=2&&t%10<=4&&(t%100<10||t%100>=20)?n[1]:n[2]}function n(e,n,r){return"m"===r?n?"минута":"минуту":e+" "+t({ss:n?"секунда_секунды_секунд":"секунду_секунды_секунд",mm:n?"минута_минуты_минут":"минуту_минуты_минут",hh:"час_часа_часов",dd:"день_дня_дней",ww:"неделя_недели_недель",MM:"месяц_месяца_месяцев",yy:"год_года_лет"}[r],+e)}var r=[/^янв/i,/^фев/i,/^мар/i,/^апр/i,/^ма[йя]/i,/^июн/i,/^июл/i,/^авг/i,/^сен/i,/^окт/i,/^ноя/i,/^дек/i];e.defineLocale("ru",{months:{format:"января_февраля_марта_апреля_мая_июня_июля_августа_сентября_октября_ноября_декабря".split("_"),standalone:"январь_февраль_март_апрель_май_июнь_июль_август_сентябрь_октябрь_ноябрь_декабрь".split("_")},monthsShort:{format:"янв._февр._мар._апр._мая_июня_июля_авг._сент._окт._нояб._дек.".split("_"),standalone:"янв._февр._март_апр._май_июнь_июль_авг._сент._окт._нояб._дек.".split("_")},weekdays:{standalone:"воскресенье_понедельник_вторник_среда_четверг_пятница_суббота".split("_"),format:"воскресенье_понедельник_вторник_среду_четверг_пятницу_субботу".split("_"),isFormat:/\[ ?[Вв] ?(?:прошлую|следующую|эту)? ?] ?dddd/},weekdaysShort:"вс_пн_вт_ср_чт_пт_сб".split("_"),weekdaysMin:"вс_пн_вт_ср_чт_пт_сб".split("_"),monthsParse:r,longMonthsParse:r,shortMonthsParse:r,monthsRegex:/^(январ[ья]|янв\.?|феврал[ья]|февр?\.?|марта?|мар\.?|апрел[ья]|апр\.?|ма[йя]|июн[ья]|июн\.?|июл[ья]|июл\.?|августа?|авг\.?|сентябр[ья]|сент?\.?|октябр[ья]|окт\.?|ноябр[ья]|нояб?\.?|декабр[ья]|дек\.?)/i,monthsShortRegex:/^(январ[ья]|янв\.?|феврал[ья]|февр?\.?|марта?|мар\.?|апрел[ья]|апр\.?|ма[йя]|июн[ья]|июн\.?|июл[ья]|июл\.?|августа?|авг\.?|сентябр[ья]|сент?\.?|октябр[ья]|окт\.?|ноябр[ья]|нояб?\.?|декабр[ья]|дек\.?)/i,monthsStrictRegex:/^(январ[яь]|феврал[яь]|марта?|апрел[яь]|ма[яй]|июн[яь]|июл[яь]|августа?|сентябр[яь]|октябр[яь]|ноябр[яь]|декабр[яь])/i,monthsShortStrictRegex:/^(янв\.|февр?\.|мар[т.]|апр\.|ма[яй]|июн[ья.]|июл[ья.]|авг\.|сент?\.|окт\.|нояб?\.|дек\.)/i,longDateFormat:{LT:"H:mm",LTS:"H:mm:ss",L:"DD.MM.YYYY",LL:"D MMMM YYYY г.",LLL:"D MMMM YYYY г., H:mm",LLLL:"dddd, D MMMM YYYY г., H:mm"},calendar:{sameDay:"[Сегодня, в] LT",nextDay:"[Завтра, в] LT",lastDay:"[Вчера, в] LT",nextWeek:function(e){if(e.week()===this.week())return 2===this.day()?"[Во] dddd, [в] LT":"[В] dddd, [в] LT";switch(this.day()){case 0:return"[В следующее] dddd, [в] LT";case 1:case 2:case 4:return"[В следующий] dddd, [в] LT";case 3:case 5:case 6:return"[В следующую] dddd, [в] LT"}},lastWeek:function(e){if(e.week()===this.week())return 2===this.day()?"[Во] dddd, [в] LT":"[В] dddd, [в] LT";switch(this.day()){case 0:return"[В прошлое] dddd, [в] LT";case 1:case 2:case 4:return"[В прошлый] dddd, [в] LT";case 3:case 5:case 6:return"[В прошлую] dddd, [в] LT"}},sameElse:"L"},relativeTime:{future:"через %s",past:"%s назад",s:"несколько секунд",ss:n,m:n,mm:n,h:"час",hh:n,d:"день",dd:n,w:"неделя",ww:n,M:"месяц",MM:n,y:"год",yy:n},meridiemParse:/ночи|утра|дня|вечера/i,isPM:function(e){return/^(дня|вечера)$/.test(e)},meridiem:function(e,t,n){return e<4?"ночи":e<12?"утра":e<17?"дня":"вечера"},dayOfMonthOrdinalParse:/\d{1,2}-(й|го|я)/,ordinal:function(e,t){switch(t){case"M":case"d":case"DDD":return e+"-й";case"D":return e+"-го";case"w":case"W":return e+"-я";default:return e}},week:{dow:1,doy:4}})}(n(381))},950:function(e,t,n){!function(e){"use strict";var t=["جنوري","فيبروري","مارچ","اپريل","مئي","جون","جولاءِ","آگسٽ","سيپٽمبر","آڪٽوبر","نومبر","ڊسمبر"],n=["آچر","سومر","اڱارو","اربع","خميس","جمع","ڇنڇر"];e.defineLocale("sd",{months:t,monthsShort:t,weekdays:n,weekdaysShort:n,weekdaysMin:n,longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY HH:mm",LLLL:"dddd، D MMMM YYYY HH:mm"},meridiemParse:/صبح|شام/,isPM:function(e){return"شام"===e},meridiem:function(e,t,n){return e<12?"صبح":"شام"},calendar:{sameDay:"[اڄ] LT",nextDay:"[سڀاڻي] LT",nextWeek:"dddd [اڳين هفتي تي] LT",lastDay:"[ڪالهه] LT",lastWeek:"[گزريل هفتي] dddd [تي] LT",sameElse:"L"},relativeTime:{future:"%s پوء",past:"%s اڳ",s:"چند سيڪنڊ",ss:"%d سيڪنڊ",m:"هڪ منٽ",mm:"%d منٽ",h:"هڪ ڪلاڪ",hh:"%d ڪلاڪ",d:"هڪ ڏينهن",dd:"%d ڏينهن",M:"هڪ مهينو",MM:"%d مهينا",y:"هڪ سال",yy:"%d سال"},preparse:function(e){return e.replace(/،/g,",")},postformat:function(e){return e.replace(/,/g,"،")},week:{dow:1,doy:4}})}(n(381))},490:function(e,t,n){!function(e){"use strict";e.defineLocale("se",{months:"ođđajagemánnu_guovvamánnu_njukčamánnu_cuoŋománnu_miessemánnu_geassemánnu_suoidnemánnu_borgemánnu_čakčamánnu_golggotmánnu_skábmamánnu_juovlamánnu".split("_"),monthsShort:"ođđj_guov_njuk_cuo_mies_geas_suoi_borg_čakč_golg_skáb_juov".split("_"),weekdays:"sotnabeaivi_vuossárga_maŋŋebárga_gaskavahkku_duorastat_bearjadat_lávvardat".split("_"),weekdaysShort:"sotn_vuos_maŋ_gask_duor_bear_láv".split("_"),weekdaysMin:"s_v_m_g_d_b_L".split("_"),longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD.MM.YYYY",LL:"MMMM D. [b.] YYYY",LLL:"MMMM D. [b.] YYYY [ti.] HH:mm",LLLL:"dddd, MMMM D. [b.] YYYY [ti.] HH:mm"},calendar:{sameDay:"[otne ti] LT",nextDay:"[ihttin ti] LT",nextWeek:"dddd [ti] LT",lastDay:"[ikte ti] LT",lastWeek:"[ovddit] dddd [ti] LT",sameElse:"L"},relativeTime:{future:"%s geažes",past:"maŋit %s",s:"moadde sekunddat",ss:"%d sekunddat",m:"okta minuhta",mm:"%d minuhtat",h:"okta diimmu",hh:"%d diimmut",d:"okta beaivi",dd:"%d beaivvit",M:"okta mánnu",MM:"%d mánut",y:"okta jahki",yy:"%d jagit"},dayOfMonthOrdinalParse:/\d{1,2}\./,ordinal:"%d.",week:{dow:1,doy:4}})}(n(381))},124:function(e,t,n){!function(e){"use strict";e.defineLocale("si",{months:"ජනවාරි_පෙබරවාරි_මාර්තු_අප්‍රේල්_මැයි_ජූනි_ජූලි_අගෝස්තු_සැප්තැම්බර්_ඔක්තෝබර්_නොවැම්බර්_දෙසැම්බර්".split("_"),monthsShort:"ජන_පෙබ_මාර්_අප්_මැයි_ජූනි_ජූලි_අගෝ_සැප්_ඔක්_නොවැ_දෙසැ".split("_"),weekdays:"ඉරිදා_සඳුදා_අඟහරුවාදා_බදාදා_බ්‍රහස්පතින්දා_සිකුරාදා_සෙනසුරාදා".split("_"),weekdaysShort:"ඉරි_සඳු_අඟ_බදා_බ්‍රහ_සිකු_සෙන".split("_"),weekdaysMin:"ඉ_ස_අ_බ_බ්‍ර_සි_සෙ".split("_"),weekdaysParseExact:!0,longDateFormat:{LT:"a h:mm",LTS:"a h:mm:ss",L:"YYYY/MM/DD",LL:"YYYY MMMM D",LLL:"YYYY MMMM D, a h:mm",LLLL:"YYYY MMMM D [වැනි] dddd, a h:mm:ss"},calendar:{sameDay:"[අද] LT[ට]",nextDay:"[හෙට] LT[ට]",nextWeek:"dddd LT[ට]",lastDay:"[ඊයේ] LT[ට]",lastWeek:"[පසුගිය] dddd LT[ට]",sameElse:"L"},relativeTime:{future:"%sකින්",past:"%sකට පෙර",s:"තත්පර කිහිපය",ss:"තත්පර %d",m:"මිනිත්තුව",mm:"මිනිත්තු %d",h:"පැය",hh:"පැය %d",d:"දිනය",dd:"දින %d",M:"මාසය",MM:"මාස %d",y:"වසර",yy:"වසර %d"},dayOfMonthOrdinalParse:/\d{1,2} වැනි/,ordinal:function(e){return e+" වැනි"},meridiemParse:/පෙර වරු|පස් වරු|පෙ.ව|ප.ව./,isPM:function(e){return"ප.ව."===e||"පස් වරු"===e},meridiem:function(e,t,n){return e>11?n?"ප.ව.":"පස් වරු":n?"පෙ.ව.":"පෙර වරු"}})}(n(381))},4249:function(e,t,n){!function(e){"use strict";var t="január_február_marec_apríl_máj_jún_júl_august_september_október_november_december".split("_"),n="jan_feb_mar_apr_máj_jún_júl_aug_sep_okt_nov_dec".split("_");function r(e){return e>1&&e<5}function o(e,t,n,o){var a=e+" ";switch(n){case"s":return t||o?"pár sekúnd":"pár sekundami";case"ss":return t||o?a+(r(e)?"sekundy":"sekúnd"):a+"sekundami";case"m":return t?"minúta":o?"minútu":"minútou";case"mm":return t||o?a+(r(e)?"minúty":"minút"):a+"minútami";case"h":return t?"hodina":o?"hodinu":"hodinou";case"hh":return t||o?a+(r(e)?"hodiny":"hodín"):a+"hodinami";case"d":return t||o?"deň":"dňom";case"dd":return t||o?a+(r(e)?"dni":"dní"):a+"dňami";case"M":return t||o?"mesiac":"mesiacom";case"MM":return t||o?a+(r(e)?"mesiace":"mesiacov"):a+"mesiacmi";case"y":return t||o?"rok":"rokom";case"yy":return t||o?a+(r(e)?"roky":"rokov"):a+"rokmi"}}e.defineLocale("sk",{months:t,monthsShort:n,weekdays:"nedeľa_pondelok_utorok_streda_štvrtok_piatok_sobota".split("_"),weekdaysShort:"ne_po_ut_st_št_pi_so".split("_"),weekdaysMin:"ne_po_ut_st_št_pi_so".split("_"),longDateFormat:{LT:"H:mm",LTS:"H:mm:ss",L:"DD.MM.YYYY",LL:"D. MMMM YYYY",LLL:"D. MMMM YYYY H:mm",LLLL:"dddd D. MMMM YYYY H:mm"},calendar:{sameDay:"[dnes o] LT",nextDay:"[zajtra o] LT",nextWeek:function(){switch(this.day()){case 0:return"[v nedeľu o] LT";case 1:case 2:return"[v] dddd [o] LT";case 3:return"[v stredu o] LT";case 4:return"[vo štvrtok o] LT";case 5:return"[v piatok o] LT";case 6:return"[v sobotu o] LT"}},lastDay:"[včera o] LT",lastWeek:function(){switch(this.day()){case 0:return"[minulú nedeľu o] LT";case 1:case 2:return"[minulý] dddd [o] LT";case 3:return"[minulú stredu o] LT";case 4:case 5:return"[minulý] dddd [o] LT";case 6:return"[minulú sobotu o] LT"}},sameElse:"L"},relativeTime:{future:"za %s",past:"pred %s",s:o,ss:o,m:o,mm:o,h:o,hh:o,d:o,dd:o,M:o,MM:o,y:o,yy:o},dayOfMonthOrdinalParse:/\d{1,2}\./,ordinal:"%d.",week:{dow:1,doy:4}})}(n(381))},4985:function(e,t,n){!function(e){"use strict";function t(e,t,n,r){var o=e+" ";switch(n){case"s":return t||r?"nekaj sekund":"nekaj sekundami";case"ss":return o+=1===e?t?"sekundo":"sekundi":2===e?t||r?"sekundi":"sekundah":e<5?t||r?"sekunde":"sekundah":"sekund";case"m":return t?"ena minuta":"eno minuto";case"mm":return o+=1===e?t?"minuta":"minuto":2===e?t||r?"minuti":"minutama":e<5?t||r?"minute":"minutami":t||r?"minut":"minutami";case"h":return t?"ena ura":"eno uro";case"hh":return o+=1===e?t?"ura":"uro":2===e?t||r?"uri":"urama":e<5?t||r?"ure":"urami":t||r?"ur":"urami";case"d":return t||r?"en dan":"enim dnem";case"dd":return o+=1===e?t||r?"dan":"dnem":2===e?t||r?"dni":"dnevoma":t||r?"dni":"dnevi";case"M":return t||r?"en mesec":"enim mesecem";case"MM":return o+=1===e?t||r?"mesec":"mesecem":2===e?t||r?"meseca":"mesecema":e<5?t||r?"mesece":"meseci":t||r?"mesecev":"meseci";case"y":return t||r?"eno leto":"enim letom";case"yy":return o+=1===e?t||r?"leto":"letom":2===e?t||r?"leti":"letoma":e<5?t||r?"leta":"leti":t||r?"let":"leti"}}e.defineLocale("sl",{months:"januar_februar_marec_april_maj_junij_julij_avgust_september_oktober_november_december".split("_"),monthsShort:"jan._feb._mar._apr._maj._jun._jul._avg._sep._okt._nov._dec.".split("_"),monthsParseExact:!0,weekdays:"nedelja_ponedeljek_torek_sreda_četrtek_petek_sobota".split("_"),weekdaysShort:"ned._pon._tor._sre._čet._pet._sob.".split("_"),weekdaysMin:"ne_po_to_sr_če_pe_so".split("_"),weekdaysParseExact:!0,longDateFormat:{LT:"H:mm",LTS:"H:mm:ss",L:"DD. MM. YYYY",LL:"D. MMMM YYYY",LLL:"D. MMMM YYYY H:mm",LLLL:"dddd, D. MMMM YYYY H:mm"},calendar:{sameDay:"[danes ob] LT",nextDay:"[jutri ob] LT",nextWeek:function(){switch(this.day()){case 0:return"[v] [nedeljo] [ob] LT";case 3:return"[v] [sredo] [ob] LT";case 6:return"[v] [soboto] [ob] LT";case 1:case 2:case 4:case 5:return"[v] dddd [ob] LT"}},lastDay:"[včeraj ob] LT",lastWeek:function(){switch(this.day()){case 0:return"[prejšnjo] [nedeljo] [ob] LT";case 3:return"[prejšnjo] [sredo] [ob] LT";case 6:return"[prejšnjo] [soboto] [ob] LT";case 1:case 2:case 4:case 5:return"[prejšnji] dddd [ob] LT"}},sameElse:"L"},relativeTime:{future:"čez %s",past:"pred %s",s:t,ss:t,m:t,mm:t,h:t,hh:t,d:t,dd:t,M:t,MM:t,y:t,yy:t},dayOfMonthOrdinalParse:/\d{1,2}\./,ordinal:"%d.",week:{dow:1,doy:7}})}(n(381))},1104:function(e,t,n){!function(e){"use strict";e.defineLocale("sq",{months:"Janar_Shkurt_Mars_Prill_Maj_Qershor_Korrik_Gusht_Shtator_Tetor_Nëntor_Dhjetor".split("_"),monthsShort:"Jan_Shk_Mar_Pri_Maj_Qer_Kor_Gus_Sht_Tet_Nën_Dhj".split("_"),weekdays:"E Diel_E Hënë_E Martë_E Mërkurë_E Enjte_E Premte_E Shtunë".split("_"),weekdaysShort:"Die_Hën_Mar_Mër_Enj_Pre_Sht".split("_"),weekdaysMin:"D_H_Ma_Më_E_P_Sh".split("_"),weekdaysParseExact:!0,meridiemParse:/PD|MD/,isPM:function(e){return"M"===e.charAt(0)},meridiem:function(e,t,n){return e<12?"PD":"MD"},longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY HH:mm",LLLL:"dddd, D MMMM YYYY HH:mm"},calendar:{sameDay:"[Sot në] LT",nextDay:"[Nesër në] LT",nextWeek:"dddd [në] LT",lastDay:"[Dje në] LT",lastWeek:"dddd [e kaluar në] LT",sameElse:"L"},relativeTime:{future:"në %s",past:"%s më parë",s:"disa sekonda",ss:"%d sekonda",m:"një minutë",mm:"%d minuta",h:"një orë",hh:"%d orë",d:"një ditë",dd:"%d ditë",M:"një muaj",MM:"%d muaj",y:"një vit",yy:"%d vite"},dayOfMonthOrdinalParse:/\d{1,2}\./,ordinal:"%d.",week:{dow:1,doy:4}})}(n(381))},9915:function(e,t,n){!function(e){"use strict";var t={words:{ss:["секунда","секунде","секунди"],m:["један минут","једне минуте"],mm:["минут","минуте","минута"],h:["један сат","једног сата"],hh:["сат","сата","сати"],dd:["дан","дана","дана"],MM:["месец","месеца","месеци"],yy:["година","године","година"]},correctGrammaticalCase:function(e,t){return 1===e?t[0]:e>=2&&e<=4?t[1]:t[2]},translate:function(e,n,r){var o=t.words[r];return 1===r.length?n?o[0]:o[1]:e+" "+t.correctGrammaticalCase(e,o)}};e.defineLocale("sr-cyrl",{months:"јануар_фебруар_март_април_мај_јун_јул_август_септембар_октобар_новембар_децембар".split("_"),monthsShort:"јан._феб._мар._апр._мај_јун_јул_авг._сеп._окт._нов._дец.".split("_"),monthsParseExact:!0,weekdays:"недеља_понедељак_уторак_среда_четвртак_петак_субота".split("_"),weekdaysShort:"нед._пон._уто._сре._чет._пет._суб.".split("_"),weekdaysMin:"не_по_ут_ср_че_пе_су".split("_"),weekdaysParseExact:!0,longDateFormat:{LT:"H:mm",LTS:"H:mm:ss",L:"D. M. YYYY.",LL:"D. MMMM YYYY.",LLL:"D. MMMM YYYY. H:mm",LLLL:"dddd, D. MMMM YYYY. H:mm"},calendar:{sameDay:"[данас у] LT",nextDay:"[сутра у] LT",nextWeek:function(){switch(this.day()){case 0:return"[у] [недељу] [у] LT";case 3:return"[у] [среду] [у] LT";case 6:return"[у] [суботу] [у] LT";case 1:case 2:case 4:case 5:return"[у] dddd [у] LT"}},lastDay:"[јуче у] LT",lastWeek:function(){return["[прошле] [недеље] [у] LT","[прошлог] [понедељка] [у] LT","[прошлог] [уторка] [у] LT","[прошле] [среде] [у] LT","[прошлог] [четвртка] [у] LT","[прошлог] [петка] [у] LT","[прошле] [суботе] [у] LT"][this.day()]},sameElse:"L"},relativeTime:{future:"за %s",past:"пре %s",s:"неколико секунди",ss:t.translate,m:t.translate,mm:t.translate,h:t.translate,hh:t.translate,d:"дан",dd:t.translate,M:"месец",MM:t.translate,y:"годину",yy:t.translate},dayOfMonthOrdinalParse:/\d{1,2}\./,ordinal:"%d.",week:{dow:1,doy:7}})}(n(381))},9131:function(e,t,n){!function(e){"use strict";var t={words:{ss:["sekunda","sekunde","sekundi"],m:["jedan minut","jedne minute"],mm:["minut","minute","minuta"],h:["jedan sat","jednog sata"],hh:["sat","sata","sati"],dd:["dan","dana","dana"],MM:["mesec","meseca","meseci"],yy:["godina","godine","godina"]},correctGrammaticalCase:function(e,t){return 1===e?t[0]:e>=2&&e<=4?t[1]:t[2]},translate:function(e,n,r){var o=t.words[r];return 1===r.length?n?o[0]:o[1]:e+" "+t.correctGrammaticalCase(e,o)}};e.defineLocale("sr",{months:"januar_februar_mart_april_maj_jun_jul_avgust_septembar_oktobar_novembar_decembar".split("_"),monthsShort:"jan._feb._mar._apr._maj_jun_jul_avg._sep._okt._nov._dec.".split("_"),monthsParseExact:!0,weekdays:"nedelja_ponedeljak_utorak_sreda_četvrtak_petak_subota".split("_"),weekdaysShort:"ned._pon._uto._sre._čet._pet._sub.".split("_"),weekdaysMin:"ne_po_ut_sr_če_pe_su".split("_"),weekdaysParseExact:!0,longDateFormat:{LT:"H:mm",LTS:"H:mm:ss",L:"D. M. YYYY.",LL:"D. MMMM YYYY.",LLL:"D. MMMM YYYY. H:mm",LLLL:"dddd, D. MMMM YYYY. H:mm"},calendar:{sameDay:"[danas u] LT",nextDay:"[sutra u] LT",nextWeek:function(){switch(this.day()){case 0:return"[u] [nedelju] [u] LT";case 3:return"[u] [sredu] [u] LT";case 6:return"[u] [subotu] [u] LT";case 1:case 2:case 4:case 5:return"[u] dddd [u] LT"}},lastDay:"[juče u] LT",lastWeek:function(){return["[prošle] [nedelje] [u] LT","[prošlog] [ponedeljka] [u] LT","[prošlog] [utorka] [u] LT","[prošle] [srede] [u] LT","[prošlog] [četvrtka] [u] LT","[prošlog] [petka] [u] LT","[prošle] [subote] [u] LT"][this.day()]},sameElse:"L"},relativeTime:{future:"za %s",past:"pre %s",s:"nekoliko sekundi",ss:t.translate,m:t.translate,mm:t.translate,h:t.translate,hh:t.translate,d:"dan",dd:t.translate,M:"mesec",MM:t.translate,y:"godinu",yy:t.translate},dayOfMonthOrdinalParse:/\d{1,2}\./,ordinal:"%d.",week:{dow:1,doy:7}})}(n(381))},5893:function(e,t,n){!function(e){"use strict";e.defineLocale("ss",{months:"Bhimbidvwane_Indlovana_Indlov'lenkhulu_Mabasa_Inkhwekhweti_Inhlaba_Kholwane_Ingci_Inyoni_Imphala_Lweti_Ingongoni".split("_"),monthsShort:"Bhi_Ina_Inu_Mab_Ink_Inh_Kho_Igc_Iny_Imp_Lwe_Igo".split("_"),weekdays:"Lisontfo_Umsombuluko_Lesibili_Lesitsatfu_Lesine_Lesihlanu_Umgcibelo".split("_"),weekdaysShort:"Lis_Umb_Lsb_Les_Lsi_Lsh_Umg".split("_"),weekdaysMin:"Li_Us_Lb_Lt_Ls_Lh_Ug".split("_"),weekdaysParseExact:!0,longDateFormat:{LT:"h:mm A",LTS:"h:mm:ss A",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY h:mm A",LLLL:"dddd, D MMMM YYYY h:mm A"},calendar:{sameDay:"[Namuhla nga] LT",nextDay:"[Kusasa nga] LT",nextWeek:"dddd [nga] LT",lastDay:"[Itolo nga] LT",lastWeek:"dddd [leliphelile] [nga] LT",sameElse:"L"},relativeTime:{future:"nga %s",past:"wenteka nga %s",s:"emizuzwana lomcane",ss:"%d mzuzwana",m:"umzuzu",mm:"%d emizuzu",h:"lihora",hh:"%d emahora",d:"lilanga",dd:"%d emalanga",M:"inyanga",MM:"%d tinyanga",y:"umnyaka",yy:"%d iminyaka"},meridiemParse:/ekuseni|emini|entsambama|ebusuku/,meridiem:function(e,t,n){return e<11?"ekuseni":e<15?"emini":e<19?"entsambama":"ebusuku"},meridiemHour:function(e,t){return 12===e&&(e=0),"ekuseni"===t?e:"emini"===t?e>=11?e:e+12:"entsambama"===t||"ebusuku"===t?0===e?0:e+12:void 0},dayOfMonthOrdinalParse:/\d{1,2}/,ordinal:"%d",week:{dow:1,doy:4}})}(n(381))},8760:function(e,t,n){!function(e){"use strict";e.defineLocale("sv",{months:"januari_februari_mars_april_maj_juni_juli_augusti_september_oktober_november_december".split("_"),monthsShort:"jan_feb_mar_apr_maj_jun_jul_aug_sep_okt_nov_dec".split("_"),weekdays:"söndag_måndag_tisdag_onsdag_torsdag_fredag_lördag".split("_"),weekdaysShort:"sön_mån_tis_ons_tor_fre_lör".split("_"),weekdaysMin:"sö_må_ti_on_to_fr_lö".split("_"),longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"YYYY-MM-DD",LL:"D MMMM YYYY",LLL:"D MMMM YYYY [kl.] HH:mm",LLLL:"dddd D MMMM YYYY [kl.] HH:mm",lll:"D MMM YYYY HH:mm",llll:"ddd D MMM YYYY HH:mm"},calendar:{sameDay:"[Idag] LT",nextDay:"[Imorgon] LT",lastDay:"[Igår] LT",nextWeek:"[På] dddd LT",lastWeek:"[I] dddd[s] LT",sameElse:"L"},relativeTime:{future:"om %s",past:"för %s sedan",s:"några sekunder",ss:"%d sekunder",m:"en minut",mm:"%d minuter",h:"en timme",hh:"%d timmar",d:"en dag",dd:"%d dagar",M:"en månad",MM:"%d månader",y:"ett år",yy:"%d år"},dayOfMonthOrdinalParse:/\d{1,2}(\:e|\:a)/,ordinal:function(e){var t=e%10;return e+(1==~~(e%100/10)?":e":1===t||2===t?":a":":e")},week:{dow:1,doy:4}})}(n(381))},1172:function(e,t,n){!function(e){"use strict";e.defineLocale("sw",{months:"Januari_Februari_Machi_Aprili_Mei_Juni_Julai_Agosti_Septemba_Oktoba_Novemba_Desemba".split("_"),monthsShort:"Jan_Feb_Mac_Apr_Mei_Jun_Jul_Ago_Sep_Okt_Nov_Des".split("_"),weekdays:"Jumapili_Jumatatu_Jumanne_Jumatano_Alhamisi_Ijumaa_Jumamosi".split("_"),weekdaysShort:"Jpl_Jtat_Jnne_Jtan_Alh_Ijm_Jmos".split("_"),weekdaysMin:"J2_J3_J4_J5_Al_Ij_J1".split("_"),weekdaysParseExact:!0,longDateFormat:{LT:"hh:mm A",LTS:"HH:mm:ss",L:"DD.MM.YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY HH:mm",LLLL:"dddd, D MMMM YYYY HH:mm"},calendar:{sameDay:"[leo saa] LT",nextDay:"[kesho saa] LT",nextWeek:"[wiki ijayo] dddd [saat] LT",lastDay:"[jana] LT",lastWeek:"[wiki iliyopita] dddd [saat] LT",sameElse:"L"},relativeTime:{future:"%s baadaye",past:"tokea %s",s:"hivi punde",ss:"sekunde %d",m:"dakika moja",mm:"dakika %d",h:"saa limoja",hh:"masaa %d",d:"siku moja",dd:"siku %d",M:"mwezi mmoja",MM:"miezi %d",y:"mwaka mmoja",yy:"miaka %d"},week:{dow:1,doy:7}})}(n(381))},1044:function(e,t,n){!function(e){"use strict";var t={1:"௧",2:"௨",3:"௩",4:"௪",5:"௫",6:"௬",7:"௭",8:"௮",9:"௯",0:"௦"},n={"௧":"1","௨":"2","௩":"3","௪":"4","௫":"5","௬":"6","௭":"7","௮":"8","௯":"9","௦":"0"};e.defineLocale("ta",{months:"ஜனவரி_பிப்ரவரி_மார்ச்_ஏப்ரல்_மே_ஜூன்_ஜூலை_ஆகஸ்ட்_செப்டெம்பர்_அக்டோபர்_நவம்பர்_டிசம்பர்".split("_"),monthsShort:"ஜனவரி_பிப்ரவரி_மார்ச்_ஏப்ரல்_மே_ஜூன்_ஜூலை_ஆகஸ்ட்_செப்டெம்பர்_அக்டோபர்_நவம்பர்_டிசம்பர்".split("_"),weekdays:"ஞாயிற்றுக்கிழமை_திங்கட்கிழமை_செவ்வாய்கிழமை_புதன்கிழமை_வியாழக்கிழமை_வெள்ளிக்கிழமை_சனிக்கிழமை".split("_"),weekdaysShort:"ஞாயிறு_திங்கள்_செவ்வாய்_புதன்_வியாழன்_வெள்ளி_சனி".split("_"),weekdaysMin:"ஞா_தி_செ_பு_வி_வெ_ச".split("_"),longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY, HH:mm",LLLL:"dddd, D MMMM YYYY, HH:mm"},calendar:{sameDay:"[இன்று] LT",nextDay:"[நாளை] LT",nextWeek:"dddd, LT",lastDay:"[நேற்று] LT",lastWeek:"[கடந்த வாரம்] dddd, LT",sameElse:"L"},relativeTime:{future:"%s இல்",past:"%s முன்",s:"ஒரு சில விநாடிகள்",ss:"%d விநாடிகள்",m:"ஒரு நிமிடம்",mm:"%d நிமிடங்கள்",h:"ஒரு மணி நேரம்",hh:"%d மணி நேரம்",d:"ஒரு நாள்",dd:"%d நாட்கள்",M:"ஒரு மாதம்",MM:"%d மாதங்கள்",y:"ஒரு வருடம்",yy:"%d ஆண்டுகள்"},dayOfMonthOrdinalParse:/\d{1,2}வது/,ordinal:function(e){return e+"வது"},preparse:function(e){return e.replace(/[௧௨௩௪௫௬௭௮௯௦]/g,(function(e){return n[e]}))},postformat:function(e){return e.replace(/\d/g,(function(e){return t[e]}))},meridiemParse:/யாமம்|வைகறை|காலை|நண்பகல்|எற்பாடு|மாலை/,meridiem:function(e,t,n){return e<2?" யாமம்":e<6?" வைகறை":e<10?" காலை":e<14?" நண்பகல்":e<18?" எற்பாடு":e<22?" மாலை":" யாமம்"},meridiemHour:function(e,t){return 12===e&&(e=0),"யாமம்"===t?e<2?e:e+12:"வைகறை"===t||"காலை"===t||"நண்பகல்"===t&&e>=10?e:e+12},week:{dow:0,doy:6}})}(n(381))},3110:function(e,t,n){!function(e){"use strict";e.defineLocale("te",{months:"జనవరి_ఫిబ్రవరి_మార్చి_ఏప్రిల్_మే_జూన్_జులై_ఆగస్టు_సెప్టెంబర్_అక్టోబర్_నవంబర్_డిసెంబర్".split("_"),monthsShort:"జన._ఫిబ్ర._మార్చి_ఏప్రి._మే_జూన్_జులై_ఆగ._సెప్._అక్టో._నవ._డిసె.".split("_"),monthsParseExact:!0,weekdays:"ఆదివారం_సోమవారం_మంగళవారం_బుధవారం_గురువారం_శుక్రవారం_శనివారం".split("_"),weekdaysShort:"ఆది_సోమ_మంగళ_బుధ_గురు_శుక్ర_శని".split("_"),weekdaysMin:"ఆ_సో_మం_బు_గు_శు_శ".split("_"),longDateFormat:{LT:"A h:mm",LTS:"A h:mm:ss",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY, A h:mm",LLLL:"dddd, D MMMM YYYY, A h:mm"},calendar:{sameDay:"[నేడు] LT",nextDay:"[రేపు] LT",nextWeek:"dddd, LT",lastDay:"[నిన్న] LT",lastWeek:"[గత] dddd, LT",sameElse:"L"},relativeTime:{future:"%s లో",past:"%s క్రితం",s:"కొన్ని క్షణాలు",ss:"%d సెకన్లు",m:"ఒక నిమిషం",mm:"%d నిమిషాలు",h:"ఒక గంట",hh:"%d గంటలు",d:"ఒక రోజు",dd:"%d రోజులు",M:"ఒక నెల",MM:"%d నెలలు",y:"ఒక సంవత్సరం",yy:"%d సంవత్సరాలు"},dayOfMonthOrdinalParse:/\d{1,2}వ/,ordinal:"%dవ",meridiemParse:/రాత్రి|ఉదయం|మధ్యాహ్నం|సాయంత్రం/,meridiemHour:function(e,t){return 12===e&&(e=0),"రాత్రి"===t?e<4?e:e+12:"ఉదయం"===t?e:"మధ్యాహ్నం"===t?e>=10?e:e+12:"సాయంత్రం"===t?e+12:void 0},meridiem:function(e,t,n){return e<4?"రాత్రి":e<10?"ఉదయం":e<17?"మధ్యాహ్నం":e<20?"సాయంత్రం":"రాత్రి"},week:{dow:0,doy:6}})}(n(381))},2095:function(e,t,n){!function(e){"use strict";e.defineLocale("tet",{months:"Janeiru_Fevereiru_Marsu_Abril_Maiu_Juñu_Jullu_Agustu_Setembru_Outubru_Novembru_Dezembru".split("_"),monthsShort:"Jan_Fev_Mar_Abr_Mai_Jun_Jul_Ago_Set_Out_Nov_Dez".split("_"),weekdays:"Domingu_Segunda_Tersa_Kuarta_Kinta_Sesta_Sabadu".split("_"),weekdaysShort:"Dom_Seg_Ters_Kua_Kint_Sest_Sab".split("_"),weekdaysMin:"Do_Seg_Te_Ku_Ki_Ses_Sa".split("_"),longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY HH:mm",LLLL:"dddd, D MMMM YYYY HH:mm"},calendar:{sameDay:"[Ohin iha] LT",nextDay:"[Aban iha] LT",nextWeek:"dddd [iha] LT",lastDay:"[Horiseik iha] LT",lastWeek:"dddd [semana kotuk] [iha] LT",sameElse:"L"},relativeTime:{future:"iha %s",past:"%s liuba",s:"segundu balun",ss:"segundu %d",m:"minutu ida",mm:"minutu %d",h:"oras ida",hh:"oras %d",d:"loron ida",dd:"loron %d",M:"fulan ida",MM:"fulan %d",y:"tinan ida",yy:"tinan %d"},dayOfMonthOrdinalParse:/\d{1,2}(st|nd|rd|th)/,ordinal:function(e){var t=e%10;return e+(1==~~(e%100/10)?"th":1===t?"st":2===t?"nd":3===t?"rd":"th")},week:{dow:1,doy:4}})}(n(381))},7321:function(e,t,n){!function(e){"use strict";var t={0:"-ум",1:"-ум",2:"-юм",3:"-юм",4:"-ум",5:"-ум",6:"-ум",7:"-ум",8:"-ум",9:"-ум",10:"-ум",12:"-ум",13:"-ум",20:"-ум",30:"-юм",40:"-ум",50:"-ум",60:"-ум",70:"-ум",80:"-ум",90:"-ум",100:"-ум"};e.defineLocale("tg",{months:{format:"январи_феврали_марти_апрели_майи_июни_июли_августи_сентябри_октябри_ноябри_декабри".split("_"),standalone:"январ_феврал_март_апрел_май_июн_июл_август_сентябр_октябр_ноябр_декабр".split("_")},monthsShort:"янв_фев_мар_апр_май_июн_июл_авг_сен_окт_ноя_дек".split("_"),weekdays:"якшанбе_душанбе_сешанбе_чоршанбе_панҷшанбе_ҷумъа_шанбе".split("_"),weekdaysShort:"яшб_дшб_сшб_чшб_пшб_ҷум_шнб".split("_"),weekdaysMin:"яш_дш_сш_чш_пш_ҷм_шб".split("_"),longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD.MM.YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY HH:mm",LLLL:"dddd, D MMMM YYYY HH:mm"},calendar:{sameDay:"[Имрӯз соати] LT",nextDay:"[Фардо соати] LT",lastDay:"[Дирӯз соати] LT",nextWeek:"dddd[и] [ҳафтаи оянда соати] LT",lastWeek:"dddd[и] [ҳафтаи гузашта соати] LT",sameElse:"L"},relativeTime:{future:"баъди %s",past:"%s пеш",s:"якчанд сония",m:"як дақиқа",mm:"%d дақиқа",h:"як соат",hh:"%d соат",d:"як рӯз",dd:"%d рӯз",M:"як моҳ",MM:"%d моҳ",y:"як сол",yy:"%d сол"},meridiemParse:/шаб|субҳ|рӯз|бегоҳ/,meridiemHour:function(e,t){return 12===e&&(e=0),"шаб"===t?e<4?e:e+12:"субҳ"===t?e:"рӯз"===t?e>=11?e:e+12:"бегоҳ"===t?e+12:void 0},meridiem:function(e,t,n){return e<4?"шаб":e<11?"субҳ":e<16?"рӯз":e<19?"бегоҳ":"шаб"},dayOfMonthOrdinalParse:/\d{1,2}-(ум|юм)/,ordinal:function(e){var n=e%10,r=e>=100?100:null;return e+(t[e]||t[n]||t[r])},week:{dow:1,doy:7}})}(n(381))},9041:function(e,t,n){!function(e){"use strict";e.defineLocale("th",{months:"มกราคม_กุมภาพันธ์_มีนาคม_เมษายน_พฤษภาคม_มิถุนายน_กรกฎาคม_สิงหาคม_กันยายน_ตุลาคม_พฤศจิกายน_ธันวาคม".split("_"),monthsShort:"ม.ค._ก.พ._มี.ค._เม.ย._พ.ค._มิ.ย._ก.ค._ส.ค._ก.ย._ต.ค._พ.ย._ธ.ค.".split("_"),monthsParseExact:!0,weekdays:"อาทิตย์_จันทร์_อังคาร_พุธ_พฤหัสบดี_ศุกร์_เสาร์".split("_"),weekdaysShort:"อาทิตย์_จันทร์_อังคาร_พุธ_พฤหัส_ศุกร์_เสาร์".split("_"),weekdaysMin:"อา._จ._อ._พ._พฤ._ศ._ส.".split("_"),weekdaysParseExact:!0,longDateFormat:{LT:"H:mm",LTS:"H:mm:ss",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY เวลา H:mm",LLLL:"วันddddที่ D MMMM YYYY เวลา H:mm"},meridiemParse:/ก่อนเที่ยง|หลังเที่ยง/,isPM:function(e){return"หลังเที่ยง"===e},meridiem:function(e,t,n){return e<12?"ก่อนเที่ยง":"หลังเที่ยง"},calendar:{sameDay:"[วันนี้ เวลา] LT",nextDay:"[พรุ่งนี้ เวลา] LT",nextWeek:"dddd[หน้า เวลา] LT",lastDay:"[เมื่อวานนี้ เวลา] LT",lastWeek:"[วัน]dddd[ที่แล้ว เวลา] LT",sameElse:"L"},relativeTime:{future:"อีก %s",past:"%sที่แล้ว",s:"ไม่กี่วินาที",ss:"%d วินาที",m:"1 นาที",mm:"%d นาที",h:"1 ชั่วโมง",hh:"%d ชั่วโมง",d:"1 วัน",dd:"%d วัน",w:"1 สัปดาห์",ww:"%d สัปดาห์",M:"1 เดือน",MM:"%d เดือน",y:"1 ปี",yy:"%d ปี"}})}(n(381))},9005:function(e,t,n){!function(e){"use strict";var t={1:"'inji",5:"'inji",8:"'inji",70:"'inji",80:"'inji",2:"'nji",7:"'nji",20:"'nji",50:"'nji",3:"'ünji",4:"'ünji",100:"'ünji",6:"'njy",9:"'unjy",10:"'unjy",30:"'unjy",60:"'ynjy",90:"'ynjy"};e.defineLocale("tk",{months:"Ýanwar_Fewral_Mart_Aprel_Maý_Iýun_Iýul_Awgust_Sentýabr_Oktýabr_Noýabr_Dekabr".split("_"),monthsShort:"Ýan_Few_Mar_Apr_Maý_Iýn_Iýl_Awg_Sen_Okt_Noý_Dek".split("_"),weekdays:"Ýekşenbe_Duşenbe_Sişenbe_Çarşenbe_Penşenbe_Anna_Şenbe".split("_"),weekdaysShort:"Ýek_Duş_Siş_Çar_Pen_Ann_Şen".split("_"),weekdaysMin:"Ýk_Dş_Sş_Çr_Pn_An_Şn".split("_"),longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD.MM.YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY HH:mm",LLLL:"dddd, D MMMM YYYY HH:mm"},calendar:{sameDay:"[bugün sagat] LT",nextDay:"[ertir sagat] LT",nextWeek:"[indiki] dddd [sagat] LT",lastDay:"[düýn] LT",lastWeek:"[geçen] dddd [sagat] LT",sameElse:"L"},relativeTime:{future:"%s soň",past:"%s öň",s:"birnäçe sekunt",m:"bir minut",mm:"%d minut",h:"bir sagat",hh:"%d sagat",d:"bir gün",dd:"%d gün",M:"bir aý",MM:"%d aý",y:"bir ýyl",yy:"%d ýyl"},ordinal:function(e,n){switch(n){case"d":case"D":case"Do":case"DD":return e;default:if(0===e)return e+"'unjy";var r=e%10,o=e%100-r,a=e>=100?100:null;return e+(t[r]||t[o]||t[a])}},week:{dow:1,doy:7}})}(n(381))},5768:function(e,t,n){!function(e){"use strict";e.defineLocale("tl-ph",{months:"Enero_Pebrero_Marso_Abril_Mayo_Hunyo_Hulyo_Agosto_Setyembre_Oktubre_Nobyembre_Disyembre".split("_"),monthsShort:"Ene_Peb_Mar_Abr_May_Hun_Hul_Ago_Set_Okt_Nob_Dis".split("_"),weekdays:"Linggo_Lunes_Martes_Miyerkules_Huwebes_Biyernes_Sabado".split("_"),weekdaysShort:"Lin_Lun_Mar_Miy_Huw_Biy_Sab".split("_"),weekdaysMin:"Li_Lu_Ma_Mi_Hu_Bi_Sab".split("_"),longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"MM/D/YYYY",LL:"MMMM D, YYYY",LLL:"MMMM D, YYYY HH:mm",LLLL:"dddd, MMMM DD, YYYY HH:mm"},calendar:{sameDay:"LT [ngayong araw]",nextDay:"[Bukas ng] LT",nextWeek:"LT [sa susunod na] dddd",lastDay:"LT [kahapon]",lastWeek:"LT [noong nakaraang] dddd",sameElse:"L"},relativeTime:{future:"sa loob ng %s",past:"%s ang nakalipas",s:"ilang segundo",ss:"%d segundo",m:"isang minuto",mm:"%d minuto",h:"isang oras",hh:"%d oras",d:"isang araw",dd:"%d araw",M:"isang buwan",MM:"%d buwan",y:"isang taon",yy:"%d taon"},dayOfMonthOrdinalParse:/\d{1,2}/,ordinal:function(e){return e},week:{dow:1,doy:4}})}(n(381))},9444:function(e,t,n){!function(e){"use strict";var t="pagh_wa’_cha’_wej_loS_vagh_jav_Soch_chorgh_Hut".split("_");function n(e){var t=e;return t=-1!==e.indexOf("jaj")?t.slice(0,-3)+"leS":-1!==e.indexOf("jar")?t.slice(0,-3)+"waQ":-1!==e.indexOf("DIS")?t.slice(0,-3)+"nem":t+" pIq"}function r(e){var t=e;return t=-1!==e.indexOf("jaj")?t.slice(0,-3)+"Hu’":-1!==e.indexOf("jar")?t.slice(0,-3)+"wen":-1!==e.indexOf("DIS")?t.slice(0,-3)+"ben":t+" ret"}function o(e,t,n,r){var o=a(e);switch(n){case"ss":return o+" lup";case"mm":return o+" tup";case"hh":return o+" rep";case"dd":return o+" jaj";case"MM":return o+" jar";case"yy":return o+" DIS"}}function a(e){var n=Math.floor(e%1e3/100),r=Math.floor(e%100/10),o=e%10,a="";return n>0&&(a+=t[n]+"vatlh"),r>0&&(a+=(""!==a?" ":"")+t[r]+"maH"),o>0&&(a+=(""!==a?" ":"")+t[o]),""===a?"pagh":a}e.defineLocale("tlh",{months:"tera’ jar wa’_tera’ jar cha’_tera’ jar wej_tera’ jar loS_tera’ jar vagh_tera’ jar jav_tera’ jar Soch_tera’ jar chorgh_tera’ jar Hut_tera’ jar wa’maH_tera’ jar wa’maH wa’_tera’ jar wa’maH cha’".split("_"),monthsShort:"jar wa’_jar cha’_jar wej_jar loS_jar vagh_jar jav_jar Soch_jar chorgh_jar Hut_jar wa’maH_jar wa’maH wa’_jar wa’maH cha’".split("_"),monthsParseExact:!0,weekdays:"lojmItjaj_DaSjaj_povjaj_ghItlhjaj_loghjaj_buqjaj_ghInjaj".split("_"),weekdaysShort:"lojmItjaj_DaSjaj_povjaj_ghItlhjaj_loghjaj_buqjaj_ghInjaj".split("_"),weekdaysMin:"lojmItjaj_DaSjaj_povjaj_ghItlhjaj_loghjaj_buqjaj_ghInjaj".split("_"),longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD.MM.YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY HH:mm",LLLL:"dddd, D MMMM YYYY HH:mm"},calendar:{sameDay:"[DaHjaj] LT",nextDay:"[wa’leS] LT",nextWeek:"LLL",lastDay:"[wa’Hu’] LT",lastWeek:"LLL",sameElse:"L"},relativeTime:{future:n,past:r,s:"puS lup",ss:o,m:"wa’ tup",mm:o,h:"wa’ rep",hh:o,d:"wa’ jaj",dd:o,M:"wa’ jar",MM:o,y:"wa’ DIS",yy:o},dayOfMonthOrdinalParse:/\d{1,2}\./,ordinal:"%d.",week:{dow:1,doy:4}})}(n(381))},2397:function(e,t,n){!function(e){"use strict";var t={1:"'inci",5:"'inci",8:"'inci",70:"'inci",80:"'inci",2:"'nci",7:"'nci",20:"'nci",50:"'nci",3:"'üncü",4:"'üncü",100:"'üncü",6:"'ncı",9:"'uncu",10:"'uncu",30:"'uncu",60:"'ıncı",90:"'ıncı"};e.defineLocale("tr",{months:"Ocak_Şubat_Mart_Nisan_Mayıs_Haziran_Temmuz_Ağustos_Eylül_Ekim_Kasım_Aralık".split("_"),monthsShort:"Oca_Şub_Mar_Nis_May_Haz_Tem_Ağu_Eyl_Eki_Kas_Ara".split("_"),weekdays:"Pazar_Pazartesi_Salı_Çarşamba_Perşembe_Cuma_Cumartesi".split("_"),weekdaysShort:"Paz_Pts_Sal_Çar_Per_Cum_Cts".split("_"),weekdaysMin:"Pz_Pt_Sa_Ça_Pe_Cu_Ct".split("_"),meridiem:function(e,t,n){return e<12?n?"öö":"ÖÖ":n?"ös":"ÖS"},meridiemParse:/öö|ÖÖ|ös|ÖS/,isPM:function(e){return"ös"===e||"ÖS"===e},longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD.MM.YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY HH:mm",LLLL:"dddd, D MMMM YYYY HH:mm"},calendar:{sameDay:"[bugün saat] LT",nextDay:"[yarın saat] LT",nextWeek:"[gelecek] dddd [saat] LT",lastDay:"[dün] LT",lastWeek:"[geçen] dddd [saat] LT",sameElse:"L"},relativeTime:{future:"%s sonra",past:"%s önce",s:"birkaç saniye",ss:"%d saniye",m:"bir dakika",mm:"%d dakika",h:"bir saat",hh:"%d saat",d:"bir gün",dd:"%d gün",w:"bir hafta",ww:"%d hafta",M:"bir ay",MM:"%d ay",y:"bir yıl",yy:"%d yıl"},ordinal:function(e,n){switch(n){case"d":case"D":case"Do":case"DD":return e;default:if(0===e)return e+"'ıncı";var r=e%10,o=e%100-r,a=e>=100?100:null;return e+(t[r]||t[o]||t[a])}},week:{dow:1,doy:7}})}(n(381))},8254:function(e,t,n){!function(e){"use strict";function t(e,t,n,r){var o={s:["viensas secunds","'iensas secunds"],ss:[e+" secunds",e+" secunds"],m:["'n míut","'iens míut"],mm:[e+" míuts",e+" míuts"],h:["'n þora","'iensa þora"],hh:[e+" þoras",e+" þoras"],d:["'n ziua","'iensa ziua"],dd:[e+" ziuas",e+" ziuas"],M:["'n mes","'iens mes"],MM:[e+" mesen",e+" mesen"],y:["'n ar","'iens ar"],yy:[e+" ars",e+" ars"]};return r||t?o[n][0]:o[n][1]}e.defineLocale("tzl",{months:"Januar_Fevraglh_Març_Avrïu_Mai_Gün_Julia_Guscht_Setemvar_Listopäts_Noemvar_Zecemvar".split("_"),monthsShort:"Jan_Fev_Mar_Avr_Mai_Gün_Jul_Gus_Set_Lis_Noe_Zec".split("_"),weekdays:"Súladi_Lúneçi_Maitzi_Márcuri_Xhúadi_Viénerçi_Sáturi".split("_"),weekdaysShort:"Súl_Lún_Mai_Már_Xhú_Vié_Sát".split("_"),weekdaysMin:"Sú_Lú_Ma_Má_Xh_Vi_Sá".split("_"),longDateFormat:{LT:"HH.mm",LTS:"HH.mm.ss",L:"DD.MM.YYYY",LL:"D. MMMM [dallas] YYYY",LLL:"D. MMMM [dallas] YYYY HH.mm",LLLL:"dddd, [li] D. MMMM [dallas] YYYY HH.mm"},meridiemParse:/d\'o|d\'a/i,isPM:function(e){return"d'o"===e.toLowerCase()},meridiem:function(e,t,n){return e>11?n?"d'o":"D'O":n?"d'a":"D'A"},calendar:{sameDay:"[oxhi à] LT",nextDay:"[demà à] LT",nextWeek:"dddd [à] LT",lastDay:"[ieiri à] LT",lastWeek:"[sür el] dddd [lasteu à] LT",sameElse:"L"},relativeTime:{future:"osprei %s",past:"ja%s",s:t,ss:t,m:t,mm:t,h:t,hh:t,d:t,dd:t,M:t,MM:t,y:t,yy:t},dayOfMonthOrdinalParse:/\d{1,2}\./,ordinal:"%d.",week:{dow:1,doy:4}})}(n(381))},699:function(e,t,n){!function(e){"use strict";e.defineLocale("tzm-latn",{months:"innayr_brˤayrˤ_marˤsˤ_ibrir_mayyw_ywnyw_ywlywz_ɣwšt_šwtanbir_ktˤwbrˤ_nwwanbir_dwjnbir".split("_"),monthsShort:"innayr_brˤayrˤ_marˤsˤ_ibrir_mayyw_ywnyw_ywlywz_ɣwšt_šwtanbir_ktˤwbrˤ_nwwanbir_dwjnbir".split("_"),weekdays:"asamas_aynas_asinas_akras_akwas_asimwas_asiḍyas".split("_"),weekdaysShort:"asamas_aynas_asinas_akras_akwas_asimwas_asiḍyas".split("_"),weekdaysMin:"asamas_aynas_asinas_akras_akwas_asimwas_asiḍyas".split("_"),longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY HH:mm",LLLL:"dddd D MMMM YYYY HH:mm"},calendar:{sameDay:"[asdkh g] LT",nextDay:"[aska g] LT",nextWeek:"dddd [g] LT",lastDay:"[assant g] LT",lastWeek:"dddd [g] LT",sameElse:"L"},relativeTime:{future:"dadkh s yan %s",past:"yan %s",s:"imik",ss:"%d imik",m:"minuḍ",mm:"%d minuḍ",h:"saɛa",hh:"%d tassaɛin",d:"ass",dd:"%d ossan",M:"ayowr",MM:"%d iyyirn",y:"asgas",yy:"%d isgasn"},week:{dow:6,doy:12}})}(n(381))},1106:function(e,t,n){!function(e){"use strict";e.defineLocale("tzm",{months:"ⵉⵏⵏⴰⵢⵔ_ⴱⵕⴰⵢⵕ_ⵎⴰⵕⵚ_ⵉⴱⵔⵉⵔ_ⵎⴰⵢⵢⵓ_ⵢⵓⵏⵢⵓ_ⵢⵓⵍⵢⵓⵣ_ⵖⵓⵛⵜ_ⵛⵓⵜⴰⵏⴱⵉⵔ_ⴽⵟⵓⴱⵕ_ⵏⵓⵡⴰⵏⴱⵉⵔ_ⴷⵓⵊⵏⴱⵉⵔ".split("_"),monthsShort:"ⵉⵏⵏⴰⵢⵔ_ⴱⵕⴰⵢⵕ_ⵎⴰⵕⵚ_ⵉⴱⵔⵉⵔ_ⵎⴰⵢⵢⵓ_ⵢⵓⵏⵢⵓ_ⵢⵓⵍⵢⵓⵣ_ⵖⵓⵛⵜ_ⵛⵓⵜⴰⵏⴱⵉⵔ_ⴽⵟⵓⴱⵕ_ⵏⵓⵡⴰⵏⴱⵉⵔ_ⴷⵓⵊⵏⴱⵉⵔ".split("_"),weekdays:"ⴰⵙⴰⵎⴰⵙ_ⴰⵢⵏⴰⵙ_ⴰⵙⵉⵏⴰⵙ_ⴰⴽⵔⴰⵙ_ⴰⴽⵡⴰⵙ_ⴰⵙⵉⵎⵡⴰⵙ_ⴰⵙⵉⴹⵢⴰⵙ".split("_"),weekdaysShort:"ⴰⵙⴰⵎⴰⵙ_ⴰⵢⵏⴰⵙ_ⴰⵙⵉⵏⴰⵙ_ⴰⴽⵔⴰⵙ_ⴰⴽⵡⴰⵙ_ⴰⵙⵉⵎⵡⴰⵙ_ⴰⵙⵉⴹⵢⴰⵙ".split("_"),weekdaysMin:"ⴰⵙⴰⵎⴰⵙ_ⴰⵢⵏⴰⵙ_ⴰⵙⵉⵏⴰⵙ_ⴰⴽⵔⴰⵙ_ⴰⴽⵡⴰⵙ_ⴰⵙⵉⵎⵡⴰⵙ_ⴰⵙⵉⴹⵢⴰⵙ".split("_"),longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY HH:mm",LLLL:"dddd D MMMM YYYY HH:mm"},calendar:{sameDay:"[ⴰⵙⴷⵅ ⴴ] LT",nextDay:"[ⴰⵙⴽⴰ ⴴ] LT",nextWeek:"dddd [ⴴ] LT",lastDay:"[ⴰⵚⴰⵏⵜ ⴴ] LT",lastWeek:"dddd [ⴴ] LT",sameElse:"L"},relativeTime:{future:"ⴷⴰⴷⵅ ⵙ ⵢⴰⵏ %s",past:"ⵢⴰⵏ %s",s:"ⵉⵎⵉⴽ",ss:"%d ⵉⵎⵉⴽ",m:"ⵎⵉⵏⵓⴺ",mm:"%d ⵎⵉⵏⵓⴺ",h:"ⵙⴰⵄⴰ",hh:"%d ⵜⴰⵙⵙⴰⵄⵉⵏ",d:"ⴰⵙⵙ",dd:"%d oⵙⵙⴰⵏ",M:"ⴰⵢoⵓⵔ",MM:"%d ⵉⵢⵢⵉⵔⵏ",y:"ⴰⵙⴳⴰⵙ",yy:"%d ⵉⵙⴳⴰⵙⵏ"},week:{dow:6,doy:12}})}(n(381))},9288:function(e,t,n){!function(e){"use strict";e.defineLocale("ug-cn",{months:"يانۋار_فېۋرال_مارت_ئاپرېل_ماي_ئىيۇن_ئىيۇل_ئاۋغۇست_سېنتەبىر_ئۆكتەبىر_نويابىر_دېكابىر".split("_"),monthsShort:"يانۋار_فېۋرال_مارت_ئاپرېل_ماي_ئىيۇن_ئىيۇل_ئاۋغۇست_سېنتەبىر_ئۆكتەبىر_نويابىر_دېكابىر".split("_"),weekdays:"يەكشەنبە_دۈشەنبە_سەيشەنبە_چارشەنبە_پەيشەنبە_جۈمە_شەنبە".split("_"),weekdaysShort:"يە_دۈ_سە_چا_پە_جۈ_شە".split("_"),weekdaysMin:"يە_دۈ_سە_چا_پە_جۈ_شە".split("_"),longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"YYYY-MM-DD",LL:"YYYY-يىلىM-ئاينىڭD-كۈنى",LLL:"YYYY-يىلىM-ئاينىڭD-كۈنى، HH:mm",LLLL:"dddd، YYYY-يىلىM-ئاينىڭD-كۈنى، HH:mm"},meridiemParse:/يېرىم كېچە|سەھەر|چۈشتىن بۇرۇن|چۈش|چۈشتىن كېيىن|كەچ/,meridiemHour:function(e,t){return 12===e&&(e=0),"يېرىم كېچە"===t||"سەھەر"===t||"چۈشتىن بۇرۇن"===t?e:"چۈشتىن كېيىن"===t||"كەچ"===t?e+12:e>=11?e:e+12},meridiem:function(e,t,n){var r=100*e+t;return r<600?"يېرىم كېچە":r<900?"سەھەر":r<1130?"چۈشتىن بۇرۇن":r<1230?"چۈش":r<1800?"چۈشتىن كېيىن":"كەچ"},calendar:{sameDay:"[بۈگۈن سائەت] LT",nextDay:"[ئەتە سائەت] LT",nextWeek:"[كېلەركى] dddd [سائەت] LT",lastDay:"[تۆنۈگۈن] LT",lastWeek:"[ئالدىنقى] dddd [سائەت] LT",sameElse:"L"},relativeTime:{future:"%s كېيىن",past:"%s بۇرۇن",s:"نەچچە سېكونت",ss:"%d سېكونت",m:"بىر مىنۇت",mm:"%d مىنۇت",h:"بىر سائەت",hh:"%d سائەت",d:"بىر كۈن",dd:"%d كۈن",M:"بىر ئاي",MM:"%d ئاي",y:"بىر يىل",yy:"%d يىل"},dayOfMonthOrdinalParse:/\d{1,2}(-كۈنى|-ئاي|-ھەپتە)/,ordinal:function(e,t){switch(t){case"d":case"D":case"DDD":return e+"-كۈنى";case"w":case"W":return e+"-ھەپتە";default:return e}},preparse:function(e){return e.replace(/،/g,",")},postformat:function(e){return e.replace(/,/g,"،")},week:{dow:1,doy:7}})}(n(381))},7691:function(e,t,n){!function(e){"use strict";function t(e,t){var n=e.split("_");return t%10==1&&t%100!=11?n[0]:t%10>=2&&t%10<=4&&(t%100<10||t%100>=20)?n[1]:n[2]}function n(e,n,r){return"m"===r?n?"хвилина":"хвилину":"h"===r?n?"година":"годину":e+" "+t({ss:n?"секунда_секунди_секунд":"секунду_секунди_секунд",mm:n?"хвилина_хвилини_хвилин":"хвилину_хвилини_хвилин",hh:n?"година_години_годин":"годину_години_годин",dd:"день_дні_днів",MM:"місяць_місяці_місяців",yy:"рік_роки_років"}[r],+e)}function r(e,t){var n={nominative:"неділя_понеділок_вівторок_середа_четвер_п’ятниця_субота".split("_"),accusative:"неділю_понеділок_вівторок_середу_четвер_п’ятницю_суботу".split("_"),genitive:"неділі_понеділка_вівторка_середи_четверга_п’ятниці_суботи".split("_")};return!0===e?n.nominative.slice(1,7).concat(n.nominative.slice(0,1)):e?n[/(\[[ВвУу]\]) ?dddd/.test(t)?"accusative":/\[?(?:минулої|наступної)? ?\] ?dddd/.test(t)?"genitive":"nominative"][e.day()]:n.nominative}function o(e){return function(){return e+"о"+(11===this.hours()?"б":"")+"] LT"}}e.defineLocale("uk",{months:{format:"січня_лютого_березня_квітня_травня_червня_липня_серпня_вересня_жовтня_листопада_грудня".split("_"),standalone:"січень_лютий_березень_квітень_травень_червень_липень_серпень_вересень_жовтень_листопад_грудень".split("_")},monthsShort:"січ_лют_бер_квіт_трав_черв_лип_серп_вер_жовт_лист_груд".split("_"),weekdays:r,weekdaysShort:"нд_пн_вт_ср_чт_пт_сб".split("_"),weekdaysMin:"нд_пн_вт_ср_чт_пт_сб".split("_"),longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD.MM.YYYY",LL:"D MMMM YYYY р.",LLL:"D MMMM YYYY р., HH:mm",LLLL:"dddd, D MMMM YYYY р., HH:mm"},calendar:{sameDay:o("[Сьогодні "),nextDay:o("[Завтра "),lastDay:o("[Вчора "),nextWeek:o("[У] dddd ["),lastWeek:function(){switch(this.day()){case 0:case 3:case 5:case 6:return o("[Минулої] dddd [").call(this);case 1:case 2:case 4:return o("[Минулого] dddd [").call(this)}},sameElse:"L"},relativeTime:{future:"за %s",past:"%s тому",s:"декілька секунд",ss:n,m:n,mm:n,h:"годину",hh:n,d:"день",dd:n,M:"місяць",MM:n,y:"рік",yy:n},meridiemParse:/ночі|ранку|дня|вечора/,isPM:function(e){return/^(дня|вечора)$/.test(e)},meridiem:function(e,t,n){return e<4?"ночі":e<12?"ранку":e<17?"дня":"вечора"},dayOfMonthOrdinalParse:/\d{1,2}-(й|го)/,ordinal:function(e,t){switch(t){case"M":case"d":case"DDD":case"w":case"W":return e+"-й";case"D":return e+"-го";default:return e}},week:{dow:1,doy:7}})}(n(381))},3795:function(e,t,n){!function(e){"use strict";var t=["جنوری","فروری","مارچ","اپریل","مئی","جون","جولائی","اگست","ستمبر","اکتوبر","نومبر","دسمبر"],n=["اتوار","پیر","منگل","بدھ","جمعرات","جمعہ","ہفتہ"];e.defineLocale("ur",{months:t,monthsShort:t,weekdays:n,weekdaysShort:n,weekdaysMin:n,longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY HH:mm",LLLL:"dddd، D MMMM YYYY HH:mm"},meridiemParse:/صبح|شام/,isPM:function(e){return"شام"===e},meridiem:function(e,t,n){return e<12?"صبح":"شام"},calendar:{sameDay:"[آج بوقت] LT",nextDay:"[کل بوقت] LT",nextWeek:"dddd [بوقت] LT",lastDay:"[گذشتہ روز بوقت] LT",lastWeek:"[گذشتہ] dddd [بوقت] LT",sameElse:"L"},relativeTime:{future:"%s بعد",past:"%s قبل",s:"چند سیکنڈ",ss:"%d سیکنڈ",m:"ایک منٹ",mm:"%d منٹ",h:"ایک گھنٹہ",hh:"%d گھنٹے",d:"ایک دن",dd:"%d دن",M:"ایک ماہ",MM:"%d ماہ",y:"ایک سال",yy:"%d سال"},preparse:function(e){return e.replace(/،/g,",")},postformat:function(e){return e.replace(/,/g,"،")},week:{dow:1,doy:4}})}(n(381))},588:function(e,t,n){!function(e){"use strict";e.defineLocale("uz-latn",{months:"Yanvar_Fevral_Mart_Aprel_May_Iyun_Iyul_Avgust_Sentabr_Oktabr_Noyabr_Dekabr".split("_"),monthsShort:"Yan_Fev_Mar_Apr_May_Iyun_Iyul_Avg_Sen_Okt_Noy_Dek".split("_"),weekdays:"Yakshanba_Dushanba_Seshanba_Chorshanba_Payshanba_Juma_Shanba".split("_"),weekdaysShort:"Yak_Dush_Sesh_Chor_Pay_Jum_Shan".split("_"),weekdaysMin:"Ya_Du_Se_Cho_Pa_Ju_Sha".split("_"),longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY HH:mm",LLLL:"D MMMM YYYY, dddd HH:mm"},calendar:{sameDay:"[Bugun soat] LT [da]",nextDay:"[Ertaga] LT [da]",nextWeek:"dddd [kuni soat] LT [da]",lastDay:"[Kecha soat] LT [da]",lastWeek:"[O'tgan] dddd [kuni soat] LT [da]",sameElse:"L"},relativeTime:{future:"Yaqin %s ichida",past:"Bir necha %s oldin",s:"soniya",ss:"%d soniya",m:"bir daqiqa",mm:"%d daqiqa",h:"bir soat",hh:"%d soat",d:"bir kun",dd:"%d kun",M:"bir oy",MM:"%d oy",y:"bir yil",yy:"%d yil"},week:{dow:1,doy:7}})}(n(381))},6791:function(e,t,n){!function(e){"use strict";e.defineLocale("uz",{months:"январ_феврал_март_апрел_май_июн_июл_август_сентябр_октябр_ноябр_декабр".split("_"),monthsShort:"янв_фев_мар_апр_май_июн_июл_авг_сен_окт_ноя_дек".split("_"),weekdays:"Якшанба_Душанба_Сешанба_Чоршанба_Пайшанба_Жума_Шанба".split("_"),weekdaysShort:"Якш_Душ_Сеш_Чор_Пай_Жум_Шан".split("_"),weekdaysMin:"Як_Ду_Се_Чо_Па_Жу_Ша".split("_"),longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY HH:mm",LLLL:"D MMMM YYYY, dddd HH:mm"},calendar:{sameDay:"[Бугун соат] LT [да]",nextDay:"[Эртага] LT [да]",nextWeek:"dddd [куни соат] LT [да]",lastDay:"[Кеча соат] LT [да]",lastWeek:"[Утган] dddd [куни соат] LT [да]",sameElse:"L"},relativeTime:{future:"Якин %s ичида",past:"Бир неча %s олдин",s:"фурсат",ss:"%d фурсат",m:"бир дакика",mm:"%d дакика",h:"бир соат",hh:"%d соат",d:"бир кун",dd:"%d кун",M:"бир ой",MM:"%d ой",y:"бир йил",yy:"%d йил"},week:{dow:1,doy:7}})}(n(381))},5666:function(e,t,n){!function(e){"use strict";e.defineLocale("vi",{months:"tháng 1_tháng 2_tháng 3_tháng 4_tháng 5_tháng 6_tháng 7_tháng 8_tháng 9_tháng 10_tháng 11_tháng 12".split("_"),monthsShort:"Thg 01_Thg 02_Thg 03_Thg 04_Thg 05_Thg 06_Thg 07_Thg 08_Thg 09_Thg 10_Thg 11_Thg 12".split("_"),monthsParseExact:!0,weekdays:"chủ nhật_thứ hai_thứ ba_thứ tư_thứ năm_thứ sáu_thứ bảy".split("_"),weekdaysShort:"CN_T2_T3_T4_T5_T6_T7".split("_"),weekdaysMin:"CN_T2_T3_T4_T5_T6_T7".split("_"),weekdaysParseExact:!0,meridiemParse:/sa|ch/i,isPM:function(e){return/^ch$/i.test(e)},meridiem:function(e,t,n){return e<12?n?"sa":"SA":n?"ch":"CH"},longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD/MM/YYYY",LL:"D MMMM [năm] YYYY",LLL:"D MMMM [năm] YYYY HH:mm",LLLL:"dddd, D MMMM [năm] YYYY HH:mm",l:"DD/M/YYYY",ll:"D MMM YYYY",lll:"D MMM YYYY HH:mm",llll:"ddd, D MMM YYYY HH:mm"},calendar:{sameDay:"[Hôm nay lúc] LT",nextDay:"[Ngày mai lúc] LT",nextWeek:"dddd [tuần tới lúc] LT",lastDay:"[Hôm qua lúc] LT",lastWeek:"dddd [tuần trước lúc] LT",sameElse:"L"},relativeTime:{future:"%s tới",past:"%s trước",s:"vài giây",ss:"%d giây",m:"một phút",mm:"%d phút",h:"một giờ",hh:"%d giờ",d:"một ngày",dd:"%d ngày",w:"một tuần",ww:"%d tuần",M:"một tháng",MM:"%d tháng",y:"một năm",yy:"%d năm"},dayOfMonthOrdinalParse:/\d{1,2}/,ordinal:function(e){return e},week:{dow:1,doy:4}})}(n(381))},4378:function(e,t,n){!function(e){"use strict";e.defineLocale("x-pseudo",{months:"J~áñúá~rý_F~ébrú~árý_~Márc~h_Áp~ríl_~Máý_~Júñé~_Júl~ý_Áú~gúst~_Sép~témb~ér_Ó~ctób~ér_Ñ~óvém~bér_~Décé~mbér".split("_"),monthsShort:"J~áñ_~Féb_~Már_~Ápr_~Máý_~Júñ_~Júl_~Áúg_~Sép_~Óct_~Ñóv_~Déc".split("_"),monthsParseExact:!0,weekdays:"S~úñdá~ý_Mó~ñdáý~_Túé~sdáý~_Wéd~ñésd~áý_T~húrs~dáý_~Fríd~áý_S~átúr~dáý".split("_"),weekdaysShort:"S~úñ_~Móñ_~Túé_~Wéd_~Thú_~Frí_~Sát".split("_"),weekdaysMin:"S~ú_Mó~_Tú_~Wé_T~h_Fr~_Sá".split("_"),weekdaysParseExact:!0,longDateFormat:{LT:"HH:mm",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY HH:mm",LLLL:"dddd, D MMMM YYYY HH:mm"},calendar:{sameDay:"[T~ódá~ý át] LT",nextDay:"[T~ómó~rró~w át] LT",nextWeek:"dddd [át] LT",lastDay:"[Ý~ést~érdá~ý át] LT",lastWeek:"[L~ást] dddd [át] LT",sameElse:"L"},relativeTime:{future:"í~ñ %s",past:"%s á~gó",s:"á ~féw ~sécó~ñds",ss:"%d s~écóñ~ds",m:"á ~míñ~úté",mm:"%d m~íñú~tés",h:"á~ñ hó~úr",hh:"%d h~óúrs",d:"á ~dáý",dd:"%d d~áýs",M:"á ~móñ~th",MM:"%d m~óñt~hs",y:"á ~ýéár",yy:"%d ý~éárs"},dayOfMonthOrdinalParse:/\d{1,2}(th|st|nd|rd)/,ordinal:function(e){var t=e%10;return e+(1==~~(e%100/10)?"th":1===t?"st":2===t?"nd":3===t?"rd":"th")},week:{dow:1,doy:4}})}(n(381))},5805:function(e,t,n){!function(e){"use strict";e.defineLocale("yo",{months:"Sẹ́rẹ́_Èrèlè_Ẹrẹ̀nà_Ìgbé_Èbibi_Òkùdu_Agẹmo_Ògún_Owewe_Ọ̀wàrà_Bélú_Ọ̀pẹ̀̀".split("_"),monthsShort:"Sẹ́r_Èrl_Ẹrn_Ìgb_Èbi_Òkù_Agẹ_Ògú_Owe_Ọ̀wà_Bél_Ọ̀pẹ̀̀".split("_"),weekdays:"Àìkú_Ajé_Ìsẹ́gun_Ọjọ́rú_Ọjọ́bọ_Ẹtì_Àbámẹ́ta".split("_"),weekdaysShort:"Àìk_Ajé_Ìsẹ́_Ọjr_Ọjb_Ẹtì_Àbá".split("_"),weekdaysMin:"Àì_Aj_Ìs_Ọr_Ọb_Ẹt_Àb".split("_"),longDateFormat:{LT:"h:mm A",LTS:"h:mm:ss A",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY h:mm A",LLLL:"dddd, D MMMM YYYY h:mm A"},calendar:{sameDay:"[Ònì ni] LT",nextDay:"[Ọ̀la ni] LT",nextWeek:"dddd [Ọsẹ̀ tón'bọ] [ni] LT",lastDay:"[Àna ni] LT",lastWeek:"dddd [Ọsẹ̀ tólọ́] [ni] LT",sameElse:"L"},relativeTime:{future:"ní %s",past:"%s kọjá",s:"ìsẹjú aayá die",ss:"aayá %d",m:"ìsẹjú kan",mm:"ìsẹjú %d",h:"wákati kan",hh:"wákati %d",d:"ọjọ́ kan",dd:"ọjọ́ %d",M:"osù kan",MM:"osù %d",y:"ọdún kan",yy:"ọdún %d"},dayOfMonthOrdinalParse:/ọjọ́\s\d{1,2}/,ordinal:"ọjọ́ %d",week:{dow:1,doy:4}})}(n(381))},3839:function(e,t,n){!function(e){"use strict";e.defineLocale("zh-cn",{months:"一月_二月_三月_四月_五月_六月_七月_八月_九月_十月_十一月_十二月".split("_"),monthsShort:"1月_2月_3月_4月_5月_6月_7月_8月_9月_10月_11月_12月".split("_"),weekdays:"星期日_星期一_星期二_星期三_星期四_星期五_星期六".split("_"),weekdaysShort:"周日_周一_周二_周三_周四_周五_周六".split("_"),weekdaysMin:"日_一_二_三_四_五_六".split("_"),longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"YYYY/MM/DD",LL:"YYYY年M月D日",LLL:"YYYY年M月D日Ah点mm分",LLLL:"YYYY年M月D日ddddAh点mm分",l:"YYYY/M/D",ll:"YYYY年M月D日",lll:"YYYY年M月D日 HH:mm",llll:"YYYY年M月D日dddd HH:mm"},meridiemParse:/凌晨|早上|上午|中午|下午|晚上/,meridiemHour:function(e,t){return 12===e&&(e=0),"凌晨"===t||"早上"===t||"上午"===t?e:"下午"===t||"晚上"===t?e+12:e>=11?e:e+12},meridiem:function(e,t,n){var r=100*e+t;return r<600?"凌晨":r<900?"早上":r<1130?"上午":r<1230?"中午":r<1800?"下午":"晚上"},calendar:{sameDay:"[今天]LT",nextDay:"[明天]LT",nextWeek:function(e){return e.week()!==this.week()?"[下]dddLT":"[本]dddLT"},lastDay:"[昨天]LT",lastWeek:function(e){return this.week()!==e.week()?"[上]dddLT":"[本]dddLT"},sameElse:"L"},dayOfMonthOrdinalParse:/\d{1,2}(日|月|周)/,ordinal:function(e,t){switch(t){case"d":case"D":case"DDD":return e+"日";case"M":return e+"月";case"w":case"W":return e+"周";default:return e}},relativeTime:{future:"%s后",past:"%s前",s:"几秒",ss:"%d 秒",m:"1 分钟",mm:"%d 分钟",h:"1 小时",hh:"%d 小时",d:"1 天",dd:"%d 天",w:"1 周",ww:"%d 周",M:"1 个月",MM:"%d 个月",y:"1 年",yy:"%d 年"},week:{dow:1,doy:4}})}(n(381))},5726:function(e,t,n){!function(e){"use strict";e.defineLocale("zh-hk",{months:"一月_二月_三月_四月_五月_六月_七月_八月_九月_十月_十一月_十二月".split("_"),monthsShort:"1月_2月_3月_4月_5月_6月_7月_8月_9月_10月_11月_12月".split("_"),weekdays:"星期日_星期一_星期二_星期三_星期四_星期五_星期六".split("_"),weekdaysShort:"週日_週一_週二_週三_週四_週五_週六".split("_"),weekdaysMin:"日_一_二_三_四_五_六".split("_"),longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"YYYY/MM/DD",LL:"YYYY年M月D日",LLL:"YYYY年M月D日 HH:mm",LLLL:"YYYY年M月D日dddd HH:mm",l:"YYYY/M/D",ll:"YYYY年M月D日",lll:"YYYY年M月D日 HH:mm",llll:"YYYY年M月D日dddd HH:mm"},meridiemParse:/凌晨|早上|上午|中午|下午|晚上/,meridiemHour:function(e,t){return 12===e&&(e=0),"凌晨"===t||"早上"===t||"上午"===t?e:"中午"===t?e>=11?e:e+12:"下午"===t||"晚上"===t?e+12:void 0},meridiem:function(e,t,n){var r=100*e+t;return r<600?"凌晨":r<900?"早上":r<1200?"上午":1200===r?"中午":r<1800?"下午":"晚上"},calendar:{sameDay:"[今天]LT",nextDay:"[明天]LT",nextWeek:"[下]ddddLT",lastDay:"[昨天]LT",lastWeek:"[上]ddddLT",sameElse:"L"},dayOfMonthOrdinalParse:/\d{1,2}(日|月|週)/,ordinal:function(e,t){switch(t){case"d":case"D":case"DDD":return e+"日";case"M":return e+"月";case"w":case"W":return e+"週";default:return e}},relativeTime:{future:"%s後",past:"%s前",s:"幾秒",ss:"%d 秒",m:"1 分鐘",mm:"%d 分鐘",h:"1 小時",hh:"%d 小時",d:"1 天",dd:"%d 天",M:"1 個月",MM:"%d 個月",y:"1 年",yy:"%d 年"}})}(n(381))},9807:function(e,t,n){!function(e){"use strict";e.defineLocale("zh-mo",{months:"一月_二月_三月_四月_五月_六月_七月_八月_九月_十月_十一月_十二月".split("_"),monthsShort:"1月_2月_3月_4月_5月_6月_7月_8月_9月_10月_11月_12月".split("_"),weekdays:"星期日_星期一_星期二_星期三_星期四_星期五_星期六".split("_"),weekdaysShort:"週日_週一_週二_週三_週四_週五_週六".split("_"),weekdaysMin:"日_一_二_三_四_五_六".split("_"),longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD/MM/YYYY",LL:"YYYY年M月D日",LLL:"YYYY年M月D日 HH:mm",LLLL:"YYYY年M月D日dddd HH:mm",l:"D/M/YYYY",ll:"YYYY年M月D日",lll:"YYYY年M月D日 HH:mm",llll:"YYYY年M月D日dddd HH:mm"},meridiemParse:/凌晨|早上|上午|中午|下午|晚上/,meridiemHour:function(e,t){return 12===e&&(e=0),"凌晨"===t||"早上"===t||"上午"===t?e:"中午"===t?e>=11?e:e+12:"下午"===t||"晚上"===t?e+12:void 0},meridiem:function(e,t,n){var r=100*e+t;return r<600?"凌晨":r<900?"早上":r<1130?"上午":r<1230?"中午":r<1800?"下午":"晚上"},calendar:{sameDay:"[今天] LT",nextDay:"[明天] LT",nextWeek:"[下]dddd LT",lastDay:"[昨天] LT",lastWeek:"[上]dddd LT",sameElse:"L"},dayOfMonthOrdinalParse:/\d{1,2}(日|月|週)/,ordinal:function(e,t){switch(t){case"d":case"D":case"DDD":return e+"日";case"M":return e+"月";case"w":case"W":return e+"週";default:return e}},relativeTime:{future:"%s內",past:"%s前",s:"幾秒",ss:"%d 秒",m:"1 分鐘",mm:"%d 分鐘",h:"1 小時",hh:"%d 小時",d:"1 天",dd:"%d 天",M:"1 個月",MM:"%d 個月",y:"1 年",yy:"%d 年"}})}(n(381))},4152:function(e,t,n){!function(e){"use strict";e.defineLocale("zh-tw",{months:"一月_二月_三月_四月_五月_六月_七月_八月_九月_十月_十一月_十二月".split("_"),monthsShort:"1月_2月_3月_4月_5月_6月_7月_8月_9月_10月_11月_12月".split("_"),weekdays:"星期日_星期一_星期二_星期三_星期四_星期五_星期六".split("_"),weekdaysShort:"週日_週一_週二_週三_週四_週五_週六".split("_"),weekdaysMin:"日_一_二_三_四_五_六".split("_"),longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"YYYY/MM/DD",LL:"YYYY年M月D日",LLL:"YYYY年M月D日 HH:mm",LLLL:"YYYY年M月D日dddd HH:mm",l:"YYYY/M/D",ll:"YYYY年M月D日",lll:"YYYY年M月D日 HH:mm",llll:"YYYY年M月D日dddd HH:mm"},meridiemParse:/凌晨|早上|上午|中午|下午|晚上/,meridiemHour:function(e,t){return 12===e&&(e=0),"凌晨"===t||"早上"===t||"上午"===t?e:"中午"===t?e>=11?e:e+12:"下午"===t||"晚上"===t?e+12:void 0},meridiem:function(e,t,n){var r=100*e+t;return r<600?"凌晨":r<900?"早上":r<1130?"上午":r<1230?"中午":r<1800?"下午":"晚上"},calendar:{sameDay:"[今天] LT",nextDay:"[明天] LT",nextWeek:"[下]dddd LT",lastDay:"[昨天] LT",lastWeek:"[上]dddd LT",sameElse:"L"},dayOfMonthOrdinalParse:/\d{1,2}(日|月|週)/,ordinal:function(e,t){switch(t){case"d":case"D":case"DDD":return e+"日";case"M":return e+"月";case"w":case"W":return e+"週";default:return e}},relativeTime:{future:"%s後",past:"%s前",s:"幾秒",ss:"%d 秒",m:"1 分鐘",mm:"%d 分鐘",h:"1 小時",hh:"%d 小時",d:"1 天",dd:"%d 天",M:"1 個月",MM:"%d 個月",y:"1 年",yy:"%d 年"}})}(n(381))},6700:(e,t,n)=>{var r={"./af":2786,"./af.js":2786,"./ar":867,"./ar-dz":4130,"./ar-dz.js":4130,"./ar-kw":6135,"./ar-kw.js":6135,"./ar-ly":6440,"./ar-ly.js":6440,"./ar-ma":7702,"./ar-ma.js":7702,"./ar-sa":6040,"./ar-sa.js":6040,"./ar-tn":7100,"./ar-tn.js":7100,"./ar.js":867,"./az":1083,"./az.js":1083,"./be":9808,"./be.js":9808,"./bg":8338,"./bg.js":8338,"./bm":7438,"./bm.js":7438,"./bn":8905,"./bn-bd":6225,"./bn-bd.js":6225,"./bn.js":8905,"./bo":1560,"./bo.js":1560,"./br":1278,"./br.js":1278,"./bs":622,"./bs.js":622,"./ca":2468,"./ca.js":2468,"./cs":5822,"./cs.js":5822,"./cv":877,"./cv.js":877,"./cy":7373,"./cy.js":7373,"./da":4780,"./da.js":4780,"./de":9740,"./de-at":217,"./de-at.js":217,"./de-ch":894,"./de-ch.js":894,"./de.js":9740,"./dv":5300,"./dv.js":5300,"./el":837,"./el.js":837,"./en-au":8348,"./en-au.js":8348,"./en-ca":7925,"./en-ca.js":7925,"./en-gb":2243,"./en-gb.js":2243,"./en-ie":6436,"./en-ie.js":6436,"./en-il":7207,"./en-il.js":7207,"./en-in":4175,"./en-in.js":4175,"./en-nz":6319,"./en-nz.js":6319,"./en-sg":1662,"./en-sg.js":1662,"./eo":2915,"./eo.js":2915,"./es":5655,"./es-do":5251,"./es-do.js":5251,"./es-mx":6112,"./es-mx.js":6112,"./es-us":1146,"./es-us.js":1146,"./es.js":5655,"./et":5603,"./et.js":5603,"./eu":7763,"./eu.js":7763,"./fa":6959,"./fa.js":6959,"./fi":1897,"./fi.js":1897,"./fil":2549,"./fil.js":2549,"./fo":4694,"./fo.js":4694,"./fr":4470,"./fr-ca":3049,"./fr-ca.js":3049,"./fr-ch":2330,"./fr-ch.js":2330,"./fr.js":4470,"./fy":5044,"./fy.js":5044,"./ga":9295,"./ga.js":9295,"./gd":2101,"./gd.js":2101,"./gl":8794,"./gl.js":8794,"./gom-deva":7884,"./gom-deva.js":7884,"./gom-latn":3168,"./gom-latn.js":3168,"./gu":5349,"./gu.js":5349,"./he":4206,"./he.js":4206,"./hi":94,"./hi.js":94,"./hr":316,"./hr.js":316,"./hu":2138,"./hu.js":2138,"./hy-am":1423,"./hy-am.js":1423,"./id":9218,"./id.js":9218,"./is":135,"./is.js":135,"./it":626,"./it-ch":150,"./it-ch.js":150,"./it.js":626,"./ja":9183,"./ja.js":9183,"./jv":4286,"./jv.js":4286,"./ka":2105,"./ka.js":2105,"./kk":7772,"./kk.js":7772,"./km":8758,"./km.js":8758,"./kn":9282,"./kn.js":9282,"./ko":3730,"./ko.js":3730,"./ku":1408,"./ku.js":1408,"./ky":3291,"./ky.js":3291,"./lb":6841,"./lb.js":6841,"./lo":5466,"./lo.js":5466,"./lt":7010,"./lt.js":7010,"./lv":7595,"./lv.js":7595,"./me":9861,"./me.js":9861,"./mi":5493,"./mi.js":5493,"./mk":5966,"./mk.js":5966,"./ml":7341,"./ml.js":7341,"./mn":5115,"./mn.js":5115,"./mr":370,"./mr.js":370,"./ms":9847,"./ms-my":1237,"./ms-my.js":1237,"./ms.js":9847,"./mt":2126,"./mt.js":2126,"./my":6165,"./my.js":6165,"./nb":4924,"./nb.js":4924,"./ne":6744,"./ne.js":6744,"./nl":3901,"./nl-be":9814,"./nl-be.js":9814,"./nl.js":3901,"./nn":3877,"./nn.js":3877,"./oc-lnc":2135,"./oc-lnc.js":2135,"./pa-in":5858,"./pa-in.js":5858,"./pl":4495,"./pl.js":4495,"./pt":9520,"./pt-br":7971,"./pt-br.js":7971,"./pt.js":9520,"./ro":6459,"./ro.js":6459,"./ru":1793,"./ru.js":1793,"./sd":950,"./sd.js":950,"./se":490,"./se.js":490,"./si":124,"./si.js":124,"./sk":4249,"./sk.js":4249,"./sl":4985,"./sl.js":4985,"./sq":1104,"./sq.js":1104,"./sr":9131,"./sr-cyrl":9915,"./sr-cyrl.js":9915,"./sr.js":9131,"./ss":5893,"./ss.js":5893,"./sv":8760,"./sv.js":8760,"./sw":1172,"./sw.js":1172,"./ta":1044,"./ta.js":1044,"./te":3110,"./te.js":3110,"./tet":2095,"./tet.js":2095,"./tg":7321,"./tg.js":7321,"./th":9041,"./th.js":9041,"./tk":9005,"./tk.js":9005,"./tl-ph":5768,"./tl-ph.js":5768,"./tlh":9444,"./tlh.js":9444,"./tr":2397,"./tr.js":2397,"./tzl":8254,"./tzl.js":8254,"./tzm":1106,"./tzm-latn":699,"./tzm-latn.js":699,"./tzm.js":1106,"./ug-cn":9288,"./ug-cn.js":9288,"./uk":7691,"./uk.js":7691,"./ur":3795,"./ur.js":3795,"./uz":6791,"./uz-latn":588,"./uz-latn.js":588,"./uz.js":6791,"./vi":5666,"./vi.js":5666,"./x-pseudo":4378,"./x-pseudo.js":4378,"./yo":5805,"./yo.js":5805,"./zh-cn":3839,"./zh-cn.js":3839,"./zh-hk":5726,"./zh-hk.js":5726,"./zh-mo":9807,"./zh-mo.js":9807,"./zh-tw":4152,"./zh-tw.js":4152};function o(e){var t=a(e);return n(t)}function a(e){if(!n.o(r,e)){var t=new Error("Cannot find module '"+e+"'");throw t.code="MODULE_NOT_FOUND",t}return r[e]}o.keys=function(){return Object.keys(r)},o.resolve=a,e.exports=o,o.id=6700},381:function(e,t,n){(e=n.nmd(e)).exports=function(){"use strict";var t,r;function o(){return t.apply(null,arguments)}function a(e){t=e}function i(e){return e instanceof Array||"[object Array]"===Object.prototype.toString.call(e)}function s(e){return null!=e&&"[object Object]"===Object.prototype.toString.call(e)}function l(e,t){return Object.prototype.hasOwnProperty.call(e,t)}function c(e){if(Object.getOwnPropertyNames)return 0===Object.getOwnPropertyNames(e).length;var t;for(t in e)if(l(e,t))return!1;return!0}function u(e){return void 0===e}function d(e){return"number"==typeof e||"[object Number]"===Object.prototype.toString.call(e)}function p(e){return e instanceof Date||"[object Date]"===Object.prototype.toString.call(e)}function m(e,t){var n,r=[];for(n=0;n>>0;for(t=0;t0)for(n=0;n<_.length;n++)u(o=t[r=_[n]])||(e[r]=o);return e}function w(e){k(this,e),this._d=new Date(null!=e._d?e._d.getTime():NaN),this.isValid()||(this._d=new Date(NaN)),!1===M&&(M=!0,o.updateOffset(this),M=!1)}function E(e){return e instanceof w||null!=e&&null!=e._isAMomentObject}function L(e){!1===o.suppressDeprecationWarnings&&"undefined"!=typeof console&&console.warn&&console.warn("Deprecation warning: "+e)}function A(e,t){var n=!0;return f((function(){if(null!=o.deprecationHandler&&o.deprecationHandler(null,e),n){var r,a,i,s=[];for(a=0;a=0?n?"+":"":"-")+Math.pow(10,Math.max(0,o)).toString().substr(1)+r}var P=/(\[[^\[]*\])|(\\)?([Hh]mm(ss)?|Mo|MM?M?M?|Do|DDDo|DD?D?D?|ddd?d?|do?|w[o|w]?|W[o|W]?|Qo?|N{1,5}|YYYYYY|YYYYY|YYYY|YY|y{2,4}|yo?|gg(ggg?)?|GG(GGG?)?|e|E|a|A|hh?|HH?|kk?|mm?|ss?|S{1,9}|x|X|zz?|ZZ?|.)/g,R=/(\[[^\[]*\])|(\\)?(LTS|LT|LL?L?L?|l{1,4})/g,Y={},W={};function H(e,t,n,r){var o=r;"string"==typeof r&&(o=function(){return this[r]()}),e&&(W[e]=o),t&&(W[t[0]]=function(){return I(o.apply(this,arguments),t[1],t[2])}),n&&(W[n]=function(){return this.localeData().ordinal(o.apply(this,arguments),e)})}function q(e){return e.match(/\[[\s\S]/)?e.replace(/^\[|\]$/g,""):e.replace(/\\/g,"")}function j(e){var t,n,r=e.match(P);for(t=0,n=r.length;t=0&&R.test(e);)e=e.replace(R,r),R.lastIndex=0,n-=1;return e}var X={LTS:"h:mm:ss A",LT:"h:mm A",L:"MM/DD/YYYY",LL:"MMMM D, YYYY",LLL:"MMMM D, YYYY h:mm A",LLLL:"dddd, MMMM D, YYYY h:mm A"};function U(e){var t=this._longDateFormat[e],n=this._longDateFormat[e.toUpperCase()];return t||!n?t:(this._longDateFormat[e]=n.match(P).map((function(e){return"MMMM"===e||"MM"===e||"DD"===e||"dddd"===e?e.slice(1):e})).join(""),this._longDateFormat[e])}var $="Invalid date";function K(){return this._invalidDate}var G="%d",J=/\d{1,2}/;function Q(e){return this._ordinal.replace("%d",e)}var Z={future:"in %s",past:"%s ago",s:"a few seconds",ss:"%d seconds",m:"a minute",mm:"%d minutes",h:"an hour",hh:"%d hours",d:"a day",dd:"%d days",w:"a week",ww:"%d weeks",M:"a month",MM:"%d months",y:"a year",yy:"%d years"};function ee(e,t,n,r){var o=this._relativeTime[n];return x(o)?o(e,t,n,r):o.replace(/%d/i,e)}function te(e,t){var n=this._relativeTime[e>0?"future":"past"];return x(n)?n(t):n.replace(/%s/i,t)}var ne={};function re(e,t){var n=e.toLowerCase();ne[n]=ne[n+"s"]=ne[t]=e}function oe(e){return"string"==typeof e?ne[e]||ne[e.toLowerCase()]:void 0}function ae(e){var t,n,r={};for(n in e)l(e,n)&&(t=oe(n))&&(r[t]=e[n]);return r}var ie={};function se(e,t){ie[e]=t}function le(e){var t,n=[];for(t in e)l(e,t)&&n.push({unit:t,priority:ie[t]});return n.sort((function(e,t){return e.priority-t.priority})),n}function ce(e){return e%4==0&&e%100!=0||e%400==0}function ue(e){return e<0?Math.ceil(e)||0:Math.floor(e)}function de(e){var t=+e,n=0;return 0!==t&&isFinite(t)&&(n=ue(t)),n}function pe(e,t){return function(n){return null!=n?(fe(this,e,n),o.updateOffset(this,t),this):me(this,e)}}function me(e,t){return e.isValid()?e._d["get"+(e._isUTC?"UTC":"")+t]():NaN}function fe(e,t,n){e.isValid()&&!isNaN(n)&&("FullYear"===t&&ce(e.year())&&1===e.month()&&29===e.date()?(n=de(n),e._d["set"+(e._isUTC?"UTC":"")+t](n,e.month(),et(n,e.month()))):e._d["set"+(e._isUTC?"UTC":"")+t](n))}function he(e){return x(this[e=oe(e)])?this[e]():this}function ge(e,t){if("object"==typeof e){var n,r=le(e=ae(e));for(n=0;n68?1900:2e3)};var bt=pe("FullYear",!0);function vt(){return ce(this.year())}function yt(e,t,n,r,o,a,i){var s;return e<100&&e>=0?(s=new Date(e+400,t,n,r,o,a,i),isFinite(s.getFullYear())&&s.setFullYear(e)):s=new Date(e,t,n,r,o,a,i),s}function _t(e){var t,n;return e<100&&e>=0?((n=Array.prototype.slice.call(arguments))[0]=e+400,t=new Date(Date.UTC.apply(null,n)),isFinite(t.getUTCFullYear())&&t.setUTCFullYear(e)):t=new Date(Date.UTC.apply(null,arguments)),t}function Mt(e,t,n){var r=7+t-n;return-(7+_t(e,0,r).getUTCDay()-t)%7+r-1}function kt(e,t,n,r,o){var a,i,s=1+7*(t-1)+(7+n-r)%7+Mt(e,r,o);return s<=0?i=gt(a=e-1)+s:s>gt(e)?(a=e+1,i=s-gt(e)):(a=e,i=s),{year:a,dayOfYear:i}}function wt(e,t,n){var r,o,a=Mt(e.year(),t,n),i=Math.floor((e.dayOfYear()-a-1)/7)+1;return i<1?r=i+Et(o=e.year()-1,t,n):i>Et(e.year(),t,n)?(r=i-Et(e.year(),t,n),o=e.year()+1):(o=e.year(),r=i),{week:r,year:o}}function Et(e,t,n){var r=Mt(e,t,n),o=Mt(e+1,t,n);return(gt(e)-r+o)/7}function Lt(e){return wt(e,this._week.dow,this._week.doy).week}H("w",["ww",2],"wo","week"),H("W",["WW",2],"Wo","isoWeek"),re("week","w"),re("isoWeek","W"),se("week",5),se("isoWeek",5),Be("w",we),Be("ww",we,ye),Be("W",we),Be("WW",we,ye),He(["w","ww","W","WW"],(function(e,t,n,r){t[r.substr(0,1)]=de(e)}));var At={dow:0,doy:6};function St(){return this._week.dow}function Ct(){return this._week.doy}function Tt(e){var t=this.localeData().week(this);return null==e?t:this.add(7*(e-t),"d")}function xt(e){var t=wt(this,1,4).week;return null==e?t:this.add(7*(e-t),"d")}function zt(e,t){return"string"!=typeof e?e:isNaN(e)?"number"==typeof(e=t.weekdaysParse(e))?e:null:parseInt(e,10)}function Ot(e,t){return"string"==typeof e?t.weekdaysParse(e)%7||7:isNaN(e)?null:e}function Nt(e,t){return e.slice(t,7).concat(e.slice(0,t))}H("d",0,"do","day"),H("dd",0,0,(function(e){return this.localeData().weekdaysMin(this,e)})),H("ddd",0,0,(function(e){return this.localeData().weekdaysShort(this,e)})),H("dddd",0,0,(function(e){return this.localeData().weekdays(this,e)})),H("e",0,0,"weekday"),H("E",0,0,"isoWeekday"),re("day","d"),re("weekday","e"),re("isoWeekday","E"),se("day",11),se("weekday",11),se("isoWeekday",11),Be("d",we),Be("e",we),Be("E",we),Be("dd",(function(e,t){return t.weekdaysMinRegex(e)})),Be("ddd",(function(e,t){return t.weekdaysShortRegex(e)})),Be("dddd",(function(e,t){return t.weekdaysRegex(e)})),He(["dd","ddd","dddd"],(function(e,t,n,r){var o=n._locale.weekdaysParse(e,r,n._strict);null!=o?t.d=o:b(n).invalidWeekday=e})),He(["d","e","E"],(function(e,t,n,r){t[r]=de(e)}));var Dt="Sunday_Monday_Tuesday_Wednesday_Thursday_Friday_Saturday".split("_"),Bt="Sun_Mon_Tue_Wed_Thu_Fri_Sat".split("_"),It="Su_Mo_Tu_We_Th_Fr_Sa".split("_"),Pt=De,Rt=De,Yt=De;function Wt(e,t){var n=i(this._weekdays)?this._weekdays:this._weekdays[e&&!0!==e&&this._weekdays.isFormat.test(t)?"format":"standalone"];return!0===e?Nt(n,this._week.dow):e?n[e.day()]:n}function Ht(e){return!0===e?Nt(this._weekdaysShort,this._week.dow):e?this._weekdaysShort[e.day()]:this._weekdaysShort}function qt(e){return!0===e?Nt(this._weekdaysMin,this._week.dow):e?this._weekdaysMin[e.day()]:this._weekdaysMin}function jt(e,t,n){var r,o,a,i=e.toLocaleLowerCase();if(!this._weekdaysParse)for(this._weekdaysParse=[],this._shortWeekdaysParse=[],this._minWeekdaysParse=[],r=0;r<7;++r)a=h([2e3,1]).day(r),this._minWeekdaysParse[r]=this.weekdaysMin(a,"").toLocaleLowerCase(),this._shortWeekdaysParse[r]=this.weekdaysShort(a,"").toLocaleLowerCase(),this._weekdaysParse[r]=this.weekdays(a,"").toLocaleLowerCase();return n?"dddd"===t?-1!==(o=je.call(this._weekdaysParse,i))?o:null:"ddd"===t?-1!==(o=je.call(this._shortWeekdaysParse,i))?o:null:-1!==(o=je.call(this._minWeekdaysParse,i))?o:null:"dddd"===t?-1!==(o=je.call(this._weekdaysParse,i))||-1!==(o=je.call(this._shortWeekdaysParse,i))||-1!==(o=je.call(this._minWeekdaysParse,i))?o:null:"ddd"===t?-1!==(o=je.call(this._shortWeekdaysParse,i))||-1!==(o=je.call(this._weekdaysParse,i))||-1!==(o=je.call(this._minWeekdaysParse,i))?o:null:-1!==(o=je.call(this._minWeekdaysParse,i))||-1!==(o=je.call(this._weekdaysParse,i))||-1!==(o=je.call(this._shortWeekdaysParse,i))?o:null}function Ft(e,t,n){var r,o,a;if(this._weekdaysParseExact)return jt.call(this,e,t,n);for(this._weekdaysParse||(this._weekdaysParse=[],this._minWeekdaysParse=[],this._shortWeekdaysParse=[],this._fullWeekdaysParse=[]),r=0;r<7;r++){if(o=h([2e3,1]).day(r),n&&!this._fullWeekdaysParse[r]&&(this._fullWeekdaysParse[r]=new RegExp("^"+this.weekdays(o,"").replace(".","\\.?")+"$","i"),this._shortWeekdaysParse[r]=new RegExp("^"+this.weekdaysShort(o,"").replace(".","\\.?")+"$","i"),this._minWeekdaysParse[r]=new RegExp("^"+this.weekdaysMin(o,"").replace(".","\\.?")+"$","i")),this._weekdaysParse[r]||(a="^"+this.weekdays(o,"")+"|^"+this.weekdaysShort(o,"")+"|^"+this.weekdaysMin(o,""),this._weekdaysParse[r]=new RegExp(a.replace(".",""),"i")),n&&"dddd"===t&&this._fullWeekdaysParse[r].test(e))return r;if(n&&"ddd"===t&&this._shortWeekdaysParse[r].test(e))return r;if(n&&"dd"===t&&this._minWeekdaysParse[r].test(e))return r;if(!n&&this._weekdaysParse[r].test(e))return r}}function Vt(e){if(!this.isValid())return null!=e?this:NaN;var t=this._isUTC?this._d.getUTCDay():this._d.getDay();return null!=e?(e=zt(e,this.localeData()),this.add(e-t,"d")):t}function Xt(e){if(!this.isValid())return null!=e?this:NaN;var t=(this.day()+7-this.localeData()._week.dow)%7;return null==e?t:this.add(e-t,"d")}function Ut(e){if(!this.isValid())return null!=e?this:NaN;if(null!=e){var t=Ot(e,this.localeData());return this.day(this.day()%7?t:t-7)}return this.day()||7}function $t(e){return this._weekdaysParseExact?(l(this,"_weekdaysRegex")||Jt.call(this),e?this._weekdaysStrictRegex:this._weekdaysRegex):(l(this,"_weekdaysRegex")||(this._weekdaysRegex=Pt),this._weekdaysStrictRegex&&e?this._weekdaysStrictRegex:this._weekdaysRegex)}function Kt(e){return this._weekdaysParseExact?(l(this,"_weekdaysRegex")||Jt.call(this),e?this._weekdaysShortStrictRegex:this._weekdaysShortRegex):(l(this,"_weekdaysShortRegex")||(this._weekdaysShortRegex=Rt),this._weekdaysShortStrictRegex&&e?this._weekdaysShortStrictRegex:this._weekdaysShortRegex)}function Gt(e){return this._weekdaysParseExact?(l(this,"_weekdaysRegex")||Jt.call(this),e?this._weekdaysMinStrictRegex:this._weekdaysMinRegex):(l(this,"_weekdaysMinRegex")||(this._weekdaysMinRegex=Yt),this._weekdaysMinStrictRegex&&e?this._weekdaysMinStrictRegex:this._weekdaysMinRegex)}function Jt(){function e(e,t){return t.length-e.length}var t,n,r,o,a,i=[],s=[],l=[],c=[];for(t=0;t<7;t++)n=h([2e3,1]).day(t),r=Re(this.weekdaysMin(n,"")),o=Re(this.weekdaysShort(n,"")),a=Re(this.weekdays(n,"")),i.push(r),s.push(o),l.push(a),c.push(r),c.push(o),c.push(a);i.sort(e),s.sort(e),l.sort(e),c.sort(e),this._weekdaysRegex=new RegExp("^("+c.join("|")+")","i"),this._weekdaysShortRegex=this._weekdaysRegex,this._weekdaysMinRegex=this._weekdaysRegex,this._weekdaysStrictRegex=new RegExp("^("+l.join("|")+")","i"),this._weekdaysShortStrictRegex=new RegExp("^("+s.join("|")+")","i"),this._weekdaysMinStrictRegex=new RegExp("^("+i.join("|")+")","i")}function Qt(){return this.hours()%12||12}function Zt(){return this.hours()||24}function en(e,t){H(e,0,0,(function(){return this.localeData().meridiem(this.hours(),this.minutes(),t)}))}function tn(e,t){return t._meridiemParse}function nn(e){return"p"===(e+"").toLowerCase().charAt(0)}H("H",["HH",2],0,"hour"),H("h",["hh",2],0,Qt),H("k",["kk",2],0,Zt),H("hmm",0,0,(function(){return""+Qt.apply(this)+I(this.minutes(),2)})),H("hmmss",0,0,(function(){return""+Qt.apply(this)+I(this.minutes(),2)+I(this.seconds(),2)})),H("Hmm",0,0,(function(){return""+this.hours()+I(this.minutes(),2)})),H("Hmmss",0,0,(function(){return""+this.hours()+I(this.minutes(),2)+I(this.seconds(),2)})),en("a",!0),en("A",!1),re("hour","h"),se("hour",13),Be("a",tn),Be("A",tn),Be("H",we),Be("h",we),Be("k",we),Be("HH",we,ye),Be("hh",we,ye),Be("kk",we,ye),Be("hmm",Ee),Be("hmmss",Le),Be("Hmm",Ee),Be("Hmmss",Le),We(["H","HH"],Ue),We(["k","kk"],(function(e,t,n){var r=de(e);t[Ue]=24===r?0:r})),We(["a","A"],(function(e,t,n){n._isPm=n._locale.isPM(e),n._meridiem=e})),We(["h","hh"],(function(e,t,n){t[Ue]=de(e),b(n).bigHour=!0})),We("hmm",(function(e,t,n){var r=e.length-2;t[Ue]=de(e.substr(0,r)),t[$e]=de(e.substr(r)),b(n).bigHour=!0})),We("hmmss",(function(e,t,n){var r=e.length-4,o=e.length-2;t[Ue]=de(e.substr(0,r)),t[$e]=de(e.substr(r,2)),t[Ke]=de(e.substr(o)),b(n).bigHour=!0})),We("Hmm",(function(e,t,n){var r=e.length-2;t[Ue]=de(e.substr(0,r)),t[$e]=de(e.substr(r))})),We("Hmmss",(function(e,t,n){var r=e.length-4,o=e.length-2;t[Ue]=de(e.substr(0,r)),t[$e]=de(e.substr(r,2)),t[Ke]=de(e.substr(o))}));var rn=/[ap]\.?m?\.?/i,on=pe("Hours",!0);function an(e,t,n){return e>11?n?"pm":"PM":n?"am":"AM"}var sn,ln={calendar:D,longDateFormat:X,invalidDate:$,ordinal:G,dayOfMonthOrdinalParse:J,relativeTime:Z,months:tt,monthsShort:nt,week:At,weekdays:Dt,weekdaysMin:It,weekdaysShort:Bt,meridiemParse:rn},cn={},un={};function dn(e,t){var n,r=Math.min(e.length,t.length);for(n=0;n0;){if(r=fn(o.slice(0,t).join("-")))return r;if(n&&n.length>=t&&dn(o,n)>=t-1)break;t--}a++}return sn}function fn(t){var r=null;if(void 0===cn[t]&&e&&e.exports)try{r=sn._abbr,n(6700)("./"+t),hn(r)}catch(e){cn[t]=null}return cn[t]}function hn(e,t){var n;return e&&((n=u(t)?vn(e):gn(e,t))?sn=n:"undefined"!=typeof console&&console.warn&&console.warn("Locale "+e+" not found. Did you forget to load it?")),sn._abbr}function gn(e,t){if(null!==t){var n,r=ln;if(t.abbr=e,null!=cn[e])T("defineLocaleOverride","use moment.updateLocale(localeName, config) to change an existing locale. moment.defineLocale(localeName, config) should only be used for creating a new locale See http://momentjs.com/guides/#/warnings/define-locale/ for more info."),r=cn[e]._config;else if(null!=t.parentLocale)if(null!=cn[t.parentLocale])r=cn[t.parentLocale]._config;else{if(null==(n=fn(t.parentLocale)))return un[t.parentLocale]||(un[t.parentLocale]=[]),un[t.parentLocale].push({name:e,config:t}),null;r=n._config}return cn[e]=new N(O(r,t)),un[e]&&un[e].forEach((function(e){gn(e.name,e.config)})),hn(e),cn[e]}return delete cn[e],null}function bn(e,t){if(null!=t){var n,r,o=ln;null!=cn[e]&&null!=cn[e].parentLocale?cn[e].set(O(cn[e]._config,t)):(null!=(r=fn(e))&&(o=r._config),t=O(o,t),null==r&&(t.abbr=e),(n=new N(t)).parentLocale=cn[e],cn[e]=n),hn(e)}else null!=cn[e]&&(null!=cn[e].parentLocale?(cn[e]=cn[e].parentLocale,e===hn()&&hn(e)):null!=cn[e]&&delete cn[e]);return cn[e]}function vn(e){var t;if(e&&e._locale&&e._locale._abbr&&(e=e._locale._abbr),!e)return sn;if(!i(e)){if(t=fn(e))return t;e=[e]}return mn(e)}function yn(){return S(cn)}function _n(e){var t,n=e._a;return n&&-2===b(e).overflow&&(t=n[Ve]<0||n[Ve]>11?Ve:n[Xe]<1||n[Xe]>et(n[Fe],n[Ve])?Xe:n[Ue]<0||n[Ue]>24||24===n[Ue]&&(0!==n[$e]||0!==n[Ke]||0!==n[Ge])?Ue:n[$e]<0||n[$e]>59?$e:n[Ke]<0||n[Ke]>59?Ke:n[Ge]<0||n[Ge]>999?Ge:-1,b(e)._overflowDayOfYear&&(tXe)&&(t=Xe),b(e)._overflowWeeks&&-1===t&&(t=Je),b(e)._overflowWeekday&&-1===t&&(t=Qe),b(e).overflow=t),e}var Mn=/^\s*((?:[+-]\d{6}|\d{4})-(?:\d\d-\d\d|W\d\d-\d|W\d\d|\d\d\d|\d\d))(?:(T| )(\d\d(?::\d\d(?::\d\d(?:[.,]\d+)?)?)?)([+-]\d\d(?::?\d\d)?|\s*Z)?)?$/,kn=/^\s*((?:[+-]\d{6}|\d{4})(?:\d\d\d\d|W\d\d\d|W\d\d|\d\d\d|\d\d|))(?:(T| )(\d\d(?:\d\d(?:\d\d(?:[.,]\d+)?)?)?)([+-]\d\d(?::?\d\d)?|\s*Z)?)?$/,wn=/Z|[+-]\d\d(?::?\d\d)?/,En=[["YYYYYY-MM-DD",/[+-]\d{6}-\d\d-\d\d/],["YYYY-MM-DD",/\d{4}-\d\d-\d\d/],["GGGG-[W]WW-E",/\d{4}-W\d\d-\d/],["GGGG-[W]WW",/\d{4}-W\d\d/,!1],["YYYY-DDD",/\d{4}-\d{3}/],["YYYY-MM",/\d{4}-\d\d/,!1],["YYYYYYMMDD",/[+-]\d{10}/],["YYYYMMDD",/\d{8}/],["GGGG[W]WWE",/\d{4}W\d{3}/],["GGGG[W]WW",/\d{4}W\d{2}/,!1],["YYYYDDD",/\d{7}/],["YYYYMM",/\d{6}/,!1],["YYYY",/\d{4}/,!1]],Ln=[["HH:mm:ss.SSSS",/\d\d:\d\d:\d\d\.\d+/],["HH:mm:ss,SSSS",/\d\d:\d\d:\d\d,\d+/],["HH:mm:ss",/\d\d:\d\d:\d\d/],["HH:mm",/\d\d:\d\d/],["HHmmss.SSSS",/\d\d\d\d\d\d\.\d+/],["HHmmss,SSSS",/\d\d\d\d\d\d,\d+/],["HHmmss",/\d\d\d\d\d\d/],["HHmm",/\d\d\d\d/],["HH",/\d\d/]],An=/^\/?Date\((-?\d+)/i,Sn=/^(?:(Mon|Tue|Wed|Thu|Fri|Sat|Sun),?\s)?(\d{1,2})\s(Jan|Feb|Mar|Apr|May|Jun|Jul|Aug|Sep|Oct|Nov|Dec)\s(\d{2,4})\s(\d\d):(\d\d)(?::(\d\d))?\s(?:(UT|GMT|[ECMP][SD]T)|([Zz])|([+-]\d{4}))$/,Cn={UT:0,GMT:0,EDT:-240,EST:-300,CDT:-300,CST:-360,MDT:-360,MST:-420,PDT:-420,PST:-480};function Tn(e){var t,n,r,o,a,i,s=e._i,l=Mn.exec(s)||kn.exec(s);if(l){for(b(e).iso=!0,t=0,n=En.length;tgt(a)||0===e._dayOfYear)&&(b(e)._overflowDayOfYear=!0),n=_t(a,0,e._dayOfYear),e._a[Ve]=n.getUTCMonth(),e._a[Xe]=n.getUTCDate()),t=0;t<3&&null==e._a[t];++t)e._a[t]=i[t]=r[t];for(;t<7;t++)e._a[t]=i[t]=null==e._a[t]?2===t?1:0:e._a[t];24===e._a[Ue]&&0===e._a[$e]&&0===e._a[Ke]&&0===e._a[Ge]&&(e._nextDay=!0,e._a[Ue]=0),e._d=(e._useUTC?_t:yt).apply(null,i),o=e._useUTC?e._d.getUTCDay():e._d.getDay(),null!=e._tzm&&e._d.setUTCMinutes(e._d.getUTCMinutes()-e._tzm),e._nextDay&&(e._a[Ue]=24),e._w&&void 0!==e._w.d&&e._w.d!==o&&(b(e).weekdayMismatch=!0)}}function Wn(e){var t,n,r,o,a,i,s,l,c;null!=(t=e._w).GG||null!=t.W||null!=t.E?(a=1,i=4,n=Pn(t.GG,e._a[Fe],wt(Kn(),1,4).year),r=Pn(t.W,1),((o=Pn(t.E,1))<1||o>7)&&(l=!0)):(a=e._locale._week.dow,i=e._locale._week.doy,c=wt(Kn(),a,i),n=Pn(t.gg,e._a[Fe],c.year),r=Pn(t.w,c.week),null!=t.d?((o=t.d)<0||o>6)&&(l=!0):null!=t.e?(o=t.e+a,(t.e<0||t.e>6)&&(l=!0)):o=a),r<1||r>Et(n,a,i)?b(e)._overflowWeeks=!0:null!=l?b(e)._overflowWeekday=!0:(s=kt(n,r,o,a,i),e._a[Fe]=s.year,e._dayOfYear=s.dayOfYear)}function Hn(e){if(e._f!==o.ISO_8601)if(e._f!==o.RFC_2822){e._a=[],b(e).empty=!0;var t,n,r,a,i,s,l=""+e._i,c=l.length,u=0;for(r=V(e._f,e._locale).match(P)||[],t=0;t0&&b(e).unusedInput.push(i),l=l.slice(l.indexOf(n)+n.length),u+=n.length),W[a]?(n?b(e).empty=!1:b(e).unusedTokens.push(a),qe(a,n,e)):e._strict&&!n&&b(e).unusedTokens.push(a);b(e).charsLeftOver=c-u,l.length>0&&b(e).unusedInput.push(l),e._a[Ue]<=12&&!0===b(e).bigHour&&e._a[Ue]>0&&(b(e).bigHour=void 0),b(e).parsedDateParts=e._a.slice(0),b(e).meridiem=e._meridiem,e._a[Ue]=qn(e._locale,e._a[Ue],e._meridiem),null!==(s=b(e).era)&&(e._a[Fe]=e._locale.erasConvertYear(s,e._a[Fe])),Yn(e),_n(e)}else Bn(e);else Tn(e)}function qn(e,t,n){var r;return null==n?t:null!=e.meridiemHour?e.meridiemHour(t,n):null!=e.isPM?((r=e.isPM(n))&&t<12&&(t+=12),r||12!==t||(t=0),t):t}function jn(e){var t,n,r,o,a,i,s=!1;if(0===e._f.length)return b(e).invalidFormat=!0,void(e._d=new Date(NaN));for(o=0;othis?this:e:y()}));function Qn(e,t){var n,r;if(1===t.length&&i(t[0])&&(t=t[0]),!t.length)return Kn();for(n=t[0],r=1;rthis.clone().month(0).utcOffset()||this.utcOffset()>this.clone().month(5).utcOffset()}function kr(){if(!u(this._isDSTShifted))return this._isDSTShifted;var e,t={};return k(t,this),(t=Xn(t))._a?(e=t._isUTC?h(t._a):Kn(t._a),this._isDSTShifted=this.isValid()&&cr(t._a,e.toArray())>0):this._isDSTShifted=!1,this._isDSTShifted}function wr(){return!!this.isValid()&&!this._isUTC}function Er(){return!!this.isValid()&&this._isUTC}function Lr(){return!!this.isValid()&&this._isUTC&&0===this._offset}o.updateOffset=function(){};var Ar=/^(-|\+)?(?:(\d*)[. ])?(\d+):(\d+)(?::(\d+)(\.\d*)?)?$/,Sr=/^(-|\+)?P(?:([-+]?[0-9,.]*)Y)?(?:([-+]?[0-9,.]*)M)?(?:([-+]?[0-9,.]*)W)?(?:([-+]?[0-9,.]*)D)?(?:T(?:([-+]?[0-9,.]*)H)?(?:([-+]?[0-9,.]*)M)?(?:([-+]?[0-9,.]*)S)?)?$/;function Cr(e,t){var n,r,o,a=e,i=null;return sr(e)?a={ms:e._milliseconds,d:e._days,M:e._months}:d(e)||!isNaN(+e)?(a={},t?a[t]=+e:a.milliseconds=+e):(i=Ar.exec(e))?(n="-"===i[1]?-1:1,a={y:0,d:de(i[Xe])*n,h:de(i[Ue])*n,m:de(i[$e])*n,s:de(i[Ke])*n,ms:de(lr(1e3*i[Ge]))*n}):(i=Sr.exec(e))?(n="-"===i[1]?-1:1,a={y:Tr(i[2],n),M:Tr(i[3],n),w:Tr(i[4],n),d:Tr(i[5],n),h:Tr(i[6],n),m:Tr(i[7],n),s:Tr(i[8],n)}):null==a?a={}:"object"==typeof a&&("from"in a||"to"in a)&&(o=zr(Kn(a.from),Kn(a.to)),(a={}).ms=o.milliseconds,a.M=o.months),r=new ir(a),sr(e)&&l(e,"_locale")&&(r._locale=e._locale),sr(e)&&l(e,"_isValid")&&(r._isValid=e._isValid),r}function Tr(e,t){var n=e&&parseFloat(e.replace(",","."));return(isNaN(n)?0:n)*t}function xr(e,t){var n={};return n.months=t.month()-e.month()+12*(t.year()-e.year()),e.clone().add(n.months,"M").isAfter(t)&&--n.months,n.milliseconds=+t-+e.clone().add(n.months,"M"),n}function zr(e,t){var n;return e.isValid()&&t.isValid()?(t=mr(t,e),e.isBefore(t)?n=xr(e,t):((n=xr(t,e)).milliseconds=-n.milliseconds,n.months=-n.months),n):{milliseconds:0,months:0}}function Or(e,t){return function(n,r){var o;return null===r||isNaN(+r)||(T(t,"moment()."+t+"(period, number) is deprecated. Please use moment()."+t+"(number, period). See http://momentjs.com/guides/#/warnings/add-inverted-param/ for more info."),o=n,n=r,r=o),Nr(this,Cr(n,r),e),this}}function Nr(e,t,n,r){var a=t._milliseconds,i=lr(t._days),s=lr(t._months);e.isValid()&&(r=null==r||r,s&&ut(e,me(e,"Month")+s*n),i&&fe(e,"Date",me(e,"Date")+i*n),a&&e._d.setTime(e._d.valueOf()+a*n),r&&o.updateOffset(e,i||s))}Cr.fn=ir.prototype,Cr.invalid=ar;var Dr=Or(1,"add"),Br=Or(-1,"subtract");function Ir(e){return"string"==typeof e||e instanceof String}function Pr(e){return E(e)||p(e)||Ir(e)||d(e)||Yr(e)||Rr(e)||null==e}function Rr(e){var t,n,r=s(e)&&!c(e),o=!1,a=["years","year","y","months","month","M","days","day","d","dates","date","D","hours","hour","h","minutes","minute","m","seconds","second","s","milliseconds","millisecond","ms"];for(t=0;tn.valueOf():n.valueOf()9999?F(n,t?"YYYYYY-MM-DD[T]HH:mm:ss.SSS[Z]":"YYYYYY-MM-DD[T]HH:mm:ss.SSSZ"):x(Date.prototype.toISOString)?t?this.toDate().toISOString():new Date(this.valueOf()+60*this.utcOffset()*1e3).toISOString().replace("Z",F(n,"Z")):F(n,t?"YYYY-MM-DD[T]HH:mm:ss.SSS[Z]":"YYYY-MM-DD[T]HH:mm:ss.SSSZ")}function eo(){if(!this.isValid())return"moment.invalid(/* "+this._i+" */)";var e,t,n,r,o="moment",a="";return this.isLocal()||(o=0===this.utcOffset()?"moment.utc":"moment.parseZone",a="Z"),e="["+o+'("]',t=0<=this.year()&&this.year()<=9999?"YYYY":"YYYYYY",n="-MM-DD[T]HH:mm:ss.SSS",r=a+'[")]',this.format(e+t+n+r)}function to(e){e||(e=this.isUtc()?o.defaultFormatUtc:o.defaultFormat);var t=F(this,e);return this.localeData().postformat(t)}function no(e,t){return this.isValid()&&(E(e)&&e.isValid()||Kn(e).isValid())?Cr({to:this,from:e}).locale(this.locale()).humanize(!t):this.localeData().invalidDate()}function ro(e){return this.from(Kn(),e)}function oo(e,t){return this.isValid()&&(E(e)&&e.isValid()||Kn(e).isValid())?Cr({from:this,to:e}).locale(this.locale()).humanize(!t):this.localeData().invalidDate()}function ao(e){return this.to(Kn(),e)}function io(e){var t;return void 0===e?this._locale._abbr:(null!=(t=vn(e))&&(this._locale=t),this)}o.defaultFormat="YYYY-MM-DDTHH:mm:ssZ",o.defaultFormatUtc="YYYY-MM-DDTHH:mm:ss[Z]";var so=A("moment().lang() is deprecated. Instead, use moment().localeData() to get the language configuration. Use moment().locale() to change languages.",(function(e){return void 0===e?this.localeData():this.locale(e)}));function lo(){return this._locale}var co=1e3,uo=60*co,po=60*uo,mo=3506328*po;function fo(e,t){return(e%t+t)%t}function ho(e,t,n){return e<100&&e>=0?new Date(e+400,t,n)-mo:new Date(e,t,n).valueOf()}function go(e,t,n){return e<100&&e>=0?Date.UTC(e+400,t,n)-mo:Date.UTC(e,t,n)}function bo(e){var t,n;if(void 0===(e=oe(e))||"millisecond"===e||!this.isValid())return this;switch(n=this._isUTC?go:ho,e){case"year":t=n(this.year(),0,1);break;case"quarter":t=n(this.year(),this.month()-this.month()%3,1);break;case"month":t=n(this.year(),this.month(),1);break;case"week":t=n(this.year(),this.month(),this.date()-this.weekday());break;case"isoWeek":t=n(this.year(),this.month(),this.date()-(this.isoWeekday()-1));break;case"day":case"date":t=n(this.year(),this.month(),this.date());break;case"hour":t=this._d.valueOf(),t-=fo(t+(this._isUTC?0:this.utcOffset()*uo),po);break;case"minute":t=this._d.valueOf(),t-=fo(t,uo);break;case"second":t=this._d.valueOf(),t-=fo(t,co)}return this._d.setTime(t),o.updateOffset(this,!0),this}function vo(e){var t,n;if(void 0===(e=oe(e))||"millisecond"===e||!this.isValid())return this;switch(n=this._isUTC?go:ho,e){case"year":t=n(this.year()+1,0,1)-1;break;case"quarter":t=n(this.year(),this.month()-this.month()%3+3,1)-1;break;case"month":t=n(this.year(),this.month()+1,1)-1;break;case"week":t=n(this.year(),this.month(),this.date()-this.weekday()+7)-1;break;case"isoWeek":t=n(this.year(),this.month(),this.date()-(this.isoWeekday()-1)+7)-1;break;case"day":case"date":t=n(this.year(),this.month(),this.date()+1)-1;break;case"hour":t=this._d.valueOf(),t+=po-fo(t+(this._isUTC?0:this.utcOffset()*uo),po)-1;break;case"minute":t=this._d.valueOf(),t+=uo-fo(t,uo)-1;break;case"second":t=this._d.valueOf(),t+=co-fo(t,co)-1}return this._d.setTime(t),o.updateOffset(this,!0),this}function yo(){return this._d.valueOf()-6e4*(this._offset||0)}function _o(){return Math.floor(this.valueOf()/1e3)}function Mo(){return new Date(this.valueOf())}function ko(){var e=this;return[e.year(),e.month(),e.date(),e.hour(),e.minute(),e.second(),e.millisecond()]}function wo(){var e=this;return{years:e.year(),months:e.month(),date:e.date(),hours:e.hours(),minutes:e.minutes(),seconds:e.seconds(),milliseconds:e.milliseconds()}}function Eo(){return this.isValid()?this.toISOString():null}function Lo(){return v(this)}function Ao(){return f({},b(this))}function So(){return b(this).overflow}function Co(){return{input:this._i,format:this._f,locale:this._locale,isUTC:this._isUTC,strict:this._strict}}function To(e,t){var n,r,a,i=this._eras||vn("en")._eras;for(n=0,r=i.length;n=0)return l[r]}function zo(e,t){var n=e.since<=e.until?1:-1;return void 0===t?o(e.since).year():o(e.since).year()+(t-e.offset)*n}function Oo(){var e,t,n,r=this.localeData().eras();for(e=0,t=r.length;e(a=Et(e,r,o))&&(t=a),Qo.call(this,e,t,n,r,o))}function Qo(e,t,n,r,o){var a=kt(e,t,n,r,o),i=_t(a.year,0,a.dayOfYear);return this.year(i.getUTCFullYear()),this.month(i.getUTCMonth()),this.date(i.getUTCDate()),this}function Zo(e){return null==e?Math.ceil((this.month()+1)/3):this.month(3*(e-1)+this.month()%3)}H("N",0,0,"eraAbbr"),H("NN",0,0,"eraAbbr"),H("NNN",0,0,"eraAbbr"),H("NNNN",0,0,"eraName"),H("NNNNN",0,0,"eraNarrow"),H("y",["y",1],"yo","eraYear"),H("y",["yy",2],0,"eraYear"),H("y",["yyy",3],0,"eraYear"),H("y",["yyyy",4],0,"eraYear"),Be("N",Yo),Be("NN",Yo),Be("NNN",Yo),Be("NNNN",Wo),Be("NNNNN",Ho),We(["N","NN","NNN","NNNN","NNNNN"],(function(e,t,n,r){var o=n._locale.erasParse(e,r,n._strict);o?b(n).era=o:b(n).invalidEra=e})),Be("y",Te),Be("yy",Te),Be("yyy",Te),Be("yyyy",Te),Be("yo",qo),We(["y","yy","yyy","yyyy"],Fe),We(["yo"],(function(e,t,n,r){var o;n._locale._eraYearOrdinalRegex&&(o=e.match(n._locale._eraYearOrdinalRegex)),n._locale.eraYearOrdinalParse?t[Fe]=n._locale.eraYearOrdinalParse(e,o):t[Fe]=parseInt(e,10)})),H(0,["gg",2],0,(function(){return this.weekYear()%100})),H(0,["GG",2],0,(function(){return this.isoWeekYear()%100})),Fo("gggg","weekYear"),Fo("ggggg","weekYear"),Fo("GGGG","isoWeekYear"),Fo("GGGGG","isoWeekYear"),re("weekYear","gg"),re("isoWeekYear","GG"),se("weekYear",1),se("isoWeekYear",1),Be("G",xe),Be("g",xe),Be("GG",we,ye),Be("gg",we,ye),Be("GGGG",Se,Me),Be("gggg",Se,Me),Be("GGGGG",Ce,ke),Be("ggggg",Ce,ke),He(["gggg","ggggg","GGGG","GGGGG"],(function(e,t,n,r){t[r.substr(0,2)]=de(e)})),He(["gg","GG"],(function(e,t,n,r){t[r]=o.parseTwoDigitYear(e)})),H("Q",0,"Qo","quarter"),re("quarter","Q"),se("quarter",7),Be("Q",ve),We("Q",(function(e,t){t[Ve]=3*(de(e)-1)})),H("D",["DD",2],"Do","date"),re("date","D"),se("date",9),Be("D",we),Be("DD",we,ye),Be("Do",(function(e,t){return e?t._dayOfMonthOrdinalParse||t._ordinalParse:t._dayOfMonthOrdinalParseLenient})),We(["D","DD"],Xe),We("Do",(function(e,t){t[Xe]=de(e.match(we)[0])}));var ea=pe("Date",!0);function ta(e){var t=Math.round((this.clone().startOf("day")-this.clone().startOf("year"))/864e5)+1;return null==e?t:this.add(e-t,"d")}H("DDD",["DDDD",3],"DDDo","dayOfYear"),re("dayOfYear","DDD"),se("dayOfYear",4),Be("DDD",Ae),Be("DDDD",_e),We(["DDD","DDDD"],(function(e,t,n){n._dayOfYear=de(e)})),H("m",["mm",2],0,"minute"),re("minute","m"),se("minute",14),Be("m",we),Be("mm",we,ye),We(["m","mm"],$e);var na=pe("Minutes",!1);H("s",["ss",2],0,"second"),re("second","s"),se("second",15),Be("s",we),Be("ss",we,ye),We(["s","ss"],Ke);var ra,oa,aa=pe("Seconds",!1);for(H("S",0,0,(function(){return~~(this.millisecond()/100)})),H(0,["SS",2],0,(function(){return~~(this.millisecond()/10)})),H(0,["SSS",3],0,"millisecond"),H(0,["SSSS",4],0,(function(){return 10*this.millisecond()})),H(0,["SSSSS",5],0,(function(){return 100*this.millisecond()})),H(0,["SSSSSS",6],0,(function(){return 1e3*this.millisecond()})),H(0,["SSSSSSS",7],0,(function(){return 1e4*this.millisecond()})),H(0,["SSSSSSSS",8],0,(function(){return 1e5*this.millisecond()})),H(0,["SSSSSSSSS",9],0,(function(){return 1e6*this.millisecond()})),re("millisecond","ms"),se("millisecond",16),Be("S",Ae,ve),Be("SS",Ae,ye),Be("SSS",Ae,_e),ra="SSSS";ra.length<=9;ra+="S")Be(ra,Te);function ia(e,t){t[Ge]=de(1e3*("0."+e))}for(ra="S";ra.length<=9;ra+="S")We(ra,ia);function sa(){return this._isUTC?"UTC":""}function la(){return this._isUTC?"Coordinated Universal Time":""}oa=pe("Milliseconds",!1),H("z",0,0,"zoneAbbr"),H("zz",0,0,"zoneName");var ca=w.prototype;function ua(e){return Kn(1e3*e)}function da(){return Kn.apply(null,arguments).parseZone()}function pa(e){return e}ca.add=Dr,ca.calendar=qr,ca.clone=jr,ca.diff=Gr,ca.endOf=vo,ca.format=to,ca.from=no,ca.fromNow=ro,ca.to=oo,ca.toNow=ao,ca.get=he,ca.invalidAt=So,ca.isAfter=Fr,ca.isBefore=Vr,ca.isBetween=Xr,ca.isSame=Ur,ca.isSameOrAfter=$r,ca.isSameOrBefore=Kr,ca.isValid=Lo,ca.lang=so,ca.locale=io,ca.localeData=lo,ca.max=Jn,ca.min=Gn,ca.parsingFlags=Ao,ca.set=ge,ca.startOf=bo,ca.subtract=Br,ca.toArray=ko,ca.toObject=wo,ca.toDate=Mo,ca.toISOString=Zr,ca.inspect=eo,"undefined"!=typeof Symbol&&null!=Symbol.for&&(ca[Symbol.for("nodejs.util.inspect.custom")]=function(){return"Moment<"+this.format()+">"}),ca.toJSON=Eo,ca.toString=Qr,ca.unix=_o,ca.valueOf=yo,ca.creationData=Co,ca.eraName=Oo,ca.eraNarrow=No,ca.eraAbbr=Do,ca.eraYear=Bo,ca.year=bt,ca.isLeapYear=vt,ca.weekYear=Vo,ca.isoWeekYear=Xo,ca.quarter=ca.quarters=Zo,ca.month=dt,ca.daysInMonth=pt,ca.week=ca.weeks=Tt,ca.isoWeek=ca.isoWeeks=xt,ca.weeksInYear=Ko,ca.weeksInWeekYear=Go,ca.isoWeeksInYear=Uo,ca.isoWeeksInISOWeekYear=$o,ca.date=ea,ca.day=ca.days=Vt,ca.weekday=Xt,ca.isoWeekday=Ut,ca.dayOfYear=ta,ca.hour=ca.hours=on,ca.minute=ca.minutes=na,ca.second=ca.seconds=aa,ca.millisecond=ca.milliseconds=oa,ca.utcOffset=hr,ca.utc=br,ca.local=vr,ca.parseZone=yr,ca.hasAlignedHourOffset=_r,ca.isDST=Mr,ca.isLocal=wr,ca.isUtcOffset=Er,ca.isUtc=Lr,ca.isUTC=Lr,ca.zoneAbbr=sa,ca.zoneName=la,ca.dates=A("dates accessor is deprecated. Use date instead.",ea),ca.months=A("months accessor is deprecated. Use month instead",dt),ca.years=A("years accessor is deprecated. Use year instead",bt),ca.zone=A("moment().zone is deprecated, use moment().utcOffset instead. http://momentjs.com/guides/#/warnings/zone/",gr),ca.isDSTShifted=A("isDSTShifted is deprecated. See http://momentjs.com/guides/#/warnings/dst-shifted/ for more information",kr);var ma=N.prototype;function fa(e,t,n,r){var o=vn(),a=h().set(r,t);return o[n](a,e)}function ha(e,t,n){if(d(e)&&(t=e,e=void 0),e=e||"",null!=t)return fa(e,t,n,"month");var r,o=[];for(r=0;r<12;r++)o[r]=fa(e,r,n,"month");return o}function ga(e,t,n,r){"boolean"==typeof e?(d(t)&&(n=t,t=void 0),t=t||""):(n=t=e,e=!1,d(t)&&(n=t,t=void 0),t=t||"");var o,a=vn(),i=e?a._week.dow:0,s=[];if(null!=n)return fa(t,(n+i)%7,r,"day");for(o=0;o<7;o++)s[o]=fa(t,(o+i)%7,r,"day");return s}function ba(e,t){return ha(e,t,"months")}function va(e,t){return ha(e,t,"monthsShort")}function ya(e,t,n){return ga(e,t,n,"weekdays")}function _a(e,t,n){return ga(e,t,n,"weekdaysShort")}function Ma(e,t,n){return ga(e,t,n,"weekdaysMin")}ma.calendar=B,ma.longDateFormat=U,ma.invalidDate=K,ma.ordinal=Q,ma.preparse=pa,ma.postformat=pa,ma.relativeTime=ee,ma.pastFuture=te,ma.set=z,ma.eras=To,ma.erasParse=xo,ma.erasConvertYear=zo,ma.erasAbbrRegex=Po,ma.erasNameRegex=Io,ma.erasNarrowRegex=Ro,ma.months=it,ma.monthsShort=st,ma.monthsParse=ct,ma.monthsRegex=ft,ma.monthsShortRegex=mt,ma.week=Lt,ma.firstDayOfYear=Ct,ma.firstDayOfWeek=St,ma.weekdays=Wt,ma.weekdaysMin=qt,ma.weekdaysShort=Ht,ma.weekdaysParse=Ft,ma.weekdaysRegex=$t,ma.weekdaysShortRegex=Kt,ma.weekdaysMinRegex=Gt,ma.isPM=nn,ma.meridiem=an,hn("en",{eras:[{since:"0001-01-01",until:1/0,offset:1,name:"Anno Domini",narrow:"AD",abbr:"AD"},{since:"0000-12-31",until:-1/0,offset:1,name:"Before Christ",narrow:"BC",abbr:"BC"}],dayOfMonthOrdinalParse:/\d{1,2}(th|st|nd|rd)/,ordinal:function(e){var t=e%10;return e+(1===de(e%100/10)?"th":1===t?"st":2===t?"nd":3===t?"rd":"th")}}),o.lang=A("moment.lang is deprecated. Use moment.locale instead.",hn),o.langData=A("moment.langData is deprecated. Use moment.localeData instead.",vn);var ka=Math.abs;function wa(){var e=this._data;return this._milliseconds=ka(this._milliseconds),this._days=ka(this._days),this._months=ka(this._months),e.milliseconds=ka(e.milliseconds),e.seconds=ka(e.seconds),e.minutes=ka(e.minutes),e.hours=ka(e.hours),e.months=ka(e.months),e.years=ka(e.years),this}function Ea(e,t,n,r){var o=Cr(t,n);return e._milliseconds+=r*o._milliseconds,e._days+=r*o._days,e._months+=r*o._months,e._bubble()}function La(e,t){return Ea(this,e,t,1)}function Aa(e,t){return Ea(this,e,t,-1)}function Sa(e){return e<0?Math.floor(e):Math.ceil(e)}function Ca(){var e,t,n,r,o,a=this._milliseconds,i=this._days,s=this._months,l=this._data;return a>=0&&i>=0&&s>=0||a<=0&&i<=0&&s<=0||(a+=864e5*Sa(xa(s)+i),i=0,s=0),l.milliseconds=a%1e3,e=ue(a/1e3),l.seconds=e%60,t=ue(e/60),l.minutes=t%60,n=ue(t/60),l.hours=n%24,i+=ue(n/24),s+=o=ue(Ta(i)),i-=Sa(xa(o)),r=ue(s/12),s%=12,l.days=i,l.months=s,l.years=r,this}function Ta(e){return 4800*e/146097}function xa(e){return 146097*e/4800}function za(e){if(!this.isValid())return NaN;var t,n,r=this._milliseconds;if("month"===(e=oe(e))||"quarter"===e||"year"===e)switch(t=this._days+r/864e5,n=this._months+Ta(t),e){case"month":return n;case"quarter":return n/3;case"year":return n/12}else switch(t=this._days+Math.round(xa(this._months)),e){case"week":return t/7+r/6048e5;case"day":return t+r/864e5;case"hour":return 24*t+r/36e5;case"minute":return 1440*t+r/6e4;case"second":return 86400*t+r/1e3;case"millisecond":return Math.floor(864e5*t)+r;default:throw new Error("Unknown unit "+e)}}function Oa(){return this.isValid()?this._milliseconds+864e5*this._days+this._months%12*2592e6+31536e6*de(this._months/12):NaN}function Na(e){return function(){return this.as(e)}}var Da=Na("ms"),Ba=Na("s"),Ia=Na("m"),Pa=Na("h"),Ra=Na("d"),Ya=Na("w"),Wa=Na("M"),Ha=Na("Q"),qa=Na("y");function ja(){return Cr(this)}function Fa(e){return e=oe(e),this.isValid()?this[e+"s"]():NaN}function Va(e){return function(){return this.isValid()?this._data[e]:NaN}}var Xa=Va("milliseconds"),Ua=Va("seconds"),$a=Va("minutes"),Ka=Va("hours"),Ga=Va("days"),Ja=Va("months"),Qa=Va("years");function Za(){return ue(this.days()/7)}var ei=Math.round,ti={ss:44,s:45,m:45,h:22,d:26,w:null,M:11};function ni(e,t,n,r,o){return o.relativeTime(t||1,!!n,e,r)}function ri(e,t,n,r){var o=Cr(e).abs(),a=ei(o.as("s")),i=ei(o.as("m")),s=ei(o.as("h")),l=ei(o.as("d")),c=ei(o.as("M")),u=ei(o.as("w")),d=ei(o.as("y")),p=a<=n.ss&&["s",a]||a0,p[4]=r,ni.apply(null,p)}function oi(e){return void 0===e?ei:"function"==typeof e&&(ei=e,!0)}function ai(e,t){return void 0!==ti[e]&&(void 0===t?ti[e]:(ti[e]=t,"s"===e&&(ti.ss=t-1),!0))}function ii(e,t){if(!this.isValid())return this.localeData().invalidDate();var n,r,o=!1,a=ti;return"object"==typeof e&&(t=e,e=!1),"boolean"==typeof e&&(o=e),"object"==typeof t&&(a=Object.assign({},ti,t),null!=t.s&&null==t.ss&&(a.ss=t.s-1)),r=ri(this,!o,a,n=this.localeData()),o&&(r=n.pastFuture(+this,r)),n.postformat(r)}var si=Math.abs;function li(e){return(e>0)-(e<0)||+e}function ci(){if(!this.isValid())return this.localeData().invalidDate();var e,t,n,r,o,a,i,s,l=si(this._milliseconds)/1e3,c=si(this._days),u=si(this._months),d=this.asSeconds();return d?(e=ue(l/60),t=ue(e/60),l%=60,e%=60,n=ue(u/12),u%=12,r=l?l.toFixed(3).replace(/\.?0+$/,""):"",o=d<0?"-":"",a=li(this._months)!==li(d)?"-":"",i=li(this._days)!==li(d)?"-":"",s=li(this._milliseconds)!==li(d)?"-":"",o+"P"+(n?a+n+"Y":"")+(u?a+u+"M":"")+(c?i+c+"D":"")+(t||e||l?"T":"")+(t?s+t+"H":"")+(e?s+e+"M":"")+(l?s+r+"S":"")):"P0D"}var ui=ir.prototype;return ui.isValid=or,ui.abs=wa,ui.add=La,ui.subtract=Aa,ui.as=za,ui.asMilliseconds=Da,ui.asSeconds=Ba,ui.asMinutes=Ia,ui.asHours=Pa,ui.asDays=Ra,ui.asWeeks=Ya,ui.asMonths=Wa,ui.asQuarters=Ha,ui.asYears=qa,ui.valueOf=Oa,ui._bubble=Ca,ui.clone=ja,ui.get=Fa,ui.milliseconds=Xa,ui.seconds=Ua,ui.minutes=$a,ui.hours=Ka,ui.days=Ga,ui.weeks=Za,ui.months=Ja,ui.years=Qa,ui.humanize=ii,ui.toISOString=ci,ui.toString=ci,ui.toJSON=ci,ui.locale=io,ui.localeData=lo,ui.toIsoString=A("toIsoString() is deprecated. Please use toISOString() instead (notice the capitals)",ci),ui.lang=so,H("X",0,0,"unix"),H("x",0,0,"valueOf"),Be("x",xe),Be("X",Ne),We("X",(function(e,t,n){n._d=new Date(1e3*parseFloat(e))})),We("x",(function(e,t,n){n._d=new Date(de(e))})),o.version="2.29.1",a(Kn),o.fn=ca,o.min=Zn,o.max=er,o.now=tr,o.utc=h,o.unix=ua,o.months=ba,o.isDate=p,o.locale=hn,o.invalid=y,o.duration=Cr,o.isMoment=E,o.weekdays=ya,o.parseZone=da,o.localeData=vn,o.isDuration=sr,o.monthsShort=va,o.weekdaysMin=Ma,o.defineLocale=gn,o.updateLocale=bn,o.locales=yn,o.weekdaysShort=_a,o.normalizeUnits=oe,o.relativeTimeRounding=oi,o.relativeTimeThreshold=ai,o.calendarFormat=Hr,o.prototype=ca,o.HTML5_FMT={DATETIME_LOCAL:"YYYY-MM-DDTHH:mm",DATETIME_LOCAL_SECONDS:"YYYY-MM-DDTHH:mm:ss",DATETIME_LOCAL_MS:"YYYY-MM-DDTHH:mm:ss.SSS",DATE:"YYYY-MM-DD",TIME:"HH:mm",TIME_SECONDS:"HH:mm:ss",TIME_MS:"HH:mm:ss.SSS",WEEK:"GGGG-[W]WW",MONTH:"YYYY-MM"},o}()},2441:(e,t,n)=>{var r;!function(o,a,i){if(o){for(var s,l={8:"backspace",9:"tab",13:"enter",16:"shift",17:"ctrl",18:"alt",20:"capslock",27:"esc",32:"space",33:"pageup",34:"pagedown",35:"end",36:"home",37:"left",38:"up",39:"right",40:"down",45:"ins",46:"del",91:"meta",93:"meta",224:"meta"},c={106:"*",107:"+",109:"-",110:".",111:"/",186:";",187:"=",188:",",189:"-",190:".",191:"/",192:"`",219:"[",220:"\\",221:"]",222:"'"},u={"~":"`","!":"1","@":"2","#":"3",$:"4","%":"5","^":"6","&":"7","*":"8","(":"9",")":"0",_:"-","+":"=",":":";",'"':"'","<":",",">":".","?":"/","|":"\\"},d={option:"alt",command:"meta",return:"enter",escape:"esc",plus:"+",mod:/Mac|iPod|iPhone|iPad/.test(navigator.platform)?"meta":"ctrl"},p=1;p<20;++p)l[111+p]="f"+p;for(p=0;p<=9;++p)l[p+96]=p.toString();y.prototype.bind=function(e,t,n){var r=this;return e=e instanceof Array?e:[e],r._bindMultiple.call(r,e,t,n),r},y.prototype.unbind=function(e,t){return this.bind.call(this,e,(function(){}),t)},y.prototype.trigger=function(e,t){var n=this;return n._directMap[e+":"+t]&&n._directMap[e+":"+t]({},e),n},y.prototype.reset=function(){var e=this;return e._callbacks={},e._directMap={},e},y.prototype.stopCallback=function(e,t){if((" "+t.className+" ").indexOf(" mousetrap ")>-1)return!1;if(v(t,this.target))return!1;if("composedPath"in e&&"function"==typeof e.composedPath){var n=e.composedPath()[0];n!==e.target&&(t=n)}return"INPUT"==t.tagName||"SELECT"==t.tagName||"TEXTAREA"==t.tagName||t.isContentEditable},y.prototype.handleKey=function(){var e=this;return e._handleKey.apply(e,arguments)},y.addKeycodes=function(e){for(var t in e)e.hasOwnProperty(t)&&(l[t]=e[t]);s=null},y.init=function(){var e=y(a);for(var t in e)"_"!==t.charAt(0)&&(y[t]=function(t){return function(){return e[t].apply(e,arguments)}}(t))},y.init(),o.Mousetrap=y,e.exports&&(e.exports=y),void 0===(r=function(){return y}.call(t,n,t,e))||(e.exports=r)}function m(e,t,n){e.addEventListener?e.addEventListener(t,n,!1):e.attachEvent("on"+t,n)}function f(e){if("keypress"==e.type){var t=String.fromCharCode(e.which);return e.shiftKey||(t=t.toLowerCase()),t}return l[e.which]?l[e.which]:c[e.which]?c[e.which]:String.fromCharCode(e.which).toLowerCase()}function h(e){return"shift"==e||"ctrl"==e||"alt"==e||"meta"==e}function g(e,t,n){return n||(n=function(){if(!s)for(var e in s={},l)e>95&&e<112||l.hasOwnProperty(e)&&(s[l[e]]=e);return s}()[e]?"keydown":"keypress"),"keypress"==n&&t.length&&(n="keydown"),n}function b(e,t){var n,r,o,a=[];for(n=function(e){return"+"===e?["+"]:(e=e.replace(/\+{2}/g,"+plus")).split("+")}(e),o=0;o1?p(e,s,n,r):(i=b(e,r),t._callbacks[i.key]=t._callbacks[i.key]||[],c(i.key,i.modifiers,{type:i.action},o,e,a),t._callbacks[i.key][o?"unshift":"push"]({callback:n,modifiers:i.modifiers,action:i.action,seq:o,level:a,combo:e}))}t._handleKey=function(e,t,n){var r,o=c(e,t,n),a={},d=0,p=!1;for(r=0;r{!function(e){if(e){var t={},n=e.prototype.stopCallback;e.prototype.stopCallback=function(e,r,o,a){return!!this.paused||!t[o]&&!t[a]&&n.call(this,e,r,o)},e.prototype.bindGlobal=function(e,n,r){if(this.bind(e,n,r),e instanceof Array)for(var o=0;o{e.exports=n(643)},3264:e=>{"use strict";var t=!("undefined"==typeof window||!window.document||!window.document.createElement),n={canUseDOM:t,canUseWorkers:"undefined"!=typeof Worker,canUseEventListeners:t&&!(!window.addEventListener&&!window.attachEvent),canUseViewport:t&&!!window.screen,isInWorker:!t};e.exports=n},4518:e=>{var t,n,r,o,a,i,s,l,c,u,d,p,m,f,h,g=!1;function b(){if(!g){g=!0;var e=navigator.userAgent,b=/(?:MSIE.(\d+\.\d+))|(?:(?:Firefox|GranParadiso|Iceweasel).(\d+\.\d+))|(?:Opera(?:.+Version.|.)(\d+\.\d+))|(?:AppleWebKit.(\d+(?:\.\d+)?))|(?:Trident\/\d+\.\d+.*rv:(\d+\.\d+))/.exec(e),v=/(Mac OS X)|(Windows)|(Linux)/.exec(e);if(p=/\b(iPhone|iP[ao]d)/.exec(e),m=/\b(iP[ao]d)/.exec(e),u=/Android/i.exec(e),f=/FBAN\/\w+;/i.exec(e),h=/Mobile/i.exec(e),d=!!/Win64/.exec(e),b){(t=b[1]?parseFloat(b[1]):b[5]?parseFloat(b[5]):NaN)&&document&&document.documentMode&&(t=document.documentMode);var y=/(?:Trident\/(\d+.\d+))/.exec(e);i=y?parseFloat(y[1])+4:t,n=b[2]?parseFloat(b[2]):NaN,r=b[3]?parseFloat(b[3]):NaN,(o=b[4]?parseFloat(b[4]):NaN)?(b=/(?:Chrome\/(\d+\.\d+))/.exec(e),a=b&&b[1]?parseFloat(b[1]):NaN):a=NaN}else t=n=r=a=o=NaN;if(v){if(v[1]){var _=/(?:Mac OS X (\d+(?:[._]\d+)?))/.exec(e);s=!_||parseFloat(_[1].replace("_","."))}else s=!1;l=!!v[2],c=!!v[3]}else s=l=c=!1}}var v={ie:function(){return b()||t},ieCompatibilityMode:function(){return b()||i>t},ie64:function(){return v.ie()&&d},firefox:function(){return b()||n},opera:function(){return b()||r},webkit:function(){return b()||o},safari:function(){return v.webkit()},chrome:function(){return b()||a},windows:function(){return b()||l},osx:function(){return b()||s},linux:function(){return b()||c},iphone:function(){return b()||p},mobile:function(){return b()||p||m||u||h},nativeApp:function(){return b()||f},android:function(){return b()||u},ipad:function(){return b()||m}};e.exports=v},6534:(e,t,n)=>{"use strict";var r,o=n(3264);o.canUseDOM&&(r=document.implementation&&document.implementation.hasFeature&&!0!==document.implementation.hasFeature("","")),e.exports=function(e,t){if(!o.canUseDOM||t&&!("addEventListener"in document))return!1;var n="on"+e,a=n in document;if(!a){var i=document.createElement("div");i.setAttribute(n,"return;"),a="function"==typeof i[n]}return!a&&r&&"wheel"===e&&(a=document.implementation.hasFeature("Events.wheel","3.0")),a}},643:(e,t,n)=>{"use strict";var r=n(4518),o=n(6534);function a(e){var t=0,n=0,r=0,o=0;return"detail"in e&&(n=e.detail),"wheelDelta"in e&&(n=-e.wheelDelta/120),"wheelDeltaY"in e&&(n=-e.wheelDeltaY/120),"wheelDeltaX"in e&&(t=-e.wheelDeltaX/120),"axis"in e&&e.axis===e.HORIZONTAL_AXIS&&(t=n,n=0),r=10*t,o=10*n,"deltaY"in e&&(o=e.deltaY),"deltaX"in e&&(r=e.deltaX),(r||o)&&e.deltaMode&&(1==e.deltaMode?(r*=40,o*=40):(r*=800,o*=800)),r&&!t&&(t=r<1?-1:1),o&&!n&&(n=o<1?-1:1),{spinX:t,spinY:n,pixelX:r,pixelY:o}}a.getEventType=function(){return r.firefox()?"DOMMouseScroll":o("wheel")?"wheel":"mousewheel"},e.exports=a},631:(e,t,n)=>{var r="function"==typeof Map&&Map.prototype,o=Object.getOwnPropertyDescriptor&&r?Object.getOwnPropertyDescriptor(Map.prototype,"size"):null,a=r&&o&&"function"==typeof o.get?o.get:null,i=r&&Map.prototype.forEach,s="function"==typeof Set&&Set.prototype,l=Object.getOwnPropertyDescriptor&&s?Object.getOwnPropertyDescriptor(Set.prototype,"size"):null,c=s&&l&&"function"==typeof l.get?l.get:null,u=s&&Set.prototype.forEach,d="function"==typeof WeakMap&&WeakMap.prototype?WeakMap.prototype.has:null,p="function"==typeof WeakSet&&WeakSet.prototype?WeakSet.prototype.has:null,m="function"==typeof WeakRef&&WeakRef.prototype?WeakRef.prototype.deref:null,f=Boolean.prototype.valueOf,h=Object.prototype.toString,g=Function.prototype.toString,b=String.prototype.match,v="function"==typeof BigInt?BigInt.prototype.valueOf:null,y=Object.getOwnPropertySymbols,_="function"==typeof Symbol&&"symbol"==typeof Symbol.iterator?Symbol.prototype.toString:null,M="function"==typeof Symbol&&"object"==typeof Symbol.iterator,k=Object.prototype.propertyIsEnumerable,w=("function"==typeof Reflect?Reflect.getPrototypeOf:Object.getPrototypeOf)||([].__proto__===Array.prototype?function(e){return e.__proto__}:null),E=n(4654).custom,L=E&&x(E)?E:null,A="function"==typeof Symbol&&void 0!==Symbol.toStringTag?Symbol.toStringTag:null;function S(e,t,n){var r="double"===(n.quoteStyle||t)?'"':"'";return r+e+r}function C(e){return String(e).replace(/"/g,""")}function T(e){return!("[object Array]"!==N(e)||A&&"object"==typeof e&&A in e)}function x(e){if(M)return e&&"object"==typeof e&&e instanceof Symbol;if("symbol"==typeof e)return!0;if(!e||"object"!=typeof e||!_)return!1;try{return _.call(e),!0}catch(e){}return!1}e.exports=function e(t,n,r,o){var s=n||{};if(O(s,"quoteStyle")&&"single"!==s.quoteStyle&&"double"!==s.quoteStyle)throw new TypeError('option "quoteStyle" must be "single" or "double"');if(O(s,"maxStringLength")&&("number"==typeof s.maxStringLength?s.maxStringLength<0&&s.maxStringLength!==1/0:null!==s.maxStringLength))throw new TypeError('option "maxStringLength", if provided, must be a positive integer, Infinity, or `null`');var l=!O(s,"customInspect")||s.customInspect;if("boolean"!=typeof l&&"symbol"!==l)throw new TypeError("option \"customInspect\", if provided, must be `true`, `false`, or `'symbol'`");if(O(s,"indent")&&null!==s.indent&&"\t"!==s.indent&&!(parseInt(s.indent,10)===s.indent&&s.indent>0))throw new TypeError('options "indent" must be "\\t", an integer > 0, or `null`');if(void 0===t)return"undefined";if(null===t)return"null";if("boolean"==typeof t)return t?"true":"false";if("string"==typeof t)return B(t,s);if("number"==typeof t)return 0===t?1/0/t>0?"0":"-0":String(t);if("bigint"==typeof t)return String(t)+"n";var h=void 0===s.depth?5:s.depth;if(void 0===r&&(r=0),r>=h&&h>0&&"object"==typeof t)return T(t)?"[Array]":"[Object]";var y=function(e,t){var n;if("\t"===e.indent)n="\t";else{if(!("number"==typeof e.indent&&e.indent>0))return null;n=Array(e.indent+1).join(" ")}return{base:n,prev:Array(t+1).join(n)}}(s,r);if(void 0===o)o=[];else if(D(o,t)>=0)return"[Circular]";function k(t,n,a){if(n&&(o=o.slice()).push(n),a){var i={depth:s.depth};return O(s,"quoteStyle")&&(i.quoteStyle=s.quoteStyle),e(t,i,r+1,o)}return e(t,s,r+1,o)}if("function"==typeof t){var E=function(e){if(e.name)return e.name;var t=b.call(g.call(e),/^function\s*([\w$]+)/);if(t)return t[1];return null}(t),z=H(t,k);return"[Function"+(E?": "+E:" (anonymous)")+"]"+(z.length>0?" { "+z.join(", ")+" }":"")}if(x(t)){var I=M?String(t).replace(/^(Symbol\(.*\))_[^)]*$/,"$1"):_.call(t);return"object"!=typeof t||M?I:P(I)}if(function(e){if(!e||"object"!=typeof e)return!1;if("undefined"!=typeof HTMLElement&&e instanceof HTMLElement)return!0;return"string"==typeof e.nodeName&&"function"==typeof e.getAttribute}(t)){for(var q="<"+String(t.nodeName).toLowerCase(),j=t.attributes||[],F=0;F"}if(T(t)){if(0===t.length)return"[]";var V=H(t,k);return y&&!function(e){for(var t=0;t=0)return!1;return!0}(V)?"["+W(V,y)+"]":"[ "+V.join(", ")+" ]"}if(function(e){return!("[object Error]"!==N(e)||A&&"object"==typeof e&&A in e)}(t)){var X=H(t,k);return 0===X.length?"["+String(t)+"]":"{ ["+String(t)+"] "+X.join(", ")+" }"}if("object"==typeof t&&l){if(L&&"function"==typeof t[L])return t[L]();if("symbol"!==l&&"function"==typeof t.inspect)return t.inspect()}if(function(e){if(!a||!e||"object"!=typeof e)return!1;try{a.call(e);try{c.call(e)}catch(e){return!0}return e instanceof Map}catch(e){}return!1}(t)){var U=[];return i.call(t,(function(e,n){U.push(k(n,t,!0)+" => "+k(e,t))})),Y("Map",a.call(t),U,y)}if(function(e){if(!c||!e||"object"!=typeof e)return!1;try{c.call(e);try{a.call(e)}catch(e){return!0}return e instanceof Set}catch(e){}return!1}(t)){var $=[];return u.call(t,(function(e){$.push(k(e,t))})),Y("Set",c.call(t),$,y)}if(function(e){if(!d||!e||"object"!=typeof e)return!1;try{d.call(e,d);try{p.call(e,p)}catch(e){return!0}return e instanceof WeakMap}catch(e){}return!1}(t))return R("WeakMap");if(function(e){if(!p||!e||"object"!=typeof e)return!1;try{p.call(e,p);try{d.call(e,d)}catch(e){return!0}return e instanceof WeakSet}catch(e){}return!1}(t))return R("WeakSet");if(function(e){if(!m||!e||"object"!=typeof e)return!1;try{return m.call(e),!0}catch(e){}return!1}(t))return R("WeakRef");if(function(e){return!("[object Number]"!==N(e)||A&&"object"==typeof e&&A in e)}(t))return P(k(Number(t)));if(function(e){if(!e||"object"!=typeof e||!v)return!1;try{return v.call(e),!0}catch(e){}return!1}(t))return P(k(v.call(t)));if(function(e){return!("[object Boolean]"!==N(e)||A&&"object"==typeof e&&A in e)}(t))return P(f.call(t));if(function(e){return!("[object String]"!==N(e)||A&&"object"==typeof e&&A in e)}(t))return P(k(String(t)));if(!function(e){return!("[object Date]"!==N(e)||A&&"object"==typeof e&&A in e)}(t)&&!function(e){return!("[object RegExp]"!==N(e)||A&&"object"==typeof e&&A in e)}(t)){var K=H(t,k),G=w?w(t)===Object.prototype:t instanceof Object||t.constructor===Object,J=t instanceof Object?"":"null prototype",Q=!G&&A&&Object(t)===t&&A in t?N(t).slice(8,-1):J?"Object":"",Z=(G||"function"!=typeof t.constructor?"":t.constructor.name?t.constructor.name+" ":"")+(Q||J?"["+[].concat(Q||[],J||[]).join(": ")+"] ":"");return 0===K.length?Z+"{}":y?Z+"{"+W(K,y)+"}":Z+"{ "+K.join(", ")+" }"}return String(t)};var z=Object.prototype.hasOwnProperty||function(e){return e in this};function O(e,t){return z.call(e,t)}function N(e){return h.call(e)}function D(e,t){if(e.indexOf)return e.indexOf(t);for(var n=0,r=e.length;nt.maxStringLength){var n=e.length-t.maxStringLength,r="... "+n+" more character"+(n>1?"s":"");return B(e.slice(0,t.maxStringLength),t)+r}return S(e.replace(/(['\\])/g,"\\$1").replace(/[\x00-\x1f]/g,I),"single",t)}function I(e){var t=e.charCodeAt(0),n={8:"b",9:"t",10:"n",12:"f",13:"r"}[t];return n?"\\"+n:"\\x"+(t<16?"0":"")+t.toString(16).toUpperCase()}function P(e){return"Object("+e+")"}function R(e){return e+" { ? }"}function Y(e,t,n,r){return e+" ("+t+") {"+(r?W(n,r):n.join(", "))+"}"}function W(e,t){if(0===e.length)return"";var n="\n"+t.prev+t.base;return n+e.join(","+n)+"\n"+t.prev}function H(e,t){var n=T(e),r=[];if(n){r.length=e.length;for(var o=0;o{"use strict";var r;if(!Object.keys){var o=Object.prototype.hasOwnProperty,a=Object.prototype.toString,i=n(1414),s=Object.prototype.propertyIsEnumerable,l=!s.call({toString:null},"toString"),c=s.call((function(){}),"prototype"),u=["toString","toLocaleString","valueOf","hasOwnProperty","isPrototypeOf","propertyIsEnumerable","constructor"],d=function(e){var t=e.constructor;return t&&t.prototype===e},p={$applicationCache:!0,$console:!0,$external:!0,$frame:!0,$frameElement:!0,$frames:!0,$innerHeight:!0,$innerWidth:!0,$onmozfullscreenchange:!0,$onmozfullscreenerror:!0,$outerHeight:!0,$outerWidth:!0,$pageXOffset:!0,$pageYOffset:!0,$parent:!0,$scrollLeft:!0,$scrollTop:!0,$scrollX:!0,$scrollY:!0,$self:!0,$webkitIndexedDB:!0,$webkitStorageInfo:!0,$window:!0},m=function(){if("undefined"==typeof window)return!1;for(var e in window)try{if(!p["$"+e]&&o.call(window,e)&&null!==window[e]&&"object"==typeof window[e])try{d(window[e])}catch(e){return!0}}catch(e){return!0}return!1}();r=function(e){var t=null!==e&&"object"==typeof e,n="[object Function]"===a.call(e),r=i(e),s=t&&"[object String]"===a.call(e),p=[];if(!t&&!n&&!r)throw new TypeError("Object.keys called on a non-object");var f=c&&n;if(s&&e.length>0&&!o.call(e,0))for(var h=0;h0)for(var g=0;g{"use strict";var r=Array.prototype.slice,o=n(1414),a=Object.keys,i=a?function(e){return a(e)}:n(8987),s=Object.keys;i.shim=function(){Object.keys?function(){var e=Object.keys(arguments);return e&&e.length===arguments.length}(1,2)||(Object.keys=function(e){return o(e)?s(r.call(e)):s(e)}):Object.keys=i;return Object.keys||i},e.exports=i},1414:e=>{"use strict";var t=Object.prototype.toString;e.exports=function(e){var n=t.call(e),r="[object Arguments]"===n;return r||(r="[object Array]"!==n&&null!==e&&"object"==typeof e&&"number"==typeof e.length&&e.length>=0&&"[object Function]"===t.call(e.callee)),r}},2837:(e,t,n)=>{"use strict";var r=n(2215),o=function(e){return null!=e},a=n(5419)(),i=n(2048),s=Object,l=i("Array.prototype.push"),c=i("Object.prototype.propertyIsEnumerable"),u=a?Object.getOwnPropertySymbols:null;e.exports=function(e,t){if(!o(e))throw new TypeError("target must be an object");var n,i,d,p,m,f,h,g=s(e);for(n=1;n{"use strict";var r=n(4289),o=n(5559),a=n(2837),i=n(8162),s=n(4489),l=o.apply(i()),c=function(e,t){return l(Object,arguments)};r(c,{getPolyfill:i,implementation:a,shim:s}),e.exports=c},8162:(e,t,n)=>{"use strict";var r=n(2837);e.exports=function(){return Object.assign?function(){if(!Object.assign)return!1;for(var e="abcdefghijklmnopqrst",t=e.split(""),n={},r=0;r{"use strict";var r=n(4289),o=n(8162);e.exports=function(){var e=o();return r(Object,{assign:e},{assign:function(){return Object.assign!==e}}),e}},3513:(e,t,n)=>{"use strict";var r=n(3733),o=n(2048)("Object.prototype.propertyIsEnumerable");e.exports=function(e){var t=r(e),n=[];for(var a in t)o(t,a)&&n.push(t[a]);return n}},5869:(e,t,n)=>{"use strict";var r=n(4289),o=n(5559),a=n(3513),i=n(7164),s=n(6970),l=o(i(),Object);r(l,{getPolyfill:i,implementation:a,shim:s}),e.exports=l},7164:(e,t,n)=>{"use strict";var r=n(3513);e.exports=function(){return"function"==typeof Object.values?Object.values:r}},6970:(e,t,n)=>{"use strict";var r=n(7164),o=n(4289);e.exports=function(){var e=r();return o(Object,{values:e},{values:function(){return Object.values!==e}}),e}},2703:(e,t,n)=>{"use strict";var r=n(414);function o(){}function a(){}a.resetWarningCache=o,e.exports=function(){function e(e,t,n,o,a,i){if(i!==r){var s=new Error("Calling PropTypes validators directly is not supported by the `prop-types` package. Use PropTypes.checkPropTypes() to call them. Read more at http://fb.me/use-check-prop-types");throw s.name="Invariant Violation",s}}function t(){return e}e.isRequired=e;var n={array:e,bool:e,func:e,number:e,object:e,string:e,symbol:e,any:e,arrayOf:t,element:e,elementType:e,instanceOf:t,node:e,objectOf:t,oneOf:t,oneOfType:t,shape:t,exact:t,checkPropTypes:a,resetWarningCache:o};return n.PropTypes=n,n}},5697:(e,t,n)=>{e.exports=n(2703)()},414:e=>{"use strict";e.exports="SECRET_DO_NOT_PASS_THIS_OR_YOU_WILL_BE_FIRED"},1775:e=>{"use strict";var t=Object.prototype.hasOwnProperty;function n(e,t){return e===t?0!==e||0!==t||1/e==1/t:e!=e&&t!=t}function r(e,r){if(n(e,r))return!0;if("object"!=typeof e||null===e||"object"!=typeof r||null===r)return!1;var o=Object.keys(e),a=Object.keys(r);if(o.length!==a.length)return!1;for(var i=0;i{"use strict";var r=n(4857);t.Z=r.TextareaAutosize},6063:(e,t,n)=>{n(5453)},5533:(e,t,n)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.PureCalendarDay=void 0;var r=Object.assign||function(e){for(var t=1;t{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var r=Object.assign||function(e){for(var t=1;t{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var r=Object.assign||function(e){for(var t=1;t=o&&a{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.default=c;var r=s(n(3804)),o=n(8341),a=s(n(5533)),i=s(n(8136));function s(e){return e&&e.__esModule?e:{default:e}}var l=(0,o.forbidExtraProps)({children:(0,o.or)([(0,o.childrenOfType)(a.default),(0,o.childrenOfType)(i.default)]).isRequired});function c(e){var t=e.children;return r.default.createElement("tr",null,t)}c.propTypes=l},2814:(e,t,n)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var r,o=n(3804),a=(r=o)&&r.__esModule?r:{default:r};var i=function(e){return a.default.createElement("svg",e,a.default.createElement("path",{d:"M967.5 288.5L514.3 740.7c-11 11-21 11-32 0L29.1 288.5c-4-5-6-11-6-16 0-13 10-23 23-23 6 0 11 2 15 7l437.2 436.2 437.2-436.2c4-5 9-7 16-7 6 0 11 2 16 7 9 10.9 9 21 0 32z"}))};i.defaultProps={viewBox:"0 0 1000 1000"},t.default=i},6952:(e,t,n)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var r,o=n(3804),a=(r=o)&&r.__esModule?r:{default:r};var i=function(e){return a.default.createElement("svg",e,a.default.createElement("path",{d:"M32.1 712.6l453.2-452.2c11-11 21-11 32 0l453.2 452.2c4 5 6 10 6 16 0 13-10 23-22 23-7 0-12-2-16-7L501.3 308.5 64.1 744.7c-4 5-9 7-15 7-7 0-12-2-17-7-9-11-9-21 0-32.1z"}))};i.defaultProps={viewBox:"0 0 1000 1000"},t.default=i},7798:(e,t,n)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var r,o=n(3804),a=(r=o)&&r.__esModule?r:{default:r};var i=function(e){return a.default.createElement("svg",e,a.default.createElement("path",{fillRule:"evenodd",d:"M11.53.47a.75.75 0 0 0-1.061 0l-4.47 4.47L1.529.47A.75.75 0 1 0 .468 1.531l4.47 4.47-4.47 4.47a.75.75 0 1 0 1.061 1.061l4.47-4.47 4.47 4.47a.75.75 0 1 0 1.061-1.061l-4.47-4.47 4.47-4.47a.75.75 0 0 0 0-1.061z"}))};i.defaultProps={viewBox:"0 0 12 12"},t.default=i},8136:(e,t,n)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.PureCustomizableCalendarDay=t.selectedStyles=t.lastInRangeStyles=t.selectedSpanStyles=t.hoveredSpanStyles=t.blockedOutOfRangeStyles=t.blockedCalendarStyles=t.blockedMinNightsStyles=t.highlightedCalendarStyles=t.outsideStyles=t.defaultStyles=void 0;var r=Object.assign||function(e){for(var t=1;t{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.PureDayPicker=t.defaultProps=void 0;var r=Object.assign||function(e){for(var t=1;t{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.BOTTOM_RIGHT=t.TOP_RIGHT=t.TOP_LEFT=void 0;var r=Object.assign||function(e){for(var t=1;t{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var r=Object.assign||function(e){for(var t=1;t{"use strict";var r=function(e,t){if(Array.isArray(e))return e;if(Symbol.iterator in Object(e))return function(e,t){var n=[],r=!0,o=!1,a=void 0;try{for(var i,s=e[Symbol.iterator]();!(r=(i=s.next()).done)&&(n.push(i.value),!t||n.length!==t);r=!0);}catch(e){o=!0,a=e}finally{try{!r&&s.return&&s.return()}finally{if(o)throw a}}return n}(e,t);throw new TypeError("Invalid attempt to destructure non-iterable instance")},o=function(){function e(e,t){for(var n=0;n0&&this.setState({visibleDays:(0,a.default)({},w,z)})}},{key:"componentWillUpdate",value:function(){this.today=(0,u.default)()}},{key:"onDayClick",value:function(e,t){if(t&&t.preventDefault(),!this.isBlocked(e)){var n=this.props,r=n.onDateChange,o=n.keepOpenOnDateSelect,a=n.onFocusChange,i=n.onClose;r(e),o||(a({focused:!1}),i({date:e}))}}},{key:"onDayMouseEnter",value:function(e){if(!this.isTouchDevice){var t=this.state,n=t.hoverDate,r=t.visibleDays,o=this.deleteModifier({},n,"hovered");o=this.addModifier(o,e,"hovered"),this.setState({hoverDate:e,visibleDays:(0,a.default)({},r,o)})}}},{key:"onDayMouseLeave",value:function(){var e=this.state,t=e.hoverDate,n=e.visibleDays;if(!this.isTouchDevice&&t){var r=this.deleteModifier({},t,"hovered");this.setState({hoverDate:null,visibleDays:(0,a.default)({},n,r)})}}},{key:"onPrevMonthClick",value:function(){var e=this.props,t=e.onPrevMonthClick,n=e.numberOfMonths,r=e.enableOutsideDays,o=this.state,i=o.currentMonth,s=o.visibleDays,l={};Object.keys(s).sort().slice(0,n+1).forEach((function(e){l[e]=s[e]}));var c=i.clone().subtract(1,"month"),u=(0,b.default)(c,1,r);this.setState({currentMonth:c,visibleDays:(0,a.default)({},l,this.getModifiers(u))},(function(){t(c.clone())}))}},{key:"onNextMonthClick",value:function(){var e=this.props,t=e.onNextMonthClick,n=e.numberOfMonths,r=e.enableOutsideDays,o=this.state,i=o.currentMonth,s=o.visibleDays,l={};Object.keys(s).sort().slice(1).forEach((function(e){l[e]=s[e]}));var c=i.clone().add(n,"month"),u=(0,b.default)(c,1,r),d=i.clone().add(1,"month");this.setState({currentMonth:d,visibleDays:(0,a.default)({},l,this.getModifiers(u))},(function(){t(d.clone())}))}},{key:"onMonthChange",value:function(e){var t=this.props,n=t.numberOfMonths,r=t.enableOutsideDays,o=t.orientation===E.VERTICAL_SCROLLABLE,a=(0,b.default)(e,n,r,o);this.setState({currentMonth:e.clone(),visibleDays:this.getModifiers(a)})}},{key:"onYearChange",value:function(e){var t=this.props,n=t.numberOfMonths,r=t.enableOutsideDays,o=t.orientation===E.VERTICAL_SCROLLABLE,a=(0,b.default)(e,n,r,o);this.setState({currentMonth:e.clone(),visibleDays:this.getModifiers(a)})}},{key:"getFirstFocusableDay",value:function(e){var t=this,n=this.props,o=n.date,a=n.numberOfMonths,i=e.clone().startOf("month");if(o&&(i=o.clone()),this.isBlocked(i)){for(var s=[],l=e.clone().add(a-1,"months").endOf("month"),c=i.clone();!(0,g.default)(c,l);)c=c.clone().add(1,"day"),s.push(c);var u=s.filter((function(e){return!t.isBlocked(e)&&(0,g.default)(e,i)}));if(u.length>0){var d=r(u,1);i=d[0]}}return i}},{key:"getModifiers",value:function(e){var t=this,n={};return Object.keys(e).forEach((function(r){n[r]={},e[r].forEach((function(e){n[r][(0,y.default)(e)]=t.getModifiersForDay(e)}))})),n}},{key:"getModifiersForDay",value:function(e){var t=this;return new Set(Object.keys(this.modifiers).filter((function(n){return t.modifiers[n](e)})))}},{key:"getStateForNewMonth",value:function(e){var t=this,n=e.initialVisibleMonth,r=e.date,o=e.numberOfMonths,a=e.enableOutsideDays,i=(n||(r?function(){return r}:function(){return t.today}))();return{currentMonth:i,visibleDays:this.getModifiers((0,b.default)(i,o,a))}}},{key:"addModifier",value:function(e,t,n){var r=this.props,o=r.numberOfMonths,i=r.enableOutsideDays,s=r.orientation,l=this.state,c=l.currentMonth,u=l.visibleDays,d=c,p=o;if(s===E.VERTICAL_SCROLLABLE?p=Object.keys(u).length:(d=d.clone().subtract(1,"month"),p+=2),!t||!(0,v.default)(t,d,p,i))return e;var m=(0,y.default)(t),f=(0,a.default)({},e);if(i)f=Object.keys(u).filter((function(e){return Object.keys(u[e]).indexOf(m)>-1})).reduce((function(t,r){var o=e[r]||u[r],i=new Set(o[m]);return i.add(n),(0,a.default)({},t,S({},r,(0,a.default)({},o,S({},m,i))))}),f);else{var h=(0,_.default)(t),g=e[h]||u[h],b=new Set(g[m]);b.add(n),f=(0,a.default)({},f,S({},h,(0,a.default)({},g,S({},m,b))))}return f}},{key:"deleteModifier",value:function(e,t,n){var r=this.props,o=r.numberOfMonths,i=r.enableOutsideDays,s=r.orientation,l=this.state,c=l.currentMonth,u=l.visibleDays,d=c,p=o;if(s===E.VERTICAL_SCROLLABLE?p=Object.keys(u).length:(d=d.clone().subtract(1,"month"),p+=2),!t||!(0,v.default)(t,d,p,i))return e;var m=(0,y.default)(t),f=(0,a.default)({},e);if(i)f=Object.keys(u).filter((function(e){return Object.keys(u[e]).indexOf(m)>-1})).reduce((function(t,r){var o=e[r]||u[r],i=new Set(o[m]);return i.delete(n),(0,a.default)({},t,S({},r,(0,a.default)({},o,S({},m,i))))}),f);else{var h=(0,_.default)(t),g=e[h]||u[h],b=new Set(g[m]);b.delete(n),f=(0,a.default)({},f,S({},h,(0,a.default)({},g,S({},m,b))))}return f}},{key:"isBlocked",value:function(e){var t=this.props,n=t.isDayBlocked,r=t.isOutsideRange;return n(e)||r(e)}},{key:"isHovered",value:function(e){var t=(this.state||{}).hoverDate;return(0,h.default)(e,t)}},{key:"isSelected",value:function(e){var t=this.props.date;return(0,h.default)(e,t)}},{key:"isToday",value:function(e){return(0,h.default)(e,this.today)}},{key:"isFirstDayOfWeek",value:function(e){var t=this.props.firstDayOfWeek;return e.day()===(t||u.default.localeData().firstDayOfWeek())}},{key:"isLastDayOfWeek",value:function(e){var t=this.props.firstDayOfWeek;return e.day()===((t||u.default.localeData().firstDayOfWeek())+6)%7}},{key:"render",value:function(){var e=this.props,t=e.numberOfMonths,n=e.orientation,r=e.monthFormat,o=e.renderMonthText,a=e.navPrev,s=e.navNext,l=e.onOutsideClick,c=e.withPortal,u=e.focused,d=e.enableOutsideDays,p=e.hideKeyboardShortcutsPanel,m=e.daySize,f=e.firstDayOfWeek,h=e.renderCalendarDay,g=e.renderDayContents,b=e.renderCalendarInfo,v=e.renderMonthElement,y=e.calendarInfoPosition,_=e.isFocused,M=e.isRTL,k=e.phrases,w=e.dayAriaLabelFormat,E=e.onBlur,A=e.showKeyboardShortcuts,S=e.weekDayFormat,C=e.verticalHeight,T=e.noBorder,x=e.transitionDuration,z=e.verticalBorderSpacing,O=e.horizontalMonthPadding,N=this.state,D=N.currentMonth,B=N.visibleDays;return i.default.createElement(L.default,{orientation:n,enableOutsideDays:d,modifiers:B,numberOfMonths:t,onDayClick:this.onDayClick,onDayMouseEnter:this.onDayMouseEnter,onDayMouseLeave:this.onDayMouseLeave,onPrevMonthClick:this.onPrevMonthClick,onNextMonthClick:this.onNextMonthClick,onMonthChange:this.onMonthChange,onYearChange:this.onYearChange,monthFormat:r,withPortal:c,hidden:!u,hideKeyboardShortcutsPanel:p,initialVisibleMonth:function(){return D},firstDayOfWeek:f,onOutsideClick:l,navPrev:a,navNext:s,renderMonthText:o,renderCalendarDay:h,renderDayContents:g,renderCalendarInfo:b,renderMonthElement:v,calendarInfoPosition:y,isFocused:_,getFirstFocusableDay:this.getFirstFocusableDay,onBlur:E,phrases:k,daySize:m,isRTL:M,showKeyboardShortcuts:A,weekDayFormat:S,dayAriaLabelFormat:w,verticalHeight:C,noBorder:T,transitionDuration:x,verticalBorderSpacing:z,horizontalMonthPadding:O})}}]),t}(i.default.Component);t.Z=x,x.propTypes=C,x.defaultProps=T},5804:(e,t,n)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var r=Object.assign||function(e){for(var t=1;t{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var r,o=n(3804),a=(r=o)&&r.__esModule?r:{default:r};var i=function(e){return a.default.createElement("svg",e,a.default.createElement("path",{d:"M336.2 274.5l-210.1 210h805.4c13 0 23 10 23 23s-10 23-23 23H126.1l210.1 210.1c11 11 11 21 0 32-5 5-10 7-16 7s-11-2-16-7l-249.1-249c-11-11-11-21 0-32l249.1-249.1c21-21.1 53 10.9 32 32z"}))};i.defaultProps={viewBox:"0 0 1000 1000"},t.default=i},7783:(e,t,n)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var r,o=n(3804),a=(r=o)&&r.__esModule?r:{default:r};var i=function(e){return a.default.createElement("svg",e,a.default.createElement("path",{d:"M694.4 242.4l249.1 249.1c11 11 11 21 0 32L694.4 772.7c-5 5-10 7-16 7s-11-2-16-7c-11-11-11-21 0-32l210.1-210.1H67.1c-13 0-23-10-23-23s10-23 23-23h805.4L662.4 274.5c-21-21.1 11-53.1 32-32.1z"}))};i.defaultProps={viewBox:"0 0 1000 1000"},t.default=i},5388:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});t.DISPLAY_FORMAT="L",t.ISO_FORMAT="YYYY-MM-DD",t.ISO_MONTH_FORMAT="YYYY-MM",t.START_DATE="startDate",t.END_DATE="endDate",t.HORIZONTAL_ORIENTATION="horizontal",t.VERTICAL_ORIENTATION="vertical",t.VERTICAL_SCROLLABLE="verticalScrollable",t.ICON_BEFORE_POSITION="before",t.ICON_AFTER_POSITION="after",t.INFO_POSITION_TOP="top",t.INFO_POSITION_BOTTOM="bottom",t.INFO_POSITION_BEFORE="before",t.INFO_POSITION_AFTER="after",t.ANCHOR_LEFT="left",t.ANCHOR_RIGHT="right",t.OPEN_DOWN="down",t.OPEN_UP="up",t.DAY_SIZE=39,t.BLOCKED_MODIFIER="blocked",t.WEEKDAYS=[0,1,2,3,4,5,6],t.FANG_WIDTH_PX=20,t.FANG_HEIGHT_PX=10,t.DEFAULT_VERTICAL_SPACING=22,t.MODIFIER_KEY_NAMES=new Set(["Shift","Control","Alt","Meta"])},8304:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n="Calendar",r="Close",o="Interact with the calendar and add the check-in date for your trip.",a="Clear Date",i="Clear Dates",s="Move backward to switch to the previous month.",l="Move forward to switch to the next month.",c="Keyboard Shortcuts",u="Open the keyboard shortcuts panel.",d="Close the shortcuts panel.",p="Open this panel.",m="Enter key",f="Right and left arrow keys",h="up and down arrow keys",g="page up and page down keys",b="Home and end keys",v="Escape key",y="Question mark",_="Select the date in focus.",M="Move backward (left) and forward (right) by one day.",k="Move backward (up) and forward (down) by one week.",w="Switch months.",E="Go to the first or last day of a week.",L="Return to the date input field.",A="Press the down arrow key to interact with the calendar and\n select a date. Press the question mark key to get the keyboard shortcuts for changing dates.",S=function(e){var t=e.date;return"Choose "+String(t)+" as your check-in date. It’s available."},C=function(e){var t=e.date;return"Choose "+String(t)+" as your check-out date. It’s available."},T=function(e){return e.date},x=function(e){var t=e.date;return"Not available. "+String(t)},z=function(e){var t=e.date;return"Selected. "+String(t)};t.default={calendarLabel:n,closeDatePicker:r,focusStartDate:o,clearDate:a,clearDates:i,jumpToPrevMonth:s,jumpToNextMonth:l,keyboardShortcuts:c,showKeyboardShortcutsPanel:u,hideKeyboardShortcutsPanel:d,openThisPanel:p,enterKey:m,leftArrowRightArrow:f,upArrowDownArrow:h,pageUpPageDown:g,homeEnd:b,escape:v,questionMark:y,selectFocusedDate:_,moveFocusByOneDay:M,moveFocusByOneWeek:k,moveFocusByOneMonth:w,moveFocustoStartAndEndOfWeek:E,returnFocusToInput:L,keyboardNavigationInstructions:A,chooseAvailableStartDate:S,chooseAvailableEndDate:C,dateIsUnavailable:x,dateIsSelected:z};t.DateRangePickerPhrases={calendarLabel:n,closeDatePicker:r,clearDates:i,focusStartDate:o,jumpToPrevMonth:s,jumpToNextMonth:l,keyboardShortcuts:c,showKeyboardShortcutsPanel:u,hideKeyboardShortcutsPanel:d,openThisPanel:p,enterKey:m,leftArrowRightArrow:f,upArrowDownArrow:h,pageUpPageDown:g,homeEnd:b,escape:v,questionMark:y,selectFocusedDate:_,moveFocusByOneDay:M,moveFocusByOneWeek:k,moveFocusByOneMonth:w,moveFocustoStartAndEndOfWeek:E,returnFocusToInput:L,keyboardNavigationInstructions:A,chooseAvailableStartDate:S,chooseAvailableEndDate:C,dateIsUnavailable:x,dateIsSelected:z},t.DateRangePickerInputPhrases={focusStartDate:o,clearDates:i,keyboardNavigationInstructions:A},t.SingleDatePickerPhrases={calendarLabel:n,closeDatePicker:r,clearDate:a,jumpToPrevMonth:s,jumpToNextMonth:l,keyboardShortcuts:c,showKeyboardShortcutsPanel:u,hideKeyboardShortcutsPanel:d,openThisPanel:p,enterKey:m,leftArrowRightArrow:f,upArrowDownArrow:h,pageUpPageDown:g,homeEnd:b,escape:v,questionMark:y,selectFocusedDate:_,moveFocusByOneDay:M,moveFocusByOneWeek:k,moveFocusByOneMonth:w,moveFocustoStartAndEndOfWeek:E,returnFocusToInput:L,keyboardNavigationInstructions:A,chooseAvailableDate:T,dateIsUnavailable:x,dateIsSelected:z},t.SingleDatePickerInputPhrases={clearDate:a,keyboardNavigationInstructions:A},t.DayPickerPhrases={calendarLabel:n,jumpToPrevMonth:s,jumpToNextMonth:l,keyboardShortcuts:c,showKeyboardShortcutsPanel:u,hideKeyboardShortcutsPanel:d,openThisPanel:p,enterKey:m,leftArrowRightArrow:f,upArrowDownArrow:h,pageUpPageDown:g,homeEnd:b,escape:v,questionMark:y,selectFocusedDate:_,moveFocusByOneDay:M,moveFocusByOneWeek:k,moveFocusByOneMonth:w,moveFocustoStartAndEndOfWeek:E,returnFocusToInput:L,chooseAvailableStartDate:S,chooseAvailableEndDate:C,chooseAvailableDate:T,dateIsUnavailable:x,dateIsSelected:z},t.DayPickerKeyboardShortcutsPhrases={keyboardShortcuts:c,showKeyboardShortcutsPanel:u,hideKeyboardShortcutsPanel:d,openThisPanel:p,enterKey:m,leftArrowRightArrow:f,upArrowDownArrow:h,pageUpPageDown:g,homeEnd:b,escape:v,questionMark:y,selectFocusedDate:_,moveFocusByOneDay:M,moveFocusByOneWeek:k,moveFocusByOneMonth:w,moveFocustoStartAndEndOfWeek:E,returnFocusToInput:L},t.DayPickerNavigationPhrases={jumpToPrevMonth:s,jumpToNextMonth:l},t.CalendarDayPhrases={chooseAvailableDate:T,dateIsUnavailable:x,dateIsSelected:z}},5453:(e,t,n)=>{"use strict";var r,o=n(5135);(0,((r=o)&&r.__esModule?r:{default:r}).default)()},2003:(e,t,n)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var r,o=n(5697),a=(r=o)&&r.__esModule?r:{default:r},i=n(5388);t.default=a.default.oneOf([i.INFO_POSITION_TOP,i.INFO_POSITION_BOTTOM,i.INFO_POSITION_BEFORE,i.INFO_POSITION_AFTER])},8182:(e,t,n)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var r,o=n(5697),a=(r=o)&&r.__esModule?r:{default:r},i=n(5388);t.default=a.default.oneOf(i.WEEKDAYS)},337:(e,t,n)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var r,o=n(5697),a=(r=o)&&r.__esModule?r:{default:r},i=n(8341);function s(e,t,n){return t in e?Object.defineProperty(e,t,{value:n,enumerable:!0,configurable:!0,writable:!0}):e[t]=n,e}function l(e){if(Array.isArray(e)){for(var t=0,n=Array(e.length);t2?n-2:0),o=2;o{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var r,o=n(5697),a=(r=o)&&r.__esModule?r:{default:r},i=n(5388);t.default=a.default.oneOf([i.HORIZONTAL_ORIENTATION,i.VERTICAL_ORIENTATION,i.VERTICAL_SCROLLABLE])},6729:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n={white:"#fff",gray:"#484848",grayLight:"#82888a",grayLighter:"#cacccd",grayLightest:"#f2f2f2",borderMedium:"#c4c4c4",border:"#dbdbdb",borderLight:"#e4e7e7",borderLighter:"#eceeee",borderBright:"#f4f5f5",primary:"#00a699",primaryShade_1:"#33dacd",primaryShade_2:"#66e2da",primaryShade_3:"#80e8e0",primaryShade_4:"#b2f1ec",primary_dark:"#008489",secondary:"#007a87",yellow:"#ffe8bc",yellow_dark:"#ffce71"};t.default={reactDates:{zIndex:0,border:{input:{border:0,borderTop:0,borderRight:0,borderBottom:"2px solid transparent",borderLeft:0,outlineFocused:0,borderFocused:0,borderTopFocused:0,borderLeftFocused:0,borderBottomFocused:"2px solid "+String(n.primary_dark),borderRightFocused:0,borderRadius:0},pickerInput:{borderWidth:1,borderStyle:"solid",borderRadius:2}},color:{core:n,disabled:n.grayLightest,background:n.white,backgroundDark:"#f2f2f2",backgroundFocused:n.white,border:"rgb(219, 219, 219)",text:n.gray,textDisabled:n.border,textFocused:"#007a87",placeholderText:"#757575",outside:{backgroundColor:n.white,backgroundColor_active:n.white,backgroundColor_hover:n.white,color:n.gray,color_active:n.gray,color_hover:n.gray},highlighted:{backgroundColor:n.yellow,backgroundColor_active:n.yellow_dark,backgroundColor_hover:n.yellow_dark,color:n.gray,color_active:n.gray,color_hover:n.gray},minimumNights:{backgroundColor:n.white,backgroundColor_active:n.white,backgroundColor_hover:n.white,borderColor:n.borderLighter,color:n.grayLighter,color_active:n.grayLighter,color_hover:n.grayLighter},hoveredSpan:{backgroundColor:n.primaryShade_4,backgroundColor_active:n.primaryShade_3,backgroundColor_hover:n.primaryShade_4,borderColor:n.primaryShade_3,borderColor_active:n.primaryShade_3,borderColor_hover:n.primaryShade_3,color:n.secondary,color_active:n.secondary,color_hover:n.secondary},selectedSpan:{backgroundColor:n.primaryShade_2,backgroundColor_active:n.primaryShade_1,backgroundColor_hover:n.primaryShade_1,borderColor:n.primaryShade_1,borderColor_active:n.primary,borderColor_hover:n.primary,color:n.white,color_active:n.white,color_hover:n.white},selected:{backgroundColor:n.primary,backgroundColor_active:n.primary,backgroundColor_hover:n.primary,borderColor:n.primary,borderColor_active:n.primary,borderColor_hover:n.primary,color:n.white,color_active:n.white,color_hover:n.white},blocked_calendar:{backgroundColor:n.grayLighter,backgroundColor_active:n.grayLighter,backgroundColor_hover:n.grayLighter,borderColor:n.grayLighter,borderColor_active:n.grayLighter,borderColor_hover:n.grayLighter,color:n.grayLight,color_active:n.grayLight,color_hover:n.grayLight},blocked_out_of_range:{backgroundColor:n.white,backgroundColor_active:n.white,backgroundColor_hover:n.white,borderColor:n.borderLight,borderColor_active:n.borderLight,borderColor_hover:n.borderLight,color:n.grayLighter,color_active:n.grayLighter,color_hover:n.grayLighter}},spacing:{dayPickerHorizontalPadding:9,captionPaddingTop:22,captionPaddingBottom:37,inputPadding:0,displayTextPaddingVertical:void 0,displayTextPaddingTop:11,displayTextPaddingBottom:9,displayTextPaddingHorizontal:void 0,displayTextPaddingLeft:11,displayTextPaddingRight:11,displayTextPaddingVertical_small:void 0,displayTextPaddingTop_small:7,displayTextPaddingBottom_small:5,displayTextPaddingHorizontal_small:void 0,displayTextPaddingLeft_small:7,displayTextPaddingRight_small:7},sizing:{inputWidth:130,inputWidth_small:97,arrowWidth:24},noScrollBarOnVerticalScrollable:!1,font:{size:14,captionSize:18,input:{size:19,lineHeight:"24px",size_small:15,lineHeight_small:"18px",letterSpacing_small:"0.2px",styleDisabled:"italic"}}}}},403:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.default=function(e,t){var n=arguments.length>2&&void 0!==arguments[2]&&arguments[2],r=arguments.length>3&&void 0!==arguments[3]&&arguments[3];if(!e)return 0;var o="width"===t?"Left":"Top",a="width"===t?"Right":"Bottom",i=!n||r?window.getComputedStyle(e):null,s=e.offsetWidth,l=e.offsetHeight,c="width"===t?s:l;n||(c-=parseFloat(i["padding"+o])+parseFloat(i["padding"+a])+parseFloat(i["border"+o+"Width"])+parseFloat(i["border"+a+"Width"]));r&&(c+=parseFloat(i["margin"+o])+parseFloat(i["margin"+a]));return c}},5446:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.default=function(){return"undefined"!=typeof document&&document.activeElement}},6732:(e,t,n)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.default=function(e,t,n,r,o){var s=o.chooseAvailableDate,l=o.dateIsUnavailable,c=o.dateIsSelected,u={width:n,height:n-1},d=r.has("blocked-minimum-nights")||r.has("blocked-calendar")||r.has("blocked-out-of-range"),p=r.has("selected")||r.has("selected-start")||r.has("selected-end"),m=!p&&(r.has("hovered-span")||r.has("after-hovered-start")),f=r.has("blocked-out-of-range"),h={date:e.format(t)},g=(0,a.default)(s,h);r.has(i.BLOCKED_MODIFIER)?g=(0,a.default)(l,h):p&&(g=(0,a.default)(c,h));return{daySizeStyles:u,useDefaultCursor:d,selected:p,hoveredSpan:m,isOutsideRange:f,ariaLabel:g}};var r,o=n(4748),a=(r=o)&&r.__esModule?r:{default:r},i=n(5388)},7116:(e,t,n)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.default=function(e,t){var n=arguments.length>2&&void 0!==arguments[2]?arguments[2]:a.default.localeData().firstDayOfWeek();if(!a.default.isMoment(e)||!e.isValid())throw new TypeError("`month` must be a valid moment object");if(-1===i.WEEKDAYS.indexOf(n))throw new TypeError("`firstDayOfWeek` must be an integer between 0 and 6");for(var r=e.clone().startOf("month").hour(12),o=e.clone().endOf("month").hour(12),s=(r.day()+7-n)%7,l=(n+6-o.day())%7,c=r.clone().subtract(s,"day"),u=o.clone().add(l,"day"),d=u.diff(c,"days")+1,p=c.clone(),m=[],f=0;f=s&&f{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.default=function(e,t){return 7*e+2*t+1}},3065:(e,t,n)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.default=function(e){var t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:a.default.localeData().firstDayOfWeek(),n=e.clone().startOf("month"),r=i(n,t);return Math.ceil((r+e.daysInMonth())/7)};var r,o=n(381),a=(r=o)&&r.__esModule?r:{default:r};function i(e,t){return(e.day()-t+7)%7}},4748:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.default=function(e,t){if("string"==typeof e)return e;if("function"==typeof e)return e(t);return""}},1983:(e,t,n)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.default=function(e){return Object.keys(e).reduce((function(e,t){return(0,r.default)({},e,function(e,t,n){t in e?Object.defineProperty(e,t,{value:n,enumerable:!0,configurable:!0,writable:!0}):e[t]=n;return e}({},t,o.default.oneOfType([o.default.string,o.default.func,o.default.node])))}),{})};var r=a(n(3533)),o=a(n(5697));function a(e){return e&&e.__esModule?e:{default:e}}},8926:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.default=function(e){return{transform:e,msTransform:e,MozTransform:e,WebkitTransform:e}}},1729:(e,t,n)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.default=function(e,t,n,a){if(!r.default.isMoment(e))return{};for(var i={},s=a?e.clone():e.clone().subtract(1,"month"),l=0;l<(a?t:t+2);l+=1){var c=[],u=s.clone(),d=u.clone().startOf("month").hour(12),p=u.clone().endOf("month").hour(12),m=d.clone();if(n)for(var f=0;f{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.default=function(e,t){return!(!r.default.isMoment(e)||!r.default.isMoment(t))&&(!(0,o.default)(e,t)&&!(0,a.default)(e,t))};var r=i(n(381)),o=i(n(2933)),a=i(n(1992));function i(e){return e&&e.__esModule?e:{default:e}}},2933:(e,t,n)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.default=function(e,t){if(!a.default.isMoment(e)||!a.default.isMoment(t))return!1;var n=e.year(),r=e.month(),o=t.year(),i=t.month(),s=n===o,l=r===i;return s&&l?e.date(){"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.default=function(e,t,n,a){var i=t.clone().startOf("month");a&&(i=i.startOf("week"));if((0,r.default)(e,i))return!1;var s=t.clone().add(n-1,"months").endOf("month");a&&(s=s.endOf("week"));return!(0,o.default)(e,s)};var r=a(n(2933)),o=a(n(6023));function a(e){return e&&e.__esModule?e:{default:e}}},2376:(e,t,n)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.default=function(e,t){return!(!r.default.isMoment(e)||!r.default.isMoment(t))&&(0,o.default)(e.clone().add(1,"month"),t)};var r=a(n(381)),o=a(n(34));function a(e){return e&&e.__esModule?e:{default:e}}},1491:(e,t,n)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.default=function(e,t){return!(!r.default.isMoment(e)||!r.default.isMoment(t))&&(0,o.default)(e.clone().subtract(1,"month"),t)};var r=a(n(381)),o=a(n(34));function a(e){return e&&e.__esModule?e:{default:e}}},1992:(e,t,n)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.default=function(e,t){return!(!a.default.isMoment(e)||!a.default.isMoment(t))&&(e.date()===t.date()&&e.month()===t.month()&&e.year()===t.year())};var r,o=n(381),a=(r=o)&&r.__esModule?r:{default:r}},34:(e,t,n)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.default=function(e,t){return!(!a.default.isMoment(e)||!a.default.isMoment(t))&&(e.month()===t.month()&&e.year()===t.year())};var r,o=n(381),a=(r=o)&&r.__esModule?r:{default:r}},9826:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.default=function(){return!("undefined"==typeof window||!("TransitionEvent"in window))}},5135:(e,t,n)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.default=function(){(0,o.default)(r.default)};var r=a(n(5906)),o=a(n(8874));function a(e){return e&&e.__esModule?e:{default:e}}},8874:(e,t,n)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.default=function(e){r.default.registerInterface(e),r.default.registerTheme(o.default)};var r=a(n(4202)),o=a(n(6729));function a(e){return e&&e.__esModule?e:{default:e}}},4162:(e,t,n)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.default=function(e,t){var n=r.default.isMoment(e)?e:(0,o.default)(e,t);return n?n.format(a.ISO_FORMAT):null};var r=i(n(381)),o=i(n(1526)),a=n(5388);function i(e){return e&&e.__esModule?e:{default:e}}},180:(e,t,n)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.default=function(e,t){var n=r.default.isMoment(e)?e:(0,o.default)(e,t);return n?n.format(a.ISO_MONTH_FORMAT):null};var r=i(n(381)),o=i(n(1526)),a=n(5388);function i(e){return e&&e.__esModule?e:{default:e}}},1526:(e,t,n)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.default=function(e,t){var n=t?[t,i.DISPLAY_FORMAT,i.ISO_FORMAT]:[i.DISPLAY_FORMAT,i.ISO_FORMAT],r=(0,a.default)(e,n,!0);return r.isValid()?r.hour(12):null};var r,o=n(381),a=(r=o)&&r.__esModule?r:{default:r},i=n(5388)},9921:(e,t)=>{"use strict";var n=60103,r=60106,o=60107,a=60108,i=60114,s=60109,l=60110,c=60112,u=60113,d=60120,p=60115,m=60116,f=60121,h=60122,g=60117,b=60129,v=60131;if("function"==typeof Symbol&&Symbol.for){var y=Symbol.for;n=y("react.element"),r=y("react.portal"),o=y("react.fragment"),a=y("react.strict_mode"),i=y("react.profiler"),s=y("react.provider"),l=y("react.context"),c=y("react.forward_ref"),u=y("react.suspense"),d=y("react.suspense_list"),p=y("react.memo"),m=y("react.lazy"),f=y("react.block"),h=y("react.server.block"),g=y("react.fundamental"),b=y("react.debug_trace_mode"),v=y("react.legacy_hidden")}function _(e){if("object"==typeof e&&null!==e){var t=e.$$typeof;switch(t){case n:switch(e=e.type){case o:case i:case a:case u:case d:return e;default:switch(e=e&&e.$$typeof){case l:case c:case m:case p:case s:return e;default:return t}}case r:return t}}}},9864:(e,t,n)=>{"use strict";n(9921)},8333:e=>{var t={invalidPredicate:"`predicate` must be a function",invalidPropValidator:"`propValidator` must be a function",requiredCore:"is marked as required",invalidTypeCore:"Invalid input type",predicateFailureCore:"Failed to succeed with predicate",anonymousMessage:"<>",baseInvalidMessage:"Invalid "};function n(e){if("function"!=typeof e)throw new Error(t.invalidPropValidator);var n=e.bind(null,!1,null);return n.isRequired=e.bind(null,!0,null),n.withPredicate=function(n){if("function"!=typeof n)throw new Error(t.invalidPredicate);var r=e.bind(null,!1,n);return r.isRequired=e.bind(null,!0,n),r},n}function r(e,n,r){return new Error("The prop `"+e+"` "+t.requiredCore+" in `"+n+"`, but its value is `"+r+"`.")}e.exports={constructPropValidatorVariations:n,createMomentChecker:function(e,o,a,i){return n((function(n,s,l,c,u,d,p){var m=l[c],f=typeof m,h=function(e,t,n,o){var a=void 0===o,i=null===o;if(e){if(a)return r(n,t,"undefined");if(i)return r(n,t,"null")}return a||i?null:-1}(n,u=u||t.anonymousMessage,p=p||c,m);if(-1!==h)return h;if(o&&!o(m))return new Error(t.invalidTypeCore+": `"+c+"` of type `"+f+"` supplied to `"+u+"`, expected `"+e+"`.");if(!a(m))return new Error(t.baseInvalidMessage+d+" `"+c+"` of type `"+f+"` supplied to `"+u+"`, expected `"+i+"`.");if(s&&!s(m)){var g=s.name||t.anonymousMessage;return new Error(t.baseInvalidMessage+d+" `"+c+"` of type `"+f+"` supplied to `"+u+"`. "+t.predicateFailureCore+" `"+g+"`.")}return null}))},messages:t}},2605:(e,t,n)=>{var r=n(381),o=n(914),a=n(8333);e.exports={momentObj:a.createMomentChecker("object",(function(e){return"object"==typeof e}),(function(e){return o.isValidMoment(e)}),"Moment"),momentString:a.createMomentChecker("string",(function(e){return"string"==typeof e}),(function(e){return o.isValidMoment(r(e))}),"Moment"),momentDurationObj:a.createMomentChecker("object",(function(e){return"object"==typeof e}),(function(e){return r.isDuration(e)}),"Duration")}},914:(e,t,n)=>{var r=n(381);e.exports={isValidMoment:function(e){return!("function"==typeof r.isMoment&&!r.isMoment(e))&&("function"==typeof e.isValid?e.isValid():!isNaN(e))}}},6428:(e,t,n)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var r=function(){function e(e,t){for(var n=0;n{e.exports=n(6428)},5464:(e,t,n)=>{var r=n(3804),o={display:"block",opacity:0,position:"absolute",top:0,left:0,height:"100%",width:"100%",overflow:"hidden",pointerEvents:"none",zIndex:-1},a=function(e){var t=e.onResize,n=r.useRef();return function(e,t){var n=function(){return e.current&&e.current.contentDocument&&e.current.contentDocument.defaultView};function o(){t();var e=n();e&&e.addEventListener("resize",t)}r.useEffect((function(){return n()?o():e.current&&e.current.addEventListener&&e.current.addEventListener("load",o),function(){var e=n();e&&"function"==typeof e.removeEventListener&&e.removeEventListener("resize",t)}}),[])}(n,(function(){return t(n)})),r.createElement("iframe",{style:o,src:"about:blank",ref:n,"aria-hidden":!0,tabIndex:-1,frameBorder:0})},i=function(e){return{width:null!=e?e.offsetWidth:null,height:null!=e?e.offsetHeight:null}};e.exports=function(e){void 0===e&&(e=i);var t=r.useState(e(null)),n=t[0],o=t[1],s=r.useCallback((function(t){return o(e(t.current))}),[e]);return[r.useMemo((function(){return r.createElement(a,{onResize:s})}),[s]),n]}},8088:(e,t,n)=>{"use strict";function r(e){return e&&"object"==typeof e&&"default"in e?e.default:e}var o=r(n(7154)),a=r(n(7316)),i=n(3804),s=r(i),l=r(n(5354)),c=r(n(1506)),u={arr:Array.isArray,obj:function(e){return"[object Object]"===Object.prototype.toString.call(e)},fun:function(e){return"function"==typeof e},str:function(e){return"string"==typeof e},num:function(e){return"number"==typeof e},und:function(e){return void 0===e},nul:function(e){return null===e},set:function(e){return e instanceof Set},map:function(e){return e instanceof Map},equ:function(e,t){if(typeof e!=typeof t)return!1;if(u.str(e)||u.num(e))return e===t;if(u.obj(e)&&u.obj(t)&&Object.keys(e).length+Object.keys(t).length===0)return!0;var n;for(n in e)if(!(n in t))return!1;for(n in t)if(e[n]!==t[n])return!1;return!u.und(n)||e===t}};function d(){var e=i.useState(!1)[1];return i.useCallback((function(){return e((function(e){return!e}))}),[])}function p(e,t){return u.und(e)||u.nul(e)?t:e}function m(e){return u.und(e)?[]:u.arr(e)?e:[e]}function f(e){for(var t=arguments.length,n=new Array(t>1?t-1:0),r=1;r=n.length)break;a=n[o++]}else{if((o=n.next()).done)break;a=o.value}for(var i=a,s=!1,l=0;l=m.startTime+c.duration;else if(c.decay)g=f+y/(1-.998)*(1-Math.exp(-(1-.998)*(t-m.startTime))),(u=Math.abs(m.lastPosition-g)<.1)&&(h=g);else{d=void 0!==m.lastTime?m.lastTime:t,y=void 0!==m.lastVelocity?m.lastVelocity:c.initialVelocity,t>d+64&&(d=t);for(var _=Math.floor(t-d),M=0;M<_;++M){g+=1*(y+=1*((-c.tension*(g-h)+-c.friction*y)/c.mass)/1e3)/1e3}var k=!(!c.clamp||0===c.tension)&&(fh:g=e);++n);return n-1}(e,a);return function(e,t,n,r,o,a,i,s,l){var c=l?l(e):e;if(cn){if("identity"===s)return c;"clamp"===s&&(c=n)}if(r===o)return r;if(t===n)return e<=t?r:o;t===-1/0?c=-c:n===1/0?c-=t:c=(c-t)/(n-t);c=a(c),r===-1/0?c=-c:o===1/0?c+=r:c=c*(o-r)+r;return c}(e,a[t],a[t+1],o[t],o[t+1],l,i,s,r.map)}}var W=function(e){function t(n,r,o,a){var i;return(i=e.call(this)||this).calc=void 0,i.payload=n instanceof y&&!(n instanceof t)?n.getPayload():Array.isArray(n)?n:[n],i.calc=Y(r,o,a),i}l(t,e);var n=t.prototype;return n.getValue=function(){return this.calc.apply(this,this.payload.map((function(e){return e.getValue()})))},n.updateConfig=function(e,t,n){this.calc=Y(e,t,n)},n.interpolate=function(e,n,r){return new t(this,e,n,r)},t}(y);function H(e,t){"update"in e?t.add(e):e.getChildren().forEach((function(e){return H(e,t)}))}var q=function(e){function t(t){var n;return(n=e.call(this)||this).animatedStyles=new Set,n.value=void 0,n.startPosition=void 0,n.lastPosition=void 0,n.lastVelocity=void 0,n.startTime=void 0,n.lastTime=void 0,n.done=!1,n.setValue=function(e,t){void 0===t&&(t=!0),n.value=e,t&&n.flush()},n.value=t,n.startPosition=t,n.lastPosition=t,n}l(t,e);var n=t.prototype;return n.flush=function(){0===this.animatedStyles.size&&H(this,this.animatedStyles),this.animatedStyles.forEach((function(e){return e.update()}))},n.clearStyles=function(){this.animatedStyles.clear()},n.getValue=function(){return this.value},n.interpolate=function(e,t,n){return new W(this,e,t,n)},t}(v),j=function(e){function t(t){var n;return(n=e.call(this)||this).payload=t.map((function(e){return new q(e)})),n}l(t,e);var n=t.prototype;return n.setValue=function(e,t){var n=this;void 0===t&&(t=!0),Array.isArray(e)?e.length===this.payload.length&&e.forEach((function(e,r){return n.payload[r].setValue(e,t)})):this.payload.forEach((function(n){return n.setValue(e,t)}))},n.getValue=function(){return this.payload.map((function(e){return e.getValue()}))},n.interpolate=function(e,t){return new W(this,e,t)},t}(y),F=0,V=function(){function e(){var e=this;this.id=void 0,this.idle=!0,this.hasChanged=!1,this.guid=0,this.local=0,this.props={},this.merged={},this.animations={},this.interpolations={},this.values={},this.configs=[],this.listeners=[],this.queue=[],this.localQueue=void 0,this.getValues=function(){return e.interpolations},this.id=F++}var t=e.prototype;return t.update=function(e){if(!e)return this;var t=h(e),n=t.delay,r=void 0===n?0:n,i=t.to,s=a(t,["delay","to"]);if(u.arr(i)||u.fun(i))this.queue.push(o({},s,{delay:r,to:i}));else if(i){var l={};Object.entries(i).forEach((function(e){var t,n=e[0],a=e[1],i=o({to:(t={},t[n]=a,t),delay:f(r,n)},s),c=l[i.delay]&&l[i.delay].to;l[i.delay]=o({},l[i.delay],i,{to:o({},c,i.to)})})),this.queue=Object.values(l)}return this.queue=this.queue.sort((function(e,t){return e.delay-t.delay})),this.diff(s),this},t.start=function(e){var t,n=this;if(this.queue.length){this.idle=!1,this.localQueue&&this.localQueue.forEach((function(e){var t=e.from,r=void 0===t?{}:t,a=e.to,i=void 0===a?{}:a;u.obj(r)&&(n.merged=o({},r,n.merged)),u.obj(i)&&(n.merged=o({},n.merged,i))}));var r=this.local=++this.guid,i=this.localQueue=this.queue;this.queue=[],i.forEach((function(t,o){var s=t.delay,l=a(t,["delay"]),c=function(t){o===i.length-1&&r===n.guid&&t&&(n.idle=!0,n.props.onRest&&n.props.onRest(n.merged)),e&&e()},d=u.arr(l.to)||u.fun(l.to);s?setTimeout((function(){r===n.guid&&(d?n.runAsync(l,c):n.diff(l).start(c))}),s):d?n.runAsync(l,c):n.diff(l).start(c)}))}else u.fun(e)&&this.listeners.push(e),this.props.onStart&&this.props.onStart(),t=this,P.has(t)||P.add(t),I||(I=!0,E(z||R));return this},t.stop=function(e){return this.listeners.forEach((function(t){return t(e)})),this.listeners=[],this},t.pause=function(e){var t;return this.stop(!0),e&&(t=this,P.has(t)&&P.delete(t)),this},t.runAsync=function(e,t){var n=this,r=(e.delay,a(e,["delay"])),i=this.local,s=Promise.resolve(void 0);if(u.arr(r.to))for(var l=function(e){var t=e,a=o({},r,h(r.to[t]));u.arr(a.config)&&(a.config=a.config[t]),s=s.then((function(){if(i===n.guid)return new Promise((function(e){return n.diff(a).start(e)}))}))},c=0;c=r.length)return"break";i=r[a++]}else{if((a=r.next()).done)return"break";i=a.value}var n=i.key,s=function(e){return e.key!==n};(u.und(t)||t===n)&&(e.current.instances.delete(n),e.current.transitions=e.current.transitions.filter(s),e.current.deleted=e.current.deleted.filter(s))},r=e.current.deleted,o=Array.isArray(r),a=0;for(r=o?r:r[Symbol.iterator]();;){var i;if("break"===n())break}e.current.forceUpdate()}var ee=function(e){function t(t){var n;return void 0===t&&(t={}),n=e.call(this)||this,!t.transform||t.transform instanceof v||(t=g.transform(t)),n.payload=t,n}return l(t,e),t}(_),te={transparent:0,aliceblue:4042850303,antiquewhite:4209760255,aqua:16777215,aquamarine:2147472639,azure:4043309055,beige:4126530815,bisque:4293182719,black:255,blanchedalmond:4293643775,blue:65535,blueviolet:2318131967,brown:2771004159,burlywood:3736635391,burntsienna:3934150143,cadetblue:1604231423,chartreuse:2147418367,chocolate:3530104575,coral:4286533887,cornflowerblue:1687547391,cornsilk:4294499583,crimson:3692313855,cyan:16777215,darkblue:35839,darkcyan:9145343,darkgoldenrod:3095792639,darkgray:2846468607,darkgreen:6553855,darkgrey:2846468607,darkkhaki:3182914559,darkmagenta:2332068863,darkolivegreen:1433087999,darkorange:4287365375,darkorchid:2570243327,darkred:2332033279,darksalmon:3918953215,darkseagreen:2411499519,darkslateblue:1211993087,darkslategray:793726975,darkslategrey:793726975,darkturquoise:13554175,darkviolet:2483082239,deeppink:4279538687,deepskyblue:12582911,dimgray:1768516095,dimgrey:1768516095,dodgerblue:512819199,firebrick:2988581631,floralwhite:4294635775,forestgreen:579543807,fuchsia:4278255615,gainsboro:3705462015,ghostwhite:4177068031,gold:4292280575,goldenrod:3668254975,gray:2155905279,green:8388863,greenyellow:2919182335,grey:2155905279,honeydew:4043305215,hotpink:4285117695,indianred:3445382399,indigo:1258324735,ivory:4294963455,khaki:4041641215,lavender:3873897215,lavenderblush:4293981695,lawngreen:2096890111,lemonchiffon:4294626815,lightblue:2916673279,lightcoral:4034953471,lightcyan:3774873599,lightgoldenrodyellow:4210742015,lightgray:3553874943,lightgreen:2431553791,lightgrey:3553874943,lightpink:4290167295,lightsalmon:4288707327,lightseagreen:548580095,lightskyblue:2278488831,lightslategray:2005441023,lightslategrey:2005441023,lightsteelblue:2965692159,lightyellow:4294959359,lime:16711935,limegreen:852308735,linen:4210091775,magenta:4278255615,maroon:2147483903,mediumaquamarine:1724754687,mediumblue:52735,mediumorchid:3126187007,mediumpurple:2473647103,mediumseagreen:1018393087,mediumslateblue:2070474495,mediumspringgreen:16423679,mediumturquoise:1221709055,mediumvioletred:3340076543,midnightblue:421097727,mintcream:4127193855,mistyrose:4293190143,moccasin:4293178879,navajowhite:4292783615,navy:33023,oldlace:4260751103,olive:2155872511,olivedrab:1804477439,orange:4289003775,orangered:4282712319,orchid:3664828159,palegoldenrod:4008225535,palegreen:2566625535,paleturquoise:2951671551,palevioletred:3681588223,papayawhip:4293907967,peachpuff:4292524543,peru:3448061951,pink:4290825215,plum:3718307327,powderblue:2967529215,purple:2147516671,rebeccapurple:1714657791,red:4278190335,rosybrown:3163525119,royalblue:1097458175,saddlebrown:2336560127,salmon:4202722047,sandybrown:4104413439,seagreen:780883967,seashell:4294307583,sienna:2689740287,silver:3233857791,skyblue:2278484991,slateblue:1784335871,slategray:1887473919,slategrey:1887473919,snow:4294638335,springgreen:16744447,steelblue:1182971135,tan:3535047935,teal:8421631,thistle:3636451583,tomato:4284696575,turquoise:1088475391,violet:4001558271,wheat:4125012991,white:4294967295,whitesmoke:4126537215,yellow:4294902015,yellowgreen:2597139199},ne="[-+]?\\d*\\.?\\d+",re=ne+"%";function oe(){for(var e=arguments.length,t=new Array(e),n=0;n1&&(n-=1),n<1/6?e+6*(t-e)*n:n<.5?t:n<2/3?e+(t-e)*(2/3-n)*6:e}function fe(e,t,n){var r=n<.5?n*(1+t):n+t-n*t,o=2*n-r,a=me(o,r,e+1/3),i=me(o,r,e),s=me(o,r,e-1/3);return Math.round(255*a)<<24|Math.round(255*i)<<16|Math.round(255*s)<<8}function he(e){var t=parseInt(e,10);return t<0?0:t>255?255:t}function ge(e){return(parseFloat(e)%360+360)%360/360}function be(e){var t=parseFloat(e);return t<0?0:t>1?255:Math.round(255*t)}function ve(e){var t=parseFloat(e);return t<0?0:t>100?1:t/100}function ye(e){var t,n,r="number"==typeof(t=e)?t>>>0===t&&t>=0&&t<=4294967295?t:null:(n=de.exec(t))?parseInt(n[1]+"ff",16)>>>0:te.hasOwnProperty(t)?te[t]:(n=ae.exec(t))?(he(n[1])<<24|he(n[2])<<16|he(n[3])<<8|255)>>>0:(n=ie.exec(t))?(he(n[1])<<24|he(n[2])<<16|he(n[3])<<8|be(n[4]))>>>0:(n=ce.exec(t))?parseInt(n[1]+n[1]+n[2]+n[2]+n[3]+n[3]+"ff",16)>>>0:(n=pe.exec(t))?parseInt(n[1],16)>>>0:(n=ue.exec(t))?parseInt(n[1]+n[1]+n[2]+n[2]+n[3]+n[3]+n[4]+n[4],16)>>>0:(n=se.exec(t))?(255|fe(ge(n[1]),ve(n[2]),ve(n[3])))>>>0:(n=le.exec(t))?(fe(ge(n[1]),ve(n[2]),ve(n[3]))|be(n[4]))>>>0:null;return null===r?e:"rgba("+((4278190080&(r=r||0))>>>24)+", "+((16711680&r)>>>16)+", "+((65280&r)>>>8)+", "+(255&r)/255+")"}var _e=/[+\-]?(?:0|[1-9]\d*)(?:\.\d*)?(?:[eE][+\-]?\d+)?/g,Me=/(#(?:[0-9a-f]{2}){2,4}|(#[0-9a-f]{3})|(rgb|hsl)a?\((-?\d+%?[,\s]+){2,3}\s*[\d\.]+%?\))/gi,ke=new RegExp("("+Object.keys(te).join("|")+")","g"),we={animationIterationCount:!0,borderImageOutset:!0,borderImageSlice:!0,borderImageWidth:!0,boxFlex:!0,boxFlexGroup:!0,boxOrdinalGroup:!0,columnCount:!0,columns:!0,flex:!0,flexGrow:!0,flexPositive:!0,flexShrink:!0,flexNegative:!0,flexOrder:!0,gridRow:!0,gridRowEnd:!0,gridRowSpan:!0,gridRowStart:!0,gridColumn:!0,gridColumnEnd:!0,gridColumnSpan:!0,gridColumnStart:!0,fontWeight:!0,lineClamp:!0,lineHeight:!0,opacity:!0,order:!0,orphans:!0,tabSize:!0,widows:!0,zIndex:!0,zoom:!0,fillOpacity:!0,floodOpacity:!0,stopOpacity:!0,strokeDasharray:!0,strokeDashoffset:!0,strokeMiterlimit:!0,strokeOpacity:!0,strokeWidth:!0},Ee=["Webkit","Ms","Moz","O"];function Le(e,t,n){return null==t||"boolean"==typeof t||""===t?"":n||"number"!=typeof t||0===t||we.hasOwnProperty(e)&&we[e]?(""+t).trim():t+"px"}we=Object.keys(we).reduce((function(e,t){return Ee.forEach((function(n){return e[function(e,t){return e+t.charAt(0).toUpperCase()+t.substring(1)}(n,t)]=e[t]})),e}),we);var Ae={};N((function(e){return new ee(e)})),T("div"),A((function(e){var t=e.output.map((function(e){return e.replace(Me,ye)})).map((function(e){return e.replace(ke,ye)})),n=t[0].match(_e).map((function(){return[]}));t.forEach((function(e){e.match(_e).forEach((function(e,t){return n[t].push(+e)}))}));var r=t[0].match(_e).map((function(t,r){return Y(o({},e,{output:n[r]}))}));return function(e){var n=0;return t[0].replace(_e,(function(){return r[n++](e)})).replace(/rgba\(([0-9\.-]+), ([0-9\.-]+), ([0-9\.-]+), ([0-9\.-]+)\)/gi,(function(e,t,n,r,o){return"rgba("+Math.round(t)+", "+Math.round(n)+", "+Math.round(r)+", "+o+")"}))}})),k(te),M((function(e,t){if(!e.nodeType||void 0===e.setAttribute)return!1;var n=t.style,r=t.children,o=t.scrollTop,i=t.scrollLeft,s=a(t,["style","children","scrollTop","scrollLeft"]),l="filter"===e.nodeName||e.parentNode&&"filter"===e.parentNode.nodeName;for(var c in void 0!==o&&(e.scrollTop=o),void 0!==i&&(e.scrollLeft=i),void 0!==r&&(e.textContent=r),n)if(n.hasOwnProperty(c)){var u=0===c.indexOf("--"),d=Le(c,n[c],u);"float"===c&&(c="cssFloat"),u?e.style.setProperty(c,d):e.style[c]=d}for(var p in s){var m=l?p:Ae[p]||(Ae[p]=p.replace(/([A-Z])/g,(function(e){return"-"+e.toLowerCase()})));void 0!==e.getAttribute(m)&&e.setAttribute(m,s[p])}}),(function(e){return e}));var Se,Ce,Te=(Se=function(e){return i.forwardRef((function(t,n){var r=d(),l=i.useRef(!0),c=i.useRef(null),p=i.useRef(null),m=i.useCallback((function(e){var t=c.current;c.current=new B(e,(function(){var e=!1;p.current&&(e=g.fn(p.current,c.current.getAnimatedValue())),p.current&&!1!==e||r()})),t&&t.detach()}),[]);i.useEffect((function(){return function(){l.current=!1,c.current&&c.current.detach()}}),[]),i.useImperativeHandle(n,(function(){return O(p,l,r)})),m(t);var f,h=c.current.getValue(),b=(h.scrollTop,h.scrollLeft,a(h,["scrollTop","scrollLeft"])),v=(f=e,!u.fun(f)||f.prototype instanceof s.Component?function(e){return p.current=function(e,t){return t&&(u.fun(t)?t(e):u.obj(t)&&(t.current=e)),e}(e,n)}:void 0);return s.createElement(e,o({},b,{ref:v}))}))},void 0===(Ce=!1)&&(Ce=!0),function(e){return(u.arr(e)?e:Object.keys(e)).reduce((function(e,t){var n=Ce?t[0].toLowerCase()+t.substring(1):t;return e[n]=Se(n),e}),Se)}),xe=Te(["a","abbr","address","area","article","aside","audio","b","base","bdi","bdo","big","blockquote","body","br","button","canvas","caption","cite","code","col","colgroup","data","datalist","dd","del","details","dfn","dialog","div","dl","dt","em","embed","fieldset","figcaption","figure","footer","form","h1","h2","h3","h4","h5","h6","head","header","hgroup","hr","html","i","iframe","img","input","ins","kbd","keygen","label","legend","li","link","main","map","mark","menu","menuitem","meta","meter","nav","noscript","object","ol","optgroup","option","output","p","param","picture","pre","progress","q","rp","rt","ruby","s","samp","script","section","select","small","source","span","strong","style","sub","summary","sup","table","tbody","td","textarea","tfoot","th","thead","time","title","tr","track","u","ul","var","video","wbr","circle","clipPath","defs","ellipse","foreignObject","g","image","line","linearGradient","mask","path","pattern","polygon","polyline","radialGradient","rect","stop","svg","text","tspan"]);t.q=xe,t.q_=function(e){var t=u.fun(e),n=X(1,t?e:[e]),r=n[0],o=n[1],a=n[2];return t?[r[0],o,a]:r}},2166:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});t.CHANNEL="__direction__",t.DIRECTIONS={LTR:"ltr",RTL:"rtl"}},9885:(e,t,n)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var r,o=n(5697),a=(r=o)&&r.__esModule?r:{default:r};t.default=a.default.shape({getState:a.default.func,setState:a.default.func,subscribe:a.default.func})},8232:(e,t,n)=>{var r=l(n(6650)),o=l(n(1884)),a=n(8966),i=l(n(6280)),s=l(n(4333));function l(e){return e&&e.__esModule?e:{default:e}}t.default={create:function(e){var t={},n=Object.keys(e),r=(o.default.get(a.GLOBAL_CACHE_KEY)||{}).namespace,s=void 0===r?"":r;return n.forEach((function(e){var n=(0,i.default)(s,e);t[e]=n})),t},resolve:function(e){var t=(0,r.default)(e,1/0),n=(0,s.default)(t),o=n.classNames,a=n.hasInlineStyles,i=n.inlineStyles,l={className:o.map((function(e,t){return String(e)+" "+String(e)+"_"+String(t+1)})).join(" ")};return a&&(l.style=i),l}}},8966:(e,t)=>{Object.defineProperty(t,"__esModule",{value:!0});t.GLOBAL_CACHE_KEY="reactWithStylesInterfaceCSS",t.MAX_SPECIFICITY=20},6280:(e,t)=>{Object.defineProperty(t,"__esModule",{value:!0}),t.default=function(e,t){return(e.length>0?String(e)+"__":"")+String(t)}},4333:(e,t)=>{Object.defineProperty(t,"__esModule",{value:!0}),t.default=function(e){for(var t=[],n=!1,r={},o=0;o{e.exports=n(8232).default},4202:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n=void 0,r=void 0;function o(e,t){var n=t(e(r));return function(){return n}}function a(e){return o(e,n.createLTR||n.create)}function i(){for(var e=arguments.length,t=Array(e),r=0;r{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.withStylesPropTypes=t.css=void 0;var r=Object.assign||function(e){for(var t=1;t1&&void 0!==arguments[1]?arguments[1]:{},n=t.stylesPropName,s=void 0===n?"styles":n,u=t.themePropName,p=void 0===u?"theme":u,b=t.cssPropName,k=void 0===b?"css":b,w=t.flushBefore,E=void 0!==w&&w,L=t.pureComponent,A=void 0!==L&&L,S=void 0,C=void 0,T=void 0,x=void 0,z=y(A);function O(e){return e===c.DIRECTIONS.LTR?d.default.resolveLTR:d.default.resolveRTL}function N(e){return e===c.DIRECTIONS.LTR?T:x}function D(t,n){var r=N(t),o=t===c.DIRECTIONS.LTR?S:C,a=d.default.get();return o&&r===a||(t===c.DIRECTIONS.RTL?(C=e?d.default.createRTL(e):v,x=a,o=C):(S=e?d.default.createLTR(e):v,T=a,o=S)),o}function B(e,t){return{resolveMethod:O(e),styleDef:D(e)}}return function(e){var t=e.displayName||e.name||"Component",n=function(t){function n(e,t){m(this,n);var r=f(this,(n.__proto__||Object.getPrototypeOf(n)).call(this,e,t)),o=r.context[c.CHANNEL]?r.context[c.CHANNEL].getState():M;return r.state=B(o),r}return h(n,t),o(n,[{key:"componentDidMount",value:function(){var e=this;this.context[c.CHANNEL]&&(this.channelUnsubscribe=this.context[c.CHANNEL].subscribe((function(t){e.setState(B(t))})))}},{key:"componentWillUnmount",value:function(){this.channelUnsubscribe&&this.channelUnsubscribe()}},{key:"render",value:function(){var t;E&&d.default.flush();var n=this.state,o=n.resolveMethod,a=n.styleDef;return i.default.createElement(e,r({},this.props,(g(t={},p,d.default.get()),g(t,s,a()),g(t,k,o),t)))}}]),n}(z);return n.WrappedComponent=e,n.displayName="withStyles("+String(t)+")",n.contextTypes=_,e.propTypes&&(n.propTypes=(0,a.default)({},e.propTypes),delete n.propTypes[s],delete n.propTypes[p],delete n.propTypes[k]),e.defaultProps&&(n.defaultProps=(0,a.default)({},e.defaultProps)),(0,l.default)(n,e)}};var a=p(n(3533)),i=p(n(3804)),s=p(n(5697)),l=p(n(8679)),c=n(2166),u=p(n(9885)),d=p(n(4202));function p(e){return e&&e.__esModule?e:{default:e}}function m(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}function f(e,t){if(!e)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!t||"object"!=typeof t&&"function"!=typeof t?e:t}function h(e,t){if("function"!=typeof t&&null!==t)throw new TypeError("Super expression must either be null or a function, not "+typeof t);e.prototype=Object.create(t&&t.prototype,{constructor:{value:e,enumerable:!1,writable:!0,configurable:!0}}),t&&(Object.setPrototypeOf?Object.setPrototypeOf(e,t):e.__proto__=t)}function g(e,t,n){return t in e?Object.defineProperty(e,t,{value:n,enumerable:!0,configurable:!0,writable:!0}):e[t]=n,e}t.css=d.default.resolveLTR,t.withStylesPropTypes={styles:s.default.object.isRequired,theme:s.default.object.isRequired,css:s.default.func.isRequired};var b={},v=function(){return b};function y(e){if(e){if(!i.default.PureComponent)throw new ReferenceError("withStyles() pureComponent option requires React 15.3.0 or later");return i.default.PureComponent}return i.default.Component}var _=g({},c.CHANNEL,u.default),M=c.DIRECTIONS.LTR},2950:(e,t)=>{"use strict";t.Z=function(e){var t=e.dispatch;return function(e){return function(n){return Array.isArray(n)?n.filter(Boolean).map(t):e(n)}}}},2236:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.ActionCreators=t.ActionTypes=void 0;var n={UNDO:"@@redux-undo/UNDO",REDO:"@@redux-undo/REDO",JUMP_TO_FUTURE:"@@redux-undo/JUMP_TO_FUTURE",JUMP_TO_PAST:"@@redux-undo/JUMP_TO_PAST",JUMP:"@@redux-undo/JUMP",CLEAR_HISTORY:"@@redux-undo/CLEAR_HISTORY"};t.ActionTypes=n;var r={undo:function(){return{type:n.UNDO}},redo:function(){return{type:n.REDO}},jumpToFuture:function(e){return{type:n.JUMP_TO_FUTURE,index:e}},jumpToPast:function(e){return{type:n.JUMP_TO_PAST,index:e}},jump:function(e){return{type:n.JUMP,index:e}},clearHistory:function(){return{type:n.CLEAR_HISTORY}}};t.ActionCreators=r},8823:(e,t)=>{"use strict";function n(e){return function(e){if(Array.isArray(e)){for(var t=0,n=new Array(e.length);t{"use strict";function n(e){var t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:[];return Array.isArray(e)?e:"string"==typeof e?[e]:t}Object.defineProperty(t,"__esModule",{value:!0}),t.parseActions=n,t.isHistory=function(e){return void 0!==e.present&&void 0!==e.future&&void 0!==e.past&&Array.isArray(e.future)&&Array.isArray(e.past)},t.includeAction=function(e){var t=n(e);return function(e){return t.indexOf(e.type)>=0}},t.excludeAction=function(e){var t=n(e);return function(e){return t.indexOf(e.type)<0}},t.combineFilters=function(){for(var e=arguments.length,t=new Array(e),n=0;n=0?e.type:null}},t.newHistory=function(e,t,n){var r=arguments.length>3&&void 0!==arguments[3]?arguments[3]:null;return{past:e,present:t,future:n,group:r,_latestUnfiltered:t,index:e.length,limit:e.length+n.length+1}}},1090:(e,t,n)=>{"use strict";Object.defineProperty(t,"zF",{enumerable:!0,get:function(){return o.ActionCreators}}),Object.defineProperty(t,"ZP",{enumerable:!0,get:function(){return i.default}});var r,o=n(2236),a=n(1619),i=(r=n(2479))&&r.__esModule?r:{default:r}},2479:(e,t,n)=>{"use strict";function r(e){return(r="function"==typeof Symbol&&"symbol"==typeof Symbol.iterator?function(e){return typeof e}:function(e){return e&&"function"==typeof Symbol&&e.constructor===Symbol&&e!==Symbol.prototype?"symbol":typeof e})(e)}Object.defineProperty(t,"__esModule",{value:!0}),t.default=function(e){var t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{};o.set(t.debug);var n,r=c({limit:void 0,filter:function(){return!0},groupBy:function(){return null},undoType:a.ActionTypes.UNDO,redoType:a.ActionTypes.REDO,jumpToPastType:a.ActionTypes.JUMP_TO_PAST,jumpToFutureType:a.ActionTypes.JUMP_TO_FUTURE,jumpType:a.ActionTypes.JUMP,neverSkipReducer:!1,ignoreInitialState:!1,syncFilter:!1},t,{initTypes:(0,i.parseActions)(t.initTypes,["@@redux-undo/INIT"]),clearHistoryType:(0,i.parseActions)(t.clearHistoryType,[a.ActionTypes.CLEAR_HISTORY])}),s=r.neverSkipReducer?function(t,n){for(var r=arguments.length,o=new Array(r>2?r-2:0),a=2;a0&&void 0!==arguments[0]?arguments[0]:n,a=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{};o.start(a,t);for(var l,c=t,u=arguments.length,d=new Array(u>2?u-2:0),v=2;v=e.future.length)return e;var n=e.past,r=e.future,o=e._latestUnfiltered,a=[].concat(d(n),[o],d(r.slice(0,t))),s=r[t],l=r.slice(t+1);return(0,i.newHistory)(a,s,l)}function h(e,t){if(t<0||t>=e.past.length)return e;var n=e.past,r=e.future,o=e._latestUnfiltered,a=n.slice(0,t),s=[].concat(d(n.slice(t+1)),[o],d(r)),l=n[t];return(0,i.newHistory)(a,l,s)}function g(e,t){return t>0?f(e,t-1):t<0?h(e,e.past.length+t):e}function b(e,t){return t.indexOf(e)>-1?e:!e}},2965:e=>{"use strict";function t(e,n){var r;if(Array.isArray(n))for(r=0;r{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.race=t.join=t.fork=t.promise=void 0;var r=i(n(7333)),o=n(3467),a=i(n(701));function i(e){return e&&e.__esModule?e:{default:e}}var s=t.promise=function(e,t,n,o,a){return!!r.default.promise(e)&&(e.then(t,a),!0)},l=new Map,c=t.fork=function(e,t,n){if(!r.default.fork(e))return!1;var i=Symbol("fork"),s=(0,a.default)();l.set(i,s),n(e.iterator.apply(null,e.args),(function(e){return s.dispatch(e)}),(function(e){return s.dispatch((0,o.error)(e))}));var c=s.subscribe((function(){c(),l.delete(i)}));return t(i),!0},u=t.join=function(e,t,n,o,a){if(!r.default.join(e))return!1;var i,s=l.get(e.task);return s?i=s.subscribe((function(e){i(),t(e)})):a("join error : task not found"),!0},d=t.race=function(e,t,n,o,a){if(!r.default.race(e))return!1;var i=!1,s=function(e,n,r){i||(i=!0,e[n]=r,t(e))},l=function(e){i||a(e)};return r.default.array(e.competitors)?function(){var t=e.competitors.map((function(){return!1}));e.competitors.forEach((function(e,r){n(e,(function(e){return s(t,r,e)}),l)}))}():function(){var t=Object.keys(e.competitors).reduce((function(e,t){return e[t]=!1,e}),{});Object.keys(e.competitors).forEach((function(r){n(e.competitors[r],(function(e){return s(t,r,e)}),l)}))}(),!0};t.default=[s,c,u,d,function(e,t){if(!r.default.subscribe(e))return!1;if(!r.default.channel(e.channel))throw new Error('the first argument of "subscribe" must be a valid channel');var n=e.channel.subscribe((function(e){n&&n(),t(e)}));return!0}]},8016:(e,t,n)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.iterator=t.array=t.object=t.error=t.any=void 0;var r,o=n(7333),a=(r=o)&&r.__esModule?r:{default:r};var i=t.any=function(e,t,n,r){return r(e),!0},s=t.error=function(e,t,n,r,o){return!!a.default.error(e)&&(o(e.error),!0)},l=t.object=function(e,t,n,r,o){if(!a.default.all(e)||!a.default.obj(e.value))return!1;var i={},s=Object.keys(e.value),l=0,c=!1;return s.map((function(t){n(e.value[t],(function(e){return function(e,t){c||(i[e]=t,++l===s.length&&r(i))}(t,e)}),(function(e){return function(e,t){c||(c=!0,o(t))}(0,e)}))})),!0},c=t.array=function(e,t,n,r,o){if(!a.default.all(e)||!a.default.array(e.value))return!1;var i=[],s=0,l=!1;return e.value.map((function(t,a){n(t,(function(t){return function(t,n){l||(i[t]=n,++s===e.value.length&&r(i))}(a,t)}),(function(e){return function(e,t){l||(l=!0,o(t))}(0,e)}))})),!0},u=t.iterator=function(e,t,n,r,o){return!!a.default.iterator(e)&&(n(e,t,o),!0)};t.default=[s,u,c,l,i]},1850:(e,t,n)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.cps=t.call=void 0;var r,o=n(7333),a=(r=o)&&r.__esModule?r:{default:r};var i=t.call=function(e,t,n,r,o){if(!a.default.call(e))return!1;try{t(e.func.apply(e.context,e.args))}catch(e){o(e)}return!0},s=t.cps=function(e,t,n,r,o){var i;return!!a.default.cps(e)&&((i=e.func).call.apply(i,[null].concat(function(e){if(Array.isArray(e)){for(var t=0,n=Array(e.length);t{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var r=a(n(8016)),o=a(n(7333));function a(e){return e&&e.__esModule?e:{default:e}}function i(e){if(Array.isArray(e)){for(var t=0,n=Array(e.length);t{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.wrapControls=t.asyncControls=t.create=void 0;var r=n(3467);Object.keys(r).forEach((function(e){"default"!==e&&Object.defineProperty(t,e,{enumerable:!0,get:function(){return r[e]}})}));var o=s(n(8909)),a=s(n(3859)),i=s(n(1850));function s(e){return e&&e.__esModule?e:{default:e}}t.create=o.default,t.asyncControls=a.default,t.wrapControls=i.default},701:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});t.default=function(){var e=[];return{subscribe:function(t){return e.push(t),function(){e=e.filter((function(e){return e!==t}))}},dispatch:function(t){e.slice().forEach((function(e){return e(t)}))}}}},3467:(e,t,n)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.createChannel=t.subscribe=t.cps=t.apply=t.call=t.invoke=t.delay=t.race=t.join=t.fork=t.error=t.all=void 0;var r,o=n(1309),a=(r=o)&&r.__esModule?r:{default:r};t.all=function(e){return{type:a.default.all,value:e}},t.error=function(e){return{type:a.default.error,error:e}},t.fork=function(e){for(var t=arguments.length,n=Array(t>1?t-1:0),r=1;r1?t-1:0),r=1;r2?n-2:0),o=2;o1?t-1:0),r=1;r{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var r,o="function"==typeof Symbol&&"symbol"==typeof Symbol.iterator?function(e){return typeof e}:function(e){return e&&"function"==typeof Symbol&&e.constructor===Symbol?"symbol":typeof e},a=n(1309),i=(r=a)&&r.__esModule?r:{default:r};var s={obj:function(e){return"object"===(void 0===e?"undefined":o(e))&&!!e},all:function(e){return s.obj(e)&&e.type===i.default.all},error:function(e){return s.obj(e)&&e.type===i.default.error},array:Array.isArray,func:function(e){return"function"==typeof e},promise:function(e){return e&&s.func(e.then)},iterator:function(e){return e&&s.func(e.next)&&s.func(e.throw)},fork:function(e){return s.obj(e)&&e.type===i.default.fork},join:function(e){return s.obj(e)&&e.type===i.default.join},race:function(e){return s.obj(e)&&e.type===i.default.race},call:function(e){return s.obj(e)&&e.type===i.default.call},cps:function(e){return s.obj(e)&&e.type===i.default.cps},subscribe:function(e){return s.obj(e)&&e.type===i.default.subscribe},channel:function(e){return s.obj(e)&&s.func(e.subscribe)}};t.default=s},1309:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n={all:Symbol("all"),error:Symbol("error"),fork:Symbol("fork"),join:Symbol("join"),race:Symbol("race"),call:Symbol("call"),cps:Symbol("cps"),subscribe:Symbol("subscribe")};t.default=n},3787:function(e,t,n){var r;(function(){function o(e){"use strict";var t={omitExtraWLInCodeBlocks:{defaultValue:!1,describe:"Omit the default extra whiteline added to code blocks",type:"boolean"},noHeaderId:{defaultValue:!1,describe:"Turn on/off generated header id",type:"boolean"},prefixHeaderId:{defaultValue:!1,describe:"Add a prefix to the generated header ids. Passing a string will prefix that string to the header id. Setting to true will add a generic 'section-' prefix",type:"string"},rawPrefixHeaderId:{defaultValue:!1,describe:'Setting this option to true will prevent showdown from modifying the prefix. This might result in malformed IDs (if, for instance, the " char is used in the prefix)',type:"boolean"},ghCompatibleHeaderId:{defaultValue:!1,describe:"Generate header ids compatible with github style (spaces are replaced with dashes, a bunch of non alphanumeric chars are removed)",type:"boolean"},rawHeaderId:{defaultValue:!1,describe:"Remove only spaces, ' and \" from generated header ids (including prefixes), replacing them with dashes (-). WARNING: This might result in malformed ids",type:"boolean"},headerLevelStart:{defaultValue:!1,describe:"The header blocks level start",type:"integer"},parseImgDimensions:{defaultValue:!1,describe:"Turn on/off image dimension parsing",type:"boolean"},simplifiedAutoLink:{defaultValue:!1,describe:"Turn on/off GFM autolink style",type:"boolean"},excludeTrailingPunctuationFromURLs:{defaultValue:!1,describe:"Excludes trailing punctuation from links generated with autoLinking",type:"boolean"},literalMidWordUnderscores:{defaultValue:!1,describe:"Parse midword underscores as literal underscores",type:"boolean"},literalMidWordAsterisks:{defaultValue:!1,describe:"Parse midword asterisks as literal asterisks",type:"boolean"},strikethrough:{defaultValue:!1,describe:"Turn on/off strikethrough support",type:"boolean"},tables:{defaultValue:!1,describe:"Turn on/off tables support",type:"boolean"},tablesHeaderId:{defaultValue:!1,describe:"Add an id to table headers",type:"boolean"},ghCodeBlocks:{defaultValue:!0,describe:"Turn on/off GFM fenced code blocks support",type:"boolean"},tasklists:{defaultValue:!1,describe:"Turn on/off GFM tasklist support",type:"boolean"},smoothLivePreview:{defaultValue:!1,describe:"Prevents weird effects in live previews due to incomplete input",type:"boolean"},smartIndentationFix:{defaultValue:!1,description:"Tries to smartly fix indentation in es6 strings",type:"boolean"},disableForced4SpacesIndentedSublists:{defaultValue:!1,description:"Disables the requirement of indenting nested sublists by 4 spaces",type:"boolean"},simpleLineBreaks:{defaultValue:!1,description:"Parses simple line breaks as
(GFM Style)",type:"boolean"},requireSpaceBeforeHeadingText:{defaultValue:!1,description:"Makes adding a space between `#` and the header text mandatory (GFM Style)",type:"boolean"},ghMentions:{defaultValue:!1,description:"Enables github @mentions",type:"boolean"},ghMentionsLink:{defaultValue:"https://github.com/{u}",description:"Changes the link generated by @mentions. Only applies if ghMentions option is enabled.",type:"string"},encodeEmails:{defaultValue:!0,description:"Encode e-mail addresses through the use of Character Entities, transforming ASCII e-mail addresses into its equivalent decimal entities",type:"boolean"},openLinksInNewWindow:{defaultValue:!1,description:"Open all links in new windows",type:"boolean"},backslashEscapesHTMLTags:{defaultValue:!1,description:"Support for HTML Tag escaping. ex:

foo
",type:"boolean"},emoji:{defaultValue:!1,description:"Enable emoji support. Ex: `this is a :smile: emoji`",type:"boolean"},underline:{defaultValue:!1,description:"Enable support for underline. Syntax is double or triple underscores: `__underline word__`. With this option enabled, underscores no longer parses into `` and ``",type:"boolean"},completeHTMLDocument:{defaultValue:!1,description:"Outputs a complete html document, including ``, `` and `` tags",type:"boolean"},metadata:{defaultValue:!1,description:"Enable support for document metadata (defined at the top of the document between `«««` and `»»»` or between `---` and `---`).",type:"boolean"},splitAdjacentBlockquotes:{defaultValue:!1,description:"Split adjacent blockquote blocks",type:"boolean"}};if(!1===e)return JSON.parse(JSON.stringify(t));var n={};for(var r in t)t.hasOwnProperty(r)&&(n[r]=t[r].defaultValue);return n}var a={},i={},s={},l=o(!0),c="vanilla",u={github:{omitExtraWLInCodeBlocks:!0,simplifiedAutoLink:!0,excludeTrailingPunctuationFromURLs:!0,literalMidWordUnderscores:!0,strikethrough:!0,tables:!0,tablesHeaderId:!0,ghCodeBlocks:!0,tasklists:!0,disableForced4SpacesIndentedSublists:!0,simpleLineBreaks:!0,requireSpaceBeforeHeadingText:!0,ghCompatibleHeaderId:!0,ghMentions:!0,backslashEscapesHTMLTags:!0,emoji:!0,splitAdjacentBlockquotes:!0},original:{noHeaderId:!0,ghCodeBlocks:!1},ghost:{omitExtraWLInCodeBlocks:!0,parseImgDimensions:!0,simplifiedAutoLink:!0,excludeTrailingPunctuationFromURLs:!0,literalMidWordUnderscores:!0,strikethrough:!0,tables:!0,tablesHeaderId:!0,ghCodeBlocks:!0,tasklists:!0,smoothLivePreview:!0,simpleLineBreaks:!0,requireSpaceBeforeHeadingText:!0,ghMentions:!1,encodeEmails:!0},vanilla:o(!0),allOn:function(){"use strict";var e=o(!0),t={};for(var n in e)e.hasOwnProperty(n)&&(t[n]=!0);return t}()};function d(e,t){"use strict";var n=t?"Error in "+t+" extension->":"Error in unnamed extension",r={valid:!0,error:""};a.helper.isArray(e)||(e=[e]);for(var o=0;o").replace(/&/g,"&")};var m=function(e,t,n,r){"use strict";var o,a,i,s,l,c=r||"",u=c.indexOf("g")>-1,d=new RegExp(t+"|"+n,"g"+c.replace(/g/g,"")),p=new RegExp(t,c.replace(/g/g,"")),m=[];do{for(o=0;i=d.exec(e);)if(p.test(i[0]))o++||(s=(a=d.lastIndex)-i[0].length);else if(o&&!--o){l=i.index+i[0].length;var f={left:{start:s,end:a},match:{start:a,end:i.index},right:{start:i.index,end:l},wholeMatch:{start:s,end:l}};if(m.push(f),!u)return m}}while(o&&(d.lastIndex=a));return m};a.helper.matchRecursiveRegExp=function(e,t,n,r){"use strict";for(var o=m(e,t,n,r),a=[],i=0;i0){var u=[];0!==s[0].wholeMatch.start&&u.push(e.slice(0,s[0].wholeMatch.start));for(var d=0;d=0?r+(n||0):r},a.helper.splitAtIndex=function(e,t){"use strict";if(!a.helper.isString(e))throw"InvalidArgumentError: first parameter of showdown.helper.regexIndexOf function must be a string";return[e.substring(0,t),e.substring(t)]},a.helper.encodeEmailAddress=function(e){"use strict";var t=[function(e){return"&#"+e.charCodeAt(0)+";"},function(e){return"&#x"+e.charCodeAt(0).toString(16)+";"},function(e){return e}];return e=e.replace(/./g,(function(e){if("@"===e)e=t[Math.floor(2*Math.random())](e);else{var n=Math.random();e=n>.9?t[2](e):n>.45?t[1](e):t[0](e)}return e}))},a.helper.padEnd=function(e,t,n){"use strict";return t>>=0,n=String(n||" "),e.length>t?String(e):((t-=e.length)>n.length&&(n+=n.repeat(t/n.length)),String(e)+n.slice(0,t))},"undefined"==typeof console&&(console={warn:function(e){"use strict";alert(e)},log:function(e){"use strict";alert(e)},error:function(e){"use strict";throw e}}),a.helper.regexes={asteriskDashAndColon:/([*_:~])/g},a.helper.emojis={"+1":"👍","-1":"👎",100:"💯",1234:"🔢","1st_place_medal":"🥇","2nd_place_medal":"🥈","3rd_place_medal":"🥉","8ball":"🎱",a:"🅰️",ab:"🆎",abc:"🔤",abcd:"🔡",accept:"🉑",aerial_tramway:"🚡",airplane:"✈️",alarm_clock:"⏰",alembic:"⚗️",alien:"👽",ambulance:"🚑",amphora:"🏺",anchor:"⚓️",angel:"👼",anger:"💢",angry:"😠",anguished:"😧",ant:"🐜",apple:"🍎",aquarius:"♒️",aries:"♈️",arrow_backward:"◀️",arrow_double_down:"⏬",arrow_double_up:"⏫",arrow_down:"⬇️",arrow_down_small:"🔽",arrow_forward:"▶️",arrow_heading_down:"⤵️",arrow_heading_up:"⤴️",arrow_left:"⬅️",arrow_lower_left:"↙️",arrow_lower_right:"↘️",arrow_right:"➡️",arrow_right_hook:"↪️",arrow_up:"⬆️",arrow_up_down:"↕️",arrow_up_small:"🔼",arrow_upper_left:"↖️",arrow_upper_right:"↗️",arrows_clockwise:"🔃",arrows_counterclockwise:"🔄",art:"🎨",articulated_lorry:"🚛",artificial_satellite:"🛰",astonished:"😲",athletic_shoe:"👟",atm:"🏧",atom_symbol:"⚛️",avocado:"🥑",b:"🅱️",baby:"👶",baby_bottle:"🍼",baby_chick:"🐤",baby_symbol:"🚼",back:"🔙",bacon:"🥓",badminton:"🏸",baggage_claim:"🛄",baguette_bread:"🥖",balance_scale:"⚖️",balloon:"🎈",ballot_box:"🗳",ballot_box_with_check:"☑️",bamboo:"🎍",banana:"🍌",bangbang:"‼️",bank:"🏦",bar_chart:"📊",barber:"💈",baseball:"⚾️",basketball:"🏀",basketball_man:"⛹️",basketball_woman:"⛹️‍♀️",bat:"🦇",bath:"🛀",bathtub:"🛁",battery:"🔋",beach_umbrella:"🏖",bear:"🐻",bed:"🛏",bee:"🐝",beer:"🍺",beers:"🍻",beetle:"🐞",beginner:"🔰",bell:"🔔",bellhop_bell:"🛎",bento:"🍱",biking_man:"🚴",bike:"🚲",biking_woman:"🚴‍♀️",bikini:"👙",biohazard:"☣️",bird:"🐦",birthday:"🎂",black_circle:"⚫️",black_flag:"🏴",black_heart:"🖤",black_joker:"🃏",black_large_square:"⬛️",black_medium_small_square:"◾️",black_medium_square:"◼️",black_nib:"✒️",black_small_square:"▪️",black_square_button:"🔲",blonde_man:"👱",blonde_woman:"👱‍♀️",blossom:"🌼",blowfish:"🐡",blue_book:"📘",blue_car:"🚙",blue_heart:"💙",blush:"😊",boar:"🐗",boat:"⛵️",bomb:"💣",book:"📖",bookmark:"🔖",bookmark_tabs:"📑",books:"📚",boom:"💥",boot:"👢",bouquet:"💐",bowing_man:"🙇",bow_and_arrow:"🏹",bowing_woman:"🙇‍♀️",bowling:"🎳",boxing_glove:"🥊",boy:"👦",bread:"🍞",bride_with_veil:"👰",bridge_at_night:"🌉",briefcase:"💼",broken_heart:"💔",bug:"🐛",building_construction:"🏗",bulb:"💡",bullettrain_front:"🚅",bullettrain_side:"🚄",burrito:"🌯",bus:"🚌",business_suit_levitating:"🕴",busstop:"🚏",bust_in_silhouette:"👤",busts_in_silhouette:"👥",butterfly:"🦋",cactus:"🌵",cake:"🍰",calendar:"📆",call_me_hand:"🤙",calling:"📲",camel:"🐫",camera:"📷",camera_flash:"📸",camping:"🏕",cancer:"♋️",candle:"🕯",candy:"🍬",canoe:"🛶",capital_abcd:"🔠",capricorn:"♑️",car:"🚗",card_file_box:"🗃",card_index:"📇",card_index_dividers:"🗂",carousel_horse:"🎠",carrot:"🥕",cat:"🐱",cat2:"🐈",cd:"💿",chains:"⛓",champagne:"🍾",chart:"💹",chart_with_downwards_trend:"📉",chart_with_upwards_trend:"📈",checkered_flag:"🏁",cheese:"🧀",cherries:"🍒",cherry_blossom:"🌸",chestnut:"🌰",chicken:"🐔",children_crossing:"🚸",chipmunk:"🐿",chocolate_bar:"🍫",christmas_tree:"🎄",church:"⛪️",cinema:"🎦",circus_tent:"🎪",city_sunrise:"🌇",city_sunset:"🌆",cityscape:"🏙",cl:"🆑",clamp:"🗜",clap:"👏",clapper:"🎬",classical_building:"🏛",clinking_glasses:"🥂",clipboard:"📋",clock1:"🕐",clock10:"🕙",clock1030:"🕥",clock11:"🕚",clock1130:"🕦",clock12:"🕛",clock1230:"🕧",clock130:"🕜",clock2:"🕑",clock230:"🕝",clock3:"🕒",clock330:"🕞",clock4:"🕓",clock430:"🕟",clock5:"🕔",clock530:"🕠",clock6:"🕕",clock630:"🕡",clock7:"🕖",clock730:"🕢",clock8:"🕗",clock830:"🕣",clock9:"🕘",clock930:"🕤",closed_book:"📕",closed_lock_with_key:"🔐",closed_umbrella:"🌂",cloud:"☁️",cloud_with_lightning:"🌩",cloud_with_lightning_and_rain:"⛈",cloud_with_rain:"🌧",cloud_with_snow:"🌨",clown_face:"🤡",clubs:"♣️",cocktail:"🍸",coffee:"☕️",coffin:"⚰️",cold_sweat:"😰",comet:"☄️",computer:"💻",computer_mouse:"🖱",confetti_ball:"🎊",confounded:"😖",confused:"😕",congratulations:"㊗️",construction:"🚧",construction_worker_man:"👷",construction_worker_woman:"👷‍♀️",control_knobs:"🎛",convenience_store:"🏪",cookie:"🍪",cool:"🆒",policeman:"👮",copyright:"©️",corn:"🌽",couch_and_lamp:"🛋",couple:"👫",couple_with_heart_woman_man:"💑",couple_with_heart_man_man:"👨‍❤️‍👨",couple_with_heart_woman_woman:"👩‍❤️‍👩",couplekiss_man_man:"👨‍❤️‍💋‍👨",couplekiss_man_woman:"💏",couplekiss_woman_woman:"👩‍❤️‍💋‍👩",cow:"🐮",cow2:"🐄",cowboy_hat_face:"🤠",crab:"🦀",crayon:"🖍",credit_card:"💳",crescent_moon:"🌙",cricket:"🏏",crocodile:"🐊",croissant:"🥐",crossed_fingers:"🤞",crossed_flags:"🎌",crossed_swords:"⚔️",crown:"👑",cry:"😢",crying_cat_face:"😿",crystal_ball:"🔮",cucumber:"🥒",cupid:"💘",curly_loop:"➰",currency_exchange:"💱",curry:"🍛",custard:"🍮",customs:"🛃",cyclone:"🌀",dagger:"🗡",dancer:"💃",dancing_women:"👯",dancing_men:"👯‍♂️",dango:"🍡",dark_sunglasses:"🕶",dart:"🎯",dash:"💨",date:"📅",deciduous_tree:"🌳",deer:"🦌",department_store:"🏬",derelict_house:"🏚",desert:"🏜",desert_island:"🏝",desktop_computer:"🖥",male_detective:"🕵️",diamond_shape_with_a_dot_inside:"💠",diamonds:"♦️",disappointed:"😞",disappointed_relieved:"😥",dizzy:"💫",dizzy_face:"😵",do_not_litter:"🚯",dog:"🐶",dog2:"🐕",dollar:"💵",dolls:"🎎",dolphin:"🐬",door:"🚪",doughnut:"🍩",dove:"🕊",dragon:"🐉",dragon_face:"🐲",dress:"👗",dromedary_camel:"🐪",drooling_face:"🤤",droplet:"💧",drum:"🥁",duck:"🦆",dvd:"📀","e-mail":"📧",eagle:"🦅",ear:"👂",ear_of_rice:"🌾",earth_africa:"🌍",earth_americas:"🌎",earth_asia:"🌏",egg:"🥚",eggplant:"🍆",eight_pointed_black_star:"✴️",eight_spoked_asterisk:"✳️",electric_plug:"🔌",elephant:"🐘",email:"✉️",end:"🔚",envelope_with_arrow:"📩",euro:"💶",european_castle:"🏰",european_post_office:"🏤",evergreen_tree:"🌲",exclamation:"❗️",expressionless:"😑",eye:"👁",eye_speech_bubble:"👁‍🗨",eyeglasses:"👓",eyes:"👀",face_with_head_bandage:"🤕",face_with_thermometer:"🤒",fist_oncoming:"👊",factory:"🏭",fallen_leaf:"🍂",family_man_woman_boy:"👪",family_man_boy:"👨‍👦",family_man_boy_boy:"👨‍👦‍👦",family_man_girl:"👨‍👧",family_man_girl_boy:"👨‍👧‍👦",family_man_girl_girl:"👨‍👧‍👧",family_man_man_boy:"👨‍👨‍👦",family_man_man_boy_boy:"👨‍👨‍👦‍👦",family_man_man_girl:"👨‍👨‍👧",family_man_man_girl_boy:"👨‍👨‍👧‍👦",family_man_man_girl_girl:"👨‍👨‍👧‍👧",family_man_woman_boy_boy:"👨‍👩‍👦‍👦",family_man_woman_girl:"👨‍👩‍👧",family_man_woman_girl_boy:"👨‍👩‍👧‍👦",family_man_woman_girl_girl:"👨‍👩‍👧‍👧",family_woman_boy:"👩‍👦",family_woman_boy_boy:"👩‍👦‍👦",family_woman_girl:"👩‍👧",family_woman_girl_boy:"👩‍👧‍👦",family_woman_girl_girl:"👩‍👧‍👧",family_woman_woman_boy:"👩‍👩‍👦",family_woman_woman_boy_boy:"👩‍👩‍👦‍👦",family_woman_woman_girl:"👩‍👩‍👧",family_woman_woman_girl_boy:"👩‍👩‍👧‍👦",family_woman_woman_girl_girl:"👩‍👩‍👧‍👧",fast_forward:"⏩",fax:"📠",fearful:"😨",feet:"🐾",female_detective:"🕵️‍♀️",ferris_wheel:"🎡",ferry:"⛴",field_hockey:"🏑",file_cabinet:"🗄",file_folder:"📁",film_projector:"📽",film_strip:"🎞",fire:"🔥",fire_engine:"🚒",fireworks:"🎆",first_quarter_moon:"🌓",first_quarter_moon_with_face:"🌛",fish:"🐟",fish_cake:"🍥",fishing_pole_and_fish:"🎣",fist_raised:"✊",fist_left:"🤛",fist_right:"🤜",flags:"🎏",flashlight:"🔦",fleur_de_lis:"⚜️",flight_arrival:"🛬",flight_departure:"🛫",floppy_disk:"💾",flower_playing_cards:"🎴",flushed:"😳",fog:"🌫",foggy:"🌁",football:"🏈",footprints:"👣",fork_and_knife:"🍴",fountain:"⛲️",fountain_pen:"🖋",four_leaf_clover:"🍀",fox_face:"🦊",framed_picture:"🖼",free:"🆓",fried_egg:"🍳",fried_shrimp:"🍤",fries:"🍟",frog:"🐸",frowning:"😦",frowning_face:"☹️",frowning_man:"🙍‍♂️",frowning_woman:"🙍",middle_finger:"🖕",fuelpump:"⛽️",full_moon:"🌕",full_moon_with_face:"🌝",funeral_urn:"⚱️",game_die:"🎲",gear:"⚙️",gem:"💎",gemini:"♊️",ghost:"👻",gift:"🎁",gift_heart:"💝",girl:"👧",globe_with_meridians:"🌐",goal_net:"🥅",goat:"🐐",golf:"⛳️",golfing_man:"🏌️",golfing_woman:"🏌️‍♀️",gorilla:"🦍",grapes:"🍇",green_apple:"🍏",green_book:"📗",green_heart:"💚",green_salad:"🥗",grey_exclamation:"❕",grey_question:"❔",grimacing:"😬",grin:"😁",grinning:"😀",guardsman:"💂",guardswoman:"💂‍♀️",guitar:"🎸",gun:"🔫",haircut_woman:"💇",haircut_man:"💇‍♂️",hamburger:"🍔",hammer:"🔨",hammer_and_pick:"⚒",hammer_and_wrench:"🛠",hamster:"🐹",hand:"✋",handbag:"👜",handshake:"🤝",hankey:"💩",hatched_chick:"🐥",hatching_chick:"🐣",headphones:"🎧",hear_no_evil:"🙉",heart:"❤️",heart_decoration:"💟",heart_eyes:"😍",heart_eyes_cat:"😻",heartbeat:"💓",heartpulse:"💗",hearts:"♥️",heavy_check_mark:"✔️",heavy_division_sign:"➗",heavy_dollar_sign:"💲",heavy_heart_exclamation:"❣️",heavy_minus_sign:"➖",heavy_multiplication_x:"✖️",heavy_plus_sign:"➕",helicopter:"🚁",herb:"🌿",hibiscus:"🌺",high_brightness:"🔆",high_heel:"👠",hocho:"🔪",hole:"🕳",honey_pot:"🍯",horse:"🐴",horse_racing:"🏇",hospital:"🏥",hot_pepper:"🌶",hotdog:"🌭",hotel:"🏨",hotsprings:"♨️",hourglass:"⌛️",hourglass_flowing_sand:"⏳",house:"🏠",house_with_garden:"🏡",houses:"🏘",hugs:"🤗",hushed:"😯",ice_cream:"🍨",ice_hockey:"🏒",ice_skate:"⛸",icecream:"🍦",id:"🆔",ideograph_advantage:"🉐",imp:"👿",inbox_tray:"📥",incoming_envelope:"📨",tipping_hand_woman:"💁",information_source:"ℹ️",innocent:"😇",interrobang:"⁉️",iphone:"📱",izakaya_lantern:"🏮",jack_o_lantern:"🎃",japan:"🗾",japanese_castle:"🏯",japanese_goblin:"👺",japanese_ogre:"👹",jeans:"👖",joy:"😂",joy_cat:"😹",joystick:"🕹",kaaba:"🕋",key:"🔑",keyboard:"⌨️",keycap_ten:"🔟",kick_scooter:"🛴",kimono:"👘",kiss:"💋",kissing:"😗",kissing_cat:"😽",kissing_closed_eyes:"😚",kissing_heart:"😘",kissing_smiling_eyes:"😙",kiwi_fruit:"🥝",koala:"🐨",koko:"🈁",label:"🏷",large_blue_circle:"🔵",large_blue_diamond:"🔷",large_orange_diamond:"🔶",last_quarter_moon:"🌗",last_quarter_moon_with_face:"🌜",latin_cross:"✝️",laughing:"😆",leaves:"🍃",ledger:"📒",left_luggage:"🛅",left_right_arrow:"↔️",leftwards_arrow_with_hook:"↩️",lemon:"🍋",leo:"♌️",leopard:"🐆",level_slider:"🎚",libra:"♎️",light_rail:"🚈",link:"🔗",lion:"🦁",lips:"👄",lipstick:"💄",lizard:"🦎",lock:"🔒",lock_with_ink_pen:"🔏",lollipop:"🍭",loop:"➿",loud_sound:"🔊",loudspeaker:"📢",love_hotel:"🏩",love_letter:"💌",low_brightness:"🔅",lying_face:"🤥",m:"Ⓜ️",mag:"🔍",mag_right:"🔎",mahjong:"🀄️",mailbox:"📫",mailbox_closed:"📪",mailbox_with_mail:"📬",mailbox_with_no_mail:"📭",man:"👨",man_artist:"👨‍🎨",man_astronaut:"👨‍🚀",man_cartwheeling:"🤸‍♂️",man_cook:"👨‍🍳",man_dancing:"🕺",man_facepalming:"🤦‍♂️",man_factory_worker:"👨‍🏭",man_farmer:"👨‍🌾",man_firefighter:"👨‍🚒",man_health_worker:"👨‍⚕️",man_in_tuxedo:"🤵",man_judge:"👨‍⚖️",man_juggling:"🤹‍♂️",man_mechanic:"👨‍🔧",man_office_worker:"👨‍💼",man_pilot:"👨‍✈️",man_playing_handball:"🤾‍♂️",man_playing_water_polo:"🤽‍♂️",man_scientist:"👨‍🔬",man_shrugging:"🤷‍♂️",man_singer:"👨‍🎤",man_student:"👨‍🎓",man_teacher:"👨‍🏫",man_technologist:"👨‍💻",man_with_gua_pi_mao:"👲",man_with_turban:"👳",tangerine:"🍊",mans_shoe:"👞",mantelpiece_clock:"🕰",maple_leaf:"🍁",martial_arts_uniform:"🥋",mask:"😷",massage_woman:"💆",massage_man:"💆‍♂️",meat_on_bone:"🍖",medal_military:"🎖",medal_sports:"🏅",mega:"📣",melon:"🍈",memo:"📝",men_wrestling:"🤼‍♂️",menorah:"🕎",mens:"🚹",metal:"🤘",metro:"🚇",microphone:"🎤",microscope:"🔬",milk_glass:"🥛",milky_way:"🌌",minibus:"🚐",minidisc:"💽",mobile_phone_off:"📴",money_mouth_face:"🤑",money_with_wings:"💸",moneybag:"💰",monkey:"🐒",monkey_face:"🐵",monorail:"🚝",moon:"🌔",mortar_board:"🎓",mosque:"🕌",motor_boat:"🛥",motor_scooter:"🛵",motorcycle:"🏍",motorway:"🛣",mount_fuji:"🗻",mountain:"⛰",mountain_biking_man:"🚵",mountain_biking_woman:"🚵‍♀️",mountain_cableway:"🚠",mountain_railway:"🚞",mountain_snow:"🏔",mouse:"🐭",mouse2:"🐁",movie_camera:"🎥",moyai:"🗿",mrs_claus:"🤶",muscle:"💪",mushroom:"🍄",musical_keyboard:"🎹",musical_note:"🎵",musical_score:"🎼",mute:"🔇",nail_care:"💅",name_badge:"📛",national_park:"🏞",nauseated_face:"🤢",necktie:"👔",negative_squared_cross_mark:"❎",nerd_face:"🤓",neutral_face:"😐",new:"🆕",new_moon:"🌑",new_moon_with_face:"🌚",newspaper:"📰",newspaper_roll:"🗞",next_track_button:"⏭",ng:"🆖",no_good_man:"🙅‍♂️",no_good_woman:"🙅",night_with_stars:"🌃",no_bell:"🔕",no_bicycles:"🚳",no_entry:"⛔️",no_entry_sign:"🚫",no_mobile_phones:"📵",no_mouth:"😶",no_pedestrians:"🚷",no_smoking:"🚭","non-potable_water":"🚱",nose:"👃",notebook:"📓",notebook_with_decorative_cover:"📔",notes:"🎶",nut_and_bolt:"🔩",o:"⭕️",o2:"🅾️",ocean:"🌊",octopus:"🐙",oden:"🍢",office:"🏢",oil_drum:"🛢",ok:"🆗",ok_hand:"👌",ok_man:"🙆‍♂️",ok_woman:"🙆",old_key:"🗝",older_man:"👴",older_woman:"👵",om:"🕉",on:"🔛",oncoming_automobile:"🚘",oncoming_bus:"🚍",oncoming_police_car:"🚔",oncoming_taxi:"🚖",open_file_folder:"📂",open_hands:"👐",open_mouth:"😮",open_umbrella:"☂️",ophiuchus:"⛎",orange_book:"📙",orthodox_cross:"☦️",outbox_tray:"📤",owl:"🦉",ox:"🐂",package:"📦",page_facing_up:"📄",page_with_curl:"📃",pager:"📟",paintbrush:"🖌",palm_tree:"🌴",pancakes:"🥞",panda_face:"🐼",paperclip:"📎",paperclips:"🖇",parasol_on_ground:"⛱",parking:"🅿️",part_alternation_mark:"〽️",partly_sunny:"⛅️",passenger_ship:"🛳",passport_control:"🛂",pause_button:"⏸",peace_symbol:"☮️",peach:"🍑",peanuts:"🥜",pear:"🍐",pen:"🖊",pencil2:"✏️",penguin:"🐧",pensive:"😔",performing_arts:"🎭",persevere:"😣",person_fencing:"🤺",pouting_woman:"🙎",phone:"☎️",pick:"⛏",pig:"🐷",pig2:"🐖",pig_nose:"🐽",pill:"💊",pineapple:"🍍",ping_pong:"🏓",pisces:"♓️",pizza:"🍕",place_of_worship:"🛐",plate_with_cutlery:"🍽",play_or_pause_button:"⏯",point_down:"👇",point_left:"👈",point_right:"👉",point_up:"☝️",point_up_2:"👆",police_car:"🚓",policewoman:"👮‍♀️",poodle:"🐩",popcorn:"🍿",post_office:"🏣",postal_horn:"📯",postbox:"📮",potable_water:"🚰",potato:"🥔",pouch:"👝",poultry_leg:"🍗",pound:"💷",rage:"😡",pouting_cat:"😾",pouting_man:"🙎‍♂️",pray:"🙏",prayer_beads:"📿",pregnant_woman:"🤰",previous_track_button:"⏮",prince:"🤴",princess:"👸",printer:"🖨",purple_heart:"💜",purse:"👛",pushpin:"📌",put_litter_in_its_place:"🚮",question:"❓",rabbit:"🐰",rabbit2:"🐇",racehorse:"🐎",racing_car:"🏎",radio:"📻",radio_button:"🔘",radioactive:"☢️",railway_car:"🚃",railway_track:"🛤",rainbow:"🌈",rainbow_flag:"🏳️‍🌈",raised_back_of_hand:"🤚",raised_hand_with_fingers_splayed:"🖐",raised_hands:"🙌",raising_hand_woman:"🙋",raising_hand_man:"🙋‍♂️",ram:"🐏",ramen:"🍜",rat:"🐀",record_button:"⏺",recycle:"♻️",red_circle:"🔴",registered:"®️",relaxed:"☺️",relieved:"😌",reminder_ribbon:"🎗",repeat:"🔁",repeat_one:"🔂",rescue_worker_helmet:"⛑",restroom:"🚻",revolving_hearts:"💞",rewind:"⏪",rhinoceros:"🦏",ribbon:"🎀",rice:"🍚",rice_ball:"🍙",rice_cracker:"🍘",rice_scene:"🎑",right_anger_bubble:"🗯",ring:"💍",robot:"🤖",rocket:"🚀",rofl:"🤣",roll_eyes:"🙄",roller_coaster:"🎢",rooster:"🐓",rose:"🌹",rosette:"🏵",rotating_light:"🚨",round_pushpin:"📍",rowing_man:"🚣",rowing_woman:"🚣‍♀️",rugby_football:"🏉",running_man:"🏃",running_shirt_with_sash:"🎽",running_woman:"🏃‍♀️",sa:"🈂️",sagittarius:"♐️",sake:"🍶",sandal:"👡",santa:"🎅",satellite:"📡",saxophone:"🎷",school:"🏫",school_satchel:"🎒",scissors:"✂️",scorpion:"🦂",scorpius:"♏️",scream:"😱",scream_cat:"🙀",scroll:"📜",seat:"💺",secret:"㊙️",see_no_evil:"🙈",seedling:"🌱",selfie:"🤳",shallow_pan_of_food:"🥘",shamrock:"☘️",shark:"🦈",shaved_ice:"🍧",sheep:"🐑",shell:"🐚",shield:"🛡",shinto_shrine:"⛩",ship:"🚢",shirt:"👕",shopping:"🛍",shopping_cart:"🛒",shower:"🚿",shrimp:"🦐",signal_strength:"📶",six_pointed_star:"🔯",ski:"🎿",skier:"⛷",skull:"💀",skull_and_crossbones:"☠️",sleeping:"😴",sleeping_bed:"🛌",sleepy:"😪",slightly_frowning_face:"🙁",slightly_smiling_face:"🙂",slot_machine:"🎰",small_airplane:"🛩",small_blue_diamond:"🔹",small_orange_diamond:"🔸",small_red_triangle:"🔺",small_red_triangle_down:"🔻",smile:"😄",smile_cat:"😸",smiley:"😃",smiley_cat:"😺",smiling_imp:"😈",smirk:"😏",smirk_cat:"😼",smoking:"🚬",snail:"🐌",snake:"🐍",sneezing_face:"🤧",snowboarder:"🏂",snowflake:"❄️",snowman:"⛄️",snowman_with_snow:"☃️",sob:"😭",soccer:"⚽️",soon:"🔜",sos:"🆘",sound:"🔉",space_invader:"👾",spades:"♠️",spaghetti:"🍝",sparkle:"❇️",sparkler:"🎇",sparkles:"✨",sparkling_heart:"💖",speak_no_evil:"🙊",speaker:"🔈",speaking_head:"🗣",speech_balloon:"💬",speedboat:"🚤",spider:"🕷",spider_web:"🕸",spiral_calendar:"🗓",spiral_notepad:"🗒",spoon:"🥄",squid:"🦑",stadium:"🏟",star:"⭐️",star2:"🌟",star_and_crescent:"☪️",star_of_david:"✡️",stars:"🌠",station:"🚉",statue_of_liberty:"🗽",steam_locomotive:"🚂",stew:"🍲",stop_button:"⏹",stop_sign:"🛑",stopwatch:"⏱",straight_ruler:"📏",strawberry:"🍓",stuck_out_tongue:"😛",stuck_out_tongue_closed_eyes:"😝",stuck_out_tongue_winking_eye:"😜",studio_microphone:"🎙",stuffed_flatbread:"🥙",sun_behind_large_cloud:"🌥",sun_behind_rain_cloud:"🌦",sun_behind_small_cloud:"🌤",sun_with_face:"🌞",sunflower:"🌻",sunglasses:"😎",sunny:"☀️",sunrise:"🌅",sunrise_over_mountains:"🌄",surfing_man:"🏄",surfing_woman:"🏄‍♀️",sushi:"🍣",suspension_railway:"🚟",sweat:"😓",sweat_drops:"💦",sweat_smile:"😅",sweet_potato:"🍠",swimming_man:"🏊",swimming_woman:"🏊‍♀️",symbols:"🔣",synagogue:"🕍",syringe:"💉",taco:"🌮",tada:"🎉",tanabata_tree:"🎋",taurus:"♉️",taxi:"🚕",tea:"🍵",telephone_receiver:"📞",telescope:"🔭",tennis:"🎾",tent:"⛺️",thermometer:"🌡",thinking:"🤔",thought_balloon:"💭",ticket:"🎫",tickets:"🎟",tiger:"🐯",tiger2:"🐅",timer_clock:"⏲",tipping_hand_man:"💁‍♂️",tired_face:"😫",tm:"™️",toilet:"🚽",tokyo_tower:"🗼",tomato:"🍅",tongue:"👅",top:"🔝",tophat:"🎩",tornado:"🌪",trackball:"🖲",tractor:"🚜",traffic_light:"🚥",train:"🚋",train2:"🚆",tram:"🚊",triangular_flag_on_post:"🚩",triangular_ruler:"📐",trident:"🔱",triumph:"😤",trolleybus:"🚎",trophy:"🏆",tropical_drink:"🍹",tropical_fish:"🐠",truck:"🚚",trumpet:"🎺",tulip:"🌷",tumbler_glass:"🥃",turkey:"🦃",turtle:"🐢",tv:"📺",twisted_rightwards_arrows:"🔀",two_hearts:"💕",two_men_holding_hands:"👬",two_women_holding_hands:"👭",u5272:"🈹",u5408:"🈴",u55b6:"🈺",u6307:"🈯️",u6708:"🈷️",u6709:"🈶",u6e80:"🈵",u7121:"🈚️",u7533:"🈸",u7981:"🈲",u7a7a:"🈳",umbrella:"☔️",unamused:"😒",underage:"🔞",unicorn:"🦄",unlock:"🔓",up:"🆙",upside_down_face:"🙃",v:"✌️",vertical_traffic_light:"🚦",vhs:"📼",vibration_mode:"📳",video_camera:"📹",video_game:"🎮",violin:"🎻",virgo:"♍️",volcano:"🌋",volleyball:"🏐",vs:"🆚",vulcan_salute:"🖖",walking_man:"🚶",walking_woman:"🚶‍♀️",waning_crescent_moon:"🌘",waning_gibbous_moon:"🌖",warning:"⚠️",wastebasket:"🗑",watch:"⌚️",water_buffalo:"🐃",watermelon:"🍉",wave:"👋",wavy_dash:"〰️",waxing_crescent_moon:"🌒",wc:"🚾",weary:"😩",wedding:"💒",weight_lifting_man:"🏋️",weight_lifting_woman:"🏋️‍♀️",whale:"🐳",whale2:"🐋",wheel_of_dharma:"☸️",wheelchair:"♿️",white_check_mark:"✅",white_circle:"⚪️",white_flag:"🏳️",white_flower:"💮",white_large_square:"⬜️",white_medium_small_square:"◽️",white_medium_square:"◻️",white_small_square:"▫️",white_square_button:"🔳",wilted_flower:"🥀",wind_chime:"🎐",wind_face:"🌬",wine_glass:"🍷",wink:"😉",wolf:"🐺",woman:"👩",woman_artist:"👩‍🎨",woman_astronaut:"👩‍🚀",woman_cartwheeling:"🤸‍♀️",woman_cook:"👩‍🍳",woman_facepalming:"🤦‍♀️",woman_factory_worker:"👩‍🏭",woman_farmer:"👩‍🌾",woman_firefighter:"👩‍🚒",woman_health_worker:"👩‍⚕️",woman_judge:"👩‍⚖️",woman_juggling:"🤹‍♀️",woman_mechanic:"👩‍🔧",woman_office_worker:"👩‍💼",woman_pilot:"👩‍✈️",woman_playing_handball:"🤾‍♀️",woman_playing_water_polo:"🤽‍♀️",woman_scientist:"👩‍🔬",woman_shrugging:"🤷‍♀️",woman_singer:"👩‍🎤",woman_student:"👩‍🎓",woman_teacher:"👩‍🏫",woman_technologist:"👩‍💻",woman_with_turban:"👳‍♀️",womans_clothes:"👚",womans_hat:"👒",women_wrestling:"🤼‍♀️",womens:"🚺",world_map:"🗺",worried:"😟",wrench:"🔧",writing_hand:"✍️",x:"❌",yellow_heart:"💛",yen:"💴",yin_yang:"☯️",yum:"😋",zap:"⚡️",zipper_mouth_face:"🤐",zzz:"💤",octocat:':octocat:',showdown:"S"},a.Converter=function(e){"use strict";var t={},n=[],r=[],o={},i=c,p={parsed:{},raw:"",format:""};function m(e,t){if(t=t||null,a.helper.isString(e)){if(t=e=a.helper.stdExtName(e),a.extensions[e])return console.warn("DEPRECATION WARNING: "+e+" is an old extension that uses a deprecated loading method.Please inform the developer that the extension should be updated!"),void function(e,t){"function"==typeof e&&(e=e(new a.Converter));a.helper.isArray(e)||(e=[e]);var o=d(e,t);if(!o.valid)throw Error(o.error);for(var i=0;i[ \t]+¨NBSP;<"),!t){if(!window||!window.document)throw new Error("HTMLParser is undefined. If in a webworker or nodejs environment, you need to provide a WHATWG DOM and HTML such as JSDOM");t=window.document}var n=t.createElement("div");n.innerHTML=e;var r={preList:function(e){for(var t=e.querySelectorAll("pre"),n=[],r=0;r'}else n.push(t[r].innerHTML),t[r].innerHTML="",t[r].setAttribute("prenum",r.toString());return n}(n)};!function e(t){for(var n=0;n? ?(['"].*['"])?\)$/m)>-1)i="";else if(!i){if(o||(o=r.toLowerCase().replace(/ ?\n/g," ")),i="#"+o,a.helper.isUndefined(n.gUrls[o]))return e;i=n.gUrls[o],a.helper.isUndefined(n.gTitles[o])||(c=n.gTitles[o])}var u='"};return e=(e=(e=(e=(e=n.converter._dispatch("anchors.before",e,t,n)).replace(/\[((?:\[[^\]]*]|[^\[\]])*)] ?(?:\n *)?\[(.*?)]()()()()/g,r)).replace(/\[((?:\[[^\]]*]|[^\[\]])*)]()[ \t]*\([ \t]?<([^>]*)>(?:[ \t]*((["'])([^"]*?)\5))?[ \t]?\)/g,r)).replace(/\[((?:\[[^\]]*]|[^\[\]])*)]()[ \t]*\([ \t]??(?:[ \t]*((["'])([^"]*?)\5))?[ \t]?\)/g,r)).replace(/\[([^\[\]]+)]()()()()()/g,r),t.ghMentions&&(e=e.replace(/(^|\s)(\\)?(@([a-z\d]+(?:[a-z\d.-]+?[a-z\d]+)*))/gim,(function(e,n,r,o,i){if("\\"===r)return n+o;if(!a.helper.isString(t.ghMentionsLink))throw new Error("ghMentionsLink option must be a string");var s=t.ghMentionsLink.replace(/\{u}/g,i),l="";return t.openLinksInNewWindow&&(l=' rel="noopener noreferrer" target="¨E95Eblank"'),n+'"+o+""}))),e=n.converter._dispatch("anchors.after",e,t,n)}));var f=/([*~_]+|\b)(((https?|ftp|dict):\/\/|www\.)[^'">\s]+?\.[^'">\s]+?)()(\1)?(?=\s|$)(?!["<>])/gi,h=/([*~_]+|\b)(((https?|ftp|dict):\/\/|www\.)[^'">\s]+\.[^'">\s]+?)([.!?,()\[\]])?(\1)?(?=\s|$)(?!["<>])/gi,g=/()<(((https?|ftp|dict):\/\/|www\.)[^'">\s]+)()>()/gi,b=/(^|\s)(?:mailto:)?([A-Za-z0-9!#$%&'*+-/=?^_`{|}~.]+@[-a-z0-9]+(\.[-a-z0-9]+)*\.[a-z]+)(?=$|\s)/gim,v=/<()(?:mailto:)?([-.\w]+@[-a-z0-9]+(\.[-a-z0-9]+)*\.[a-z]+)>/gi,y=function(e){"use strict";return function(t,n,r,o,i,s,l){var c=r=r.replace(a.helper.regexes.asteriskDashAndColon,a.helper.escapeCharactersCallback),u="",d="",p=n||"",m=l||"";return/^www\./i.test(r)&&(r=r.replace(/^www\./i,"http://www.")),e.excludeTrailingPunctuationFromURLs&&s&&(u=s),e.openLinksInNewWindow&&(d=' rel="noopener noreferrer" target="¨E95Eblank"'),p+'"+c+""+u+m}},_=function(e,t){"use strict";return function(n,r,o){var i="mailto:";return r=r||"",o=a.subParser("unescapeSpecialChars")(o,e,t),e.encodeEmails?(i=a.helper.encodeEmailAddress(i+o),o=a.helper.encodeEmailAddress(o)):i+=o,r+''+o+""}};a.subParser("autoLinks",(function(e,t,n){"use strict";return e=(e=(e=n.converter._dispatch("autoLinks.before",e,t,n)).replace(g,y(t))).replace(v,_(t,n)),e=n.converter._dispatch("autoLinks.after",e,t,n)})),a.subParser("simplifiedAutoLinks",(function(e,t,n){"use strict";return t.simplifiedAutoLink?(e=n.converter._dispatch("simplifiedAutoLinks.before",e,t,n),e=(e=t.excludeTrailingPunctuationFromURLs?e.replace(h,y(t)):e.replace(f,y(t))).replace(b,_(t,n)),e=n.converter._dispatch("simplifiedAutoLinks.after",e,t,n)):e})),a.subParser("blockGamut",(function(e,t,n){"use strict";return e=n.converter._dispatch("blockGamut.before",e,t,n),e=a.subParser("blockQuotes")(e,t,n),e=a.subParser("headers")(e,t,n),e=a.subParser("horizontalRule")(e,t,n),e=a.subParser("lists")(e,t,n),e=a.subParser("codeBlocks")(e,t,n),e=a.subParser("tables")(e,t,n),e=a.subParser("hashHTMLBlocks")(e,t,n),e=a.subParser("paragraphs")(e,t,n),e=n.converter._dispatch("blockGamut.after",e,t,n)})),a.subParser("blockQuotes",(function(e,t,n){"use strict";e=n.converter._dispatch("blockQuotes.before",e,t,n),e+="\n\n";var r=/(^ {0,3}>[ \t]?.+\n(.+\n)*\n*)+/gm;return t.splitAdjacentBlockquotes&&(r=/^ {0,3}>[\s\S]*?(?:\n\n)/gm),e=e.replace(r,(function(e){return e=(e=(e=e.replace(/^[ \t]*>[ \t]?/gm,"")).replace(/¨0/g,"")).replace(/^[ \t]+$/gm,""),e=a.subParser("githubCodeBlocks")(e,t,n),e=(e=(e=a.subParser("blockGamut")(e,t,n)).replace(/(^|\n)/g,"$1 ")).replace(/(\s*
[^\r]+?<\/pre>)/gm,(function(e,t){var n=t;return n=(n=n.replace(/^  /gm,"¨0")).replace(/¨0/g,"")})),a.subParser("hashBlock")("
\n"+e+"\n
",t,n)})),e=n.converter._dispatch("blockQuotes.after",e,t,n)})),a.subParser("codeBlocks",(function(e,t,n){"use strict";e=n.converter._dispatch("codeBlocks.before",e,t,n);return e=(e=(e+="¨0").replace(/(?:\n\n|^)((?:(?:[ ]{4}|\t).*\n+)+)(\n*[ ]{0,3}[^ \t\n]|(?=¨0))/g,(function(e,r,o){var i=r,s=o,l="\n";return i=a.subParser("outdent")(i,t,n),i=a.subParser("encodeCode")(i,t,n),i=(i=(i=a.subParser("detab")(i,t,n)).replace(/^\n+/g,"")).replace(/\n+$/g,""),t.omitExtraWLInCodeBlocks&&(l=""),i="
"+i+l+"
",a.subParser("hashBlock")(i,t,n)+s}))).replace(/¨0/,""),e=n.converter._dispatch("codeBlocks.after",e,t,n)})),a.subParser("codeSpans",(function(e,t,n){"use strict";return void 0===(e=n.converter._dispatch("codeSpans.before",e,t,n))&&(e=""),e=e.replace(/(^|[^\\])(`+)([^\r]*?[^`])\2(?!`)/gm,(function(e,r,o,i){var s=i;return s=(s=s.replace(/^([ \t]*)/g,"")).replace(/[ \t]*$/g,""),s=r+""+(s=a.subParser("encodeCode")(s,t,n))+"",s=a.subParser("hashHTMLSpans")(s,t,n)})),e=n.converter._dispatch("codeSpans.after",e,t,n)})),a.subParser("completeHTMLDocument",(function(e,t,n){"use strict";if(!t.completeHTMLDocument)return e;e=n.converter._dispatch("completeHTMLDocument.before",e,t,n);var r="html",o="\n",a="",i='\n',s="",l="";for(var c in void 0!==n.metadata.parsed.doctype&&(o="\n","html"!==(r=n.metadata.parsed.doctype.toString().toLowerCase())&&"html5"!==r||(i='')),n.metadata.parsed)if(n.metadata.parsed.hasOwnProperty(c))switch(c.toLowerCase()){case"doctype":break;case"title":a=""+n.metadata.parsed.title+"\n";break;case"charset":i="html"===r||"html5"===r?'\n':'\n';break;case"language":case"lang":s=' lang="'+n.metadata.parsed[c]+'"',l+='\n';break;default:l+='\n'}return e=o+"\n\n"+a+i+l+"\n\n"+e.trim()+"\n\n",e=n.converter._dispatch("completeHTMLDocument.after",e,t,n)})),a.subParser("detab",(function(e,t,n){"use strict";return e=(e=(e=(e=(e=(e=n.converter._dispatch("detab.before",e,t,n)).replace(/\t(?=\t)/g," ")).replace(/\t/g,"¨A¨B")).replace(/¨B(.+?)¨A/g,(function(e,t){for(var n=t,r=4-n.length%4,o=0;o/g,">"),e=n.converter._dispatch("encodeAmpsAndAngles.after",e,t,n)})),a.subParser("encodeBackslashEscapes",(function(e,t,n){"use strict";return e=(e=(e=n.converter._dispatch("encodeBackslashEscapes.before",e,t,n)).replace(/\\(\\)/g,a.helper.escapeCharactersCallback)).replace(/\\([`*_{}\[\]()>#+.!~=|-])/g,a.helper.escapeCharactersCallback),e=n.converter._dispatch("encodeBackslashEscapes.after",e,t,n)})),a.subParser("encodeCode",(function(e,t,n){"use strict";return e=(e=n.converter._dispatch("encodeCode.before",e,t,n)).replace(/&/g,"&").replace(//g,">").replace(/([*_{}\[\]\\=~-])/g,a.helper.escapeCharactersCallback),e=n.converter._dispatch("encodeCode.after",e,t,n)})),a.subParser("escapeSpecialCharsWithinTagAttributes",(function(e,t,n){"use strict";return e=(e=(e=n.converter._dispatch("escapeSpecialCharsWithinTagAttributes.before",e,t,n)).replace(/<\/?[a-z\d_:-]+(?:[\s]+[\s\S]+?)?>/gi,(function(e){return e.replace(/(.)<\/?code>(?=.)/g,"$1`").replace(/([\\`*_~=|])/g,a.helper.escapeCharactersCallback)}))).replace(/-]|-[^>])(?:[^-]|-[^-])*)--)>/gi,(function(e){return e.replace(/([\\`*_~=|])/g,a.helper.escapeCharactersCallback)})),e=n.converter._dispatch("escapeSpecialCharsWithinTagAttributes.after",e,t,n)})),a.subParser("githubCodeBlocks",(function(e,t,n){"use strict";return t.ghCodeBlocks?(e=n.converter._dispatch("githubCodeBlocks.before",e,t,n),e=(e=(e+="¨0").replace(/(?:^|\n)(?: {0,3})(```+|~~~+)(?: *)([^\s`~]*)\n([\s\S]*?)\n(?: {0,3})\1/g,(function(e,r,o,i){var s=t.omitExtraWLInCodeBlocks?"":"\n";return i=a.subParser("encodeCode")(i,t,n),i="
"+(i=(i=(i=a.subParser("detab")(i,t,n)).replace(/^\n+/g,"")).replace(/\n+$/g,""))+s+"
",i=a.subParser("hashBlock")(i,t,n),"\n\n¨G"+(n.ghCodeBlocks.push({text:e,codeblock:i})-1)+"G\n\n"}))).replace(/¨0/,""),n.converter._dispatch("githubCodeBlocks.after",e,t,n)):e})),a.subParser("hashBlock",(function(e,t,n){"use strict";return e=(e=n.converter._dispatch("hashBlock.before",e,t,n)).replace(/(^\n+|\n+$)/g,""),e="\n\n¨K"+(n.gHtmlBlocks.push(e)-1)+"K\n\n",e=n.converter._dispatch("hashBlock.after",e,t,n)})),a.subParser("hashCodeTags",(function(e,t,n){"use strict";e=n.converter._dispatch("hashCodeTags.before",e,t,n);return e=a.helper.replaceRecursiveRegExp(e,(function(e,r,o,i){var s=o+a.subParser("encodeCode")(r,t,n)+i;return"¨C"+(n.gHtmlSpans.push(s)-1)+"C"}),"]*>","","gim"),e=n.converter._dispatch("hashCodeTags.after",e,t,n)})),a.subParser("hashElement",(function(e,t,n){"use strict";return function(e,t){var r=t;return r=(r=(r=r.replace(/\n\n/g,"\n")).replace(/^\n/,"")).replace(/\n+$/g,""),r="\n\n¨K"+(n.gHtmlBlocks.push(r)-1)+"K\n\n"}})),a.subParser("hashHTMLBlocks",(function(e,t,n){"use strict";e=n.converter._dispatch("hashHTMLBlocks.before",e,t,n);var r=["pre","div","h1","h2","h3","h4","h5","h6","blockquote","table","dl","ol","ul","script","noscript","form","fieldset","iframe","math","style","section","header","footer","nav","article","aside","address","audio","canvas","figure","hgroup","output","video","p"],o=function(e,t,r,o){var a=e;return-1!==r.search(/\bmarkdown\b/)&&(a=r+n.converter.makeHtml(t)+o),"\n\n¨K"+(n.gHtmlBlocks.push(a)-1)+"K\n\n"};t.backslashEscapesHTMLTags&&(e=e.replace(/\\<(\/?[^>]+?)>/g,(function(e,t){return"<"+t+">"})));for(var i=0;i]*>)","im"),c="<"+r[i]+"\\b[^>]*>",u="";-1!==(s=a.helper.regexIndexOf(e,l));){var d=a.helper.splitAtIndex(e,s),p=a.helper.replaceRecursiveRegExp(d[1],o,c,u,"im");if(p===d[1])break;e=d[0].concat(p)}return e=e.replace(/(\n {0,3}(<(hr)\b([^<>])*?\/?>)[ \t]*(?=\n{2,}))/g,a.subParser("hashElement")(e,t,n)),e=(e=a.helper.replaceRecursiveRegExp(e,(function(e){return"\n\n¨K"+(n.gHtmlBlocks.push(e)-1)+"K\n\n"}),"^ {0,3}\x3c!--","--\x3e","gm")).replace(/(?:\n\n)( {0,3}(?:<([?%])[^\r]*?\2>)[ \t]*(?=\n{2,}))/g,a.subParser("hashElement")(e,t,n)),e=n.converter._dispatch("hashHTMLBlocks.after",e,t,n)})),a.subParser("hashHTMLSpans",(function(e,t,n){"use strict";function r(e){return"¨C"+(n.gHtmlSpans.push(e)-1)+"C"}return e=(e=(e=(e=(e=n.converter._dispatch("hashHTMLSpans.before",e,t,n)).replace(/<[^>]+?\/>/gi,(function(e){return r(e)}))).replace(/<([^>]+?)>[\s\S]*?<\/\1>/g,(function(e){return r(e)}))).replace(/<([^>]+?)\s[^>]+?>[\s\S]*?<\/\1>/g,(function(e){return r(e)}))).replace(/<[^>]+?>/gi,(function(e){return r(e)})),e=n.converter._dispatch("hashHTMLSpans.after",e,t,n)})),a.subParser("unhashHTMLSpans",(function(e,t,n){"use strict";e=n.converter._dispatch("unhashHTMLSpans.before",e,t,n);for(var r=0;r]*>\\s*]*>","^ {0,3}\\s*
","gim"),e=n.converter._dispatch("hashPreCodeTags.after",e,t,n)})),a.subParser("headers",(function(e,t,n){"use strict";e=n.converter._dispatch("headers.before",e,t,n);var r=isNaN(parseInt(t.headerLevelStart))?1:parseInt(t.headerLevelStart),o=t.smoothLivePreview?/^(.+)[ \t]*\n={2,}[ \t]*\n+/gm:/^(.+)[ \t]*\n=+[ \t]*\n+/gm,i=t.smoothLivePreview?/^(.+)[ \t]*\n-{2,}[ \t]*\n+/gm:/^(.+)[ \t]*\n-+[ \t]*\n+/gm;e=(e=e.replace(o,(function(e,o){var i=a.subParser("spanGamut")(o,t,n),s=t.noHeaderId?"":' id="'+l(o)+'"',c=""+i+"";return a.subParser("hashBlock")(c,t,n)}))).replace(i,(function(e,o){var i=a.subParser("spanGamut")(o,t,n),s=t.noHeaderId?"":' id="'+l(o)+'"',c=r+1,u=""+i+"";return a.subParser("hashBlock")(u,t,n)}));var s=t.requireSpaceBeforeHeadingText?/^(#{1,6})[ \t]+(.+?)[ \t]*#*\n+/gm:/^(#{1,6})[ \t]*(.+?)[ \t]*#*\n+/gm;function l(e){var r,o;if(t.customizedHeaderId){var i=e.match(/\{([^{]+?)}\s*$/);i&&i[1]&&(e=i[1])}return r=e,o=a.helper.isString(t.prefixHeaderId)?t.prefixHeaderId:!0===t.prefixHeaderId?"section-":"",t.rawPrefixHeaderId||(r=o+r),r=t.ghCompatibleHeaderId?r.replace(/ /g,"-").replace(/&/g,"").replace(/¨T/g,"").replace(/¨D/g,"").replace(/[&+$,\/:;=?@"#{}|^¨~\[\]`\\*)(%.!'<>]/g,"").toLowerCase():t.rawHeaderId?r.replace(/ /g,"-").replace(/&/g,"&").replace(/¨T/g,"¨").replace(/¨D/g,"$").replace(/["']/g,"-").toLowerCase():r.replace(/[^\w]/g,"").toLowerCase(),t.rawPrefixHeaderId&&(r=o+r),n.hashLinkCounts[r]?r=r+"-"+n.hashLinkCounts[r]++:n.hashLinkCounts[r]=1,r}return e=e.replace(s,(function(e,o,i){var s=i;t.customizedHeaderId&&(s=i.replace(/\s?\{([^{]+?)}\s*$/,""));var c=a.subParser("spanGamut")(s,t,n),u=t.noHeaderId?"":' id="'+l(i)+'"',d=r-1+o.length,p=""+c+"";return a.subParser("hashBlock")(p,t,n)})),e=n.converter._dispatch("headers.after",e,t,n)})),a.subParser("horizontalRule",(function(e,t,n){"use strict";e=n.converter._dispatch("horizontalRule.before",e,t,n);var r=a.subParser("hashBlock")("
",t,n);return e=(e=(e=e.replace(/^ {0,2}( ?-){3,}[ \t]*$/gm,r)).replace(/^ {0,2}( ?\*){3,}[ \t]*$/gm,r)).replace(/^ {0,2}( ?_){3,}[ \t]*$/gm,r),e=n.converter._dispatch("horizontalRule.after",e,t,n)})),a.subParser("images",(function(e,t,n){"use strict";function r(e,t,r,o,i,s,l,c){var u=n.gUrls,d=n.gTitles,p=n.gDimensions;if(r=r.toLowerCase(),c||(c=""),e.search(/\(? ?(['"].*['"])?\)$/m)>-1)o="";else if(""===o||null===o){if(""!==r&&null!==r||(r=t.toLowerCase().replace(/ ?\n/g," ")),o="#"+r,a.helper.isUndefined(u[r]))return e;o=u[r],a.helper.isUndefined(d[r])||(c=d[r]),a.helper.isUndefined(p[r])||(i=p[r].width,s=p[r].height)}t=t.replace(/"/g,""").replace(a.helper.regexes.asteriskDashAndColon,a.helper.escapeCharactersCallback);var m=''+t+'"}return e=(e=(e=(e=(e=(e=n.converter._dispatch("images.before",e,t,n)).replace(/!\[([^\]]*?)] ?(?:\n *)?\[([\s\S]*?)]()()()()()/g,r)).replace(/!\[([^\]]*?)][ \t]*()\([ \t]??(?: =([*\d]+[A-Za-z%]{0,4})x([*\d]+[A-Za-z%]{0,4}))?[ \t]*(?:(["'])([^"]*?)\6)?[ \t]?\)/g,(function(e,t,n,o,a,i,s,l){return r(e,t,n,o=o.replace(/\s/g,""),a,i,s,l)}))).replace(/!\[([^\]]*?)][ \t]*()\([ \t]?<([^>]*)>(?: =([*\d]+[A-Za-z%]{0,4})x([*\d]+[A-Za-z%]{0,4}))?[ \t]*(?:(?:(["'])([^"]*?)\6))?[ \t]?\)/g,r)).replace(/!\[([^\]]*?)][ \t]*()\([ \t]??(?: =([*\d]+[A-Za-z%]{0,4})x([*\d]+[A-Za-z%]{0,4}))?[ \t]*(?:(["'])([^"]*?)\6)?[ \t]?\)/g,r)).replace(/!\[([^\[\]]+)]()()()()()/g,r),e=n.converter._dispatch("images.after",e,t,n)})),a.subParser("italicsAndBold",(function(e,t,n){"use strict";function r(e,t,n){return t+e+n}return e=n.converter._dispatch("italicsAndBold.before",e,t,n),e=t.literalMidWordUnderscores?(e=(e=e.replace(/\b___(\S[\s\S]*?)___\b/g,(function(e,t){return r(t,"","")}))).replace(/\b__(\S[\s\S]*?)__\b/g,(function(e,t){return r(t,"","")}))).replace(/\b_(\S[\s\S]*?)_\b/g,(function(e,t){return r(t,"","")})):(e=(e=e.replace(/___(\S[\s\S]*?)___/g,(function(e,t){return/\S$/.test(t)?r(t,"",""):e}))).replace(/__(\S[\s\S]*?)__/g,(function(e,t){return/\S$/.test(t)?r(t,"",""):e}))).replace(/_([^\s_][\s\S]*?)_/g,(function(e,t){return/\S$/.test(t)?r(t,"",""):e})),e=t.literalMidWordAsterisks?(e=(e=e.replace(/([^*]|^)\B\*\*\*(\S[\s\S]*?)\*\*\*\B(?!\*)/g,(function(e,t,n){return r(n,t+"","")}))).replace(/([^*]|^)\B\*\*(\S[\s\S]*?)\*\*\B(?!\*)/g,(function(e,t,n){return r(n,t+"","")}))).replace(/([^*]|^)\B\*(\S[\s\S]*?)\*\B(?!\*)/g,(function(e,t,n){return r(n,t+"","")})):(e=(e=e.replace(/\*\*\*(\S[\s\S]*?)\*\*\*/g,(function(e,t){return/\S$/.test(t)?r(t,"",""):e}))).replace(/\*\*(\S[\s\S]*?)\*\*/g,(function(e,t){return/\S$/.test(t)?r(t,"",""):e}))).replace(/\*([^\s*][\s\S]*?)\*/g,(function(e,t){return/\S$/.test(t)?r(t,"",""):e})),e=n.converter._dispatch("italicsAndBold.after",e,t,n)})),a.subParser("lists",(function(e,t,n){"use strict";function r(e,r){n.gListLevel++,e=e.replace(/\n{2,}$/,"\n");var o=/(\n)?(^ {0,3})([*+-]|\d+[.])[ \t]+((\[(x|X| )?])?[ \t]*[^\r]+?(\n{1,2}))(?=\n*(¨0| {0,3}([*+-]|\d+[.])[ \t]+))/gm,i=/\n[ \t]*\n(?!¨0)/.test(e+="¨0");return t.disableForced4SpacesIndentedSublists&&(o=/(\n)?(^ {0,3})([*+-]|\d+[.])[ \t]+((\[(x|X| )?])?[ \t]*[^\r]+?(\n{1,2}))(?=\n*(¨0|\2([*+-]|\d+[.])[ \t]+))/gm),e=(e=e.replace(o,(function(e,r,o,s,l,c,u){u=u&&""!==u.trim();var d=a.subParser("outdent")(l,t,n),p="";return c&&t.tasklists&&(p=' class="task-list-item" style="list-style-type: none;"',d=d.replace(/^[ \t]*\[(x|X| )?]/m,(function(){var e='-1?(d=a.subParser("githubCodeBlocks")(d,t,n),d=a.subParser("blockGamut")(d,t,n)):(d=(d=a.subParser("lists")(d,t,n)).replace(/\n$/,""),d=(d=a.subParser("hashHTMLBlocks")(d,t,n)).replace(/\n\n+/g,"\n\n"),d=i?a.subParser("paragraphs")(d,t,n):a.subParser("spanGamut")(d,t,n)),d=""+(d=d.replace("¨A",""))+"\n"}))).replace(/¨0/g,""),n.gListLevel--,r&&(e=e.replace(/\s+$/,"")),e}function o(e,t){if("ol"===t){var n=e.match(/^ *(\d+)\./);if(n&&"1"!==n[1])return' start="'+n[1]+'"'}return""}function i(e,n,a){var i=t.disableForced4SpacesIndentedSublists?/^ ?\d+\.[ \t]/gm:/^ {0,3}\d+\.[ \t]/gm,s=t.disableForced4SpacesIndentedSublists?/^ ?[*+-][ \t]/gm:/^ {0,3}[*+-][ \t]/gm,l="ul"===n?i:s,c="";if(-1!==e.search(l))!function t(u){var d=u.search(l),p=o(e,n);-1!==d?(c+="\n\n<"+n+p+">\n"+r(u.slice(0,d),!!a)+"\n",l="ul"===(n="ul"===n?"ol":"ul")?i:s,t(u.slice(d))):c+="\n\n<"+n+p+">\n"+r(u,!!a)+"\n"}(e);else{var u=o(e,n);c="\n\n<"+n+u+">\n"+r(e,!!a)+"\n"}return c}return e=n.converter._dispatch("lists.before",e,t,n),e+="¨0",e=(e=n.gListLevel?e.replace(/^(( {0,3}([*+-]|\d+[.])[ \t]+)[^\r]+?(¨0|\n{2,}(?=\S)(?![ \t]*(?:[*+-]|\d+[.])[ \t]+)))/gm,(function(e,t,n){return i(t,n.search(/[*+-]/g)>-1?"ul":"ol",!0)})):e.replace(/(\n\n|^\n?)(( {0,3}([*+-]|\d+[.])[ \t]+)[^\r]+?(¨0|\n{2,}(?=\S)(?![ \t]*(?:[*+-]|\d+[.])[ \t]+)))/gm,(function(e,t,n,r){return i(n,r.search(/[*+-]/g)>-1?"ul":"ol",!1)}))).replace(/¨0/,""),e=n.converter._dispatch("lists.after",e,t,n)})),a.subParser("metadata",(function(e,t,n){"use strict";if(!t.metadata)return e;function r(e){n.metadata.raw=e,(e=(e=e.replace(/&/g,"&").replace(/"/g,""")).replace(/\n {4}/g," ")).replace(/^([\S ]+): +([\s\S]+?)$/gm,(function(e,t,r){return n.metadata.parsed[t]=r,""}))}return e=(e=(e=(e=n.converter._dispatch("metadata.before",e,t,n)).replace(/^\s*«««+(\S*?)\n([\s\S]+?)\n»»»+\n/,(function(e,t,n){return r(n),"¨M"}))).replace(/^\s*---+(\S*?)\n([\s\S]+?)\n---+\n/,(function(e,t,o){return t&&(n.metadata.format=t),r(o),"¨M"}))).replace(/¨M/g,""),e=n.converter._dispatch("metadata.after",e,t,n)})),a.subParser("outdent",(function(e,t,n){"use strict";return e=(e=(e=n.converter._dispatch("outdent.before",e,t,n)).replace(/^(\t|[ ]{1,4})/gm,"¨0")).replace(/¨0/g,""),e=n.converter._dispatch("outdent.after",e,t,n)})),a.subParser("paragraphs",(function(e,t,n){"use strict";for(var r=(e=(e=(e=n.converter._dispatch("paragraphs.before",e,t,n)).replace(/^\n+/g,"")).replace(/\n+$/g,"")).split(/\n{2,}/g),o=[],i=r.length,s=0;s=0?o.push(l):l.search(/\S/)>=0&&(l=(l=a.subParser("spanGamut")(l,t,n)).replace(/^([ \t]*)/g,"

"),l+="

",o.push(l))}for(i=o.length,s=0;s]*>\s*]*>/.test(u)&&(d=!0)}o[s]=u}return e=(e=(e=o.join("\n")).replace(/^\n+/g,"")).replace(/\n+$/g,""),n.converter._dispatch("paragraphs.after",e,t,n)})),a.subParser("runExtension",(function(e,t,n,r){"use strict";if(e.filter)t=e.filter(t,r.converter,n);else if(e.regex){var o=e.regex;o instanceof RegExp||(o=new RegExp(o,"g")),t=t.replace(o,e.replace)}return t})),a.subParser("spanGamut",(function(e,t,n){"use strict";return e=n.converter._dispatch("spanGamut.before",e,t,n),e=a.subParser("codeSpans")(e,t,n),e=a.subParser("escapeSpecialCharsWithinTagAttributes")(e,t,n),e=a.subParser("encodeBackslashEscapes")(e,t,n),e=a.subParser("images")(e,t,n),e=a.subParser("anchors")(e,t,n),e=a.subParser("autoLinks")(e,t,n),e=a.subParser("simplifiedAutoLinks")(e,t,n),e=a.subParser("emoji")(e,t,n),e=a.subParser("underline")(e,t,n),e=a.subParser("italicsAndBold")(e,t,n),e=a.subParser("strikethrough")(e,t,n),e=a.subParser("ellipsis")(e,t,n),e=a.subParser("hashHTMLSpans")(e,t,n),e=a.subParser("encodeAmpsAndAngles")(e,t,n),t.simpleLineBreaks?/\n\n¨K/.test(e)||(e=e.replace(/\n+/g,"
\n")):e=e.replace(/ +\n/g,"
\n"),e=n.converter._dispatch("spanGamut.after",e,t,n)})),a.subParser("strikethrough",(function(e,t,n){"use strict";return t.strikethrough&&(e=(e=n.converter._dispatch("strikethrough.before",e,t,n)).replace(/(?:~){2}([\s\S]+?)(?:~){2}/g,(function(e,r){return function(e){return t.simplifiedAutoLink&&(e=a.subParser("simplifiedAutoLinks")(e,t,n)),""+e+""}(r)})),e=n.converter._dispatch("strikethrough.after",e,t,n)),e})),a.subParser("stripLinkDefinitions",(function(e,t,n){"use strict";var r=function(e,r,o,i,s,l,c){return r=r.toLowerCase(),o.match(/^data:.+?\/.+?;base64,/)?n.gUrls[r]=o.replace(/\s/g,""):n.gUrls[r]=a.subParser("encodeAmpsAndAngles")(o,t,n),l?l+c:(c&&(n.gTitles[r]=c.replace(/"|'/g,""")),t.parseImgDimensions&&i&&s&&(n.gDimensions[r]={width:i,height:s}),"")};return e=(e=(e=(e+="¨0").replace(/^ {0,3}\[(.+)]:[ \t]*\n?[ \t]*?(?: =([*\d]+[A-Za-z%]{0,4})x([*\d]+[A-Za-z%]{0,4}))?[ \t]*\n?[ \t]*(?:(\n*)["|'(](.+?)["|')][ \t]*)?(?:\n\n|(?=¨0)|(?=\n\[))/gm,r)).replace(/^ {0,3}\[(.+)]:[ \t]*\n?[ \t]*\s]+)>?(?: =([*\d]+[A-Za-z%]{0,4})x([*\d]+[A-Za-z%]{0,4}))?[ \t]*\n?[ \t]*(?:(\n*)["|'(](.+?)["|')][ \t]*)?(?:\n+|(?=¨0))/gm,r)).replace(/¨0/,"")})),a.subParser("tables",(function(e,t,n){"use strict";if(!t.tables)return e;function r(e,r){return""+a.subParser("spanGamut")(e,t,n)+"\n"}function o(e){var o,i=e.split("\n");for(o=0;o"+(l=a.subParser("spanGamut")(l,t,n))+"\n"));for(o=0;o\n\n\n",o=0;o\n";for(var a=0;a\n"}return n+"\n\n"}(f,g)}return e=(e=(e=(e=n.converter._dispatch("tables.before",e,t,n)).replace(/\\(\|)/g,a.helper.escapeCharactersCallback)).replace(/^ {0,3}\|?.+\|.+\n {0,3}\|?[ \t]*:?[ \t]*(?:[-=]){2,}[ \t]*:?[ \t]*\|[ \t]*:?[ \t]*(?:[-=]){2,}[\s\S]+?(?:\n\n|¨0)/gm,o)).replace(/^ {0,3}\|.+\|[ \t]*\n {0,3}\|[ \t]*:?[ \t]*(?:[-=]){2,}[ \t]*:?[ \t]*\|[ \t]*\n( {0,3}\|.+\|[ \t]*\n)*(?:\n|¨0)/gm,o),e=n.converter._dispatch("tables.after",e,t,n)})),a.subParser("underline",(function(e,t,n){"use strict";return t.underline?(e=n.converter._dispatch("underline.before",e,t,n),e=(e=t.literalMidWordUnderscores?(e=e.replace(/\b___(\S[\s\S]*?)___\b/g,(function(e,t){return""+t+""}))).replace(/\b__(\S[\s\S]*?)__\b/g,(function(e,t){return""+t+""})):(e=e.replace(/___(\S[\s\S]*?)___/g,(function(e,t){return/\S$/.test(t)?""+t+"":e}))).replace(/__(\S[\s\S]*?)__/g,(function(e,t){return/\S$/.test(t)?""+t+"":e}))).replace(/(_)/g,a.helper.escapeCharactersCallback),e=n.converter._dispatch("underline.after",e,t,n)):e})),a.subParser("unescapeSpecialChars",(function(e,t,n){"use strict";return e=(e=n.converter._dispatch("unescapeSpecialChars.before",e,t,n)).replace(/¨E(\d+)E/g,(function(e,t){var n=parseInt(t);return String.fromCharCode(n)})),e=n.converter._dispatch("unescapeSpecialChars.after",e,t,n)})),a.subParser("makeMarkdown.blockquote",(function(e,t){"use strict";var n="";if(e.hasChildNodes())for(var r=e.childNodes,o=r.length,i=0;i ")})),a.subParser("makeMarkdown.codeBlock",(function(e,t){"use strict";var n=e.getAttribute("language"),r=e.getAttribute("precodenum");return"```"+n+"\n"+t.preList[r]+"\n```"})),a.subParser("makeMarkdown.codeSpan",(function(e){"use strict";return"`"+e.innerHTML+"`"})),a.subParser("makeMarkdown.emphasis",(function(e,t){"use strict";var n="";if(e.hasChildNodes()){n+="*";for(var r=e.childNodes,o=r.length,i=0;i",e.hasAttribute("width")&&e.hasAttribute("height")&&(t+=" ="+e.getAttribute("width")+"x"+e.getAttribute("height")),e.hasAttribute("title")&&(t+=' "'+e.getAttribute("title")+'"'),t+=")"),t})),a.subParser("makeMarkdown.links",(function(e,t){"use strict";var n="";if(e.hasChildNodes()&&e.hasAttribute("href")){var r=e.childNodes,o=r.length;n="[";for(var i=0;i",e.hasAttribute("title")&&(n+=' "'+e.getAttribute("title")+'"'),n+=")"}return n})),a.subParser("makeMarkdown.list",(function(e,t,n){"use strict";var r="";if(!e.hasChildNodes())return"";for(var o=e.childNodes,i=o.length,s=e.getAttribute("start")||1,l=0;l"+t.preList[n]+""})),a.subParser("makeMarkdown.strikethrough",(function(e,t){"use strict";var n="";if(e.hasChildNodes()){n+="~~";for(var r=e.childNodes,o=r.length,i=0;itr>th"),l=e.querySelectorAll("tbody>tr");for(n=0;nf&&(f=h)}for(n=0;n/g,"\\$1>")).replace(/^#/gm,"\\#")).replace(/^(\s*)([-=]{3,})(\s*)$/,"$1\\$2$3")).replace(/^( {0,3}\d+)\./gm,"$1\\.")).replace(/^( {0,3})([+-])/gm,"$1\\$2")).replace(/]([\s]*)\(/g,"\\]$1\\(")).replace(/^ {0,3}\[([\S \t]*?)]:/gm,"\\[$1]:")}));void 0===(r=function(){"use strict";return a}.call(t,n,t,e))||(e.exports=r)}).call(this)},8975:(e,t,n)=>{var r;!function(){"use strict";var o={not_string:/[^s]/,not_bool:/[^t]/,not_type:/[^T]/,not_primitive:/[^v]/,number:/[diefg]/,numeric_arg:/[bcdiefguxX]/,json:/[j]/,not_json:/[^j]/,text:/^[^\x25]+/,modulo:/^\x25{2}/,placeholder:/^\x25(?:([1-9]\d*)\$|\(([^)]+)\))?(\+)?(0|'[^$])?(-)?(\d+)?(?:\.(\d+))?([b-gijostTuvxX])/,key:/^([a-z_][a-z_\d]*)/i,key_access:/^\.([a-z_][a-z_\d]*)/i,index_access:/^\[(\d+)\]/,sign:/^[+-]/};function a(e){return s(c(e),arguments)}function i(e,t){return a.apply(null,[e].concat(t||[]))}function s(e,t){var n,r,i,s,l,c,u,d,p,m=1,f=e.length,h="";for(r=0;r=0),s.type){case"b":n=parseInt(n,10).toString(2);break;case"c":n=String.fromCharCode(parseInt(n,10));break;case"d":case"i":n=parseInt(n,10);break;case"j":n=JSON.stringify(n,null,s.width?parseInt(s.width):0);break;case"e":n=s.precision?parseFloat(n).toExponential(s.precision):parseFloat(n).toExponential();break;case"f":n=s.precision?parseFloat(n).toFixed(s.precision):parseFloat(n);break;case"g":n=s.precision?String(Number(n.toPrecision(s.precision))):parseFloat(n);break;case"o":n=(parseInt(n,10)>>>0).toString(8);break;case"s":n=String(n),n=s.precision?n.substring(0,s.precision):n;break;case"t":n=String(!!n),n=s.precision?n.substring(0,s.precision):n;break;case"T":n=Object.prototype.toString.call(n).slice(8,-1).toLowerCase(),n=s.precision?n.substring(0,s.precision):n;break;case"u":n=parseInt(n,10)>>>0;break;case"v":n=n.valueOf(),n=s.precision?n.substring(0,s.precision):n;break;case"x":n=(parseInt(n,10)>>>0).toString(16);break;case"X":n=(parseInt(n,10)>>>0).toString(16).toUpperCase()}o.json.test(s.type)?h+=n:(!o.number.test(s.type)||d&&!s.sign?p="":(p=d?"+":"-",n=n.toString().replace(o.sign,"")),c=s.pad_char?"0"===s.pad_char?"0":s.pad_char.charAt(1):" ",u=s.width-(p+n).length,l=s.width&&u>0?c.repeat(u):"",h+=s.align?p+n+l:"0"===c?p+l+n:l+p+n)}return h}var l=Object.create(null);function c(e){if(l[e])return l[e];for(var t,n=e,r=[],a=0;n;){if(null!==(t=o.text.exec(n)))r.push(t[0]);else if(null!==(t=o.modulo.exec(n)))r.push("%");else{if(null===(t=o.placeholder.exec(n)))throw new SyntaxError("[sprintf] unexpected placeholder");if(t[2]){a|=1;var i=[],s=t[2],c=[];if(null===(c=o.key.exec(s)))throw new SyntaxError("[sprintf] failed to parse named argument key");for(i.push(c[1]);""!==(s=s.substring(c[0].length));)if(null!==(c=o.key_access.exec(s)))i.push(c[1]);else{if(null===(c=o.index_access.exec(s)))throw new SyntaxError("[sprintf] failed to parse named argument key");i.push(c[1])}t[2]=i}else a|=2;if(3===a)throw new Error("[sprintf] mixing positional and named placeholders is not (yet) supported");r.push({placeholder:t[0],param_no:t[1],keys:t[2],sign:t[3],pad_char:t[4],align:t[5],width:t[6],precision:t[7],type:t[8]})}n=n.substring(t[0].length)}return l[e]=r}t.sprintf=a,t.vsprintf=i,"undefined"!=typeof window&&(window.sprintf=a,window.vsprintf=i,void 0===(r=function(){return{sprintf:a,vsprintf:i}}.call(t,n,t,e))||(e.exports=r))}()},7621:(e,t,n)=>{var r;!function(o){var a=/^\s+/,i=/\s+$/,s=0,l=o.round,c=o.min,u=o.max,d=o.random;function p(e,t){if(t=t||{},(e=e||"")instanceof p)return e;if(!(this instanceof p))return new p(e,t);var n=function(e){var t={r:0,g:0,b:0},n=1,r=null,s=null,l=null,d=!1,p=!1;"string"==typeof e&&(e=function(e){e=e.replace(a,"").replace(i,"").toLowerCase();var t,n=!1;if(x[e])e=x[e],n=!0;else if("transparent"==e)return{r:0,g:0,b:0,a:0,format:"name"};if(t=j.rgb.exec(e))return{r:t[1],g:t[2],b:t[3]};if(t=j.rgba.exec(e))return{r:t[1],g:t[2],b:t[3],a:t[4]};if(t=j.hsl.exec(e))return{h:t[1],s:t[2],l:t[3]};if(t=j.hsla.exec(e))return{h:t[1],s:t[2],l:t[3],a:t[4]};if(t=j.hsv.exec(e))return{h:t[1],s:t[2],v:t[3]};if(t=j.hsva.exec(e))return{h:t[1],s:t[2],v:t[3],a:t[4]};if(t=j.hex8.exec(e))return{r:B(t[1]),g:B(t[2]),b:B(t[3]),a:Y(t[4]),format:n?"name":"hex8"};if(t=j.hex6.exec(e))return{r:B(t[1]),g:B(t[2]),b:B(t[3]),format:n?"name":"hex"};if(t=j.hex4.exec(e))return{r:B(t[1]+""+t[1]),g:B(t[2]+""+t[2]),b:B(t[3]+""+t[3]),a:Y(t[4]+""+t[4]),format:n?"name":"hex8"};if(t=j.hex3.exec(e))return{r:B(t[1]+""+t[1]),g:B(t[2]+""+t[2]),b:B(t[3]+""+t[3]),format:n?"name":"hex"};return!1}(e));"object"==typeof e&&(F(e.r)&&F(e.g)&&F(e.b)?(m=e.r,f=e.g,h=e.b,t={r:255*N(m,255),g:255*N(f,255),b:255*N(h,255)},d=!0,p="%"===String(e.r).substr(-1)?"prgb":"rgb"):F(e.h)&&F(e.s)&&F(e.v)?(r=P(e.s),s=P(e.v),t=function(e,t,n){e=6*N(e,360),t=N(t,100),n=N(n,100);var r=o.floor(e),a=e-r,i=n*(1-t),s=n*(1-a*t),l=n*(1-(1-a)*t),c=r%6;return{r:255*[n,s,i,i,l,n][c],g:255*[l,n,n,s,i,i][c],b:255*[i,i,l,n,n,s][c]}}(e.h,r,s),d=!0,p="hsv"):F(e.h)&&F(e.s)&&F(e.l)&&(r=P(e.s),l=P(e.l),t=function(e,t,n){var r,o,a;function i(e,t,n){return n<0&&(n+=1),n>1&&(n-=1),n<1/6?e+6*(t-e)*n:n<.5?t:n<2/3?e+(t-e)*(2/3-n)*6:e}if(e=N(e,360),t=N(t,100),n=N(n,100),0===t)r=o=a=n;else{var s=n<.5?n*(1+t):n+t-n*t,l=2*n-s;r=i(l,s,e+1/3),o=i(l,s,e),a=i(l,s,e-1/3)}return{r:255*r,g:255*o,b:255*a}}(e.h,r,l),d=!0,p="hsl"),e.hasOwnProperty("a")&&(n=e.a));var m,f,h;return n=O(n),{ok:d,format:e.format||p,r:c(255,u(t.r,0)),g:c(255,u(t.g,0)),b:c(255,u(t.b,0)),a:n}}(e);this._originalInput=e,this._r=n.r,this._g=n.g,this._b=n.b,this._a=n.a,this._roundA=l(100*this._a)/100,this._format=t.format||n.format,this._gradientType=t.gradientType,this._r<1&&(this._r=l(this._r)),this._g<1&&(this._g=l(this._g)),this._b<1&&(this._b=l(this._b)),this._ok=n.ok,this._tc_id=s++}function m(e,t,n){e=N(e,255),t=N(t,255),n=N(n,255);var r,o,a=u(e,t,n),i=c(e,t,n),s=(a+i)/2;if(a==i)r=o=0;else{var l=a-i;switch(o=s>.5?l/(2-a-i):l/(a+i),a){case e:r=(t-n)/l+(t>1)+720)%360;--t;)r.h=(r.h+o)%360,a.push(p(r));return a}function T(e,t){t=t||6;for(var n=p(e).toHsv(),r=n.h,o=n.s,a=n.v,i=[],s=1/t;t--;)i.push(p({h:r,s:o,v:a})),a=(a+s)%1;return i}p.prototype={isDark:function(){return this.getBrightness()<128},isLight:function(){return!this.isDark()},isValid:function(){return this._ok},getOriginalInput:function(){return this._originalInput},getFormat:function(){return this._format},getAlpha:function(){return this._a},getBrightness:function(){var e=this.toRgb();return(299*e.r+587*e.g+114*e.b)/1e3},getLuminance:function(){var e,t,n,r=this.toRgb();return e=r.r/255,t=r.g/255,n=r.b/255,.2126*(e<=.03928?e/12.92:o.pow((e+.055)/1.055,2.4))+.7152*(t<=.03928?t/12.92:o.pow((t+.055)/1.055,2.4))+.0722*(n<=.03928?n/12.92:o.pow((n+.055)/1.055,2.4))},setAlpha:function(e){return this._a=O(e),this._roundA=l(100*this._a)/100,this},toHsv:function(){var e=f(this._r,this._g,this._b);return{h:360*e.h,s:e.s,v:e.v,a:this._a}},toHsvString:function(){var e=f(this._r,this._g,this._b),t=l(360*e.h),n=l(100*e.s),r=l(100*e.v);return 1==this._a?"hsv("+t+", "+n+"%, "+r+"%)":"hsva("+t+", "+n+"%, "+r+"%, "+this._roundA+")"},toHsl:function(){var e=m(this._r,this._g,this._b);return{h:360*e.h,s:e.s,l:e.l,a:this._a}},toHslString:function(){var e=m(this._r,this._g,this._b),t=l(360*e.h),n=l(100*e.s),r=l(100*e.l);return 1==this._a?"hsl("+t+", "+n+"%, "+r+"%)":"hsla("+t+", "+n+"%, "+r+"%, "+this._roundA+")"},toHex:function(e){return h(this._r,this._g,this._b,e)},toHexString:function(e){return"#"+this.toHex(e)},toHex8:function(e){return function(e,t,n,r,o){var a=[I(l(e).toString(16)),I(l(t).toString(16)),I(l(n).toString(16)),I(R(r))];if(o&&a[0].charAt(0)==a[0].charAt(1)&&a[1].charAt(0)==a[1].charAt(1)&&a[2].charAt(0)==a[2].charAt(1)&&a[3].charAt(0)==a[3].charAt(1))return a[0].charAt(0)+a[1].charAt(0)+a[2].charAt(0)+a[3].charAt(0);return a.join("")}(this._r,this._g,this._b,this._a,e)},toHex8String:function(e){return"#"+this.toHex8(e)},toRgb:function(){return{r:l(this._r),g:l(this._g),b:l(this._b),a:this._a}},toRgbString:function(){return 1==this._a?"rgb("+l(this._r)+", "+l(this._g)+", "+l(this._b)+")":"rgba("+l(this._r)+", "+l(this._g)+", "+l(this._b)+", "+this._roundA+")"},toPercentageRgb:function(){return{r:l(100*N(this._r,255))+"%",g:l(100*N(this._g,255))+"%",b:l(100*N(this._b,255))+"%",a:this._a}},toPercentageRgbString:function(){return 1==this._a?"rgb("+l(100*N(this._r,255))+"%, "+l(100*N(this._g,255))+"%, "+l(100*N(this._b,255))+"%)":"rgba("+l(100*N(this._r,255))+"%, "+l(100*N(this._g,255))+"%, "+l(100*N(this._b,255))+"%, "+this._roundA+")"},toName:function(){return 0===this._a?"transparent":!(this._a<1)&&(z[h(this._r,this._g,this._b,!0)]||!1)},toFilter:function(e){var t="#"+g(this._r,this._g,this._b,this._a),n=t,r=this._gradientType?"GradientType = 1, ":"";if(e){var o=p(e);n="#"+g(o._r,o._g,o._b,o._a)}return"progid:DXImageTransform.Microsoft.gradient("+r+"startColorstr="+t+",endColorstr="+n+")"},toString:function(e){var t=!!e;e=e||this._format;var n=!1,r=this._a<1&&this._a>=0;return t||!r||"hex"!==e&&"hex6"!==e&&"hex3"!==e&&"hex4"!==e&&"hex8"!==e&&"name"!==e?("rgb"===e&&(n=this.toRgbString()),"prgb"===e&&(n=this.toPercentageRgbString()),"hex"!==e&&"hex6"!==e||(n=this.toHexString()),"hex3"===e&&(n=this.toHexString(!0)),"hex4"===e&&(n=this.toHex8String(!0)),"hex8"===e&&(n=this.toHex8String()),"name"===e&&(n=this.toName()),"hsl"===e&&(n=this.toHslString()),"hsv"===e&&(n=this.toHsvString()),n||this.toHexString()):"name"===e&&0===this._a?this.toName():this.toRgbString()},clone:function(){return p(this.toString())},_applyModification:function(e,t){var n=e.apply(null,[this].concat([].slice.call(t)));return this._r=n._r,this._g=n._g,this._b=n._b,this.setAlpha(n._a),this},lighten:function(){return this._applyModification(_,arguments)},brighten:function(){return this._applyModification(M,arguments)},darken:function(){return this._applyModification(k,arguments)},desaturate:function(){return this._applyModification(b,arguments)},saturate:function(){return this._applyModification(v,arguments)},greyscale:function(){return this._applyModification(y,arguments)},spin:function(){return this._applyModification(w,arguments)},_applyCombination:function(e,t){return e.apply(null,[this].concat([].slice.call(t)))},analogous:function(){return this._applyCombination(C,arguments)},complement:function(){return this._applyCombination(E,arguments)},monochromatic:function(){return this._applyCombination(T,arguments)},splitcomplement:function(){return this._applyCombination(S,arguments)},triad:function(){return this._applyCombination(L,arguments)},tetrad:function(){return this._applyCombination(A,arguments)}},p.fromRatio=function(e,t){if("object"==typeof e){var n={};for(var r in e)e.hasOwnProperty(r)&&(n[r]="a"===r?e[r]:P(e[r]));e=n}return p(e,t)},p.equals=function(e,t){return!(!e||!t)&&p(e).toRgbString()==p(t).toRgbString()},p.random=function(){return p.fromRatio({r:d(),g:d(),b:d()})},p.mix=function(e,t,n){n=0===n?0:n||50;var r=p(e).toRgb(),o=p(t).toRgb(),a=n/100;return p({r:(o.r-r.r)*a+r.r,g:(o.g-r.g)*a+r.g,b:(o.b-r.b)*a+r.b,a:(o.a-r.a)*a+r.a})},p.readability=function(e,t){var n=p(e),r=p(t);return(o.max(n.getLuminance(),r.getLuminance())+.05)/(o.min(n.getLuminance(),r.getLuminance())+.05)},p.isReadable=function(e,t,n){var r,o,a=p.readability(e,t);switch(o=!1,(r=function(e){var t,n;t=((e=e||{level:"AA",size:"small"}).level||"AA").toUpperCase(),n=(e.size||"small").toLowerCase(),"AA"!==t&&"AAA"!==t&&(t="AA");"small"!==n&&"large"!==n&&(n="small");return{level:t,size:n}}(n)).level+r.size){case"AAsmall":case"AAAlarge":o=a>=4.5;break;case"AAlarge":o=a>=3;break;case"AAAsmall":o=a>=7}return o},p.mostReadable=function(e,t,n){var r,o,a,i,s=null,l=0;o=(n=n||{}).includeFallbackColors,a=n.level,i=n.size;for(var c=0;cl&&(l=r,s=p(t[c]));return p.isReadable(e,s,{level:a,size:i})||!o?s:(n.includeFallbackColors=!1,p.mostReadable(e,["#fff","#000"],n))};var x=p.names={aliceblue:"f0f8ff",antiquewhite:"faebd7",aqua:"0ff",aquamarine:"7fffd4",azure:"f0ffff",beige:"f5f5dc",bisque:"ffe4c4",black:"000",blanchedalmond:"ffebcd",blue:"00f",blueviolet:"8a2be2",brown:"a52a2a",burlywood:"deb887",burntsienna:"ea7e5d",cadetblue:"5f9ea0",chartreuse:"7fff00",chocolate:"d2691e",coral:"ff7f50",cornflowerblue:"6495ed",cornsilk:"fff8dc",crimson:"dc143c",cyan:"0ff",darkblue:"00008b",darkcyan:"008b8b",darkgoldenrod:"b8860b",darkgray:"a9a9a9",darkgreen:"006400",darkgrey:"a9a9a9",darkkhaki:"bdb76b",darkmagenta:"8b008b",darkolivegreen:"556b2f",darkorange:"ff8c00",darkorchid:"9932cc",darkred:"8b0000",darksalmon:"e9967a",darkseagreen:"8fbc8f",darkslateblue:"483d8b",darkslategray:"2f4f4f",darkslategrey:"2f4f4f",darkturquoise:"00ced1",darkviolet:"9400d3",deeppink:"ff1493",deepskyblue:"00bfff",dimgray:"696969",dimgrey:"696969",dodgerblue:"1e90ff",firebrick:"b22222",floralwhite:"fffaf0",forestgreen:"228b22",fuchsia:"f0f",gainsboro:"dcdcdc",ghostwhite:"f8f8ff",gold:"ffd700",goldenrod:"daa520",gray:"808080",green:"008000",greenyellow:"adff2f",grey:"808080",honeydew:"f0fff0",hotpink:"ff69b4",indianred:"cd5c5c",indigo:"4b0082",ivory:"fffff0",khaki:"f0e68c",lavender:"e6e6fa",lavenderblush:"fff0f5",lawngreen:"7cfc00",lemonchiffon:"fffacd",lightblue:"add8e6",lightcoral:"f08080",lightcyan:"e0ffff",lightgoldenrodyellow:"fafad2",lightgray:"d3d3d3",lightgreen:"90ee90",lightgrey:"d3d3d3",lightpink:"ffb6c1",lightsalmon:"ffa07a",lightseagreen:"20b2aa",lightskyblue:"87cefa",lightslategray:"789",lightslategrey:"789",lightsteelblue:"b0c4de",lightyellow:"ffffe0",lime:"0f0",limegreen:"32cd32",linen:"faf0e6",magenta:"f0f",maroon:"800000",mediumaquamarine:"66cdaa",mediumblue:"0000cd",mediumorchid:"ba55d3",mediumpurple:"9370db",mediumseagreen:"3cb371",mediumslateblue:"7b68ee",mediumspringgreen:"00fa9a",mediumturquoise:"48d1cc",mediumvioletred:"c71585",midnightblue:"191970",mintcream:"f5fffa",mistyrose:"ffe4e1",moccasin:"ffe4b5",navajowhite:"ffdead",navy:"000080",oldlace:"fdf5e6",olive:"808000",olivedrab:"6b8e23",orange:"ffa500",orangered:"ff4500",orchid:"da70d6",palegoldenrod:"eee8aa",palegreen:"98fb98",paleturquoise:"afeeee",palevioletred:"db7093",papayawhip:"ffefd5",peachpuff:"ffdab9",peru:"cd853f",pink:"ffc0cb",plum:"dda0dd",powderblue:"b0e0e6",purple:"800080",rebeccapurple:"663399",red:"f00",rosybrown:"bc8f8f",royalblue:"4169e1",saddlebrown:"8b4513",salmon:"fa8072",sandybrown:"f4a460",seagreen:"2e8b57",seashell:"fff5ee",sienna:"a0522d",silver:"c0c0c0",skyblue:"87ceeb",slateblue:"6a5acd",slategray:"708090",slategrey:"708090",snow:"fffafa",springgreen:"00ff7f",steelblue:"4682b4",tan:"d2b48c",teal:"008080",thistle:"d8bfd8",tomato:"ff6347",turquoise:"40e0d0",violet:"ee82ee",wheat:"f5deb3",white:"fff",whitesmoke:"f5f5f5",yellow:"ff0",yellowgreen:"9acd32"},z=p.hexNames=function(e){var t={};for(var n in e)e.hasOwnProperty(n)&&(t[e[n]]=n);return t}(x);function O(e){return e=parseFloat(e),(isNaN(e)||e<0||e>1)&&(e=1),e}function N(e,t){(function(e){return"string"==typeof e&&-1!=e.indexOf(".")&&1===parseFloat(e)})(e)&&(e="100%");var n=function(e){return"string"==typeof e&&-1!=e.indexOf("%")}(e);return e=c(t,u(0,parseFloat(e))),n&&(e=parseInt(e*t,10)/100),o.abs(e-t)<1e-6?1:e%t/parseFloat(t)}function D(e){return c(1,u(0,e))}function B(e){return parseInt(e,16)}function I(e){return 1==e.length?"0"+e:""+e}function P(e){return e<=1&&(e=100*e+"%"),e}function R(e){return o.round(255*parseFloat(e)).toString(16)}function Y(e){return B(e)/255}var W,H,q,j=(H="[\\s|\\(]+("+(W="(?:[-\\+]?\\d*\\.\\d+%?)|(?:[-\\+]?\\d+%?)")+")[,|\\s]+("+W+")[,|\\s]+("+W+")\\s*\\)?",q="[\\s|\\(]+("+W+")[,|\\s]+("+W+")[,|\\s]+("+W+")[,|\\s]+("+W+")\\s*\\)?",{CSS_UNIT:new RegExp(W),rgb:new RegExp("rgb"+H),rgba:new RegExp("rgba"+q),hsl:new RegExp("hsl"+H),hsla:new RegExp("hsla"+q),hsv:new RegExp("hsv"+H),hsva:new RegExp("hsva"+q),hex3:/^#?([0-9a-fA-F]{1})([0-9a-fA-F]{1})([0-9a-fA-F]{1})$/,hex6:/^#?([0-9a-fA-F]{2})([0-9a-fA-F]{2})([0-9a-fA-F]{2})$/,hex4:/^#?([0-9a-fA-F]{1})([0-9a-fA-F]{1})([0-9a-fA-F]{1})([0-9a-fA-F]{1})$/,hex8:/^#?([0-9a-fA-F]{2})([0-9a-fA-F]{2})([0-9a-fA-F]{2})([0-9a-fA-F]{2})$/});function F(e){return!!j.CSS_UNIT.exec(e)}e.exports?e.exports=p:void 0===(r=function(){return p}.call(t,n,t,e))||(e.exports=r)}(Math)},3692:e=>{var t=e.exports=function(e){return new n(e)};function n(e){this.value=e}function r(e,t,n){var r=[],i=[],u=!0;return function e(d){var p=n?o(d):d,m={},f=!0,h={node:p,node_:d,path:[].concat(r),parent:i[i.length-1],parents:i,key:r.slice(-1)[0],isRoot:0===r.length,level:r.length,circular:null,update:function(e,t){h.isRoot||(h.parent.node[h.key]=e),h.node=e,t&&(f=!1)},delete:function(e){delete h.parent.node[h.key],e&&(f=!1)},remove:function(e){s(h.parent.node)?h.parent.node.splice(h.key,1):delete h.parent.node[h.key],e&&(f=!1)},keys:null,before:function(e){m.before=e},after:function(e){m.after=e},pre:function(e){m.pre=e},post:function(e){m.post=e},stop:function(){u=!1},block:function(){f=!1}};if(!u)return h;function g(){if("object"==typeof h.node&&null!==h.node){h.keys&&h.node_===h.node||(h.keys=a(h.node)),h.isLeaf=0==h.keys.length;for(var e=0;e{e.exports=function(e){var t,n=Object.keys(e);return t=function(){var e,t,r;for(e="return {",t=0;t{"use strict";e.exports=React},4654:()=>{}},t={};function n(r){var o=t[r];if(void 0!==o)return o.exports;var a=t[r]={id:r,loaded:!1,exports:{}};return e[r].call(a.exports,a,a.exports,n),a.loaded=!0,a.exports}n.n=e=>{var t=e&&e.__esModule?()=>e.default:()=>e;return n.d(t,{a:t}),t},n.d=(e,t)=>{for(var r in t)n.o(t,r)&&!n.o(e,r)&&Object.defineProperty(e,r,{enumerable:!0,get:t[r]})},n.g=function(){if("object"==typeof globalThis)return globalThis;try{return this||new Function("return this")()}catch(e){if("object"==typeof window)return window}}(),n.o=(e,t)=>Object.prototype.hasOwnProperty.call(e,t),n.r=e=>{"undefined"!=typeof Symbol&&Symbol.toStringTag&&Object.defineProperty(e,Symbol.toStringTag,{value:"Module"}),Object.defineProperty(e,"__esModule",{value:!0})},n.nmd=e=>(e.paths=[],e.children||(e.children=[]),e),(()=>{"use strict";var e={};n.r(e),n.d(e,{getCachedResolvers:()=>qt,getIsResolving:()=>Rt,hasFinishedResolution:()=>Wt,hasStartedResolution:()=>Yt,isResolving:()=>Ht});var t={};n.r(t),n.d(t,{finishResolution:()=>Ft,finishResolutions:()=>Xt,invalidateResolution:()=>Ut,invalidateResolutionForStore:()=>$t,invalidateResolutionForStoreSelector:()=>Kt,startResolution:()=>jt,startResolutions:()=>Vt});var r={};n.r(r),n.d(r,{getActiveBlockVariation:()=>Mr,getBlockStyles:()=>yr,getBlockSupport:()=>xr,getBlockType:()=>vr,getBlockTypes:()=>br,getBlockVariations:()=>_r,getCategories:()=>wr,getChildBlockNames:()=>Tr,getCollections:()=>Er,getDefaultBlockName:()=>Lr,getDefaultBlockVariation:()=>kr,getFreeformFallbackBlockName:()=>Ar,getGroupingBlockName:()=>Cr,getUnregisteredFallbackBlockName:()=>Sr,hasBlockSupport:()=>zr,hasChildBlocks:()=>Nr,hasChildBlocksWithInserterSupport:()=>Dr,isMatchingSearchTerm:()=>Or});var o={};n.r(o),n.d(o,{addBlockCollection:()=>Ur,addBlockStyles:()=>Pr,addBlockTypes:()=>Br,addBlockVariations:()=>Yr,removeBlockCollection:()=>$r,removeBlockStyles:()=>Rr,removeBlockTypes:()=>Ir,removeBlockVariations:()=>Wr,setCategories:()=>Vr,setDefaultBlockName:()=>Hr,setFreeformFallbackBlockName:()=>qr,setGroupingBlockName:()=>Fr,setUnregisteredFallbackBlockName:()=>jr,updateCategory:()=>Xr});var a={};n.r(a),n.d(a,{__unstableAcquireStoreLock:()=>lc,__unstableEnqueueLockRequest:()=>cc,__unstableProcessPendingLockRequests:()=>dc,__unstableReleaseStoreLock:()=>uc});var i={};n.r(i),n.d(i,{__experimentalBatch:()=>Tc,__experimentalSaveSpecifiedEntityEdits:()=>zc,__unstableCreateUndoLevel:()=>Sc,addEntities:()=>vc,deleteEntityRecord:()=>wc,editEntityRecord:()=>Ec,receiveAutosaves:()=>Dc,receiveCurrentTheme:()=>_c,receiveCurrentUser:()=>bc,receiveEmbedPreview:()=>kc,receiveEntityRecords:()=>yc,receiveThemeSupports:()=>Mc,receiveUploadPermissions:()=>Oc,receiveUserPermission:()=>Nc,receiveUserQuery:()=>gc,redo:()=>Ac,saveEditedEntityRecord:()=>xc,saveEntityRecord:()=>Cc,undo:()=>Lc});var s={};n.r(s),n.d(s,{__experimentalGetDirtyEntityRecords:()=>gu,__experimentalGetEntitiesBeingSaved:()=>bu,__experimentalGetEntityRecordNoResolver:()=>pu,__experimentalGetTemplateForLink:()=>qu,__unstableGetAuthor:()=>iu,canUser:()=>Iu,canUserEditEntityRecord:()=>Pu,getAuthors:()=>au,getAutosave:()=>Yu,getAutosaves:()=>Ru,getCurrentTheme:()=>Ou,getCurrentUser:()=>su,getEditedEntityRecord:()=>Mu,getEmbedPreview:()=>Du,getEntitiesByKind:()=>cu,getEntity:()=>uu,getEntityRecord:()=>du,getEntityRecordEdits:()=>vu,getEntityRecordNonTransientEdits:()=>yu,getEntityRecords:()=>hu,getLastEntityDeleteError:()=>Au,getLastEntitySaveError:()=>Lu,getRawEntityRecord:()=>mu,getRedoEdit:()=>Tu,getReferenceByDistinctEdits:()=>Hu,getThemeSupports:()=>Nu,getUndoEdit:()=>Cu,getUserQueryResults:()=>lu,hasEditsForEntityRecord:()=>_u,hasEntityRecords:()=>fu,hasFetchedAutosaves:()=>Wu,hasRedo:()=>zu,hasUndo:()=>xu,isAutosavingEntityRecord:()=>ku,isDeletingEntityRecord:()=>Eu,isPreviewEmbedFallback:()=>Bu,isRequestingEmbedPreview:()=>ou,isSavingEntityRecord:()=>wu});var l={};n.r(l),n.d(l,{__experimentalGetTemplateForLink:()=>od,__unstableGetAuthor:()=>Vu,canUser:()=>ed,canUserEditEntityRecord:()=>td,getAuthors:()=>Fu,getAutosave:()=>rd,getAutosaves:()=>nd,getCurrentTheme:()=>Ju,getCurrentUser:()=>Xu,getEditedEntityRecord:()=>Ku,getEmbedPreview:()=>Zu,getEntityRecord:()=>Uu,getEntityRecords:()=>Gu,getRawEntityRecord:()=>$u,getThemeSupports:()=>Qu});var c={};n.r(c),n.d(c,{__unstableGetPendingLockRequests:()=>ad,__unstableIsLockAvailable:()=>id});var u={};n.r(u),n.d(u,{find:()=>Mm});var d={};n.r(d),n.d(d,{find:()=>Cm,findNext:()=>xm,findPrevious:()=>Tm,isTabbableIndex:()=>wm});var p={};n.r(p),n.d(p,{__experimentalGetActiveBlockIdByBlockNames:()=>Hv,__experimentalGetAllowedBlocks:()=>Mv,__experimentalGetAllowedPatterns:()=>Ev,__experimentalGetBlockListSettingsForBlocks:()=>xv,__experimentalGetLastBlockAttributeChanges:()=>Dv,__experimentalGetParsedPattern:()=>kv,__experimentalGetParsedReusableBlock:()=>zv,__experimentalGetPatternTransformItems:()=>Av,__experimentalGetPatternsByBlockTypes:()=>Lv,__experimentalGetReusableBlockTitle:()=>Ov,__unstableGetBlockTree:()=>lb,__unstableGetBlockWithBlockTree:()=>sb,__unstableGetBlockWithoutInnerBlocks:()=>ab,__unstableGetClientIdWithClientIdsTree:()=>cb,__unstableGetClientIdsTree:()=>ub,__unstableIsLastBlockChangeIgnored:()=>Nv,areInnerBlocksControlled:()=>Wv,canInsertBlockType:()=>dv,canInsertBlocks:()=>pv,didAutomaticChange:()=>Rv,getAdjacentBlockClientId:()=>Tb,getBlock:()=>ob,getBlockAttributes:()=>rb,getBlockCount:()=>hb,getBlockHierarchyRootClientId:()=>Sb,getBlockIndex:()=>Fb,getBlockInsertionPoint:()=>ov,getBlockListSettings:()=>Sv,getBlockMode:()=>Jb,getBlockName:()=>tb,getBlockOrder:()=>jb,getBlockParents:()=>Lb,getBlockParentsByBlockName:()=>Ab,getBlockRootClientId:()=>Eb,getBlockSelectionEnd:()=>yb,getBlockSelectionStart:()=>vb,getBlockTransformItems:()=>yv,getBlocks:()=>ib,getBlocksByClientId:()=>fb,getClientIdsOfDescendants:()=>db,getClientIdsWithDescendants:()=>pb,getDraggedBlockClientIds:()=>ev,getFirstMultiSelectedBlockClientId:()=>Ib,getGlobalBlockCount:()=>mb,getInserterItems:()=>vv,getLastMultiSelectedBlockClientId:()=>Pb,getLowestCommonAncestorWithSelectedBlock:()=>Cb,getMultiSelectedBlockClientIds:()=>Db,getMultiSelectedBlocks:()=>Bb,getMultiSelectedBlocksEndClientId:()=>qb,getMultiSelectedBlocksStartClientId:()=>Hb,getNextBlockClientId:()=>zb,getPreviousBlockClientId:()=>xb,getSelectedBlock:()=>wb,getSelectedBlockClientId:()=>kb,getSelectedBlockClientIds:()=>Nb,getSelectedBlockCount:()=>_b,getSelectedBlocksInitialCaretPosition:()=>Ob,getSelectionEnd:()=>bb,getSelectionStart:()=>gb,getSettings:()=>Cv,getTemplate:()=>sv,getTemplateLock:()=>lv,hasBlockMovingClientId:()=>Pv,hasInserterItems:()=>_v,hasMultiSelection:()=>$b,hasSelectedBlock:()=>Mb,hasSelectedInnerBlock:()=>Xb,isAncestorBeingDragged:()=>nv,isAncestorMultiSelected:()=>Wb,isBlockBeingDragged:()=>tv,isBlockHighlighted:()=>Yv,isBlockInsertionPointVisible:()=>av,isBlockMultiSelected:()=>Yb,isBlockSelected:()=>Vb,isBlockValid:()=>nb,isBlockWithinSelection:()=>Ub,isCaretWithinFormattedText:()=>rv,isDraggingBlocks:()=>Zb,isFirstMultiSelectedBlock:()=>Rb,isLastBlockChangePersistent:()=>Tv,isMultiSelecting:()=>Kb,isNavigationMode:()=>Iv,isSelectionEnabled:()=>Gb,isTyping:()=>Qb,isValidTemplate:()=>iv,wasBlockJustInserted:()=>qv});var m={};n.r(m),n.d(m,{getFormatType:()=>Kv,getFormatTypeForBareElement:()=>Gv,getFormatTypeForClassName:()=>Jv,getFormatTypes:()=>$v});var f={};n.r(f),n.d(f,{addFormatTypes:()=>Qv,removeFormatTypes:()=>Zv});var h={};n.r(h),n.d(h,{__unstableMarkAutomaticChange:()=>wM,__unstableMarkAutomaticChangeFinal:()=>EM,__unstableMarkLastChangeAsPersistent:()=>MM,__unstableMarkNextChangeAsNotPersistent:()=>kM,__unstableSaveReusableBlock:()=>_M,clearSelectedBlock:()=>j_,duplicateBlocks:()=>SM,enterFormattedText:()=>fM,exitFormattedText:()=>hM,flashBlock:()=>zM,hideInsertionPoint:()=>nM,insertAfterBlock:()=>TM,insertBeforeBlock:()=>CM,insertBlock:()=>Z_,insertBlocks:()=>eM,insertDefaultBlock:()=>bM,mergeBlocks:()=>aM,moveBlockToPosition:()=>Q_,moveBlocksDown:()=>K_,moveBlocksToPosition:()=>J_,moveBlocksUp:()=>G_,multiSelect:()=>q_,receiveBlocks:()=>D_,removeBlock:()=>sM,removeBlocks:()=>iM,replaceBlock:()=>U_,replaceBlocks:()=>X_,replaceInnerBlocks:()=>lM,resetBlocks:()=>z_,resetSelection:()=>N_,selectBlock:()=>P_,selectNextBlock:()=>Y_,selectPreviousBlock:()=>R_,selectionChange:()=>gM,setBlockMovingClientId:()=>AM,setHasControlledInnerBlocks:()=>OM,setNavigationMode:()=>LM,setTemplateValidity:()=>rM,showInsertionPoint:()=>tM,startDraggingBlocks:()=>pM,startMultiSelect:()=>W_,startTyping:()=>uM,stopDraggingBlocks:()=>mM,stopMultiSelect:()=>H_,stopTyping:()=>dM,synchronizeTemplate:()=>oM,toggleBlockHighlight:()=>xM,toggleBlockMode:()=>cM,toggleSelection:()=>F_,updateBlock:()=>I_,updateBlockAttributes:()=>B_,updateBlockListSettings:()=>vM,updateSettings:()=>yM,validateBlocksToTemplate:()=>O_});var g={};n.r(g),n.d(g,{Text:()=>ow,block:()=>aw,destructive:()=>sw,highlighterText:()=>cw,muted:()=>lw,positive:()=>iw,upperCase:()=>uw});var b={};n.r(b),n.d(b,{registerShortcut:()=>HB,unregisterShortcut:()=>qB});var v={};n.r(v),n.d(v,{getAllShortcutKeyCombinations:()=>GB,getAllShortcutRawKeyCombinations:()=>JB,getCategoryShortcuts:()=>QB,getShortcutAliases:()=>KB,getShortcutDescription:()=>$B,getShortcutKeyCombination:()=>XB,getShortcutRepresentation:()=>UB});var y={};n.r(y),n.d(y,{createErrorNotice:()=>hI,createInfoNotice:()=>fI,createNotice:()=>pI,createSuccessNotice:()=>mI,createWarningNotice:()=>gI,removeNotice:()=>bI});var _={};n.r(_),n.d(_,{getNotices:()=>yI});var M={};n.r(M),n.d(M,{__experimentalGetDefaultTemplatePartAreas:()=>uU,__experimentalGetDefaultTemplateType:()=>dU,__experimentalGetDefaultTemplateTypes:()=>cU,__experimentalGetTemplateInfo:()=>pU,__unstableGetBlockWithoutInnerBlocks:()=>gX,__unstableIsEditorReady:()=>iX,canInsertBlockType:()=>aU,canUserUseUnfilteredHTML:()=>eX,didPostSaveRequestFail:()=>IV,didPostSaveRequestSucceed:()=>BV,getActivePostLock:()=>ZV,getAdjacentBlockClientId:()=>xX,getAutosave:()=>TV,getAutosaveAttribute:()=>_V,getBlock:()=>fX,getBlockAttributes:()=>mX,getBlockCount:()=>MX,getBlockHierarchyRootClientId:()=>TX,getBlockIndex:()=>FX,getBlockInsertionPoint:()=>eU,getBlockListSettings:()=>lU,getBlockMode:()=>JX,getBlockName:()=>dX,getBlockOrder:()=>jX,getBlockRootClientId:()=>CX,getBlockSelectionEnd:()=>wX,getBlockSelectionStart:()=>kX,getBlocks:()=>hX,getBlocksByClientId:()=>_X,getBlocksForSerialization:()=>HV,getClientIdsOfDescendants:()=>bX,getClientIdsWithDescendants:()=>vX,getCurrentPost:()=>dV,getCurrentPostAttribute:()=>vV,getCurrentPostId:()=>mV,getCurrentPostLastRevisionId:()=>hV,getCurrentPostRevisionsCount:()=>fV,getCurrentPostType:()=>pV,getEditedPostAttribute:()=>yV,getEditedPostContent:()=>qV,getEditedPostPreviewLink:()=>YV,getEditedPostSlug:()=>XV,getEditedPostVisibility:()=>MV,getEditorBlocks:()=>nX,getEditorSelection:()=>aX,getEditorSelectionEnd:()=>oX,getEditorSelectionStart:()=>rX,getEditorSettings:()=>sX,getFirstMultiSelectedBlockClientId:()=>IX,getGlobalBlockCount:()=>yX,getInserterItems:()=>iU,getLastMultiSelectedBlockClientId:()=>PX,getMultiSelectedBlockClientIds:()=>DX,getMultiSelectedBlocks:()=>BX,getMultiSelectedBlocksEndClientId:()=>qX,getMultiSelectedBlocksStartClientId:()=>HX,getNextBlockClientId:()=>OX,getPermalink:()=>VV,getPermalinkParts:()=>UV,getPostEdits:()=>gV,getPostLockUser:()=>QV,getPostTypeLabel:()=>mU,getPreviousBlockClientId:()=>zX,getReferenceByDistinctEdits:()=>bV,getSelectedBlock:()=>SX,getSelectedBlockClientId:()=>AX,getSelectedBlockCount:()=>EX,getSelectedBlocksInitialCaretPosition:()=>NX,getStateBeforeOptimisticTransaction:()=>lX,getSuggestedPostFormat:()=>WV,getTemplate:()=>rU,getTemplateLock:()=>oU,hasAutosave:()=>xV,hasChangedContent:()=>sV,hasEditorRedo:()=>aV,hasEditorUndo:()=>oV,hasInserterItems:()=>sU,hasMultiSelection:()=>$X,hasNonPostEntityChanges:()=>cV,hasSelectedBlock:()=>LX,hasSelectedInnerBlock:()=>XX,inSomeHistory:()=>cX,isAncestorMultiSelected:()=>WX,isAutosavingPost:()=>PV,isBlockInsertionPointVisible:()=>tU,isBlockMultiSelected:()=>YX,isBlockSelected:()=>VX,isBlockValid:()=>pX,isBlockWithinSelection:()=>UX,isCaretWithinFormattedText:()=>ZX,isCleanNewPost:()=>uV,isCurrentPostPending:()=>kV,isCurrentPostPublished:()=>wV,isCurrentPostScheduled:()=>EV,isEditedPostAutosaveable:()=>CV,isEditedPostBeingScheduled:()=>zV,isEditedPostDateFloating:()=>OV,isEditedPostDirty:()=>lV,isEditedPostEmpty:()=>SV,isEditedPostNew:()=>iV,isEditedPostPublishable:()=>LV,isEditedPostSaveable:()=>AV,isFirstMultiSelectedBlock:()=>RX,isMultiSelecting:()=>KX,isPermalinkEditable:()=>FV,isPostAutosavingLocked:()=>GV,isPostLockTakeover:()=>JV,isPostLocked:()=>$V,isPostSavingLocked:()=>KV,isPreviewingPost:()=>RV,isPublishSidebarEnabled:()=>tX,isPublishingPost:()=>jV,isSavingNonPostEntityChanges:()=>DV,isSavingPost:()=>NV,isSelectionEnabled:()=>GX,isTyping:()=>QX,isValidTemplate:()=>nU});var k={};n.r(k),n.d(k,{__experimentalRequestPostUpdateFinish:()=>yU,__experimentalRequestPostUpdateStart:()=>vU,__experimentalTearDownEditor:()=>hU,autosave:()=>AU,clearSelectedBlock:()=>$U,createUndoLevel:()=>TU,disablePublishSidebar:()=>OU,editPost:()=>kU,enablePublishSidebar:()=>zU,enterFormattedText:()=>m$,exitFormattedText:()=>f$,hideInsertionPoint:()=>o$,insertBlock:()=>t$,insertBlocks:()=>n$,insertDefaultBlock:()=>h$,lockPostAutosaving:()=>BU,lockPostSaving:()=>NU,mergeBlocks:()=>s$,moveBlockToPosition:()=>e$,moveBlocksDown:()=>QU,moveBlocksUp:()=>ZU,multiSelect:()=>UU,receiveBlocks:()=>HU,redo:()=>SU,refreshPost:()=>EU,removeBlock:()=>c$,removeBlocks:()=>l$,replaceBlock:()=>JU,replaceBlocks:()=>GU,resetAutosave:()=>bU,resetBlocks:()=>WU,resetEditorBlocks:()=>PU,resetPost:()=>gU,savePost:()=>wU,selectBlock:()=>FU,setTemplateValidity:()=>a$,setupEditor:()=>fU,setupEditorState:()=>MU,showInsertionPoint:()=>r$,startMultiSelect:()=>VU,startTyping:()=>d$,stopMultiSelect:()=>XU,stopTyping:()=>p$,synchronizeTemplate:()=>i$,toggleBlockMode:()=>u$,toggleSelection:()=>KU,trashPost:()=>LU,undo:()=>CU,unlockPostAutosaving:()=>IU,unlockPostSaving:()=>DU,updateBlock:()=>qU,updateBlockAttributes:()=>jU,updateBlockListSettings:()=>g$,updateEditorSettings:()=>RU,updatePost:()=>_U,updatePostLock:()=>xU});var w={};n.r(w),n.d(w,{metadata:()=>sK,name:()=>lK,settings:()=>cK});var E={};n.r(E),n.d(E,{metadata:()=>oJ,name:()=>aJ,settings:()=>iJ});var L={};n.r(L),n.d(L,{metadata:()=>MJ,name:()=>kJ,settings:()=>wJ});var A={};n.r(A),n.d(A,{metadata:()=>TJ,name:()=>xJ,settings:()=>zJ});var S={};n.r(S),n.d(S,{setIsMatching:()=>IJ});var C={};n.r(C),n.d(C,{isViewportMatch:()=>PJ});var T={};n.r(T),n.d(T,{metadata:()=>nQ,name:()=>rQ,settings:()=>oQ});var x={};n.r(x),n.d(x,{metadata:()=>mQ,name:()=>fQ,settings:()=>hQ});var z={};n.r(z),n.d(z,{metadata:()=>MQ,name:()=>kQ,settings:()=>wQ});var O={};n.r(O),n.d(O,{metadata:()=>RQ,name:()=>YQ,settings:()=>WQ});var N={};n.r(N),n.d(N,{metadata:()=>UQ,name:()=>$Q,settings:()=>KQ});var D={};n.r(D),n.d(D,{metadata:()=>QQ,name:()=>ZQ,settings:()=>eZ});var B={};n.r(B),n.d(B,{metadata:()=>rZ,name:()=>oZ,settings:()=>aZ});var I={};n.r(I),n.d(I,{metadata:()=>uZ,name:()=>dZ,settings:()=>pZ});var P={};n.r(P),n.d(P,{metadata:()=>AZ,name:()=>SZ,settings:()=>CZ});var R={};n.r(R),n.d(R,{metadata:()=>OZ,name:()=>NZ,settings:()=>DZ});var Y={};n.r(Y),n.d(Y,{metadata:()=>O0,name:()=>N0,settings:()=>D0});var W={};n.r(W),n.d(W,{metadata:()=>f1,name:()=>h1,settings:()=>g1});var H={};n.r(H),n.d(H,{metadata:()=>A1,name:()=>S1,settings:()=>C1});var q={};n.r(q),n.d(q,{metadata:()=>z1,name:()=>O1,settings:()=>N1});var j={};n.r(j),n.d(j,{metadata:()=>Z1,name:()=>e2,settings:()=>t2});var F={};n.r(F),n.d(F,{metadata:()=>_2,name:()=>M2,settings:()=>k2});var V={};n.r(V),n.d(V,{metadata:()=>P2,name:()=>R2,settings:()=>Y2});var X={};n.r(X),n.d(X,{metadata:()=>q2,name:()=>j2,settings:()=>F2});var U={};n.r(U),n.d(U,{metadata:()=>X2,name:()=>U2,settings:()=>$2});var $={};n.r($),n.d($,{metadata:()=>g3,name:()=>b3,settings:()=>v3});var K={};n.r(K),n.d(K,{metadata:()=>_3,name:()=>M3,settings:()=>k3});var G={};n.r(G),n.d(G,{metadata:()=>D3,name:()=>B3,settings:()=>I3});var J={};n.r(J),n.d(J,{metadata:()=>R3,name:()=>Y3,settings:()=>W3});var Q={};n.r(Q),n.d(Q,{metadata:()=>F3,name:()=>V3,settings:()=>X3});var Z={};n.r(Z),n.d(Z,{metadata:()=>K3,name:()=>G3,settings:()=>J3});var ee={};n.r(ee),n.d(ee,{metadata:()=>n4,name:()=>r4,settings:()=>o4});var te={};n.r(te),n.d(te,{metadata:()=>s4,name:()=>l4,settings:()=>c4});var ne={};n.r(ne),n.d(ne,{metadata:()=>b4,name:()=>v4,settings:()=>y4});var re={};n.r(re),n.d(re,{__experimentalConvertBlockToStatic:()=>_4,__experimentalConvertBlocksToReusable:()=>M4,__experimentalDeleteReusableBlock:()=>k4,__experimentalSetEditingReusableBlock:()=>w4});var oe={};n.r(oe),n.d(oe,{__experimentalIsEditingReusableBlock:()=>E4});var ae={};n.r(ae),n.d(ae,{metadata:()=>S4,name:()=>C4,settings:()=>T4});var ie={};n.r(ie),n.d(ie,{metadata:()=>z4,name:()=>O4,settings:()=>N4});var se={};n.r(se),n.d(se,{metadata:()=>H4,name:()=>q4,settings:()=>j4});var le={};n.r(le),n.d(le,{metadata:()=>$4,name:()=>K4,settings:()=>G4});var ce={};n.r(ce),n.d(ce,{metadata:()=>t5,name:()=>n5,settings:()=>r5});var ue={};n.r(ue),n.d(ue,{metadata:()=>i5,name:()=>s5,settings:()=>l5});var de={};n.r(de),n.d(de,{metadata:()=>d5,name:()=>p5,settings:()=>m5});var pe={};n.r(pe),n.d(pe,{metadata:()=>P5,name:()=>R5,settings:()=>Y5});var me={};n.r(me),n.d(me,{metadata:()=>H5,name:()=>q5,settings:()=>j5});var fe={};n.r(fe),n.d(fe,{metadata:()=>U5,name:()=>$5,settings:()=>K5});var he={};n.r(he),n.d(he,{metadata:()=>d6,name:()=>p6,settings:()=>m6});var ge={};n.r(ge),n.d(ge,{metadata:()=>h6,name:()=>g6,settings:()=>b6});var be={};n.r(be),n.d(be,{metadata:()=>M6,name:()=>k6,settings:()=>w6});var ve={};n.r(ve),n.d(ve,{metadata:()=>T6,name:()=>x6,settings:()=>z6});var ye={};n.r(ye),n.d(ye,{metadata:()=>P6,name:()=>R6,settings:()=>Y6});var _e={};n.r(_e),n.d(_e,{metadata:()=>F6,name:()=>V6,settings:()=>X6});var Me={};n.r(Me),n.d(Me,{metadata:()=>$6,name:()=>K6,settings:()=>G6});var ke={};n.r(ke),n.d(ke,{metadata:()=>e7,name:()=>t7,settings:()=>n7});var we={};n.r(we),n.d(we,{metadata:()=>M7,name:()=>k7,settings:()=>w7});var Ee={};n.r(Ee),n.d(Ee,{metadata:()=>F7,name:()=>V7,settings:()=>X7});var Le={};n.r(Le),n.d(Le,{metadata:()=>$7,name:()=>K7,settings:()=>G7});var Ae={};n.r(Ae),n.d(Ae,{metadata:()=>t8,name:()=>n8,settings:()=>r8});var Se={};n.r(Se),n.d(Se,{metadata:()=>i8,name:()=>s8,settings:()=>l8});var Ce={};n.r(Ce),n.d(Ce,{metadata:()=>u8,name:()=>d8,settings:()=>p8});var Te={};n.r(Te),n.d(Te,{metadata:()=>h8,name:()=>g8,settings:()=>b8});var xe={};n.r(xe),n.d(xe,{metadata:()=>y8,name:()=>_8,settings:()=>M8});var ze={};n.r(ze),n.d(ze,{metadata:()=>A8,name:()=>S8,settings:()=>C8});var Oe={};n.r(Oe),n.d(Oe,{metadata:()=>x8,name:()=>z8,settings:()=>O8});var Ne={};n.r(Ne),n.d(Ne,{metadata:()=>Y8,name:()=>W8,settings:()=>H8});var De={};n.r(De),n.d(De,{metadata:()=>F8,name:()=>V8,settings:()=>X8});var Be={};n.r(Be),n.d(Be,{metadata:()=>$8,name:()=>K8,settings:()=>G8});var Ie={};n.r(Ie),n.d(Ie,{metadata:()=>J8,name:()=>Q8,settings:()=>Z8});var Pe={};n.r(Pe),n.d(Pe,{metadata:()=>e9,name:()=>t9,settings:()=>n9});var Re={};n.r(Re),n.d(Re,{metadata:()=>o9,name:()=>a9,settings:()=>i9});var Ye={};n.r(Ye),n.d(Ye,{metadata:()=>c9,name:()=>u9,settings:()=>d9});var We={};n.r(We),n.d(We,{metadata:()=>m9,name:()=>f9,settings:()=>h9});var He={};n.r(He),n.d(He,{metadata:()=>b9,name:()=>v9,settings:()=>y9});var qe={};n.r(qe),n.d(qe,{metadata:()=>M9,name:()=>k9,settings:()=>w9});var je={};n.r(je),n.d(je,{metadata:()=>N9,name:()=>D9,settings:()=>B9});var Fe={};n.r(Fe),n.d(Fe,{metadata:()=>P9,name:()=>R9,settings:()=>Y9});var Ve={};n.r(Ve),n.d(Ve,{metadata:()=>F9,name:()=>V9,settings:()=>X9});var Xe={};n.r(Xe),n.d(Xe,{metadata:()=>K9,name:()=>G9,settings:()=>J9});var Ue={};n.r(Ue),n.d(Ue,{metadata:()=>Z9,name:()=>eee,settings:()=>tee});var $e={};n.r($e),n.d($e,{getCurrentPattern:()=>cne,getCurrentPatternName:()=>lne,getEditorMode:()=>ane,getEditorSettings:()=>ine,getIgnoredContent:()=>une,getNamedPattern:()=>dne,getPatterns:()=>hne,isEditing:()=>fne,isEditorReady:()=>sne,isInserterOpened:()=>pne,isInspecting:()=>mne});var Ke={};n.r(Ke),n.d(Ke,{getBlocks:()=>gne,getEditCount:()=>_ne,getEditorSelection:()=>bne,hasEditorRedo:()=>yne,hasEditorUndo:()=>vne});var Ge={};n.r(Ge),n.d(Ge,{isFeatureActive:()=>Mne});var Je={};n.r(Je),n.d(Je,{isOptionActive:()=>kne});var Qe={};n.r(Qe),n.d(Qe,{__experimentalConvertBlockToStatic:()=>jne,__experimentalConvertBlocksToReusable:()=>Fne,__experimentalDeleteReusableBlock:()=>Vne,__experimentalSetEditingReusableBlock:()=>Xne});var Ze={};n.r(Ze),n.d(Ze,{__experimentalIsEditingReusableBlock:()=>Une});var et=n(3804),tt=n.n(et);const nt=ReactDOM;function rt(){return(rt=Object.assign||function(e){for(var t=1;t(n,r,o,a,i)=>{if(!function(e,t){return kt(e)&&e.type===t}(n,t))return!1;const s=e(n);return Mt(s)?s.then(a,i):a(s),!0}));n.push(((e,n)=>!!kt(e)&&(t(e),n(),!0)));const r=(0,_t.create)(n);return e=>new Promise(((n,o)=>r(e,(e=>{kt(e)&&t(e),n(e)}),o)))}function Et(e={}){return t=>{const n=wt(e,t.dispatch);return e=>t=>function(e){return!!e&&"function"==typeof e[Symbol.iterator]&&"function"==typeof e.next}(t)?n(t):e(t)}}function Lt(e){const t=(...n)=>e(t.registry.select)(...n);return t.isRegistrySelector=!0,t}function At(e){return e.isRegistryControl=!0,e}const St="@@data/SELECT",Ct="@@data/RESOLVE_SELECT",Tt="@@data/DISPATCH";const xt={select:function(e,t,...n){return{type:St,storeKey:e,selectorName:t,args:n}},resolveSelect:function(e,t,...n){return{type:Ct,storeKey:e,selectorName:t,args:n}},dispatch:function(e,t,...n){return{type:Tt,storeKey:e,actionName:t,args:n}}},zt={[St]:At((e=>({storeKey:t,selectorName:n,args:r})=>e.select(t)[n](...r))),[Ct]:At((e=>({storeKey:t,selectorName:n,args:r})=>{const o=e.select(t)[n].hasResolver?"resolveSelect":"select";return e[o](t)[n](...r)})),[Tt]:At((e=>({storeKey:t,actionName:n,args:r})=>e.dispatch(t)[n](...r)))},Ot=()=>e=>t=>Mt(t)?t.then((t=>{if(t)return e(t)})):e(t),Nt="core/data",Dt=(e,t)=>()=>n=>r=>{const o=e.select(Nt).getCachedResolvers(t);return Object.entries(o).forEach((([n,o])=>{const a=(0,ot.get)(e.stores,[t,"resolvers",n]);a&&a.shouldInvalidate&&o.forEach(((o,i)=>{!1===o&&a.shouldInvalidate(r,...i)&&e.dispatch(Nt).invalidateResolution(t,n,i)}))})),n(r)};const Bt=(It="selectorName",e=>(t={},n)=>{const r=n[It];if(void 0===r)return t;const o=e(t[r],n);return o===t[r]?t:{...t,[r]:o}})(((e=new(yt()),t)=>{switch(t.type){case"START_RESOLUTION":case"FINISH_RESOLUTION":{const n="START_RESOLUTION"===t.type,r=new(yt())(e);return r.set(t.args,n),r}case"START_RESOLUTIONS":case"FINISH_RESOLUTIONS":{const n="START_RESOLUTIONS"===t.type,r=new(yt())(e);for(const e of t.args)r.set(e,n);return r}case"INVALIDATE_RESOLUTION":{const n=new(yt())(e);return n.delete(t.args),n}}return e}));var It;const Pt=(e={},t)=>{switch(t.type){case"INVALIDATE_RESOLUTION_FOR_STORE":return{};case"INVALIDATE_RESOLUTION_FOR_STORE_SELECTOR":return(0,ot.has)(e,[t.selectorName])?(0,ot.omit)(e,[t.selectorName]):e;case"START_RESOLUTION":case"FINISH_RESOLUTION":case"START_RESOLUTIONS":case"FINISH_RESOLUTIONS":case"INVALIDATE_RESOLUTION":return Bt(e,t)}return e};function Rt(e,t,n){const r=(0,ot.get)(e,[t]);if(r)return r.get(n)}function Yt(e,t,n=[]){return void 0!==Rt(e,t,n)}function Wt(e,t,n=[]){return!1===Rt(e,t,n)}function Ht(e,t,n=[]){return!0===Rt(e,t,n)}function qt(e){return e}function jt(e,t){return{type:"START_RESOLUTION",selectorName:e,args:t}}function Ft(e,t){return{type:"FINISH_RESOLUTION",selectorName:e,args:t}}function Vt(e,t){return{type:"START_RESOLUTIONS",selectorName:e,args:t}}function Xt(e,t){return{type:"FINISH_RESOLUTIONS",selectorName:e,args:t}}function Ut(e,t){return{type:"INVALIDATE_RESOLUTION",selectorName:e,args:t}}function $t(){return{type:"INVALIDATE_RESOLUTION_FOR_STORE"}}function Kt(e){return{type:"INVALIDATE_RESOLUTION_FOR_STORE_SELECTOR",selectorName:e}}function Gt(n,r){return{name:n,instantiate:o=>{const a=r.reducer,i=function(e,t,n,r){const o={...t.controls,...zt},a=(0,ot.mapValues)(o,(e=>e.isRegistryControl?e(n):e)),i=[Dt(n,e),Ot,Et(a)];t.__experimentalUseThunks&&i.push((s=r,()=>e=>t=>"function"==typeof t?t(s):e(t)));var s;const l=[bt(...i)];"undefined"!=typeof window&&window.__REDUX_DEVTOOLS_EXTENSION__&&l.push(window.__REDUX_DEVTOOLS_EXTENSION__({name:e,instanceId:e}));const{reducer:c,initialState:u}=t;return ht(it()({metadata:Pt,root:c}),{root:u},(0,ot.flowRight)(l))}(n,r,o,{registry:o,get dispatch(){return Object.assign((e=>i.dispatch(e)),m())},get select(){return Object.assign((e=>e(i.__unstableOriginalGetState())),p())},get resolveSelect(){return f()}}),s=function(){const e={};return{isRunning:(t,n)=>e[t]&&e[t].get(n),clear(t,n){e[t]&&e[t].delete(n)},markAsRunning(t,n){e[t]||(e[t]=new(yt())),e[t].set(n,!0)}}}();let l;const c=function(e,t){const n=e=>(...n)=>Promise.resolve(t.dispatch(e(...n)));return(0,ot.mapValues)(e,n)}({...t,...r.actions},i);let u=function(e,t){const n=e=>{const n=function(){const n=arguments.length,r=new Array(n+1);r[0]=t.__unstableOriginalGetState();for(let e=0;e(t,...n)=>e(t.metadata,...n))),...(0,ot.mapValues)(r.selectors,(e=>(e.isRegistrySelector&&(e.registry=o),(t,...n)=>e(t.root,...n))))},i);if(r.resolvers){const e=function(e,t,n,r){const o=(0,ot.mapValues)(e,(e=>e.fulfill?e:{...e,fulfill:e})),a=(t,a)=>{const i=e[a];if(!i)return t.hasResolver=!1,t;const s=(...e)=>{async function s(){const t=n.getState();if(r.isRunning(a,e)||"function"==typeof i.isFulfilled&&i.isFulfilled(t,...e))return;const{metadata:s}=n.__unstableOriginalGetState();Yt(s,a,e)||(r.markAsRunning(a,e),setTimeout((async()=>{r.clear(a,e),n.dispatch(jt(a,e)),await async function(e,t,n,...r){const o=(0,ot.get)(t,[n]);if(!o)return;const a=o.fulfill(...r);a&&await e.dispatch(a)}(n,o,a,...e),n.dispatch(Ft(a,e))})))}return s(...e),t(...e)};return s.hasResolver=!0,s};return{resolvers:o,selectors:(0,ot.mapValues)(t,a)}}(r.resolvers,u,i,s);l=e.resolvers,u=e.selectors}const d=function(e,t){return(0,ot.mapValues)((0,ot.omit)(e,["getIsResolving","hasStartedResolution","hasFinishedResolution","isResolving","getCachedResolvers"]),((n,r)=>(...o)=>new Promise((a=>{const i=()=>e.hasFinishedResolution(r,o),s=()=>n.apply(null,o),l=s();if(i())return a(l);const c=t.subscribe((()=>{i()&&(c(),a(s()))}))}))))}(u,i),p=()=>u,m=()=>c,f=()=>d;i.__unstableOriginalGetState=i.getState,i.getState=()=>i.__unstableOriginalGetState().root;const h=i&&(e=>{let t=i.__unstableOriginalGetState();return i.subscribe((()=>{const n=i.__unstableOriginalGetState(),r=n!==t;t=n,r&&e()}))});return{reducer:a,store:i,actions:c,selectors:u,resolvers:l,getSelectors:p,getResolveSelectors:f,getActions:m,subscribe:h}}}}const Jt=function(e){const t=t=>(n,...r)=>e.select(n)[t](...r),n=t=>(n,...r)=>e.dispatch(n)[t](...r);return{getSelectors:()=>["getIsResolving","hasStartedResolution","hasFinishedResolution","isResolving","getCachedResolvers"].reduce(((e,n)=>({...e,[n]:t(n)})),{}),getActions:()=>["startResolution","finishResolution","invalidateResolution","invalidateResolutionForStore","invalidateResolutionForStoreSelector"].reduce(((e,t)=>({...e,[t]:n(t)})),{}),subscribe:()=>()=>{}}};function Qt(e={},t=null){const n={};let r=[];const o=new Set;function a(){r.forEach((e=>e()))}const i=e=>(r.push(e),()=>{r=(0,ot.without)(r,e)});function s(e,t){if("function"!=typeof t.getSelectors)throw new TypeError("config.getSelectors must be a function");if("function"!=typeof t.getActions)throw new TypeError("config.getActions must be a function");if("function"!=typeof t.subscribe)throw new TypeError("config.subscribe must be a function");n[e]=t,t.subscribe(a)}let l={registerGenericStore:s,stores:n,namespaces:n,subscribe:i,select:function(e){const r=(0,ot.isObject)(e)?e.name:e;o.add(r);const a=n[r];return a?a.getSelectors():t&&t.select(r)},resolveSelect:function(e){const r=(0,ot.isObject)(e)?e.name:e;o.add(r);const a=n[r];return a?a.getResolveSelectors():t&&t.resolveSelect(r)},dispatch:function(e){const r=(0,ot.isObject)(e)?e.name:e,o=n[r];return o?o.getActions():t&&t.dispatch(r)},use:function(e,t){return l={...l,...e(l,t)},l},register:function(e){s(e.name,e.instantiate(l))},__experimentalMarkListeningStores:function(e,t){o.clear();const n=e.call(this);return t.current=Array.from(o),n},__experimentalSubscribeStore:function(e,r){return e in n?n[e].subscribe(r):t?t.__experimentalSubscribeStore(e,r):i(r)}};return l.registerStore=(e,t)=>{if(!t.reducer)throw new TypeError("Must specify store reducer");const n=Gt(e,t).instantiate(l);return s(e,n),n.store},s(Nt,Jt(l)),Object.entries(e).forEach((([e,t])=>l.registerStore(e,t))),t&&t.subscribe(a),function(e){return(0,ot.mapValues)(e,((e,t)=>"function"!=typeof e?e:function(){return l[t].apply(null,arguments)}))}(l)}const Zt=Qt(),en=Zt.select,tn=(Zt.resolveSelect,Zt.dispatch),nn=(Zt.subscribe,Zt.registerGenericStore,Zt.registerStore),rn=Zt.use,on=Zt.register;var an=n(9588),sn=n.n(an),ln=n(8975),cn=n.n(ln);const un=sn()(console.error);function dn(e,...t){try{return cn().sprintf(e,...t)}catch(t){return un("sprintf error: \n\n"+t.toString()),e}}var pn,mn,fn,hn;pn={"(":9,"!":8,"*":7,"/":7,"%":7,"+":6,"-":6,"<":5,"<=":5,">":5,">=":5,"==":4,"!=":4,"&&":3,"||":2,"?":1,"?:":1},mn=["(","?"],fn={")":["("],":":["?","?:"]},hn=/<=|>=|==|!=|&&|\|\||\?:|\(|!|\*|\/|%|\+|-|<|>|\?|\)|:/;var gn={"!":function(e){return!e},"*":function(e,t){return e*t},"/":function(e,t){return e/t},"%":function(e,t){return e%t},"+":function(e,t){return e+t},"-":function(e,t){return e-t},"<":function(e,t){return e":function(e,t){return e>t},">=":function(e,t){return e>=t},"==":function(e,t){return e===t},"!=":function(e,t){return e!==t},"&&":function(e,t){return e&&t},"||":function(e,t){return e||t},"?:":function(e,t,n){if(e)throw t;return n}};function bn(e){var t=function(e){for(var t,n,r,o,a=[],i=[];t=e.match(hn);){for(n=t[0],(r=e.substr(0,t.index).trim())&&a.push(r);o=i.pop();){if(fn[n]){if(fn[n][0]===o){n=fn[n][1]||n;break}}else if(mn.indexOf(o)>=0||pn[o]1===e?0:1}},Mn=/^i18n\.(n?gettext|has_translation)(_|$)/;const kn=function(e){return"string"!=typeof e||""===e?(console.error("The namespace must be a non-empty string."),!1):!!/^[a-zA-Z][a-zA-Z0-9_.\-\/]*$/.test(e)||(console.error("The namespace can only contain numbers, letters, dashes, periods, underscores and slashes."),!1)};const wn=function(e){return"string"!=typeof e||""===e?(console.error("The hook name must be a non-empty string."),!1):/^__/.test(e)?(console.error("The hook name cannot begin with `__`."),!1):!!/^[a-zA-Z][a-zA-Z0-9_.-]*$/.test(e)||(console.error("The hook name can only contain numbers, letters, dashes, periods and underscores."),!1)};const En=function(e,t){return function(n,r,o,a=10){const i=e[t];if(!wn(n))return;if(!kn(r))return;if("function"!=typeof o)return void console.error("The hook callback must be a function.");if("number"!=typeof a)return void console.error("If specified, the hook priority must be a number.");const s={callback:o,priority:a,namespace:r};if(i[n]){const e=i[n].handlers;let t;for(t=e.length;t>0&&!(a>=e[t-1].priority);t--);t===e.length?e[t]=s:e.splice(t,0,s),i.__current.forEach((e=>{e.name===n&&e.currentIndex>=t&&e.currentIndex++}))}else i[n]={handlers:[s],runs:0};"hookAdded"!==n&&e.doAction("hookAdded",n,r,o,a)}};const Ln=function(e,t,n=!1){return function(r,o){const a=e[t];if(!wn(r))return;if(!n&&!kn(o))return;if(!a[r])return 0;let i=0;if(n)i=a[r].handlers.length,a[r]={runs:a[r].runs,handlers:[]};else{const e=a[r].handlers;for(let t=e.length-1;t>=0;t--)e[t].namespace===o&&(e.splice(t,1),i++,a.__current.forEach((e=>{e.name===r&&e.currentIndex>=t&&e.currentIndex--})))}return"hookRemoved"!==r&&e.doAction("hookRemoved",r,o),i}};const An=function(e,t){return function(n,r){const o=e[t];return void 0!==r?n in o&&o[n].handlers.some((e=>e.namespace===r)):n in o}};const Sn=function(e,t,n=!1){return function(r,...o){const a=e[t];a[r]||(a[r]={handlers:[],runs:0}),a[r].runs++;const i=a[r].handlers;if(!i||!i.length)return n?o[0]:void 0;const s={name:r,currentIndex:0};for(a.__current.push(s);s.currentIndex{const r=new yn({}),o=new Set,a=()=>{o.forEach((e=>e()))},i=(e,t="default")=>{r.data[t]={..._n,...r.data[t],...e},r.data[t][""]={..._n[""],...r.data[t][""]}},s=(e,t)=>{i(e,t),a()},l=(e="default",t,n,o,a)=>(r.data[e]||i(void 0,e),r.dcnpgettext(e,t,n,o,a)),c=(e="default")=>e,u=(e,t,r)=>{let o=l(r,t,e);return n?(o=n.applyFilters("i18n.gettext_with_context",o,e,t,r),n.applyFilters("i18n.gettext_with_context_"+c(r),o,e,t,r)):o};if(e&&s(e,t),n){const e=e=>{Mn.test(e)&&a()};n.addAction("hookAdded","core/i18n",e),n.addAction("hookRemoved","core/i18n",e)}return{getLocaleData:(e="default")=>r.data[e],setLocaleData:s,resetLocaleData:(e,t)=>{r.data={},r.pluralForms={},s(e,t)},subscribe:e=>(o.add(e),()=>o.delete(e)),__:(e,t)=>{let r=l(t,void 0,e);return n?(r=n.applyFilters("i18n.gettext",r,e,t),n.applyFilters("i18n.gettext_"+c(t),r,e,t)):r},_x:u,_n:(e,t,r,o)=>{let a=l(o,void 0,e,t,r);return n?(a=n.applyFilters("i18n.ngettext",a,e,t,r,o),n.applyFilters("i18n.ngettext_"+c(o),a,e,t,r,o)):a},_nx:(e,t,r,o,a)=>{let i=l(a,o,e,t,r);return n?(i=n.applyFilters("i18n.ngettext_with_context",i,e,t,r,o,a),n.applyFilters("i18n.ngettext_with_context_"+c(a),i,e,t,r,o,a)):i},isRTL:()=>"rtl"===u("ltr","text direction"),hasTranslation:(e,t,o)=>{var a,i;const s=t?t+""+e:e;let l=!(null===(a=r.data)||void 0===a||null===(i=a[null!=o?o:"default"])||void 0===i||!i[s]);return n&&(l=n.applyFilters("i18n.has_translation",l,e,t,o),l=n.applyFilters("i18n.has_translation_"+c(o),l,e,t,o)),l}}})(void 0,void 0,Nn),Zn=(Qn.getLocaleData.bind(Qn),Qn.setLocaleData.bind(Qn),Qn.resetLocaleData.bind(Qn),Qn.subscribe.bind(Qn),Qn.__.bind(Qn)),er=Qn._x.bind(Qn),tr=Qn._n.bind(Qn),nr=(Qn._nx.bind(Qn),Qn.isRTL.bind(Qn)),rr=(Qn.hasTranslation.bind(Qn),[{slug:"text",title:Zn("Text")},{slug:"media",title:Zn("Media")},{slug:"design",title:Zn("Design")},{slug:"widgets",title:Zn("Widgets")},{slug:"theme",title:Zn("Theme")},{slug:"embed",title:Zn("Embeds")},{slug:"reusable",title:Zn("Reusable blocks")}]);function or(e){return(t=null,n)=>{switch(n.type){case"REMOVE_BLOCK_TYPES":return-1!==n.names.indexOf(t)?null:t;case e:return n.name||null}return t}}const ar=or("SET_DEFAULT_BLOCK_NAME"),ir=or("SET_FREEFORM_FALLBACK_BLOCK_NAME"),sr=or("SET_UNREGISTERED_FALLBACK_BLOCK_NAME"),lr=or("SET_GROUPING_BLOCK_NAME");const cr=it()({blockTypes:function(e={},t){switch(t.type){case"ADD_BLOCK_TYPES":return{...e,...(0,ot.keyBy)((0,ot.map)(t.blockTypes,(e=>(0,ot.omit)(e,"styles "))),"name")};case"REMOVE_BLOCK_TYPES":return(0,ot.omit)(e,t.names)}return e},blockStyles:function(e={},t){switch(t.type){case"ADD_BLOCK_TYPES":return{...e,...(0,ot.mapValues)((0,ot.keyBy)(t.blockTypes,"name"),(t=>(0,ot.uniqBy)([...(0,ot.get)(t,["styles"],[]),...(0,ot.get)(e,[t.name],[])],(e=>e.name))))};case"ADD_BLOCK_STYLES":return{...e,[t.blockName]:(0,ot.uniqBy)([...(0,ot.get)(e,[t.blockName],[]),...t.styles],(e=>e.name))};case"REMOVE_BLOCK_STYLES":return{...e,[t.blockName]:(0,ot.filter)((0,ot.get)(e,[t.blockName],[]),(e=>-1===t.styleNames.indexOf(e.name)))}}return e},blockVariations:function(e={},t){switch(t.type){case"ADD_BLOCK_TYPES":return{...e,...(0,ot.mapValues)((0,ot.keyBy)(t.blockTypes,"name"),(t=>(0,ot.uniqBy)([...(0,ot.get)(t,["variations"],[]),...(0,ot.get)(e,[t.name],[])],(e=>e.name))))};case"ADD_BLOCK_VARIATIONS":return{...e,[t.blockName]:(0,ot.uniqBy)([...(0,ot.get)(e,[t.blockName],[]),...t.variations],(e=>e.name))};case"REMOVE_BLOCK_VARIATIONS":return{...e,[t.blockName]:(0,ot.filter)((0,ot.get)(e,[t.blockName],[]),(e=>-1===t.variationNames.indexOf(e.name)))}}return e},defaultBlockName:ar,freeformFallbackBlockName:ir,unregisteredFallbackBlockName:sr,groupingBlockName:lr,categories:function(e=rr,t){switch(t.type){case"SET_CATEGORIES":return t.categories||[];case"UPDATE_CATEGORY":if(!t.category||(0,ot.isEmpty)(t.category))return e;if((0,ot.find)(e,["slug",t.slug]))return(0,ot.map)(e,(e=>e.slug===t.slug?{...e,...t.category}:e))}return e},collections:function(e={},t){switch(t.type){case"ADD_BLOCK_COLLECTION":return{...e,[t.namespace]:{title:t.title,icon:t.icon}};case"REMOVE_BLOCK_COLLECTION":return(0,ot.omit)(e,t.namespace)}return e}});var ur,dr;function pr(e){return[e]}function mr(){var e={clear:function(){e.head=null}};return e}function fr(e,t,n){var r;if(e.length!==t.length)return!1;for(r=n;r"string"==typeof t?vr(e,t):t,br=hr((e=>Object.values(e.blockTypes).map((t=>({...t,variations:_r(e,t.name)})))),(e=>[e.blockTypes,e.blockVariations]));function vr(e,t){return e.blockTypes[t]}function yr(e,t){return e.blockStyles[t]}const _r=hr(((e,t,n)=>{const r=e.blockVariations[t];return r&&n?r.filter((e=>(e.scope||["block","inserter"]).includes(n))):r}),((e,t)=>[e.blockVariations[t]]));function Mr(e,t,n,r){const o=_r(e,t,r);return null==o?void 0:o.find((r=>{var o;if(Array.isArray(r.isActive)){const o=vr(e,t),a=Object.keys(o.attributes||{}),i=r.isActive.filter((e=>a.includes(e)));return 0!==i.length&&i.every((e=>n[e]===r.attributes[e]))}return null===(o=r.isActive)||void 0===o?void 0:o.call(r,n,r.attributes)}))}function kr(e,t,n){const r=_r(e,t,n);return(0,ot.findLast)(r,"isDefault")||(0,ot.first)(r)}function wr(e){return e.categories}function Er(e){return e.collections}function Lr(e){return e.defaultBlockName}function Ar(e){return e.freeformFallbackBlockName}function Sr(e){return e.unregisteredFallbackBlockName}function Cr(e){return e.groupingBlockName}const Tr=hr(((e,t)=>(0,ot.map)((0,ot.filter)(e.blockTypes,(e=>(0,ot.includes)(e.parent,t))),(({name:e})=>e))),(e=>[e.blockTypes])),xr=(e,t,n,r)=>{const o=gr(e,t);return null!=o&&o.supports?(0,ot.get)(o.supports,n,r):r};function zr(e,t,n,r){return!!xr(e,t,n,r)}function Or(e,t,n){const r=gr(e,t),o=(0,ot.flow)([ot.deburr,e=>e.toLowerCase(),e=>e.trim()]),a=o(n),i=(0,ot.flow)([o,e=>(0,ot.includes)(e,a)]);return i(r.title)||(0,ot.some)(r.keywords,i)||i(r.category)}const Nr=(e,t)=>Tr(e,t).length>0,Dr=(e,t)=>(0,ot.some)(Tr(e,t),(t=>zr(e,t,"inserter",!0)));function Br(e){return{type:"ADD_BLOCK_TYPES",blockTypes:(0,ot.castArray)(e)}}function Ir(e){return{type:"REMOVE_BLOCK_TYPES",names:(0,ot.castArray)(e)}}function Pr(e,t){return{type:"ADD_BLOCK_STYLES",styles:(0,ot.castArray)(t),blockName:e}}function Rr(e,t){return{type:"REMOVE_BLOCK_STYLES",styleNames:(0,ot.castArray)(t),blockName:e}}function Yr(e,t){return{type:"ADD_BLOCK_VARIATIONS",variations:(0,ot.castArray)(t),blockName:e}}function Wr(e,t){return{type:"REMOVE_BLOCK_VARIATIONS",variationNames:(0,ot.castArray)(t),blockName:e}}function Hr(e){return{type:"SET_DEFAULT_BLOCK_NAME",name:e}}function qr(e){return{type:"SET_FREEFORM_FALLBACK_BLOCK_NAME",name:e}}function jr(e){return{type:"SET_UNREGISTERED_FALLBACK_BLOCK_NAME",name:e}}function Fr(e){return{type:"SET_GROUPING_BLOCK_NAME",name:e}}function Vr(e){return{type:"SET_CATEGORIES",categories:e}}function Xr(e,t){return{type:"UPDATE_CATEGORY",slug:e,category:t}}function Ur(e,t,n){return{type:"ADD_BLOCK_COLLECTION",namespace:e,title:t,icon:n}}function $r(e){return{type:"REMOVE_BLOCK_COLLECTION",namespace:e}}const Kr=Gt("core/blocks",{reducer:cr,selectors:r,actions:o});var Gr;on(Kr);var Jr=new Uint8Array(16);function Qr(){if(!Gr&&!(Gr="undefined"!=typeof crypto&&crypto.getRandomValues&&crypto.getRandomValues.bind(crypto)||"undefined"!=typeof msCrypto&&"function"==typeof msCrypto.getRandomValues&&msCrypto.getRandomValues.bind(msCrypto)))throw new Error("crypto.getRandomValues() not supported. See https://github.com/uuidjs/uuid#getrandomvalues-not-supported");return Gr(Jr)}const Zr=/^(?:[0-9a-f]{8}-[0-9a-f]{4}-[1-5][0-9a-f]{3}-[89ab][0-9a-f]{3}-[0-9a-f]{12}|00000000-0000-0000-0000-000000000000)$/i;const eo=function(e){return"string"==typeof e&&Zr.test(e)};for(var to=[],no=0;no<256;++no)to.push((no+256).toString(16).substr(1));const ro=function(e){var t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:0,n=(to[e[t+0]]+to[e[t+1]]+to[e[t+2]]+to[e[t+3]]+"-"+to[e[t+4]]+to[e[t+5]]+"-"+to[e[t+6]]+to[e[t+7]]+"-"+to[e[t+8]]+to[e[t+9]]+"-"+to[e[t+10]]+to[e[t+11]]+to[e[t+12]]+to[e[t+13]]+to[e[t+14]]+to[e[t+15]]).toLowerCase();if(!eo(n))throw TypeError("Stringified UUID is invalid");return n};const oo=function(e,t,n){var r=(e=e||{}).random||(e.rng||Qr)();if(r[6]=15&r[6]|64,r[8]=63&r[8]|128,t){n=n||0;for(var o=0;o<16;++o)t[n+o]=r[o];return t}return ro(r)};var ao=n(4184),io=n.n(ao);const so=e=>(0,et.createElement)("circle",e),lo=e=>(0,et.createElement)("g",e),co=e=>(0,et.createElement)("path",e),uo=e=>(0,et.createElement)("rect",e),po=({className:e,isPressed:t,...n})=>{const r={...n,className:io()(e,{"is-pressed":t})||void 0,role:"img","aria-hidden":!0,focusable:!1};return(0,et.createElement)("svg",r)},mo=(0,et.createElement)(po,{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24"},(0,et.createElement)(co,{d:"M19 8h-1V6h-5v2h-2V6H6v2H5c-1.1 0-2 .9-2 2v8c0 1.1.9 2 2 2h14c1.1 0 2-.9 2-2v-8c0-1.1-.9-2-2-2zm.5 10c0 .3-.2.5-.5.5H5c-.3 0-.5-.2-.5-.5v-8c0-.3.2-.5.5-.5h14c.3 0 .5.2.5.5v8z"}));var fo=n(7621),ho=n.n(fo);const go=["#191e23","#f8f9f9"];function bo(e){const t=No();if(e.name!==t)return!1;bo.block&&bo.block.name===t||(bo.block=Wo(t));const n=bo.block,r=Do(t);return(0,ot.every)(r.attributes,((t,r)=>n.attributes[r]===e.attributes[r]))}function vo(e){return!!e&&((0,ot.isString)(e)||(0,et.isValidElement)(e)||(0,ot.isFunction)(e)||e instanceof et.Component)}function yo(e){return(0,ot.isString)(e)?Do(e):e}function _o(e,t,n="visual"){const{__experimentalLabel:r,title:o}=e,a=r&&r(t,{context:n});return a?function(e){return(new window.DOMParser).parseFromString(e,"text/html").body.textContent||""}(a):o}function Mo(e,t){const n=Do(e);if(void 0===n)throw new Error(`Block type '${e}' is not registered.`);return(0,ot.reduce)(n.attributes,((e,n,r)=>{const o=t[r];return void 0!==o?e[r]=o:n.hasOwnProperty("default")&&(e[r]=n.default),-1!==["node","children"].indexOf(n.source)&&("string"==typeof e[r]?e[r]=[e[r]]:Array.isArray(e[r])||(e[r]=[])),e}),{})}const ko=["attributes","supports","save","migrate","isEligible","apiVersion"],wo={"--wp--style--color--link":{value:["color","link"],support:["color","link"]},background:{value:["color","gradient"],support:["color","gradients"]},backgroundColor:{value:["color","background"],support:["color"]},borderColor:{value:["border","color"],support:["__experimentalBorder","color"]},borderRadius:{value:["border","radius"],support:["__experimentalBorder","radius"],properties:{borderTopLeftRadius:"topLeft",borderTopRightRadius:"topRight",borderBottomLeftRadius:"bottomLeft",borderBottomRightRadius:"bottomRight"}},borderStyle:{value:["border","style"],support:["__experimentalBorder","style"]},borderWidth:{value:["border","width"],support:["__experimentalBorder","width"]},color:{value:["color","text"],support:["color"]},linkColor:{value:["elements","link","color","text"],support:["color","link"]},fontFamily:{value:["typography","fontFamily"],support:["typography","__experimentalFontFamily"]},fontSize:{value:["typography","fontSize"],support:["typography","fontSize"]},fontStyle:{value:["typography","fontStyle"],support:["typography","__experimentalFontStyle"]},fontWeight:{value:["typography","fontWeight"],support:["typography","__experimentalFontWeight"]},lineHeight:{value:["typography","lineHeight"],support:["typography","lineHeight"]},margin:{value:["spacing","margin"],support:["spacing","margin"],properties:{marginTop:"top",marginRight:"right",marginBottom:"bottom",marginLeft:"left"}},padding:{value:["spacing","padding"],support:["spacing","padding"],properties:{paddingTop:"top",paddingRight:"right",paddingBottom:"bottom",paddingLeft:"left"}},textDecoration:{value:["typography","textDecoration"],support:["typography","__experimentalTextDecoration"]},textTransform:{value:["typography","textTransform"],support:["typography","__experimentalTextTransform"]},letterSpacing:{value:["typography","letterSpacing"],support:["__experimentalLetterSpacing"]}},Eo={link:"a",h1:"h1",h2:"h2",h3:"h3",h4:"h4",h5:"h5",h6:"h6"},Lo={title:"block title",description:"block description",keywords:["block keyword"],styles:[{label:"block style label"}],variations:[{title:"block variation title",description:"block variation description",keywords:["block variation keyword"]}]},Ao={common:"text",formatting:"text",layout:"design"},So={};function Co({textdomain:e,...t}){const n=(0,ot.pick)(t,["apiVersion","title","category","parent","icon","description","keywords","attributes","providesContext","usesContext","supports","styles","example","variations"]);return e&&Object.keys(Lo).forEach((t=>{n[t]&&(n[t]=xo(Lo[t],n[t],e))})),n}function To(e,t){const n=(0,ot.isObject)(e)?e.name:e;if("string"!=typeof n)return void console.error("Block names must be strings.");if((0,ot.isObject)(e)&&function(e){for(const t of Object.keys(e))So[t]?void 0===So[t].apiVersion&&e[t].apiVersion&&(So[t].apiVersion=e[t].apiVersion):So[t]=(0,ot.mapKeys)((0,ot.pickBy)(e[t],(e=>!(0,ot.isNil)(e))),((e,t)=>(0,ot.camelCase)(t)))}({[n]:Co(e)}),t={name:n,icon:mo,keywords:[],attributes:{},providesContext:{},usesContext:[],supports:{},styles:[],save:()=>null,...null==So?void 0:So[n],...t},!/^[a-z][a-z0-9-]*\/[a-z][a-z0-9-]*$/.test(n))return void console.error("Block names must contain a namespace prefix, include only lowercase alphanumeric characters or dashes, and start with a letter. Example: my-plugin/my-custom-block");if(en(Kr).getBlockType(n))return void console.error('Block "'+n+'" is already registered.');const r={...t};if((t=jn("blocks.registerBlockType",t,n)).deprecated&&(t.deprecated=t.deprecated.map((e=>(0,ot.pick)(jn("blocks.registerBlockType",{...(0,ot.omit)(r,ko),...e},n),ko)))),(0,ot.isPlainObject)(t))if((0,ot.isFunction)(t.save))if(!("edit"in t)||(0,ot.isFunction)(t.edit))if(Ao.hasOwnProperty(t.category)&&(t.category=Ao[t.category]),"category"in t&&!(0,ot.some)(en(Kr).getCategories(),{slug:t.category})&&(console.warn('The block "'+n+'" is registered with an invalid category "'+t.category+'".'),delete t.category),"title"in t&&""!==t.title)if("string"==typeof t.title){if(t.icon=function(e){if(vo(e))return{src:e};if((0,ot.has)(e,["background"])){const t=ho()(e.background);return{...e,foreground:e.foreground?e.foreground:(0,fo.mostReadable)(t,go,{includeFallbackColors:!0,level:"AA",size:"large"}).toHexString(),shadowColor:t.setAlpha(.3).toRgbString()}}return e}(t.icon),vo(t.icon.src))return tn(Kr).addBlockTypes(t),t;console.error("The icon passed is invalid. The icon should be a string, an element, a function, or an object following the specifications documented in https://developer.wordpress.org/block-editor/developers/block-api/block-registration/#icon-optional")}else console.error("Block titles must be strings.");else console.error('The block "'+n+'" must have a title.');else console.error('The "edit" property must be a valid function.');else console.error('The "save" property must be a valid function.');else console.error("Block settings must be a valid object.")}function xo(e,t,n){return(0,ot.isString)(e)&&(0,ot.isString)(t)?er(t,e,n):(0,ot.isArray)(e)&&!(0,ot.isEmpty)(e)&&(0,ot.isArray)(t)?t.map((t=>xo(e[0],t,n))):(0,ot.isObject)(e)&&!(0,ot.isEmpty)(e)&&(0,ot.isObject)(t)?Object.keys(t).reduce(((r,o)=>e[o]?(r[o]=xo(e[o],t[o],n),r):(r[o]=t[o],r)),{}):t}function zo(){return en(Kr).getFreeformFallbackBlockName()}function Oo(){return en(Kr).getUnregisteredFallbackBlockName()}function No(){return en(Kr).getDefaultBlockName()}function Do(e){return en(Kr).getBlockType(e)}function Bo(){return en(Kr).getBlockTypes()}function Io(e,t,n){return en(Kr).getBlockSupport(e,t,n)}function Po(e,t,n){return en(Kr).hasBlockSupport(e,t,n)}function Ro(e){return"core/block"===e.name}const Yo=(e,t)=>en(Kr).getBlockVariations(e,t);function Wo(e,t={},n=[]){const r=Mo(e,t);return{clientId:oo(),name:e,isValid:!0,attributes:r,innerBlocks:n}}function Ho(e=[]){return e.map((e=>{const t=Array.isArray(e)?e:[e.name,e.attributes,e.innerBlocks],[n,r,o=[]]=t;return Wo(n,r,Ho(o))}))}function qo(e,t={},n){const r=oo(),o=Mo(e.name,{...e.attributes,...t});return{...e,clientId:r,attributes:o,innerBlocks:n||e.innerBlocks.map((e=>qo(e)))}}function jo(e,t={},n){const r=oo();return{...e,clientId:r,attributes:{...e.attributes,...t},innerBlocks:n||e.innerBlocks.map((e=>jo(e)))}}const Fo=(e,t,n)=>{if((0,ot.isEmpty)(n))return!1;const r=n.length>1,o=(0,ot.first)(n).name;if(!(Vo(e)||!r||e.isMultiBlock))return!1;if(!Vo(e)&&!(0,ot.every)(n,{name:o}))return!1;if(!("block"===e.type))return!1;const a=(0,ot.first)(n);if(!("from"!==t||-1!==e.blocks.indexOf(a.name)||Vo(e)))return!1;if(!r&&Xo(a.name)&&Xo(e.blockName))return!1;if((0,ot.isFunction)(e.isMatch)){const t=e.isMultiBlock?n.map((e=>e.attributes)):a.attributes;if(!e.isMatch(t))return!1}return!(e.usingMobileTransformations&&Vo(e)&&!Xo(a.name))},Vo=e=>e&&"block"===e.type&&Array.isArray(e.blocks)&&e.blocks.includes("*"),Xo=e=>e===en(Kr).getGroupingBlockName();function Uo(e){if((0,ot.isEmpty)(e))return[];const t=(e=>{if((0,ot.isEmpty)(e))return[];const t=Bo();return(0,ot.filter)(t,(t=>!!$o(Ko("from",t.name),(t=>Fo(t,"from",e)))))})(e),n=(e=>{if((0,ot.isEmpty)(e))return[];const t=Ko("to",Do((0,ot.first)(e).name).name),n=(0,ot.filter)(t,(t=>t&&Fo(t,"to",e)));return(0,ot.flatMap)(n,(e=>e.blocks)).map((e=>Do(e)))})(e);return(0,ot.uniq)([...t,...n])}function $o(e,t){const n=On();for(let r=0;re||o),o.priority)}return n.applyFilters("transform",null)}function Ko(e,t){if(void 0===t)return(0,ot.flatMap)(Bo(),(({name:t})=>Ko(e,t)));const n=yo(t),{name:r,transforms:o}=n||{};if(!o||!Array.isArray(o[e]))return[];const a=o.supportedMobileTransforms&&Array.isArray(o.supportedMobileTransforms);return(a?(0,ot.filter)(o[e],(e=>"raw"===e.type||!(!e.blocks||!e.blocks.length)&&(!!Vo(e)||(0,ot.every)(e.blocks,(e=>o.supportedMobileTransforms.includes(e)))))):o[e]).map((e=>({...e,blockName:r,usingMobileTransformations:a})))}function Go(e,t){const n=(0,ot.castArray)(e),r=n.length>1,o=n[0],a=o.name,i=Ko("from",t),s=$o(Ko("to",a),(e=>"block"===e.type&&(Vo(e)||-1!==e.blocks.indexOf(t))&&(!r||e.isMultiBlock)))||$o(i,(e=>"block"===e.type&&(Vo(e)||-1!==e.blocks.indexOf(a))&&(!r||e.isMultiBlock)));if(!s)return null;let l;if(l=s.isMultiBlock?(0,ot.has)(s,"__experimentalConvert")?s.__experimentalConvert(n):s.transform(n.map((e=>e.attributes)),n.map((e=>e.innerBlocks))):(0,ot.has)(s,"__experimentalConvert")?s.__experimentalConvert(o):s.transform(o.attributes,o.innerBlocks),!(0,ot.isObjectLike)(l))return null;if(l=(0,ot.castArray)(l),l.some((e=>!Do(e.name))))return null;if(!(0,ot.some)(l,(e=>e.name===t)))return null;return l.map((t=>jn("blocks.switchToBlockType.transformedBlock",t,e)))}const Jo=(e,t)=>Wo(e,t.attributes,(0,ot.map)(t.innerBlocks,(e=>Jo(e.name,e))));function Qo(e,t){for(var n,r=t.split(".");n=r.shift();){if(!(n in e))return;e=e[n]}return e}var Zo,ea=function(){return Zo||(Zo=document.implementation.createHTMLDocument("")),Zo};function ta(e,t){if(t){if("string"==typeof e){var n=ea();n.body.innerHTML=e,e=n.body}if("function"==typeof t)return t(e);if(Object===t.constructor)return Object.keys(t).reduce((function(n,r){return n[r]=ta(e,t[r]),n}),{})}}function na(e,t){return 1===arguments.length&&(t=e,e=void 0),function(n){var r=n;if(e&&(r=n.querySelector(e)),r)return Qo(r,t)}}const ra=new RegExp("(<((?=!--|!\\[CDATA\\[)((?=!-)!(?:-(?!->)[^\\-]*)*(?:--\x3e)?|!\\[CDATA\\[[^\\]]*(?:](?!]>)[^\\]]*)*?(?:]]>)?)|[^>]*>?))");function oa(e,t){const n=function(e){const t=[];let n,r=e;for(;n=r.match(ra);){const e=n.index;t.push(r.slice(0,e)),t.push(n[0]),r=r.slice(e+n[0].length)}return r.length&&t.push(r),t}(e);let r=!1;const o=Object.keys(t);for(let e=1;e"),r=t.pop();e="";for(let r=0;r";n.push([i,o.substr(a)+""]),e+=o.substr(0,a)+i}e+=r}const r="(?:table|thead|tfoot|caption|col|colgroup|tbody|tr|td|th|div|dl|dd|dt|ul|ol|li|pre|form|map|area|blockquote|address|math|style|p|h[1-6]|hr|fieldset|legend|section|article|aside|hgroup|header|footer|nav|figure|figcaption|details|menu|summary)";-1!==(e=oa(e=(e=(e=(e=e.replace(/\s*/g,"\n\n")).replace(new RegExp("(<"+r+"[\\s/>])","g"),"\n\n$1")).replace(new RegExp("()","g"),"$1\n\n")).replace(/\r\n|\r/g,"\n"),{"\n":" \x3c!-- wpnl --\x3e "})).indexOf("\s*/g,"")),-1!==e.indexOf("")&&(e=(e=(e=e.replace(/(]*>)\s*/g,"$1")).replace(/\s*<\/object>/g,"")).replace(/\s*(<\/?(?:param|embed)[^>]*>)\s*/g,"$1")),-1===e.indexOf("\]]*[>\]])\s*/g,"$1")).replace(/\s*([<\[]\/(?:audio|video)[>\]])/g,"$1")).replace(/\s*(<(?:source|track)[^>]*>)\s*/g,"$1")),-1!==e.indexOf("]*>)/,"$1")).replace(/<\/figcaption>\s*/,""));const o=(e=e.replace(/\n\n+/g,"\n\n")).split(/\n\s*\n/).filter(Boolean);return e="",o.forEach((t=>{e+="

"+t.replace(/^\n*|\n*$/g,"")+"

\n"})),e=(e=(e=(e=(e=(e=(e=(e=e.replace(/

\s*<\/p>/g,"")).replace(/

([^<]+)<\/(div|address|form)>/g,"

$1

")).replace(new RegExp("

\\s*(]*>)\\s*

","g"),"$1")).replace(/

(/g,"$1")).replace(/

]*)>/gi,"

")).replace(/<\/blockquote><\/p>/g,"

")).replace(new RegExp("

\\s*(]*>)","g"),"$1")).replace(new RegExp("(]*>)\\s*

","g"),"$1"),t&&(e=(e=(e=(e=e.replace(/<(script|style).*?<\/\\1>/g,(e=>e[0].replace(/\n/g,"")))).replace(/
|/g,"
")).replace(/(
)?\s*\n/g,((e,t)=>t?e:"
\n"))).replace(//g,"\n")),e=(e=(e=e.replace(new RegExp("(]*>)\\s*
","g"),"$1")).replace(/
(\s*<\/?(?:p|li|div|dl|dd|dt|th|pre|td|ul|ol)[^>]*>)/g,"$1")).replace(/\n<\/p>$/g,"

"),n.forEach((t=>{const[n,r]=t;e=e.replace(n,r)})),-1!==e.indexOf("\x3c!-- wpnl --\x3e")&&(e=e.replace(/\s?\s?/g,"\n")),e}function ia(e){const t="blockquote|ul|ol|li|dl|dt|dd|table|thead|tbody|tfoot|tr|th|td|h[1-6]|fieldset|figure",n=t+"|div|p",r=t+"|pre",o=[];let a=!1,i=!1;return e?(-1===e.indexOf("]*>[\s\S]*?<\/\1>/g,(e=>(o.push(e),"")))),-1!==e.indexOf("]*>[\s\S]+?<\/pre>/g,(e=>(e=(e=e.replace(/
(\r\n|\n)?/g,"")).replace(/<\/?p( [^>]*)?>(\r\n|\n)?/g,"")).replace(/\r?\n/g,"")))),-1!==e.indexOf("[caption")&&(i=!0,e=e.replace(/\[caption[\s\S]+?\[\/caption\]/g,(e=>e.replace(/]*)>/g,"").replace(/[\r\n\t]+/,"")))),-1!==(e=(e=(e=(e=(e=(e=(e=(e=(e=(e=(e=(e=(e=(e=(e=e.replace(new RegExp("\\s*\\s*","g"),"\n")).replace(new RegExp("\\s*<((?:"+n+")(?: [^>]*)?)>","g"),"\n<$1>")).replace(/(

]+>[\s\S]*?)<\/p>/g,"$1")).replace(/]*)?>\s*

/gi,"\n\n")).replace(/\s*

/gi,"")).replace(/\s*<\/p>\s*/gi,"\n\n")).replace(/\n[\s\u00a0]+\n/g,"\n\n")).replace(/(\s*)
\s*/gi,((e,t)=>t&&-1!==t.indexOf("\n")?"\n\n":"\n"))).replace(/\s*

\s*/g,"
\n")).replace(/\s*\[caption([^\[]+)\[\/caption\]\s*/gi,"\n\n[caption$1[/caption]\n\n")).replace(/caption\]\n\n+\[caption/g,"caption]\n\n[caption")).replace(new RegExp("\\s*<((?:"+r+")(?: [^>]*)?)\\s*>","g"),"\n<$1>")).replace(new RegExp("\\s*\\s*","g"),"\n")).replace(/<((li|dt|dd)[^>]*)>/g," \t<$1>")).indexOf("/g,"\n")),-1!==e.indexOf("]*)?>\s*/g,"\n\n\n\n")),-1!==e.indexOf("/g,(e=>e.replace(/[\r\n]+/g,"")))),e=(e=(e=(e=e.replace(/<\/p#>/g,"

\n")).replace(/\s*(

]+>[\s\S]*?<\/p>)/g,"\n$1")).replace(/^\s+/,"")).replace(/[\s\u00a0]+$/,""),a&&(e=e.replace(//g,"\n")),i&&(e=e.replace(/]*)>/g,"")),o.length&&(e=e.replace(//g,(()=>o.shift()))),e):""}let sa,la,ca,ua;const da=/)[^])*)\5|[^]*?)}\s+)?(\/)?-->/g;function pa(e,t,n,r,o){return{blockName:e,attrs:t,innerBlocks:n,innerHTML:r,innerContent:o}}function ma(e){return pa(null,{},[],e,[e])}function fa(){const e=function(){const e=da.exec(sa);if(null===e)return["no-more-tokens"];const t=e.index,[n,r,o,a,i,,s]=e,l=n.length,c=!!r,u=!!s,d=(o||"core/")+a,p=!!i,m=p?function(e){try{return JSON.parse(e)}catch(e){return null}}(i):{};if(u)return["void-block",d,m,t,l];if(c)return["block-closer",d,null,t,l];return["block-opener",d,m,t,l]}(),[t,n,r,o,a]=e,i=ua.length,s=o>la?la:null;switch(t){case"no-more-tokens":if(0===i)return ha(),!1;if(1===i)return ba(),!1;for(;0"===e?(this.delegate.endDoctype&&this.delegate.endDoctype(),this.transitionTo("beforeData")):this.delegate.appendToDoctypeName&&this.delegate.appendToDoctypeName(e.toLowerCase())},afterDoctypeName:function(){var e=this.consume();if(!Ea(e))if(">"===e)this.delegate.endDoctype&&this.delegate.endDoctype(),this.transitionTo("beforeData");else{var t=e.toUpperCase()+this.input.substring(this.index,this.index+5).toUpperCase(),n="PUBLIC"===t.toUpperCase(),r="SYSTEM"===t.toUpperCase();(n||r)&&(this.consume(),this.consume(),this.consume(),this.consume(),this.consume(),this.consume()),n?this.transitionTo("afterDoctypePublicKeyword"):r&&this.transitionTo("afterDoctypeSystemKeyword")}},afterDoctypePublicKeyword:function(){var e=this.peek();Ea(e)?(this.transitionTo("beforeDoctypePublicIdentifier"),this.consume()):'"'===e?(this.transitionTo("doctypePublicIdentifierDoubleQuoted"),this.consume()):"'"===e?(this.transitionTo("doctypePublicIdentifierSingleQuoted"),this.consume()):">"===e&&(this.consume(),this.delegate.endDoctype&&this.delegate.endDoctype(),this.transitionTo("beforeData"))},doctypePublicIdentifierDoubleQuoted:function(){var e=this.consume();'"'===e?this.transitionTo("afterDoctypePublicIdentifier"):">"===e?(this.delegate.endDoctype&&this.delegate.endDoctype(),this.transitionTo("beforeData")):this.delegate.appendToDoctypePublicIdentifier&&this.delegate.appendToDoctypePublicIdentifier(e)},doctypePublicIdentifierSingleQuoted:function(){var e=this.consume();"'"===e?this.transitionTo("afterDoctypePublicIdentifier"):">"===e?(this.delegate.endDoctype&&this.delegate.endDoctype(),this.transitionTo("beforeData")):this.delegate.appendToDoctypePublicIdentifier&&this.delegate.appendToDoctypePublicIdentifier(e)},afterDoctypePublicIdentifier:function(){var e=this.consume();Ea(e)?this.transitionTo("betweenDoctypePublicAndSystemIdentifiers"):">"===e?(this.delegate.endDoctype&&this.delegate.endDoctype(),this.transitionTo("beforeData")):'"'===e?this.transitionTo("doctypeSystemIdentifierDoubleQuoted"):"'"===e&&this.transitionTo("doctypeSystemIdentifierSingleQuoted")},betweenDoctypePublicAndSystemIdentifiers:function(){var e=this.consume();Ea(e)||(">"===e?(this.delegate.endDoctype&&this.delegate.endDoctype(),this.transitionTo("beforeData")):'"'===e?this.transitionTo("doctypeSystemIdentifierDoubleQuoted"):"'"===e&&this.transitionTo("doctypeSystemIdentifierSingleQuoted"))},doctypeSystemIdentifierDoubleQuoted:function(){var e=this.consume();'"'===e?this.transitionTo("afterDoctypeSystemIdentifier"):">"===e?(this.delegate.endDoctype&&this.delegate.endDoctype(),this.transitionTo("beforeData")):this.delegate.appendToDoctypeSystemIdentifier&&this.delegate.appendToDoctypeSystemIdentifier(e)},doctypeSystemIdentifierSingleQuoted:function(){var e=this.consume();"'"===e?this.transitionTo("afterDoctypeSystemIdentifier"):">"===e?(this.delegate.endDoctype&&this.delegate.endDoctype(),this.transitionTo("beforeData")):this.delegate.appendToDoctypeSystemIdentifier&&this.delegate.appendToDoctypeSystemIdentifier(e)},afterDoctypeSystemIdentifier:function(){var e=this.consume();Ea(e)||">"===e&&(this.delegate.endDoctype&&this.delegate.endDoctype(),this.transitionTo("beforeData"))},commentStart:function(){var e=this.consume();"-"===e?this.transitionTo("commentStartDash"):">"===e?(this.delegate.finishComment(),this.transitionTo("beforeData")):(this.delegate.appendToCommentData(e),this.transitionTo("comment"))},commentStartDash:function(){var e=this.consume();"-"===e?this.transitionTo("commentEnd"):">"===e?(this.delegate.finishComment(),this.transitionTo("beforeData")):(this.delegate.appendToCommentData("-"),this.transitionTo("comment"))},comment:function(){var e=this.consume();"-"===e?this.transitionTo("commentEndDash"):this.delegate.appendToCommentData(e)},commentEndDash:function(){var e=this.consume();"-"===e?this.transitionTo("commentEnd"):(this.delegate.appendToCommentData("-"+e),this.transitionTo("comment"))},commentEnd:function(){var e=this.consume();">"===e?(this.delegate.finishComment(),this.transitionTo("beforeData")):(this.delegate.appendToCommentData("--"+e),this.transitionTo("comment"))},tagName:function(){var e=this.consume();Ea(e)?this.transitionTo("beforeAttributeName"):"/"===e?this.transitionTo("selfClosingStartTag"):">"===e?(this.delegate.finishTag(),this.transitionTo("beforeData")):this.appendToTagName(e)},endTagName:function(){var e=this.consume();Ea(e)?(this.transitionTo("beforeAttributeName"),this.tagNameBuffer=""):"/"===e?(this.transitionTo("selfClosingStartTag"),this.tagNameBuffer=""):">"===e?(this.delegate.finishTag(),this.transitionTo("beforeData"),this.tagNameBuffer=""):this.appendToTagName(e)},beforeAttributeName:function(){var e=this.peek();Ea(e)?this.consume():"/"===e?(this.transitionTo("selfClosingStartTag"),this.consume()):">"===e?(this.consume(),this.delegate.finishTag(),this.transitionTo("beforeData")):"="===e?(this.delegate.reportSyntaxError("attribute name cannot start with equals sign"),this.transitionTo("attributeName"),this.delegate.beginAttribute(),this.consume(),this.delegate.appendToAttributeName(e)):(this.transitionTo("attributeName"),this.delegate.beginAttribute())},attributeName:function(){var e=this.peek();Ea(e)?(this.transitionTo("afterAttributeName"),this.consume()):"/"===e?(this.delegate.beginAttributeValue(!1),this.delegate.finishAttributeValue(),this.consume(),this.transitionTo("selfClosingStartTag")):"="===e?(this.transitionTo("beforeAttributeValue"),this.consume()):">"===e?(this.delegate.beginAttributeValue(!1),this.delegate.finishAttributeValue(),this.consume(),this.delegate.finishTag(),this.transitionTo("beforeData")):'"'===e||"'"===e||"<"===e?(this.delegate.reportSyntaxError(e+" is not a valid character within attribute names"),this.consume(),this.delegate.appendToAttributeName(e)):(this.consume(),this.delegate.appendToAttributeName(e))},afterAttributeName:function(){var e=this.peek();Ea(e)?this.consume():"/"===e?(this.delegate.beginAttributeValue(!1),this.delegate.finishAttributeValue(),this.consume(),this.transitionTo("selfClosingStartTag")):"="===e?(this.consume(),this.transitionTo("beforeAttributeValue")):">"===e?(this.delegate.beginAttributeValue(!1),this.delegate.finishAttributeValue(),this.consume(),this.delegate.finishTag(),this.transitionTo("beforeData")):(this.delegate.beginAttributeValue(!1),this.delegate.finishAttributeValue(),this.transitionTo("attributeName"),this.delegate.beginAttribute(),this.consume(),this.delegate.appendToAttributeName(e))},beforeAttributeValue:function(){var e=this.peek();Ea(e)?this.consume():'"'===e?(this.transitionTo("attributeValueDoubleQuoted"),this.delegate.beginAttributeValue(!0),this.consume()):"'"===e?(this.transitionTo("attributeValueSingleQuoted"),this.delegate.beginAttributeValue(!0),this.consume()):">"===e?(this.delegate.beginAttributeValue(!1),this.delegate.finishAttributeValue(),this.consume(),this.delegate.finishTag(),this.transitionTo("beforeData")):(this.transitionTo("attributeValueUnquoted"),this.delegate.beginAttributeValue(!1),this.consume(),this.delegate.appendToAttributeValue(e))},attributeValueDoubleQuoted:function(){var e=this.consume();'"'===e?(this.delegate.finishAttributeValue(),this.transitionTo("afterAttributeValueQuoted")):"&"===e?this.delegate.appendToAttributeValue(this.consumeCharRef()||"&"):this.delegate.appendToAttributeValue(e)},attributeValueSingleQuoted:function(){var e=this.consume();"'"===e?(this.delegate.finishAttributeValue(),this.transitionTo("afterAttributeValueQuoted")):"&"===e?this.delegate.appendToAttributeValue(this.consumeCharRef()||"&"):this.delegate.appendToAttributeValue(e)},attributeValueUnquoted:function(){var e=this.peek();Ea(e)?(this.delegate.finishAttributeValue(),this.consume(),this.transitionTo("beforeAttributeName")):"/"===e?(this.delegate.finishAttributeValue(),this.consume(),this.transitionTo("selfClosingStartTag")):"&"===e?(this.consume(),this.delegate.appendToAttributeValue(this.consumeCharRef()||"&")):">"===e?(this.delegate.finishAttributeValue(),this.consume(),this.delegate.finishTag(),this.transitionTo("beforeData")):(this.consume(),this.delegate.appendToAttributeValue(e))},afterAttributeValueQuoted:function(){var e=this.peek();Ea(e)?(this.consume(),this.transitionTo("beforeAttributeName")):"/"===e?(this.consume(),this.transitionTo("selfClosingStartTag")):">"===e?(this.consume(),this.delegate.finishTag(),this.transitionTo("beforeData")):this.transitionTo("beforeAttributeName")},selfClosingStartTag:function(){">"===this.peek()?(this.consume(),this.delegate.markTagAsSelfClosing(),this.delegate.finishTag(),this.transitionTo("beforeData")):this.transitionTo("beforeAttributeName")},endTagOpen:function(){var e=this.consume();("@"===e||":"===e||La(e))&&(this.transitionTo("endTagName"),this.tagNameBuffer="",this.delegate.beginEndTag(),this.appendToTagName(e))}},this.reset()}return e.prototype.reset=function(){this.transitionTo("beforeData"),this.input="",this.tagNameBuffer="",this.index=0,this.line=1,this.column=0,this.delegate.reset()},e.prototype.transitionTo=function(e){this.state=e},e.prototype.tokenize=function(e){this.reset(),this.tokenizePart(e),this.tokenizeEOF()},e.prototype.tokenizePart=function(e){for(this.input+=function(e){return e.replace(wa,"\n")}(e);this.index"!==this.input.substring(this.index,this.index+8)||"style"===e&&""!==this.input.substring(this.index,this.index+8)||"script"===e&&"<\/script>"!==this.input.substring(this.index,this.index+9)},e}(),Sa=function(){function e(e,t){void 0===t&&(t={}),this.options=t,this.token=null,this.startLine=1,this.startColumn=0,this.tokens=[],this.tokenizer=new Aa(this,e,t.mode),this._currentAttribute=void 0}return e.prototype.tokenize=function(e){return this.tokens=[],this.tokenizer.tokenize(e),this.tokens},e.prototype.tokenizePart=function(e){return this.tokens=[],this.tokenizer.tokenizePart(e),this.tokens},e.prototype.tokenizeEOF=function(){return this.tokens=[],this.tokenizer.tokenizeEOF(),this.tokens[0]},e.prototype.reset=function(){this.token=null,this.startLine=1,this.startColumn=0},e.prototype.current=function(){var e=this.token;if(null===e)throw new Error("token was unexpectedly null");if(0===arguments.length)return e;for(var t=0;te("Block validation: "+t,...n)}return{error:e(console.error),warning:e(console.warn),getItems:()=>[]}}const za=/[\u007F-\u009F "'>/="\uFDD0-\uFDEF]/;function Oa(e){return e.replace(/&(?!([a-z0-9]+|#[0-9]+|#x[a-f0-9]+);)/gi,"&")}function Na(e){return e.replace(//g,">")}(function(e){return e.replace(/"/g,""")}(Oa(e)))}function Ba(e){return!za.test(e)}function Ia({children:e,...t}){return(0,et.createElement)("div",{dangerouslySetInnerHTML:{__html:e},...t})}const{Provider:Pa,Consumer:Ra}=(0,et.createContext)(void 0),Ya=(0,et.forwardRef)((()=>null)),Wa=new Set(["string","boolean","number"]),Ha=new Set(["area","base","br","col","command","embed","hr","img","input","keygen","link","meta","param","source","track","wbr"]),qa=new Set(["allowfullscreen","allowpaymentrequest","allowusermedia","async","autofocus","autoplay","checked","controls","default","defer","disabled","download","formnovalidate","hidden","ismap","itemscope","loop","multiple","muted","nomodule","novalidate","open","playsinline","readonly","required","reversed","selected","typemustmatch"]),ja=new Set(["autocapitalize","autocomplete","charset","contenteditable","crossorigin","decoding","dir","draggable","enctype","formenctype","formmethod","http-equiv","inputmode","kind","method","preload","scope","shape","spellcheck","translate","type","wrap"]),Fa=new Set(["animation","animationIterationCount","baselineShift","borderImageOutset","borderImageSlice","borderImageWidth","columnCount","cx","cy","fillOpacity","flexGrow","flexShrink","floodOpacity","fontWeight","gridColumnEnd","gridColumnStart","gridRowEnd","gridRowStart","lineHeight","opacity","order","orphans","r","rx","ry","shapeImageThreshold","stopOpacity","strokeDasharray","strokeDashoffset","strokeMiterlimit","strokeOpacity","strokeWidth","tabSize","widows","x","y","zIndex","zoom"]);function Va(e,t){return t.some((t=>0===e.indexOf(t)))}function Xa(e){return"key"===e||"children"===e}function Ua(e,t){switch(e){case"style":return function(e){if(!(0,ot.isPlainObject)(e))return e;let t;for(const n in e){const r=e[n];if(null==r)continue;t?t+=";":t="";t+=Ka(n)+":"+Ga(n,r)}return t}(t)}return t}function $a(e){switch(e){case"htmlFor":return"for";case"className":return"class"}return e.toLowerCase()}function Ka(e){return(0,ot.startsWith)(e,"--")?e:Va(e,["ms","O","Moz","Webkit"])?"-"+(0,ot.kebabCase)(e):(0,ot.kebabCase)(e)}function Ga(e,t){return"number"!=typeof t||0===t||Fa.has(e)?t:t+"px"}function Ja(e,t,n={}){if(null==e||!1===e)return"";if(Array.isArray(e))return Za(e,t,n);switch(typeof e){case"string":return Na(Oa(e));case"number":return e.toString()}const{type:r,props:o}=e;switch(r){case et.StrictMode:case et.Fragment:return Za(o.children,t,n);case Ia:const{children:e,...r}=o;return Qa((0,ot.isEmpty)(r)?null:"div",{...r,dangerouslySetInnerHTML:{__html:e}},t,n)}switch(typeof r){case"string":return Qa(r,o,t,n);case"function":return r.prototype&&"function"==typeof r.prototype.render?function(e,t,n,r={}){const o=new e(t,r);"function"==typeof o.getChildContext&&Object.assign(r,o.getChildContext());return Ja(o.render(),n,r)}(r,o,t,n):Ja(r(o,n),t,n)}switch(r&&r.$$typeof){case Pa.$$typeof:return Za(o.children,o.value,n);case Ra.$$typeof:return Ja(o.children(t||r._currentValue),t,n);case Ya.$$typeof:return Ja(r.render(o),t,n)}return""}function Qa(e,t,n,r={}){let o="";if("textarea"===e&&t.hasOwnProperty("value")?(o=Za(t.value,n,r),t=(0,ot.omit)(t,"value")):t.dangerouslySetInnerHTML&&"string"==typeof t.dangerouslySetInnerHTML.__html?o=t.dangerouslySetInnerHTML.__html:void 0!==t.children&&(o=Za(t.children,n,r)),!e)return o;const a=function(e){let t="";for(const n in e){const r=$a(n);if(!Ba(r))continue;let o=Ua(n,e[n]);if(!Wa.has(typeof o))continue;if(Xa(n))continue;const a=qa.has(r);if(a&&!1===o)continue;const i=a||Va(n,["data-","aria-"])||ja.has(r);("boolean"!=typeof o||i)&&(t+=" "+r,a||("string"==typeof o&&(o=Da(o)),t+='="'+o+'"'))}return t}(t);return Ha.has(e)?"<"+e+a+"/>":"<"+e+a+">"+o+""}function Za(e,t,n={}){let r="";e=(0,ot.castArray)(e);for(let o=0;o{const r=e(n),o=n.displayName||n.name||"Component";return r.displayName=`${(0,ot.upperFirst)((0,ot.camelCase)(t))}(${o})`,r}},{Consumer:ri,Provider:oi}=(0,et.createContext)((()=>{})),ai=ni((e=>t=>(0,et.createElement)(ri,null,(n=>(0,et.createElement)(e,rt({},t,{BlockContent:n}))))),"withBlockContentContext"),ii=({children:e,innerBlocks:t})=>(0,et.createElement)(oi,{value:()=>{const e=hi(t,{isInnerBlocks:!0});return(0,et.createElement)(Ia,null,e)}},e);function si(e){const t="wp-block-"+e.replace(/\//,"-").replace(/^core-/,"");return jn("blocks.getBlockDefaultClassName",t,e)}function li(e){const t="editor-block-list-item-"+e.replace(/\//,"-").replace(/^core-/,"");return jn("blocks.getBlockMenuDefaultClassName",t,e)}const ci={};function ui(e,t,n){const r=yo(e);return ei(function(e,t,n=[]){const r=yo(e);let{save:o}=r;if(o.prototype instanceof et.Component){const e=new o({attributes:t});o=e.render.bind(e)}ci.blockType=r,ci.attributes=t;let a=o({attributes:t,innerBlocks:n});const i=r.apiVersion>1||Po(r,"lightBlockWrapper",!1);if((0,ot.isObject)(a)&&Yn("blocks.getSaveContent.extraProps")&&!i){const e=jn("blocks.getSaveContent.extraProps",{...a.props},r,t);ti(e,a.props)||(a=(0,et.cloneElement)(a,e))}return a=jn("blocks.getSaveElement",a,r,t),(0,et.createElement)(ii,{innerBlocks:n},a)}(r,t,n))}function di(e){let t=e.originalContent;if(e.isValid||e.innerBlocks.length)try{t=ui(e.name,e.attributes,e.innerBlocks)}catch(e){}return t}function pi(e,t,n){const r=(0,ot.isEmpty)(t)?"":function(e){return JSON.stringify(e).replace(/--/g,"\\u002d\\u002d").replace(//g,"\\u003e").replace(/&/g,"\\u0026").replace(/\\"/g,"\\u0022")}(t)+" ",o=(0,ot.startsWith)(e,"core/")?e.slice(5):e;return n?`\x3c!-- wp:${o} ${r}--\x3e\n`+n+`\n\x3c!-- /wp:${o} --\x3e`:`\x3c!-- wp:${o} ${r}/--\x3e`}function mi(e,{isInnerBlocks:t=!1}={}){const n=e.name,r=di(e);if(n===Oo()||!t&&n===zo())return r;return pi(n,function(e,t){return(0,ot.reduce)(e.attributes,((e,n,r)=>{const o=t[r];return void 0===o||void 0!==n.source||"default"in n&&n.default===o||(e[r]=o),e}),{})}(Do(n),e.attributes),r)}function fi(e){1===e.length&&bo(e[0])&&(e=[]);let t=hi(e);return 1===e.length&&e[0].name===zo()&&(t=ia(t)),t}function hi(e,t){return(0,ot.castArray)(e).map((e=>mi(e,t))).join("\n\n")}const gi=/[\t\n\r\v\f ]+/g,bi=/^[\t\n\r\v\f ]*$/,vi=/^url\s*\(['"\s]*(.*?)['"\s]*\)$/,yi=["allowfullscreen","allowpaymentrequest","allowusermedia","async","autofocus","autoplay","checked","controls","default","defer","disabled","download","formnovalidate","hidden","ismap","itemscope","loop","multiple","muted","nomodule","novalidate","open","playsinline","readonly","required","reversed","selected","typemustmatch"],_i=[...yi,"autocapitalize","autocomplete","charset","contenteditable","crossorigin","decoding","dir","draggable","enctype","formenctype","formmethod","http-equiv","inputmode","kind","method","preload","scope","shape","spellcheck","translate","type","wrap"],Mi=[ot.identity,function(e){return Ai(e).join(" ")}],ki=/^[\da-z]+$/i,wi=/^#\d+$/,Ei=/^#x[\da-f]+$/i;class Li{parse(e){if(t=e,ki.test(t)||wi.test(t)||Ei.test(t))return Ta("&"+e+";");var t}}function Ai(e){return e.trim().split(gi)}function Si(e){return e.attributes.filter((e=>{const[t,n]=e;return n||0===t.indexOf("data-")||(0,ot.includes)(_i,t)}))}function Ci(e,t,n=xa()){let r=e.chars,o=t.chars;for(let e=0;e{const[t,...n]=e.split(":"),r=n.join(":");return[t.trim(),xi(r.trim())]}));return(0,ot.fromPairs)(t)}const Oi={class:(e,t)=>!(0,ot.xor)(...[e,t].map(Ai)).length,style:(e,t)=>(0,ot.isEqual)(...[e,t].map(zi)),...(0,ot.fromPairs)(yi.map((e=>[e,ot.stubTrue])))};const Ni={StartTag:(e,t,n=xa())=>e.tagName!==t.tagName&&e.tagName.toLowerCase()!==t.tagName.toLowerCase()?(n.warning("Expected tag name `%s`, instead saw `%s`.",t.tagName,e.tagName),!1):function(e,t,n=xa()){if(e.length!==t.length)return n.warning("Expected attributes %o, instead saw %o.",t,e),!1;const r={};for(let e=0;efunction(e,t=xa()){try{return new Sa(new Li).tokenize(e)}catch(n){t.warning("Malformed HTML detected: %s",e)}return null}(e,n)));if(!r||!o)return!1;let a,i;for(;a=Di(r);){if(i=Di(o),!i)return n.warning("Expected end of content, instead saw %o.",a),!1;if(a.type!==i.type)return n.warning("Expected token of type `%s` (%o), instead saw `%s` (%o).",i.type,i,a.type,a),!1;const e=Ni[a.type];if(e&&!e(a,i,n))return!1;Bi(a,o[0])?Di(o):Bi(i,r[0])&&Di(r)}return!(i=Di(o))||(n.warning("Expected %o, instead saw end of content.",i),!1)}function Pi(e,t,n,r=function(){const e=[],t=xa();return{error(...n){e.push({log:t.error,args:n})},warning(...n){e.push({log:t.warning,args:n})},getItems:()=>e}}()){const o=yo(e);let a;try{a=ui(o,t)}catch(e){return r.error("Block validation failed because an error occurred while generating block content:\n\n%s",e.toString()),{isValid:!1,validationIssues:r.getItems()}}const i=Ii(n,a,r);return i||r.error("Block validation failed for `%s` (%o).\n\nContent generated by `save` function:\n\n%s\n\nContent retrieved from post body:\n\n%s",o.name,o,a,n),{isValid:i,validationIssues:r.getItems()}}function Ri(e){const t={};for(let n=0;n{let n=t;e&&(n=t.querySelector(e));try{return Yi(n)}catch(e){return null}}}function Hi(e){const t=[];for(let n=0;n{let n=t;return e&&(n=t.querySelector(e)),n?Hi(n.childNodes):[]}}const Fi={concat:function(...e){const t=[];for(let n=0;nfunction(e,t){switch(t){case"string":return"string"==typeof e;case"boolean":return"boolean"==typeof e;case"object":return!!e&&e.constructor===Object;case"null":return null===e;case"array":return Array.isArray(e);case"integer":case"number":return"number"==typeof e}return!0}(e,t)))}function Xi(e){switch(e.source){case"attribute":let t=function(e,t){return 1===arguments.length&&(t=e,e=void 0),function(n){var r=na(e,"attributes")(n);if(r&&r.hasOwnProperty(t))return r[t].value}}(e.selector,e.attribute);return"boolean"===e.type&&(t=(e=>(0,ot.flow)([e,e=>void 0!==e]))(t)),t;case"html":return function(e,t){return n=>{let r=n;if(e&&(r=n.querySelector(e)),!r)return"";if(t){let e="";const n=r.children.length;for(let o=0;oe?e.toLowerCase():void 0]);default:console.error(`Unknown source type "${e.source}"`)}}function Ui(e,t){return ta(e,Xi(t))}function $i(e,t,n,r){const{type:o,enum:a}=t;let i;switch(t.source){case void 0:i=r?r[e]:void 0;break;case"attribute":case"property":case"html":case"text":case"children":case"node":case"query":case"tag":i=Ui(n,t)}return function(e,t){return void 0===t||Vi(e,(0,ot.castArray)(t))}(i,o)&&function(e,t){return!Array.isArray(t)||t.includes(e)}(i,a)||(i=void 0),void 0===i?t.default:i}function Ki(e,t,n={}){const r=yo(e),o=(0,ot.mapValues)(r.attributes,((e,r)=>$i(r,e,t,n)));return jn("blocks.getBlockAttributes",o,r,t,n)}function Gi(e,t){const n={...t};if("core/cover-image"===e&&(e="core/cover"),"core/text"!==e&&"core/cover-text"!==e||(e="core/paragraph"),e&&0===e.indexOf("core/social-link-")&&(n.service=e.substring(17),e="core/social-link"),e&&0===e.indexOf("core-embed/")){const t=e.substring(11),r={speaker:"speaker-deck",polldaddy:"crowdsignal"};n.providerNameSlug=t in r?r[t]:t,["amazon-kindle","wordpress"].includes(t)||(n.responsive=!0),e="core/embed"}return"core/query-loop"===e&&(e="core/post-template"),{name:e,attributes:n}}function Ji(e){const{blockName:t}=e;let{attrs:n,innerBlocks:r=[],innerHTML:o}=e;const{innerContent:a}=e,i=zo(),s=Oo()||i;n=n||{},o=o.trim();let l=t||i;({name:l,attributes:n}=Gi(l,n)),l===i&&(o=aa(o).trim());let c=Do(l);if(!c){const e={attrs:n,blockName:t,innerBlocks:r,innerContent:a},i=Qi(e,{isCommentDelimited:!1}),u=Qi(e,{isCommentDelimited:!0});l&&(o=u),l=s,n={originalName:t,originalContent:u,originalUndelimitedContent:i},c=Do(l)}r=r.map(Ji),r=r.filter((e=>e));const u=l===i||l===s;if(!c||!o&&u)return;let d=Wo(l,Ki(c,o,n),r);if(!u){const{isValid:e,validationIssues:t}=Pi(c,d.attributes,o);d.isValid=e,d.validationIssues=t}return d.originalContent=d.originalContent||o,d=function(e,t){const n=Do(e.name),{deprecated:r}=n;if(!r||!r.length)return e;const{originalContent:o,innerBlocks:a}=e;for(let i=0;i0&&(d.isValid?console.info("Block successfully updated for `%s` (%o).\n\nNew content generated by `save` function:\n\n%s\n\nContent retrieved from post body:\n\n%s",c.name,c,ui(c,d.attributes),d.originalContent):d.validationIssues.forEach((({log:e,args:t})=>e(...t)))),d}function Qi(e,t={}){const{isCommentDelimited:n=!0}=t,{blockName:r,attrs:o={},innerBlocks:a=[],innerContent:i=[]}=e;let s=0;const l=i.map((e=>null!==e?e:Qi(a[s++],t))).join("\n").replace(/\n+/g,"\n").trim();return n?pi(r,o,l):l}const Zi=(es=e=>{sa=e,la=0,ca=[],ua=[],da.lastIndex=0;do{}while(fa());return ca},e=>es(e).reduce(((e,t)=>{const n=Ji(t);return n&&e.push(n),e}),[]));var es;const ts=Zi;function ns(){return(0,ot.filter)(Ko("from"),{type:"raw"}).map((e=>e.isMatch?e:{...e,isMatch:t=>e.selector&&t.matches(e.selector)}))}function rs(e){const t=document.implementation.createHTMLDocument("");return t.body.innerHTML=e,Array.from(t.body.children).flatMap((e=>{const t=$o(ns(),(({isMatch:t})=>t(e)));if(!t)return Wo("core/html",Ki("core/html",e.outerHTML));const{transform:n,blockName:r}=t;return n?n(e):Wo(r,Ki(r,e.outerHTML))}))}function os(e){switch(e.nodeType){case e.TEXT_NODE:return/^[ \f\n\r\t\v\u00a0]*$/.test(e.nodeValue||"");case e.ELEMENT_NODE:return!e.hasAttributes()&&(!e.hasChildNodes()||Array.from(e.childNodes).every(os));default:return!0}}const as={strong:{},em:{},s:{},del:{},ins:{},a:{attributes:["href","target","rel"]},code:{},abbr:{attributes:["title"]},sub:{},sup:{},br:{},small:{},q:{attributes:["cite"]},dfn:{attributes:["title"]},data:{attributes:["value"]},time:{attributes:["datetime"]},var:{},samp:{},kbd:{},i:{},b:{},u:{},mark:{},ruby:{},rt:{},rp:{},bdi:{attributes:["dir"]},bdo:{attributes:["dir"]},wbr:{},"#text":{}};(0,ot.without)(Object.keys(as),"#text","br").forEach((e=>{as[e].children=(0,ot.omit)(as,e)}));const is={...as,audio:{attributes:["src","preload","autoplay","mediagroup","loop","muted"]},canvas:{attributes:["width","height"]},embed:{attributes:["src","type","width","height"]},img:{attributes:["alt","src","srcset","usemap","ismap","width","height"]},object:{attributes:["data","type","name","usemap","form","width","height"]},video:{attributes:["src","poster","preload","autoplay","mediagroup","loop","muted","controls","width","height"]}};function ss(e){return"paste"!==e?is:(0,ot.omit)({...is,ins:{children:is.ins.children},del:{children:is.del.children}},["u","abbr","data","time","wbr","bdi","bdo"])}function ls(e){const t=e.nodeName.toLowerCase();return ss().hasOwnProperty(t)||"span"===t}function cs(e){const t=e.nodeName.toLowerCase();return as.hasOwnProperty(t)||"span"===t}function us(e){const t=document.implementation.createHTMLDocument(""),n=document.implementation.createHTMLDocument(""),r=t.body,o=n.body;for(r.innerHTML=e;r.firstChild;){const e=r.firstChild;e.nodeType===e.TEXT_NODE?os(e)?r.removeChild(e):(o.lastChild&&"P"===o.lastChild.nodeName||o.appendChild(n.createElement("P")),o.lastChild.appendChild(e)):e.nodeType===e.ELEMENT_NODE?"BR"===e.nodeName?(e.nextSibling&&"BR"===e.nextSibling.nodeName&&(o.appendChild(n.createElement("P")),r.removeChild(e.nextSibling)),o.lastChild&&"P"===o.lastChild.nodeName&&o.lastChild.hasChildNodes()?o.lastChild.appendChild(e):r.removeChild(e)):"P"===e.nodeName?os(e)?r.removeChild(e):o.appendChild(e):ls(e)?(o.lastChild&&"P"===o.lastChild.nodeName||o.appendChild(n.createElement("P")),o.lastChild.appendChild(e)):o.appendChild(e):r.removeChild(e)}return o.innerHTML}function ds(e,t){0}function ps(e,t){ds(t.parentNode),t.parentNode.insertBefore(e,t.nextSibling)}function ms(e){ds(e.parentNode),e.parentNode.removeChild(e)}function fs(e,t){ds(e.parentNode),ps(t,e.parentNode),ms(e)}function hs(e,t){if(e.nodeType===e.COMMENT_NODE)if("nextpage"!==e.nodeValue){if(0===e.nodeValue.indexOf("more")){const n=e.nodeValue.slice(4).trim();let r=e,o=!1;for(;r=r.nextSibling;)if(r.nodeType===r.COMMENT_NODE&&"noteaser"===r.nodeValue){o=!0,ms(r);break}fs(e,function(e,t,n){const r=n.createElement("wp-block");r.dataset.block="core/more",e&&(r.dataset.customText=e);t&&(r.dataset.noTeaser="");return r}(n,o,t))}}else fs(e,function(e){const t=e.createElement("wp-block");return t.dataset.block="core/nextpage",t}(t))}function gs(e){const t=e.parentNode;for(ds();e.firstChild;)t.insertBefore(e.firstChild,e);t.removeChild(e)}function bs(e){return"OL"===e.nodeName||"UL"===e.nodeName}function vs(e){if(!bs(e))return;const t=e,n=e.previousElementSibling;if(n&&n.nodeName===e.nodeName&&1===t.children.length){for(;t.firstChild;)n.appendChild(t.firstChild);t.parentNode.removeChild(t)}const r=e.parentNode;if(r&&"LI"===r.nodeName&&1===r.children.length&&!/\S/.test((o=r,Array.from(o.childNodes).map((({nodeValue:e=""})=>e)).join("")))){const e=r,n=e.previousElementSibling,o=e.parentNode;n?(n.appendChild(t),o.removeChild(e)):(o.parentNode.insertBefore(t,o),o.parentNode.removeChild(o))}var o;if(r&&bs(r)){const t=e.previousElementSibling;t?t.appendChild(e):gs(e)}}function ys(e){"BLOCKQUOTE"===e.nodeName&&(e.innerHTML=us(e.innerHTML))}function _s(e,t=e){const n=e.ownerDocument.createElement("figure");t.parentNode.insertBefore(n,t),n.appendChild(e)}function Ms(e,t,n){if(!function(e,t){const n=e.nodeName.toLowerCase();return"figcaption"!==n&&!cs(e)&&(0,ot.has)(t,["figure","children",n])}(e,n))return;let r=e;const o=e.parentNode;(function(e,t){const n=e.nodeName.toLowerCase();return(0,ot.has)(t,["figure","children","a","children",n])})(e,n)&&"A"===o.nodeName&&1===o.childNodes.length&&(r=e.parentNode);const a=r.closest("p,div");a?e.classList?(e.classList.contains("alignright")||e.classList.contains("alignleft")||e.classList.contains("aligncenter")||!a.textContent.trim())&&_s(r,a):_s(r,a):"BODY"===r.parentNode.nodeName&&_s(r)}function ks(e,t,n=0){const r=ws(e);r.lastIndex=n;const o=r.exec(t);if(!o)return;if("["===o[1]&&"]"===o[7])return ks(e,t,r.lastIndex);const a={index:o.index,content:o[0],shortcode:Ls(o)};return o[1]&&(a.content=a.content.slice(1),a.index++),o[7]&&(a.content=a.content.slice(0,-1)),a}function ws(e){return new RegExp("\\[(\\[?)("+e+")(?![\\w-])([^\\]\\/]*(?:\\/(?!\\])[^\\]\\/]*)*?)(?:(\\/)\\]|\\](?:([^\\[]*(?:\\[(?!\\/\\2\\])[^\\[]*)*)(\\[\\/\\2\\]))?)(\\]?)","g")}const Es=sn()((e=>{const t={},n=[],r=/([\w-]+)\s*=\s*"([^"]*)"(?:\s|$)|([\w-]+)\s*=\s*'([^']*)'(?:\s|$)|([\w-]+)\s*=\s*([^\s'"]+)(?:\s|$)|"([^"]*)"(?:\s|$)|'([^']*)'(?:\s|$)|(\S+)(?:\s|$)/g;let o;for(e=e.replace(/[\u00a0\u200b]/g," ");o=r.exec(e);)o[1]?t[o[1].toLowerCase()]=o[2]:o[3]?t[o[3].toLowerCase()]=o[4]:o[5]?t[o[5].toLowerCase()]=o[6]:o[7]?n.push(o[7]):o[8]?n.push(o[8]):o[9]&&n.push(o[9]);return{named:t,numeric:n}}));function Ls(e){let t;return t=e[4]?"self-closing":e[6]?"closed":"single",new As({tag:e[2],attrs:e[3],type:t,content:e[5]})}const As=(0,ot.extend)((function(e){(0,ot.extend)(this,(0,ot.pick)(e||{},"tag","attrs","type","content"));const t=this.attrs;this.attrs={named:{},numeric:[]},t&&((0,ot.isString)(t)?this.attrs=Es(t):(0,ot.isEqual)(Object.keys(t),["named","numeric"])?this.attrs=t:(0,ot.forEach)(t,((e,t)=>{this.set(t,e)})))}),{next:ks,replace:function(e,t,n){return t.replace(ws(e),(function(e,t,r,o,a,i,s,l){if("["===t&&"]"===l)return e;const c=n(Ls(arguments));return c||""===c?t+c+l:e}))},string:function(e){return new As(e).string()},regexp:ws,attrs:Es,fromMatch:Ls});(0,ot.extend)(As.prototype,{get(e){return this.attrs[(0,ot.isNumber)(e)?"numeric":"named"][e]},set(e,t){return this.attrs[(0,ot.isNumber)(e)?"numeric":"named"][e]=t,this},string(){let e="["+this.tag;return(0,ot.forEach)(this.attrs.numeric,(t=>{/\s/.test(t)?e+=' "'+t+'"':e+=" "+t})),(0,ot.forEach)(this.attrs.named,((t,n)=>{e+=" "+n+'="'+t+'"'})),"single"===this.type?e+"]":"self-closing"===this.type?e+" /]":(e+="]",this.content&&(e+=this.content),e+"[/"+this.tag+"]")}});const Ss=function e(t,n=0,r=[]){const o=$o(Ko("from"),(e=>-1===r.indexOf(e.blockName)&&"shortcode"===e.type&&(0,ot.some)((0,ot.castArray)(e.tag),(e=>ws(e).test(t)))));if(!o)return[t];const a=(0,ot.castArray)(o.tag),i=(0,ot.find)(a,(e=>ws(e).test(t)));let s;const l=n;if(s=ks(i,t,n)){n=s.index+s.content.length;const a=t.substr(0,s.index),i=t.substr(n);if(!((0,ot.includes)(s.shortcode.content||"","<")||/(\n|

)\s*$/.test(a)&&/^\s*(\n|<\/p>)/.test(i)))return e(t,n);if(o.isMatch&&!o.isMatch(s.shortcode.attrs))return e(t,l,[...r,o.blockName]);const c=(0,ot.mapValues)((0,ot.pickBy)(o.attributes,(e=>e.shortcode)),(e=>e.shortcode(s.shortcode.attrs,s))),u=Wo(o.blockName,Ki({...Do(o.blockName),attributes:o.attributes},s.shortcode.content,c));return[...e(a),u,...e(i)]}return[t]};function Cs(e){return function(e,t){const n={phrasingContentSchema:ss(t),isPaste:"paste"===t},r=e.map((({isMatch:e,blockName:t,schema:r})=>{const o=Po(t,"anchor");return r=(0,ot.isFunction)(r)?r(n):r,o||e?(0,ot.mapValues)(r,(t=>{let n=t.attributes||[];return o&&(n=[...n,"id"]),{...t,attributes:n,isMatch:e||void 0}})):r}));return(0,ot.mergeWith)({},...r,((e,t,n)=>{switch(n){case"children":return"*"===e||"*"===t?"*":{...e,...t};case"attributes":case"require":return[...e||[],...t||[]];case"isMatch":if(!e||!t)return;return(...n)=>e(...n)||t(...n)}}))}(ns(),e)}function Ts(e,t,n,r){Array.from(e).forEach((e=>{Ts(e.childNodes,t,n,r),t.forEach((t=>{n.contains(e)&&t(e,n,r)}))}))}function xs(e,t=[],n){const r=document.implementation.createHTMLDocument("");return r.body.innerHTML=e,Ts(r.body.childNodes,t,r,n),r.body.innerHTML}function zs(e,t){const n=e[`${t}Sibling`];if(n&&ls(n))return n;const{parentNode:r}=e;return r&&ls(r)?zs(r,t):void 0}function Os({HTML:e=""}){if(-1!==e.indexOf("\x3c!-- wp:"))return Zi(e);const t=Ss(e),n=Cs();return(0,ot.compact)((0,ot.flatMap)(t,(e=>{if("string"!=typeof e)return e;return rs(e=us(e=xs(e,[vs,hs,Ms,ys],n)))})))}function Ns(e,t,n,r){Array.from(e).forEach((e=>{var o,a;const i=e.nodeName.toLowerCase();if(n.hasOwnProperty(i)&&(!n[i].isMatch||null!==(o=(a=n[i]).isMatch)&&void 0!==o&&o.call(a,e))){if(function(e){return!!e&&e.nodeType===e.ELEMENT_NODE}(e)){const{attributes:o=[],classes:a=[],children:s,require:l=[],allowEmpty:c}=n[i];if(s&&!c&&os(e))return void ms(e);if(e.hasAttributes()&&(Array.from(e.attributes).forEach((({name:t})=>{"class"===t||(0,ot.includes)(o,t)||e.removeAttribute(t)})),e.classList&&e.classList.length)){const t=a.map((e=>"string"==typeof e?t=>t===e:e instanceof RegExp?t=>e.test(t):ot.noop));Array.from(e.classList).forEach((n=>{t.some((e=>e(n)))||e.classList.remove(n)})),e.classList.length||e.removeAttribute("class")}if(e.hasChildNodes()){if("*"===s)return;if(s)l.length&&!e.querySelector(l.join(","))?(Ns(e.childNodes,t,n,r),gs(e)):e.parentNode&&"BODY"===e.parentNode.nodeName&&ls(e)?(Ns(e.childNodes,t,n,r),Array.from(e.childNodes).some((e=>!ls(e)))&&gs(e)):Ns(e.childNodes,t,s,r);else for(;e.firstChild;)ms(e.firstChild)}}}else Ns(e.childNodes,t,n,r),r&&!ls(e)&&e.nextElementSibling&&ps(t.createElement("br"),e),gs(e)}))}function Ds(e,t,n){const r=document.implementation.createHTMLDocument("");return r.body.innerHTML=e,Ns(r.body.childNodes,r,t,n),r.body.innerHTML}function Bs(e){e.nodeType===e.COMMENT_NODE&&ms(e)}function Is(e,t){return e.every((e=>function(e,t){if(cs(e))return!0;if(!t)return!1;const n=e.nodeName.toLowerCase();return[["ul","li","ol"],["h1","h2","h3","h4","h5","h6"]].some((e=>0===(0,ot.difference)([n,t],e).length))}(e,t)&&Is(Array.from(e.children),t)))}function Ps(e){return"BR"===e.nodeName&&e.previousSibling&&"BR"===e.previousSibling.nodeName}function Rs(e,t){ds(t.parentNode),t.parentNode.insertBefore(e,t),e.appendChild(t)}function Ys(e,t){const n=e.ownerDocument.createElement(t);for(;e.firstChild;)n.appendChild(e.firstChild);return ds(e.parentNode),e.parentNode.replaceChild(n,e),n}function Ws(e,t){if("SPAN"===e.nodeName&&e.style){const{fontWeight:n,fontStyle:r,textDecorationLine:o,textDecoration:a,verticalAlign:i}=e.style;"bold"!==n&&"700"!==n||Rs(t.createElement("strong"),e),"italic"===r&&Rs(t.createElement("em"),e),("line-through"===o||(0,ot.includes)(a,"line-through"))&&Rs(t.createElement("s"),e),"super"===i?Rs(t.createElement("sup"),e):"sub"===i&&Rs(t.createElement("sub"),e)}else"B"===e.nodeName?e=Ys(e,"strong"):"I"===e.nodeName?e=Ys(e,"em"):"A"===e.nodeName&&(e.target&&"_blank"===e.target.toLowerCase()?e.rel="noreferrer noopener":(e.removeAttribute("target"),e.removeAttribute("rel")))}function Hs(e){"SCRIPT"!==e.nodeName&&"NOSCRIPT"!==e.nodeName&&"TEMPLATE"!==e.nodeName&&"STYLE"!==e.nodeName||e.parentNode.removeChild(e)}const{parseInt:qs}=window;function js(e){return"OL"===e.nodeName||"UL"===e.nodeName}function Fs(e,t){if("P"!==e.nodeName)return;const n=e.getAttribute("style");if(!n)return;if(-1===n.indexOf("mso-list"))return;const r=/mso-list\s*:[^;]+level([0-9]+)/i.exec(n);if(!r)return;let o=qs(r[1],10)-1||0;const a=e.previousElementSibling;if(!a||!js(a)){const n=e.textContent.trim().slice(0,1),r=/[1iIaA]/.test(n),o=t.createElement(r?"ol":"ul");r&&o.setAttribute("type",n),e.parentNode.insertBefore(o,e)}const i=e.previousElementSibling,s=i.nodeName,l=t.createElement("li");let c=i;for(e.removeChild(e.firstElementChild);e.firstChild;)l.appendChild(e.firstChild);for(;o--;)c=c.lastElementChild||c,js(c)&&(c=c.lastElementChild||c);js(c)||(c=c.appendChild(t.createElement(s))),c.appendChild(l),e.parentNode.removeChild(e)}const{createObjectURL:Vs,revokeObjectURL:Xs}=window.URL,Us={};function $s(e){const t=Vs(e);return Us[t]=e,t}function Ks(e){return Us[e]}function Gs(e){Us[e]&&Xs(e),delete Us[e]}function Js(e){return!(!e||!e.indexOf)&&0===e.indexOf("blob:")}const{atob:Qs,File:Zs}=window;function el(e){if("IMG"===e.nodeName){if(0===e.src.indexOf("file:")&&(e.src=""),0===e.src.indexOf("data:")){const[t,n]=e.src.split(","),[r]=t.slice(5).split(";");if(!n||!r)return void(e.src="");let o;try{o=Qs(n)}catch(t){return void(e.src="")}const a=new Uint8Array(o.length);for(let e=0;e]+>/g,"")).replace(/^\s*]*>\s*]*>(?:\s*)?/i,"")).replace(/(?:\s*)?<\/body>\s*<\/html>\s*$/i,""),"INLINE"!==n){const n=e||t;if(-1!==n.indexOf("\x3c!-- wp:"))return Zi(n)}var a;if(String.prototype.normalize&&(e=e.normalize()),!t||e&&!function(e){return!/<(?!br[ />])/i.test(e)}(e)||(e=t,/^\s+$/.test(t)||(a=e,e=nl.makeHtml(function(e){return e.replace(/((?:^|\n)```)([^\n`]+)(```(?:$|\n))/,((e,t,n,r)=>`${t}\n${n}\n${r}`))}(a))),"AUTO"===n&&-1===t.indexOf("\n")&&0!==t.indexOf("

")&&0===e.indexOf("

")&&(n="INLINE")),"INLINE"===n)return cl(e,o);const i=Ss(e),s=i.length>1;if("AUTO"===n&&!s&&function(e,t){const n=document.implementation.createHTMLDocument("");n.body.innerHTML=e;const r=Array.from(n.body.children);return!r.some(Ps)&&Is(r,t)}(e,r))return cl(e,o);const l=ss("paste"),c=Cs("paste"),u=(0,ot.compact)((0,ot.flatMap)(i,(e=>{if("string"!=typeof e)return e;const t=[ol,Fs,Hs,vs,el,Ws,hs,Bs,rl,Ms,ys],n={...c,...l};return e=xs(e,t,c),e=xs(e=us(e=Ds(e,n)),[al,il,sl],c),ll.log("Processed HTML piece:\n\n",e),rs(e)})));if("AUTO"===n&&1===u.length&&Po(u[0].name,"__unstablePasteTextInline",!1)){const e=t.replace(/^[\n]+|[\n]+$/g,"");if(""!==e&&-1===e.indexOf("\n"))return Ds(di(u[0]),l)}return u}function dl(e=[],t=[]){return e.length===t.length&&(0,ot.every)(t,(([t,,n],r)=>{const o=e[r];return t===o.name&&dl(o.innerBlocks,n)}))}function pl(e=[],t){return t?(0,ot.map)(t,(([t,n,r],o)=>{const a=e[o];if(a&&a.name===t){const e=pl(a.innerBlocks,r);return{...a,innerBlocks:e}}const i=Do(t),s=(e,t)=>(0,ot.mapValues)(t,((t,n)=>l(e[n],t))),l=(e,t)=>{return n=e,"html"===(0,ot.get)(n,["source"])&&(0,ot.isArray)(t)?ei(t):(e=>"query"===(0,ot.get)(e,["source"]))(e)&&t?t.map((t=>s(e.query,t))):t;var n},c=s((0,ot.get)(i,["attributes"],{}),n),{name:u,attributes:d}=Gi(t,c);return Wo(u,d,pl([],r))})):e}function ml(e,t){var n=(0,et.useState)((function(){return{inputs:t,result:e()}}))[0],r=(0,et.useRef)(!0),o=(0,et.useRef)(n),a=r.current||Boolean(t&&o.current.inputs&&function(e,t){if(e.length!==t.length)return!1;for(var n=0;n{setTimeout((()=>e(Date.now())),0)}:window.requestIdleCallback||window.requestAnimationFrame,hl=()=>{let e=[],t=new WeakMap,n=!1;const r=o=>{const a="number"==typeof o?()=>!1:()=>o.timeRemaining()>0;do{if(0===e.length)return void(n=!1);const r=e.shift();t.get(r)(),t.delete(r)}while(a());fl(r)};return{add:(o,a)=>{t.has(o)||e.push(o),t.set(o,a),n||(n=!0,fl(r))},flush:n=>{if(!t.has(n))return!1;const r=e.indexOf(n);e.splice(r,1);const o=t.get(n);return t.delete(n),o(),!0},reset:()=>{e=[],t=new WeakMap,n=!1}}},gl="undefined"!=typeof window?et.useLayoutEffect:et.useEffect,bl=(0,et.createContext)(Zt),{Consumer:vl,Provider:yl}=bl,_l=vl,Ml=yl;function kl(){return(0,et.useContext)(bl)}const wl=(0,et.createContext)(!1),{Consumer:El,Provider:Ll}=wl,Al=Ll;const Sl=hl();function Cl(e,t){const n="function"!=typeof e;n&&(t=[]);const r=(0,et.useCallback)(e,t),o=kl(),a=(0,et.useContext)(wl),i=ml((()=>({queue:!0})),[o]),[,s]=(0,et.useReducer)((e=>e+1),0),l=(0,et.useRef)(),c=(0,et.useRef)(a),u=(0,et.useRef)(),d=(0,et.useRef)(),p=(0,et.useRef)(),m=(0,et.useRef)([]),f=(0,et.useCallback)((e=>o.__experimentalMarkListeningStores(e,m)),[o]),h=(0,et.useMemo)((()=>({})),t||[]);let g;if(!n)try{g=l.current!==r||d.current?f((()=>r(o.select,o))):u.current}catch(e){let t=`An error occurred while running 'mapSelect': ${e.message}`;d.current&&(t+="\nThe error may be correlated with this previous error:\n",t+=`${d.current.stack}\n\n`,t+="Original stack trace:"),console.error(t),g=u.current}return gl((()=>{n||(l.current=r,u.current=g,d.current=void 0,p.current=!0,c.current!==a&&(c.current=a,Sl.flush(i)))})),gl((()=>{if(n)return;const e=()=>{if(p.current){try{const e=f((()=>l.current(o.select,o)));if(ti(u.current,e))return;u.current=e}catch(e){d.current=e}s()}};c.current?Sl.add(i,e):e();const t=()=>{c.current?Sl.add(i,e):e()},r=m.current.map((e=>o.__experimentalSubscribeStore(e,t)));return()=>{p.current=!1,r.forEach((e=>null==e?void 0:e())),Sl.flush(i)}}),[o,f,h,n]),n?o.select(e):g}const Tl=function(e){const t=(e,n)=>{const{headers:r={}}=e;for(const o in r)if("x-wp-nonce"===o.toLowerCase()&&r[o]===t.nonce)return n(e);return n({...e,headers:{...r,"X-WP-Nonce":t.nonce}})};return t.nonce=e,t},xl=(e,t)=>{let n,r,o=e.path;return"string"==typeof e.namespace&&"string"==typeof e.endpoint&&(n=e.namespace.replace(/^\/|\/$/g,""),r=e.endpoint.replace(/^\//,""),o=r?n+"/"+r:n),delete e.namespace,delete e.endpoint,t({...e,path:o})},zl=e=>(t,n)=>xl(t,(t=>{let r,o=t.url,a=t.path;return"string"==typeof a&&(r=e,-1!==e.indexOf("?")&&(a=a.replace("?","&")),a=a.replace(/^\//,""),"string"==typeof r&&-1!==r.indexOf("?")&&(a=a.replace("?","&")),o=r+a),n({...t,url:o})}));function Ol(e){const t=e.split("?"),n=t[1],r=t[0];return n?r+"?"+n.split("&").map((e=>e.split("="))).sort(((e,t)=>e[0].localeCompare(t[0]))).map((e=>e.join("="))).join("&"):r}const Nl=function(e){const t=Object.keys(e).reduce(((t,n)=>(t[Ol(n)]=e[n],t)),{});return(e,n)=>{const{parse:r=!0}=e;if("string"==typeof e.path){const n=e.method||"GET",o=Ol(e.path);if("GET"===n&&t[o]){const e=t[o];return delete t[o],Promise.resolve(r?e.body:new window.Response(JSON.stringify(e.body),{status:200,statusText:"OK",headers:e.headers}))}if("OPTIONS"===n&&t[n]&&t[n][o])return Promise.resolve(r?t[n][o].body:t[n][o])}return n(e)}};function Dl(e){let t;try{t=new URL(e,"http://example.com").search.substring(1)}catch(e){}if(t)return t}function Bl(e){return(Dl(e)||"").replace(/\+/g,"%20").split("&").reduce(((e,t)=>{const[n,r=""]=t.split("=").filter(Boolean).map(decodeURIComponent);if(n){!function(e,t,n){const r=t.length,o=r-1;for(let a=0;a({...n,url:t&&Il(t,r),path:e&&Il(e,r)}),Rl=e=>e.json?e.json():Promise.reject(e),Yl=e=>{const{next:t}=(e=>{if(!e)return{};const t=e.match(/<([^>]+)>; rel="next"/);return t?{next:t[1]}:{}})(e.headers.get("link"));return t},Wl=async(e,t)=>{if(!1===e.parse)return t(e);if(!(e=>{const t=!!e.path&&-1!==e.path.indexOf("per_page=-1"),n=!!e.url&&-1!==e.url.indexOf("per_page=-1");return t||n})(e))return t(e);const n=await Zl({...Pl(e,{per_page:100}),parse:!1}),r=await Rl(n);if(!Array.isArray(r))return r;let o=Yl(n);if(!o)return r;let a=[].concat(r);for(;o;){const t=await Zl({...e,path:void 0,url:o,parse:!1}),n=await Rl(t);a=a.concat(n),o=Yl(t)}return a},Hl=new Set(["PATCH","PUT","DELETE"]),ql="GET";function jl(e,t){return void 0!==function(e,t){return Bl(e)[t]}(e,t)}const Fl=(e,t=!0)=>Promise.resolve(((e,t=!0)=>t?204===e.status?null:e.json?e.json():Promise.reject(e):e)(e,t)).catch((e=>Vl(e,t)));function Vl(e,t=!0){if(!t)throw e;return(e=>{const t={code:"invalid_json",message:Zn("The response is not a valid JSON response.")};if(!e||!e.json)throw t;return e.json().catch((()=>{throw t}))})(e).then((e=>{const t={code:"unknown_error",message:Zn("An unknown error occurred.")};throw e||t}))}const Xl=(e,t)=>{if(!(e.path&&-1!==e.path.indexOf("/wp/v2/media")||e.url&&-1!==e.url.indexOf("/wp/v2/media")))return t(e);let n=0;const r=e=>(n++,t({path:`/wp/v2/media/${e}/post-process`,method:"POST",data:{action:"create-image-subsizes"},parse:!1}).catch((()=>n<5?r(e):(t({path:`/wp/v2/media/${e}?force=true`,method:"DELETE"}),Promise.reject()))));return t({...e,parse:!1}).catch((t=>{const n=t.headers.get("x-wp-upload-attachment-id");return t.status>=500&&t.status<600&&n?r(n).catch((()=>!1!==e.parse?Promise.reject({code:"post_process",message:Zn("Media upload failed. If this is a photo or a large image, please scale it down and try again.")}):Promise.reject(t))):Vl(t,e.parse)})).then((t=>Fl(t,e.parse)))},Ul={Accept:"application/json, */*;q=0.1"},$l={credentials:"include"},Kl=[(e,t)=>("string"!=typeof e.url||jl(e.url,"_locale")||(e.url=Il(e.url,{_locale:"user"})),"string"!=typeof e.path||jl(e.path,"_locale")||(e.path=Il(e.path,{_locale:"user"})),t(e)),xl,(e,t)=>{const{method:n=ql}=e;return Hl.has(n.toUpperCase())&&(e={...e,headers:{...e.headers,"X-HTTP-Method-Override":n,"Content-Type":"application/json"},method:"POST"}),t(e)},Wl];const Gl=e=>{if(e.status>=200&&e.status<300)return e;throw e};let Jl=e=>{const{url:t,path:n,data:r,parse:o=!0,...a}=e;let{body:i,headers:s}=e;s={...Ul,...s},r&&(i=JSON.stringify(r),s["Content-Type"]="application/json");return window.fetch(t||n||window.location.href,{...$l,...a,body:i,headers:s}).then((e=>Promise.resolve(e).then(Gl).catch((e=>Vl(e,o))).then((e=>Fl(e,o)))),(e=>{if(e&&"AbortError"===e.name)throw e;throw{code:"fetch_error",message:Zn("You are probably offline.")}}))};function Ql(e){return Kl.reduceRight(((e,t)=>n=>t(n,e)),Jl)(e).catch((t=>"rest_cookie_invalid_nonce"!==t.code?Promise.reject(t):window.fetch(Ql.nonceEndpoint).then(Gl).then((e=>e.text())).then((t=>(Ql.nonceMiddleware.nonce=t,Ql(e))))))}Ql.use=function(e){Kl.unshift(e)},Ql.setFetchHandler=function(e){Jl=e},Ql.createNonceMiddleware=Tl,Ql.createPreloadingMiddleware=Nl,Ql.createRootURLMiddleware=zl,Ql.fetchAllMiddleware=Wl,Ql.mediaUploadMiddleware=Xl;const Zl=Ql;function ec(e){return{type:"API_FETCH",request:e}}const tc=function(e){return{type:"AWAIT_PROMISE",promise:e}},nc={AWAIT_PROMISE:({promise:e})=>e,API_FETCH:({request:e})=>Zl(e)},rc=e=>t=>(n,r)=>void 0===n||e(r)?t(n,r):n,oc=e=>t=>(n,r)=>t(n,e(r));const ac=e=>t=>(n={},r)=>{const o=r[e];if(void 0===o)return n;const a=t(n[o],r);return a===n[o]?n:{...n,[o]:a}};function ic(e,t){return{type:"RECEIVE_ITEMS",items:(0,ot.castArray)(e),persistedEdits:t}}const sc="core";function*lc(e,t,{exclusive:n}){const r=yield*cc(e,t,{exclusive:n});return yield*dc(),yield tc(r)}function*cc(e,t,{exclusive:n}){let r;const o=new Promise((e=>{r=e}));return yield{type:"ENQUEUE_LOCK_REQUEST",request:{store:e,path:t,exclusive:n,notifyAcquired:r}},o}function*uc(e){yield{type:"RELEASE_LOCK",lock:e},yield*dc()}function*dc(){yield{type:"PROCESS_PENDING_LOCK_REQUESTS"};const e=yield xt.select(sc,"__unstableGetPendingLockRequests");for(const t of e){const{store:e,path:n,exclusive:r,notifyAcquired:o}=t;if(yield xt.select(sc,"__unstableIsLockAvailable",e,n,{exclusive:r})){const a={store:e,path:n,exclusive:r};yield{type:"GRANT_LOCK_REQUEST",lock:a,request:t},o(a)}}}async function pc(e){const t=await Zl({path:"/batch/v1",method:"POST",data:{validation:"require-all-validate",requests:e.map((e=>({path:e.path,body:e.data,method:e.method,headers:e.headers})))}});return t.failed?t.responses.map((e=>({error:null==e?void 0:e.body}))):t.responses.map((e=>{const t={};return e.status>=200&&e.status<300?t.output=e.body:t.error=e.body,t}))}function mc(e=pc){let t=0,n=[];const r=new fc;return{add(e){const o=++t;r.add(o);const a=e=>new Promise(((t,a)=>{n.push({input:e,resolve:t,reject:a}),r.delete(o)}));return(0,ot.isFunction)(e)?Promise.resolve(e(a)).finally((()=>{r.delete(o)})):a(e)},async run(){let t;r.size&&await new Promise((e=>{const t=r.subscribe((()=>{r.size||(t(),e())}))}));try{if(t=await e(n.map((({input:e})=>e))),t.length!==n.length)throw new Error("run: Array returned by processor must be same size as input array.")}catch(e){for(const{reject:t}of n)t(e);throw e}let o=!0;for(const[e,{resolve:r,reject:i}]of(0,ot.zip)(t,n)){var a;if(null!=e&&e.error)i(e.error),o=!1;else r(null!==(a=null==e?void 0:e.output)&&void 0!==a?a:e)}return n=[],o}}}class fc{constructor(...e){this.set=new Set(...e),this.subscribers=new Set}get size(){return this.set.size}add(...e){return this.set.add(...e),this.subscribers.forEach((e=>e())),this}delete(...e){const t=this.set.delete(...e);return this.subscribers.forEach((e=>e())),t}subscribe(e){return this.subscribers.add(e),()=>{this.subscribers.delete(e)}}}const hc={async REGULAR_FETCH({url:e}){const{data:t}=await window.fetch(e).then((e=>e.json()));return t},GET_DISPATCH:At((({dispatch:e})=>()=>e))};function gc(e,t){return{type:"RECEIVE_USER_QUERY",users:(0,ot.castArray)(t),queryID:e}}function bc(e){return{type:"RECEIVE_CURRENT_USER",currentUser:e}}function vc(e){return{type:"ADD_ENTITIES",entities:e}}function yc(e,t,n,r,o=!1,a){let i;return"postType"===e&&(n=(0,ot.castArray)(n).map((e=>"auto-draft"===e.status?{...e,title:""}:e))),i=r?function(e,t={},n){return{...ic(e,n),query:t}}(n,r,a):ic(n,a),{...i,kind:e,name:t,invalidateCache:o}}function _c(e){return{type:"RECEIVE_CURRENT_THEME",currentTheme:e}}function Mc(e){return{type:"RECEIVE_THEME_SUPPORTS",themeSupports:e}}function kc(e,t){return{type:"RECEIVE_EMBED_PREVIEW",url:e,preview:t}}function*wc(e,t,n,r,{__unstableFetch:o=null}={}){const a=yield Wc(e),i=(0,ot.find)(a,{kind:e,name:t});let s,l=!1;if(!i)return;const c=yield*lc(sc,["entities","data",e,t,n],{exclusive:!0});try{yield{type:"DELETE_ENTITY_RECORD_START",kind:e,name:t,recordId:n};try{let a=`${i.baseURL}/${n}`;r&&(a=Il(a,r));const s={path:a,method:"DELETE"};l=o?yield tc(o(s)):yield ec(s),yield function(e,t,n,r=!1){return{type:"REMOVE_ITEMS",itemIds:(0,ot.castArray)(n),kind:e,name:t,invalidateCache:r}}(e,t,n,!0)}catch(e){s=e}return yield{type:"DELETE_ENTITY_RECORD_FINISH",kind:e,name:t,recordId:n,error:s},l}finally{yield*uc(c)}}function*Ec(e,t,n,r,o={}){const a=yield xt.select(sc,"getEntity",e,t);if(!a)throw new Error(`The entity being edited (${e}, ${t}) does not have a loaded config.`);const{transientEdits:i={},mergedEdits:s={}}=a,l=yield xt.select(sc,"getRawEntityRecord",e,t,n),c=yield xt.select(sc,"getEditedEntityRecord",e,t,n),u={kind:e,name:t,recordId:n,edits:Object.keys(r).reduce(((e,t)=>{const n=l[t],o=c[t],a=s[t]?{...o,...r[t]}:r[t];return e[t]=(0,ot.isEqual)(n,a)?void 0:a,e}),{}),transientEdits:i};return{type:"EDIT_ENTITY_RECORD",...u,meta:{undo:!o.undoIgnore&&{...u,edits:Object.keys(r).reduce(((e,t)=>(e[t]=c[t],e)),{})}}}}function*Lc(){const e=yield xt.select(sc,"getUndoEdit");e&&(yield{type:"EDIT_ENTITY_RECORD",...e,meta:{isUndo:!0}})}function*Ac(){const e=yield xt.select(sc,"getRedoEdit");e&&(yield{type:"EDIT_ENTITY_RECORD",...e,meta:{isRedo:!0}})}function Sc(){return{type:"CREATE_UNDO_LEVEL"}}function*Cc(e,t,n,{isAutosave:r=!1,__unstableFetch:o=null}={}){const a=yield Wc(e),i=(0,ot.find)(a,{kind:e,name:t});if(!i)return;const s=n[i.key||Bc],l=yield*lc(sc,["entities","data",e,t,s||oo()],{exclusive:!0});try{for(const[r,o]of Object.entries(n))if("function"==typeof o){const a=o(yield xt.select(sc,"getEditedEntityRecord",e,t,s));yield Ec(e,t,s,{[r]:a},{undoIgnore:!0}),n[r]=a}let a,c;yield{type:"SAVE_ENTITY_RECORD_START",kind:e,name:t,recordId:s,isAutosave:r};try{const l=`${i.baseURL}${s?"/"+s:""}`,c=yield xt.select(sc,"getRawEntityRecord",e,t,s);if(r){const r=yield xt.select(sc,"getCurrentUser"),i=r?r.id:void 0,s=yield xt.select(sc,"getAutosave",c.type,c.id,i);let u={...c,...s,...n};u=Object.keys(u).reduce(((e,t)=>(["title","excerpt","content"].includes(t)&&(e[t]=(0,ot.get)(u[t],"raw",u[t])),e)),{status:"auto-draft"===u.status?"draft":u.status});const d={path:`${l}/autosaves`,method:"POST",data:u};if(a=o?yield tc(o(d)):yield ec(d),c.id===a.id){let n={...c,...u,...a};n=Object.keys(n).reduce(((e,t)=>(["title","excerpt","content"].includes(t)?e[t]=(0,ot.get)(n[t],"raw",n[t]):e[t]="status"===t?"auto-draft"===c.status&&"draft"===n.status?n.status:c.status:(0,ot.get)(c[t],"raw",c[t]),e)),{}),yield yc(e,t,n,void 0,!0)}else yield Dc(c.id,a)}else{let r=n;i.__unstablePrePersist&&(r={...r,...i.__unstablePrePersist(c,r)});const u={path:l,method:s?"PUT":"POST",data:r};a=o?yield tc(o(u)):yield ec(u),yield yc(e,t,a,void 0,!0,r)}}catch(e){c=e}return yield{type:"SAVE_ENTITY_RECORD_FINISH",kind:e,name:t,recordId:s,error:c,isAutosave:r},a}finally{yield*uc(l)}}function*Tc(e){const t=mc(),n=yield{type:"GET_DISPATCH"},r={saveEntityRecord:(e,r,o,a)=>t.add((t=>n(sc).saveEntityRecord(e,r,o,{...a,__unstableFetch:t}))),saveEditedEntityRecord:(e,r,o,a)=>t.add((t=>n(sc).saveEditedEntityRecord(e,r,o,{...a,__unstableFetch:t}))),deleteEntityRecord:(e,r,o,a,i)=>t.add((t=>n(sc).deleteEntityRecord(e,r,o,a,{...i,__unstableFetch:t})))},o=e.map((e=>e(r))),[,...a]=yield tc(Promise.all([t.run(),...o]));return a}function*xc(e,t,n,r){if(!(yield xt.select(sc,"hasEditsForEntityRecord",e,t,n)))return;const o={id:n,...yield xt.select(sc,"getEntityRecordNonTransientEdits",e,t,n)};return yield*Cc(e,t,o,r)}function*zc(e,t,n,r,o){if(!(yield xt.select(sc,"hasEditsForEntityRecord",e,t,n)))return;const a=yield xt.select(sc,"getEntityRecordNonTransientEdits",e,t,n),i={};for(const e in a)r.some((t=>t===e))&&(i[e]=a[e]);return yield*Cc(e,t,i,o)}function Oc(e){return{type:"RECEIVE_USER_PERMISSION",key:"create/media",isAllowed:e}}function Nc(e,t){return{type:"RECEIVE_USER_PERMISSION",key:e,isAllowed:t}}function Dc(e,t){return{type:"RECEIVE_AUTOSAVES",postId:e,autosaves:(0,ot.castArray)(t)}}const Bc="id",Ic=[{label:Zn("Base"),name:"__unstableBase",kind:"root",baseURL:""},{label:Zn("Site"),name:"site",kind:"root",baseURL:"/wp/v2/settings",getTitle:e=>(0,ot.get)(e,["title"],Zn("Site Title"))},{label:Zn("Post Type"),name:"postType",kind:"root",key:"slug",baseURL:"/wp/v2/types",baseURLParams:{context:"edit"}},{name:"media",kind:"root",baseURL:"/wp/v2/media",baseURLParams:{context:"edit"},plural:"mediaItems",label:Zn("Media")},{name:"taxonomy",kind:"root",key:"slug",baseURL:"/wp/v2/taxonomies",baseURLParams:{context:"edit"},plural:"taxonomies",label:Zn("Taxonomy")},{name:"sidebar",kind:"root",baseURL:"/wp/v2/sidebars",plural:"sidebars",transientEdits:{blocks:!0},label:Zn("Widget areas")},{name:"widget",kind:"root",baseURL:"/wp/v2/widgets",baseURLParams:{context:"edit"},plural:"widgets",transientEdits:{blocks:!0},label:Zn("Widgets")},{name:"widgetType",kind:"root",baseURL:"/wp/v2/widget-types",baseURLParams:{context:"edit"},plural:"widgetTypes",label:Zn("Widget types")},{label:Zn("User"),name:"user",kind:"root",baseURL:"/wp/v2/users",baseURLParams:{context:"edit"},plural:"users"},{name:"comment",kind:"root",baseURL:"/wp/v2/comments",baseURLParams:{context:"edit"},plural:"comments",label:Zn("Comment")},{name:"menu",kind:"root",baseURL:"/__experimental/menus",baseURLParams:{context:"edit"},plural:"menus",label:Zn("Menu")},{name:"menuItem",kind:"root",baseURL:"/__experimental/menu-items",baseURLParams:{context:"edit"},plural:"menuItems",label:Zn("Menu Item")},{name:"menuLocation",kind:"root",baseURL:"/__experimental/menu-locations",baseURLParams:{context:"edit"},plural:"menuLocations",label:Zn("Menu Location"),key:"name"}],Pc=[{name:"postType",loadEntities:function*(){const e=yield ec({path:"/wp/v2/types?context=edit"});return(0,ot.map)(e,((e,t)=>{const n=["wp_template","wp_template_part"].includes(t);return{kind:"postType",baseURL:"/wp/v2/"+e.rest_base,baseURLParams:{context:"edit"},name:t,label:e.labels.singular_name,transientEdits:{blocks:!0,selection:!0},mergedEdits:{meta:!0},getTitle:e=>{var t;return(null==e||null===(t=e.title)||void 0===t?void 0:t.rendered)||(null==e?void 0:e.title)||(n?(0,ot.startCase)(e.slug):String(e.id))},__unstablePrePersist:n?void 0:Rc,__unstable_rest_base:e.rest_base}}))}},{name:"taxonomy",loadEntities:function*(){const e=yield ec({path:"/wp/v2/taxonomies?context=edit"});return(0,ot.map)(e,((e,t)=>({kind:"taxonomy",baseURL:"/wp/v2/"+e.rest_base,baseURLParams:{context:"edit"},name:t,label:e.labels.singular_name})))}}],Rc=(e,t)=>{const n={};return"auto-draft"===(null==e?void 0:e.status)&&(t.status||n.status||(n.status="draft"),t.title&&"Auto Draft"!==t.title||n.title||null!=e&&e.title&&"Auto Draft"!==(null==e?void 0:e.title)||(n.title="")),n};const Yc=(e,t,n="get",r=!1)=>{const o=(0,ot.find)(Ic,{kind:e,name:t}),a="root"===e?"":(0,ot.upperFirst)((0,ot.camelCase)(e)),i=(0,ot.upperFirst)((0,ot.camelCase)(t))+(r?"s":"");return`${n}${a}${r&&o.plural?(0,ot.upperFirst)((0,ot.camelCase)(o.plural)):i}`};function*Wc(e){let t=yield xt.select(sc,"getEntitiesByKind",e);if(t&&0!==t.length)return t;const n=(0,ot.find)(Pc,{name:e});return n?(t=yield n.loadEntities(),yield vc(t),t):[]}const Hc=function(e){return"string"==typeof e?e.split(","):Array.isArray(e)?e:null};const qc=function(e){const t=new WeakMap;return n=>{let r;return t.has(n)?r=t.get(n):(r=e(n),(0,ot.isObjectLike)(n)&&t.set(n,r)),r}}((function(e){const t={stableKey:"",page:1,perPage:10,fields:null,include:null,context:"default"},n=Object.keys(e).sort();for(let r=0;r"query"in e)),oc((e=>e.query?{...e,...qc(e.query)}:e)),ac("context"),ac("stableKey")])(((e=null,t)=>{const{type:n,page:r,perPage:o,key:a=Bc}=t;return"RECEIVE_ITEMS"!==n?e:function(e,t,n,r){if(1===n&&-1===r)return t;const o=(n-1)*r,a=Math.max(e.length,o+t.length),i=new Array(a);for(let n=0;n=o&&n{var a;const i=o[r];return t[i]=function(e,t){if(!e)return t;let n=!1;const r={};for(const o in t)(0,ot.isEqual)(e[o],t[o])?r[o]=e[o]:(n=!0,r[o]=t[o]);if(!n)return e;for(const t in e)r.hasOwnProperty(t)||(r[t]=e[t]);return r}(null==e||null===(a=e[n])||void 0===a?void 0:a[i],o),t}),{})}}}case"REMOVE_ITEMS":return(0,ot.mapValues)(e,(e=>(0,ot.omit)(e,t.itemIds)))}return e},itemIsComplete:function(e={},t){switch(t.type){case"RECEIVE_ITEMS":{const n=jc(t),{query:r,key:o=Bc}=t,a=r?qc(r):{},i=!r||!Array.isArray(a.fields);return{...e,[n]:{...e[n],...t.items.reduce(((t,r)=>{var a;const s=r[o];return t[s]=(null==e||null===(a=e[n])||void 0===a?void 0:a[s])||i,t}),{})}}}case"REMOVE_ITEMS":return(0,ot.mapValues)(e,(e=>(0,ot.omit)(e,t.itemIds)))}return e},queries:(e={},t)=>{switch(t.type){case"RECEIVE_ITEMS":return Fc(e,t);case"REMOVE_ITEMS":const n=t.itemIds.reduce(((e,t)=>(e[t]=!0,e)),{});return(0,ot.mapValues)(e,(e=>(0,ot.mapValues)(e,(e=>(0,ot.filter)(e,(e=>!n[e]))))));default:return e}}});function Xc(e,t){const n={...e};let r=n;for(const e of t)r.children={...r.children,[e]:{locks:[],children:{},...r.children[e]}},r=r.children[e];return n}function Uc(e,t){let n=e;for(const e of t){const t=n.children[e];if(!t)return null;n=t}return n}function $c({exclusive:e},t){return!(!e||!t.length)||!(e||!t.filter((e=>e.exclusive)).length)}const Kc={requests:[],tree:{locks:[],children:{}}};const Gc=function(e=Kc,t){switch(t.type){case"ENQUEUE_LOCK_REQUEST":{const{request:n}=t;return{...e,requests:[n,...e.requests]}}case"GRANT_LOCK_REQUEST":{const{lock:n,request:r}=t,{store:o,path:a}=r,i=[o,...a],s=Xc(e.tree,i),l=Uc(s,i);return l.locks=[...l.locks,n],{...e,requests:e.requests.filter((e=>e!==r)),tree:s}}case"RELEASE_LOCK":{const{lock:n}=t,r=[n.store,...n.path],o=Xc(e.tree,r),a=Uc(o,r);return a.locks=a.locks.filter((e=>e!==n)),{...e,tree:o}}}return e};function Jc(e){return(0,ot.flowRight)([rc((t=>t.name&&t.kind&&t.name===e.name&&t.kind===e.kind)),oc((t=>({...t,key:e.key||Bc})))])(it()({queriedData:Vc,edits:(e={},t)=>{var n,r;switch(t.type){case"RECEIVE_ITEMS":if("default"!==(null!==(n=null==t||null===(r=t.query)||void 0===r?void 0:r.context)&&void 0!==n?n:"default"))return e;const o={...e};for(const e of t.items){const n=e[t.key],r=o[n];if(!r)continue;const a=Object.keys(r).reduce(((n,o)=>((0,ot.isEqual)(r[o],(0,ot.get)(e[o],"raw",e[o]))||t.persistedEdits&&(0,ot.isEqual)(r[o],t.persistedEdits[o])||(n[o]=r[o]),n)),{});Object.keys(a).length?o[n]=a:delete o[n]}return o;case"EDIT_ENTITY_RECORD":const a={...e[t.recordId],...t.edits};return Object.keys(a).forEach((e=>{void 0===a[e]&&delete a[e]})),{...e,[t.recordId]:a}}return e},saving:(e={},t)=>{switch(t.type){case"SAVE_ENTITY_RECORD_START":case"SAVE_ENTITY_RECORD_FINISH":return{...e,[t.recordId]:{pending:"SAVE_ENTITY_RECORD_START"===t.type,error:t.error,isAutosave:t.isAutosave}}}return e},deleting:(e={},t)=>{switch(t.type){case"DELETE_ENTITY_RECORD_START":case"DELETE_ENTITY_RECORD_FINISH":return{...e,[t.recordId]:{pending:"DELETE_ENTITY_RECORD_START"===t.type,error:t.error}}}return e}}))}const Qc=[];let Zc;Qc.offset=0;const eu=it()({terms:function(e={},t){switch(t.type){case"RECEIVE_TERMS":return{...e,[t.taxonomy]:t.terms}}return e},users:function(e={byId:{},queries:{}},t){switch(t.type){case"RECEIVE_USER_QUERY":return{byId:{...e.byId,...(0,ot.keyBy)(t.users,"id")},queries:{...e.queries,[t.queryID]:(0,ot.map)(t.users,(e=>e.id))}}}return e},currentTheme:function(e,t){switch(t.type){case"RECEIVE_CURRENT_THEME":return t.currentTheme.stylesheet}return e},currentUser:function(e={},t){switch(t.type){case"RECEIVE_CURRENT_USER":return t.currentUser}return e},taxonomies:function(e=[],t){switch(t.type){case"RECEIVE_TAXONOMIES":return t.taxonomies}return e},themes:function(e={},t){switch(t.type){case"RECEIVE_CURRENT_THEME":return{...e,[t.currentTheme.stylesheet]:t.currentTheme}}return e},themeSupports:function(e={},t){switch(t.type){case"RECEIVE_THEME_SUPPORTS":return{...e,...t.themeSupports}}return e},entities:(e={},t)=>{const n=function(e=Ic,t){switch(t.type){case"ADD_ENTITIES":return[...e,...t.entities]}return e}(e.config,t);let r=e.reducer;if(!r||n!==e.config){const e=(0,ot.groupBy)(n,"kind");r=it()(Object.entries(e).reduce(((e,[t,n])=>{const r=it()(n.reduce(((e,t)=>({...e,[t.name]:Jc(t)})),{}));return e[t]=r,e}),{}))}const o=r(e.data,t);return o===e.data&&n===e.config&&r===e.reducer?e:{reducer:r,data:o,config:n}},undo:function(e=Qc,t){switch(t.type){case"EDIT_ENTITY_RECORD":case"CREATE_UNDO_LEVEL":let n="CREATE_UNDO_LEVEL"===t.type;const r=!n&&(t.meta.isUndo||t.meta.isRedo);let o;if(n?t=Zc:r||(Zc=Object.keys(t.edits).some((e=>!t.transientEdits[e]))?t:{...t,edits:{...Zc&&Zc.edits,...t.edits}}),r){if(o=[...e],o.offset=e.offset+(t.meta.isUndo?-1:1),!e.flattenedUndo)return o;n=!0,t=Zc}if(!t.meta.undo)return e;if(!n&&!Object.keys(t.edits).some((e=>!t.transientEdits[e])))return o=[...e],o.flattenedUndo={...e.flattenedUndo,...t.edits},o.offset=e.offset,o;o=o||e.slice(0,e.offset||void 0),o.offset=o.offset||0,o.pop(),n||o.push({kind:t.meta.undo.kind,name:t.meta.undo.name,recordId:t.meta.undo.recordId,edits:{...e.flattenedUndo,...t.meta.undo.edits}});return ti(Object.values(t.meta.undo.edits).filter((e=>"function"!=typeof e)),Object.values(t.edits).filter((e=>"function"!=typeof e)))||o.push({kind:t.kind,name:t.name,recordId:t.recordId,edits:n?{...e.flattenedUndo,...t.edits}:t.edits}),o}return e},embedPreviews:function(e={},t){switch(t.type){case"RECEIVE_EMBED_PREVIEW":const{url:n,preview:r}=t;return{...e,[n]:r}}return e},userPermissions:function(e={},t){switch(t.type){case"RECEIVE_USER_PERMISSION":return{...e,[t.key]:t.isAllowed}}return e},autosaves:function(e={},t){switch(t.type){case"RECEIVE_AUTOSAVES":const{postId:n,autosaves:r}=t;return{...e,[n]:r}}return e},locks:Gc}),tu=new WeakMap;const nu=hr(((e,t={})=>{let n=tu.get(e);if(n){const e=n.get(t);if(void 0!==e)return e}else n=new(yt()),tu.set(e,n);const r=function(e,t){var n,r;const{stableKey:o,page:a,perPage:i,include:s,fields:l,context:c}=qc(t);let u;if(Array.isArray(s)&&!o?u=s:null!==(n=e.queries)&&void 0!==n&&null!==(r=n[c])&&void 0!==r&&r[o]&&(u=e.queries[c][o]),!u)return null;const d=-1===i?0:(a-1)*i,p=-1===i?u.length:Math.min(d+i,u.length),m=[];for(let t=d;t(t,n)=>e(sc).isResolving("getEmbedPreview",[n])));function au(e,t){const n=Il("/wp/v2/users/?who=authors&per_page=100",t);return lu(e,n)}function iu(e,t){return(0,ot.get)(e,["users","byId",t],null)}function su(e){return e.currentUser}const lu=hr(((e,t)=>{const n=e.users.queries[t];return(0,ot.map)(n,(t=>e.users.byId[t]))}),((e,t)=>[e.users.queries[t],e.users.byId]));function cu(e,t){return(0,ot.filter)(e.entities.config,{kind:t})}function uu(e,t,n){return(0,ot.find)(e.entities.config,{kind:t,name:n})}function du(e,t,n,r,o){var a,i;const s=(0,ot.get)(e.entities.data,[t,n,"queriedData"]);if(!s)return;const l=null!==(a=null==o?void 0:o.context)&&void 0!==a?a:"default";if(void 0===o){var c;if(null===(c=s.itemIsComplete[l])||void 0===c||!c[r])return;return s.items[l][r]}const u=null===(i=s.items[l])||void 0===i?void 0:i[r];if(u&&o._fields){const e={},t=Hc(o._fields);for(let n=0;n{const o=du(e,t,n,r);return o&&Object.keys(o).reduce(((e,t)=>(e[t]=(0,ot.get)(o[t],"raw",o[t]),e)),{})}),(e=>[e.entities.data]));function fu(e,t,n,r){return Array.isArray(hu(e,t,n,r))}function hu(e,t,n,r){const o=(0,ot.get)(e.entities.data,[t,n,"queriedData"]);return o?nu(o,r):ru}const gu=hr((e=>{const{entities:{data:t}}=e,n=[];return Object.keys(t).forEach((r=>{Object.keys(t[r]).forEach((o=>{const a=Object.keys(t[r][o].edits).filter((t=>_u(e,r,o,t)));if(a.length){const t=uu(e,r,o);a.forEach((a=>{var i;const s=Mu(e,r,o,a);n.push({key:s[t.key||Bc],title:(null==t||null===(i=t.getTitle)||void 0===i?void 0:i.call(t,s))||"",name:o,kind:r})}))}}))})),n}),(e=>[e.entities.data])),bu=hr((e=>{const{entities:{data:t}}=e,n=[];return Object.keys(t).forEach((r=>{Object.keys(t[r]).forEach((o=>{const a=Object.keys(t[r][o].saving).filter((t=>wu(e,r,o,t)));if(a.length){const t=uu(e,r,o);a.forEach((a=>{var i;const s=Mu(e,r,o,a);n.push({key:s[t.key||Bc],title:(null==t||null===(i=t.getTitle)||void 0===i?void 0:i.call(t,s))||"",name:o,kind:r})}))}}))})),n}),(e=>[e.entities.data]));function vu(e,t,n,r){return(0,ot.get)(e.entities.data,[t,n,"edits",r])}const yu=hr(((e,t,n,r)=>{const{transientEdits:o}=uu(e,t,n)||{},a=vu(e,t,n,r)||{};return o?Object.keys(a).reduce(((e,t)=>(o[t]||(e[t]=a[t]),e)),{}):a}),(e=>[e.entities.config,e.entities.data]));function _u(e,t,n,r){return wu(e,t,n,r)||Object.keys(yu(e,t,n,r)).length>0}const Mu=hr(((e,t,n,r)=>({...mu(e,t,n,r),...vu(e,t,n,r)})),(e=>[e.entities.data]));function ku(e,t,n,r){const{pending:o,isAutosave:a}=(0,ot.get)(e.entities.data,[t,n,"saving",r],{});return Boolean(o&&a)}function wu(e,t,n,r){return(0,ot.get)(e.entities.data,[t,n,"saving",r,"pending"],!1)}function Eu(e,t,n,r){return(0,ot.get)(e.entities.data,[t,n,"deleting",r,"pending"],!1)}function Lu(e,t,n,r){return(0,ot.get)(e.entities.data,[t,n,"saving",r,"error"])}function Au(e,t,n,r){return(0,ot.get)(e.entities.data,[t,n,"deleting",r,"error"])}function Su(e){return e.undo.offset}function Cu(e){return e.undo[e.undo.length-2+Su(e)]}function Tu(e){return e.undo[e.undo.length+Su(e)]}function xu(e){return Boolean(Cu(e))}function zu(e){return Boolean(Tu(e))}function Ou(e){return e.themes[e.currentTheme]}function Nu(e){return e.themeSupports}function Du(e,t){return e.embedPreviews[t]}function Bu(e,t){const n=e.embedPreviews[t],r=''+t+"";return!!n&&n.html===r}function Iu(e,t,n,r){const o=(0,ot.compact)([t,n,r]).join("/");return(0,ot.get)(e,["userPermissions",o])}function Pu(e,t,n,r){const o=uu(e,t,n);if(!o)return!1;return Iu(e,"update",o.__unstable_rest_base,r)}function Ru(e,t,n){return e.autosaves[n]}function Yu(e,t,n,r){if(void 0===r)return;const o=e.autosaves[n];return(0,ot.find)(o,{author:r})}const Wu=Lt((e=>(t,n,r)=>e(sc).hasFinishedResolution("getAutosaves",[n,r]))),Hu=hr((()=>[]),(e=>[e.undo.length,e.undo.offset,e.undo.flattenedUndo]));function qu(e,t){const n=hu(e,"postType","wp_template",{"find-template":t}),r=null!=n&&n.length?n[0]:null;return r?Mu(e,"postType","wp_template",r.id):r}const ju=(e,t)=>function*(...n){(yield xt.select(sc,"hasStartedResolution",t,n))||(yield*e(...n))};function*Fu(e){const t=Il("/wp/v2/users/?who=authors&per_page=100",e),n=yield ec({path:t});yield gc(t,n)}function*Vu(e){const t=`/wp/v2/users?who=authors&include=${e}`,n=yield ec({path:t});yield gc("author",n)}function*Xu(){const e=yield ec({path:"/wp/v2/users/me"});yield bc(e)}function*Uu(e,t,n="",r){const o=yield Wc(e),a=(0,ot.find)(o,{kind:e,name:t});if(!a)return;const i=yield*lc(sc,["entities","data",e,t,n],{exclusive:!1});try{void 0!==r&&r._fields&&(r={...r,_fields:(0,ot.uniq)([...Hc(r._fields)||[],a.key||Bc]).join()});const o=Il(a.baseURL+"/"+n,{...a.baseURLParams,...r});if(void 0!==r){r={...r,include:[n]};if(yield xt.select(sc,"hasEntityRecords",e,t,r))return}const s=yield ec({path:o});yield yc(e,t,s,r)}catch(e){}finally{yield*uc(i)}}const $u=ju(Uu,"getEntityRecord"),Ku=ju($u,"getRawEntityRecord");function*Gu(e,t,n={}){const r=yield Wc(e),o=(0,ot.find)(r,{kind:e,name:t});if(!o)return;const a=yield*lc(sc,["entities","data",e,t],{exclusive:!1});try{var i;n._fields&&(n={...n,_fields:(0,ot.uniq)([...Hc(n._fields)||[],o.key||Bc]).join()});const r=Il(o.baseURL,{...o.baseURLParams,...n});let s=Object.values(yield ec({path:r}));if(n._fields&&(s=s.map((e=>(n._fields.split(",").forEach((t=>{e.hasOwnProperty(t)||(e[t]=void 0)})),e)))),yield yc(e,t,s,n),!(null!==(i=n)&&void 0!==i&&i._fields||n.context)){const n=o.key||Bc,r=s.filter((e=>e[n])).map((r=>[e,t,r[n]]));yield{type:"START_RESOLUTIONS",selectorName:"getEntityRecord",args:r},yield{type:"FINISH_RESOLUTIONS",selectorName:"getEntityRecord",args:r}}}finally{yield*uc(a)}}function*Ju(){const e=yield ec({path:"/wp/v2/themes?status=active"});yield _c(e[0])}function*Qu(){const e=yield ec({path:"/wp/v2/themes?status=active"});yield Mc(e[0].theme_supports)}function*Zu(e){try{const t=yield ec({path:Il("/oembed/1.0/proxy",{url:e})});yield kc(e,t)}catch(t){yield kc(e,!1)}}function*ed(e,t,n){const r={create:"POST",read:"GET",update:"PUT",delete:"DELETE"}[e];if(!r)throw new Error(`'${e}' is not a valid action.`);const o=n?`/wp/v2/${t}/${n}`:`/wp/v2/${t}`;let a,i;try{a=yield ec({path:o,method:n?"GET":"OPTIONS",parse:!1})}catch(e){return}i=(0,ot.hasIn)(a,["headers","get"])?a.headers.get("allow"):(0,ot.get)(a,["headers","Allow"],"");const s=(0,ot.compact)([e,t,n]).join("/"),l=(0,ot.includes)(i,r);yield Nc(s,l)}function*td(e,t,n){const r=yield Wc(e),o=(0,ot.find)(r,{kind:e,name:t});if(!o)return;const a=o.__unstable_rest_base;yield ed("update",a,n)}function*nd(e,t){const{rest_base:n}=yield xt.resolveSelect(sc,"getPostType",e),r=yield ec({path:`/wp/v2/${n}/${t}/autosaves?context=edit`});r&&r.length&&(yield Dc(t,r))}function*rd(e,t){yield xt.resolveSelect(sc,"getAutosaves",e,t)}function*od(e){let t;try{t=yield(n=Il(e,{"_wp-find-template":!0}),{type:"REGULAR_FETCH",url:n})}catch(e){}var n;if(!t)return;yield Uu("postType","wp_template",t.id);const r=yield xt.select(sc,"getEntityRecord","postType","wp_template",t.id);r&&(yield yc("postType","wp_template",[r],{"find-template":e}))}function ad(e){return e.locks.requests}function id(e,t,n,{exclusive:r}){const o=[t,...n],a=e.locks.tree;for(const e of function*(e,t){let n=e;yield n;for(const e of t){const t=n.children[e];if(!t)break;yield t,n=t}}(a,o))if($c({exclusive:r},e.locks))return!1;const i=Uc(a,o);if(!i)return!0;for(const e of function*(e){const t=Object.values(e.children);for(;t.length;){const e=t.pop();yield e,t.push(...Object.values(e.children))}}(i))if($c({exclusive:r},e.locks))return!1;return!0}Gu.shouldInvalidate=(e,t,n)=>("RECEIVE_ITEMS"===e.type||"REMOVE_ITEMS"===e.type)&&e.invalidateCache&&t===e.kind&&n===e.name,od.shouldInvalidate=e=>("RECEIVE_ITEMS"===e.type||"REMOVE_ITEMS"===e.type)&&e.invalidateCache&&"postType"===e.kind&&"wp_template"===e.name;const sd=e=>{const{dispatch:t}=kl();return void 0===e?t:t(e)},ld=[],cd={...Ic.reduce(((e,t)=>(e[t.kind]||(e[t.kind]={}),e[t.kind][t.name]={context:(0,et.createContext)()},e)),{}),...Pc.reduce(((e,t)=>(e[t.name]={},e)),{})},ud=(e,t)=>{if(!cd[e])throw new Error(`Missing entity config for kind: ${e}.`);return cd[e][t]||(cd[e][t]={context:(0,et.createContext)()}),cd[e][t]};function dd(e,t){return(0,et.useContext)(ud(e,t).context)}function pd(e,t,n,r){const o=dd(e,t),a=null!=r?r:o,{value:i,fullValue:s}=Cl((r=>{const{getEntityRecord:o,getEditedEntityRecord:i}=r(sc),s=o(e,t,a),l=i(e,t,a);return s&&l?{value:l[n],fullValue:s[n]}:{}}),[e,t,a,n]),{editEntityRecord:l}=sd(sc);return[i,(0,et.useCallback)((r=>{l(e,t,a,{[n]:r})}),[e,t,a,n]),s]}function md(e,t,{id:n}={}){const r=dd(e,t),o=null!=n?n:r,{content:a,blocks:i}=Cl((n=>{const{getEditedEntityRecord:r}=n(sc),a=r(e,t,o);return{blocks:a.blocks,content:a.content}}),[e,t,o]),{__unstableCreateUndoLevel:s,editEntityRecord:l}=sd(sc);(0,et.useEffect)((()=>{if(a&&"function"!=typeof a&&!i){const n=ts(a);l(e,t,o,{blocks:n},{undoIgnore:!0})}}),[a]);const c=(0,et.useCallback)(((n,r)=>{const{selection:a}=r,c={blocks:n,selection:a};if(i===c.blocks)return s(e,t,o);c.content=({blocks:e=[]})=>fi(e),l(e,t,o,c)}),[e,t,o,i]),u=(0,et.useCallback)(((n,r)=>{const{selection:a}=r;l(e,t,o,{blocks:n,selection:a})}),[e,t,o]);return[null!=i?i:ld,u,c]}const fd=Ic.reduce(((e,t)=>{const{kind:n,name:r}=t;return e[Yc(n,r)]=(e,t,o)=>du(e,n,r,t,o),e[Yc(n,r,"get",!0)]=(e,...t)=>hu(e,n,r,...t),e}),{}),hd=Ic.reduce(((e,t)=>{const{kind:n,name:r}=t;e[Yc(n,r)]=(e,t)=>Uu(n,r,e,t);const o=Yc(n,r,"get",!0);return e[o]=(...e)=>Gu(n,r,...e),e[o].shouldInvalidate=(e,...t)=>Gu.shouldInvalidate(e,n,r,...t),e}),{}),gd=Ic.reduce(((e,t)=>{const{kind:n,name:r}=t;return e[Yc(n,r,"save")]=e=>Cc(n,r,e),e[Yc(n,r,"delete")]=(e,t)=>wc(n,r,e,t),e}),{}),bd={reducer:eu,controls:{...hc,...nc},actions:{...i,...gd,...a},selectors:{...s,...fd,...c},resolvers:{...l,...hd}},vd=Gt(sc,bd);on(vd);var yd=function(){function e(e){var t=this;this._insertTag=function(e){var n;n=0===t.tags.length?t.prepend?t.container.firstChild:t.before:t.tags[t.tags.length-1].nextSibling,t.container.insertBefore(e,n),t.tags.push(e)},this.isSpeedy=void 0===e.speedy||e.speedy,this.tags=[],this.ctr=0,this.nonce=e.nonce,this.key=e.key,this.container=e.container,this.prepend=e.prepend,this.before=null}var t=e.prototype;return t.hydrate=function(e){e.forEach(this._insertTag)},t.insert=function(e){this.ctr%(this.isSpeedy?65e3:1)==0&&this._insertTag(function(e){var t=document.createElement("style");return t.setAttribute("data-emotion",e.key),void 0!==e.nonce&&t.setAttribute("nonce",e.nonce),t.appendChild(document.createTextNode("")),t.setAttribute("data-s",""),t}(this));var t=this.tags[this.tags.length-1];if(this.isSpeedy){var n=function(e){if(e.sheet)return e.sheet;for(var t=0;t0?Ld(Bd,--Nd):0,zd--,10===Dd&&(zd=1,xd--),Dd}function Yd(){return Dd=Nd2||jd(Dd)>3?"":" "}function $d(e,t){for(;--t&&Yd()&&!(Dd<48||Dd>102||Dd>57&&Dd<65||Dd>70&&Dd<97););return qd(e,Hd()+(t<6&&32==Wd()&&32==Yd()))}function Kd(e){for(;Yd();)switch(Dd){case e:return Nd;case 34:case 39:return Kd(34===e||39===e?e:Dd);case 40:41===e&&Kd(e);break;case 92:Yd()}return Nd}function Gd(e,t){for(;Yd()&&e+Dd!==57&&(e+Dd!==84||47!==Wd()););return"/*"+qd(t,Nd-1)+"*"+Md(47===e?e:Yd())}function Jd(e){for(;!jd(Wd());)Yd();return qd(e,Nd)}var Qd="-ms-",Zd="-moz-",ep="-webkit-",tp="comm",np="rule",rp="decl";function op(e,t){for(var n="",r=Cd(e),o=0;o6)switch(Ld(e,t+1)){case 109:if(45!==Ld(e,t+4))break;case 102:return wd(e,/(.+:)(.+)-([^]+)/,"$1-webkit-$2-$3$1"+Zd+(108==Ld(e,t+3)?"$3":"$2-$3"))+e;case 115:return~Ed(e,"stretch")?ip(wd(e,"stretch","fill-available"),t)+e:e}break;case 4949:if(115!==Ld(e,t+1))break;case 6444:switch(Ld(e,Sd(e)-3-(~Ed(e,"!important")&&10))){case 107:return wd(e,":",":"+ep)+e;case 101:return wd(e,/(.+:)([^;!]+)(;|!.+)?/,"$1"+ep+(45===Ld(e,14)?"inline-":"")+"box$3$1"+ep+"$2$3$1"+Qd+"$2box$3")+e}break;case 5936:switch(Ld(e,t+11)){case 114:return ep+e+Qd+wd(e,/[svh]\w+-[tblr]{2}/,"tb")+e;case 108:return ep+e+Qd+wd(e,/[svh]\w+-[tblr]{2}/,"tb-rl")+e;case 45:return ep+e+Qd+wd(e,/[svh]\w+-[tblr]{2}/,"lr")+e}return ep+e+Qd+e+e}return e}function sp(e){return Vd(lp("",null,null,null,[""],e=Fd(e),0,[0],e))}function lp(e,t,n,r,o,a,i,s,l){for(var c=0,u=0,d=i,p=0,m=0,f=0,h=1,g=1,b=1,v=0,y="",_=o,M=a,k=r,w=y;g;)switch(f=v,v=Yd()){case 34:case 39:case 91:case 40:w+=Xd(v);break;case 9:case 10:case 13:case 32:w+=Ud(f);break;case 92:w+=$d(Hd()-1,7);continue;case 47:switch(Wd()){case 42:case 47:Td(up(Gd(Yd(),Hd()),t,n),l);break;default:w+="/"}break;case 123*h:s[c++]=Sd(w)*b;case 125*h:case 59:case 0:switch(v){case 0:case 125:g=0;case 59+u:m>0&&Sd(w)-d&&Td(m>32?dp(w+";",r,n,d-1):dp(wd(w," ","")+";",r,n,d-2),l);break;case 59:w+=";";default:if(Td(k=cp(w,t,n,c,u,o,s,y,_=[],M=[],d),a),123===v)if(0===u)lp(w,t,k,k,_,a,d,s,M);else switch(p){case 100:case 109:case 115:lp(e,k,k,r&&Td(cp(e,k,k,0,0,o,s,y,o,_=[],d),M),o,M,d,s,r?_:M);break;default:lp(w,k,k,k,[""],M,d,s,M)}}c=u=m=0,h=b=1,y=w="",d=i;break;case 58:d=1+Sd(w),m=f;default:if(h<1)if(123==v)--h;else if(125==v&&0==h++&&125==Rd())continue;switch(w+=Md(v),v*h){case 38:b=u>0?1:(w+="\f",-1);break;case 44:s[c++]=(Sd(w)-1)*b,b=1;break;case 64:45===Wd()&&(w+=Xd(Yd())),p=Wd(),u=Sd(y=w+=Jd(Hd())),v++;break;case 45:45===f&&2==Sd(w)&&(h=0)}}return a}function cp(e,t,n,r,o,a,i,s,l,c,u){for(var d=o-1,p=0===o?a:[""],m=Cd(p),f=0,h=0,g=0;f0?p[b]+" "+v:wd(v,/&\f/g,p[b])))&&(l[g++]=y);return Id(e,t,n,0===o?np:s,l,c,u)}function up(e,t,n){return Id(e,t,n,tp,Md(Dd),Ad(e,2,-2),0)}function dp(e,t,n,r){return Id(e,t,n,rp,Ad(e,0,r),Ad(e,r+1,-1),r)}var pp=function(e,t){return Vd(function(e,t){var n=-1,r=44;do{switch(jd(r)){case 0:38===r&&12===Wd()&&(t[n]=1),e[n]+=Jd(Nd-1);break;case 2:e[n]+=Xd(r);break;case 4:if(44===r){e[++n]=58===Wd()?"&\f":"",t[n]=e[n].length;break}default:e[n]+=Md(r)}}while(r=Yd());return e}(Fd(e),t))},mp=new WeakMap,fp=function(e){if("rule"===e.type&&e.parent&&e.length){for(var t=e.value,n=e.parent,r=e.column===n.column&&e.line===n.line;"rule"!==n.type;)if(!(n=n.parent))return;if((1!==e.props.length||58===t.charCodeAt(0)||mp.get(n))&&!r){mp.set(e,!0);for(var o=[],a=pp(t,o),i=n.props,s=0,l=0;s=4;++r,o-=4)t=1540483477*(65535&(t=255&e.charCodeAt(r)|(255&e.charCodeAt(++r))<<8|(255&e.charCodeAt(++r))<<16|(255&e.charCodeAt(++r))<<24))+(59797*(t>>>16)<<16),n=1540483477*(65535&(t^=t>>>24))+(59797*(t>>>16)<<16)^1540483477*(65535&n)+(59797*(n>>>16)<<16);switch(o){case 3:n^=(255&e.charCodeAt(r+2))<<16;case 2:n^=(255&e.charCodeAt(r+1))<<8;case 1:n=1540483477*(65535&(n^=255&e.charCodeAt(r)))+(59797*(n>>>16)<<16)}return(((n=1540483477*(65535&(n^=n>>>13))+(59797*(n>>>16)<<16))^n>>>15)>>>0).toString(36)};const yp={animationIterationCount:1,borderImageOutset:1,borderImageSlice:1,borderImageWidth:1,boxFlex:1,boxFlexGroup:1,boxOrdinalGroup:1,columnCount:1,columns:1,flex:1,flexGrow:1,flexPositive:1,flexShrink:1,flexNegative:1,flexOrder:1,gridRow:1,gridRowEnd:1,gridRowSpan:1,gridRowStart:1,gridColumn:1,gridColumnEnd:1,gridColumnSpan:1,gridColumnStart:1,msGridRow:1,msGridRowSpan:1,msGridColumn:1,msGridColumnSpan:1,fontWeight:1,lineHeight:1,opacity:1,order:1,orphans:1,tabSize:1,widows:1,zIndex:1,zoom:1,WebkitLineClamp:1,fillOpacity:1,floodOpacity:1,stopOpacity:1,strokeDasharray:1,strokeDashoffset:1,strokeMiterlimit:1,strokeOpacity:1,strokeWidth:1};const _p=function(e){var t=Object.create(null);return function(n){return void 0===t[n]&&(t[n]=e(n)),t[n]}};var Mp=/[A-Z]|^ms/g,kp=/_EMO_([^_]+?)_([^]*?)_EMO_/g,Ep=function(e){return 45===e.charCodeAt(1)},Lp=function(e){return null!=e&&"boolean"!=typeof e},Ap=_p((function(e){return Ep(e)?e:e.replace(Mp,"-$&").toLowerCase()})),Sp=function(e,t){switch(e){case"animation":case"animationName":if("string"==typeof t)return t.replace(kp,(function(e,t,n){return Tp={name:t,styles:n,next:Tp},t}))}return 1===yp[e]||Ep(e)||"number"!=typeof t||0===t?t:t+"px"};function Cp(e,t,n){if(null==n)return"";if(void 0!==n.__emotion_styles)return n;switch(typeof n){case"boolean":return"";case"object":if(1===n.anim)return Tp={name:n.name,styles:n.styles,next:Tp},n.name;if(void 0!==n.styles){var r=n.next;if(void 0!==r)for(;void 0!==r;)Tp={name:r.name,styles:r.styles,next:Tp},r=r.next;return n.styles+";"}return function(e,t,n){var r="";if(Array.isArray(n))for(var o=0;o{let t=oo().replace(/[0-9]/g,"");for(;Ip.has(t);)t=oo().replace(/[0-9]/g,"");return Ip.add(t),bp({container:e,key:t})}));function Rp({children:e,document:t}){if(!t)return null;const n=Pp(t.head);return(0,et.createElement)(Np,{value:n},e)}const Yp=(0,et.createContext)(),Wp=Object.create(null);function Hp(e,t={}){const{since:n,version:r,alternative:o,plugin:a,link:i,hint:s}=t,l=`${e} is deprecated${n?` since version ${n}`:""}${r?` and will be removed${a?` from ${a}`:""} in version ${r}`:""}.${o?` Please use ${o} instead.`:""}${i?` See: ${i}`:""}${s?` Note: ${s}`:""}`;l in Wp||(qn("deprecated",e,t,l),console.warn(l),Wp[l]=!0)}function qp(e,t,n){const r=ml((()=>(0,ot.debounce)(e,t,n)),[e,t,n]);return(0,et.useEffect)((()=>()=>r.cancel()),[r]),r}function jp(e){if(!e.collapsed){const t=Array.from(e.getClientRects());if(1===t.length)return t[0];const n=t.filter((({width:e})=>e>1));if(0===n.length)return e.getBoundingClientRect();if(1===n.length)return n[0];let{top:r,bottom:o,left:a,right:i}=n[0];for(const{top:e,bottom:t,left:s,right:l}of n)eo&&(o=t),si&&(i=l);return new window.DOMRect(a,r,i-a,o-r)}const{startContainer:t}=e,{ownerDocument:n}=t;if("BR"===t.nodeName){const{parentNode:r}=t;ds();const o=Array.from(r.childNodes).indexOf(t);ds(),(e=n.createRange()).setStart(r,o),e.setEnd(r,o)}let r=e.getClientRects()[0];if(!r){ds();const t=n.createTextNode("​");(e=e.cloneRange()).insertNode(t),r=e.getClientRects()[0],ds(t.parentNode),t.parentNode.removeChild(t)}return r}function Fp(e){const[t,n]=(0,et.useState)((()=>!(!e||"undefined"==typeof window||!window.matchMedia(e).matches)));return(0,et.useEffect)((()=>{if(!e)return;const t=()=>n(window.matchMedia(e).matches);t();const r=window.matchMedia(e);return r.addListener(t),()=>{r.removeListener(t)}}),[e]),!!e&&t}const Vp={huge:1440,wide:1280,large:960,medium:782,small:600,mobile:480},Xp={">=":"min-width","<":"max-width"},Up={">=":(e,t)=>t>=e,"<":(e,t)=>t=")=>{const n=(0,et.useContext)($p),r=Fp(!n&&`(${Xp[t]}: ${Vp[e]}px)`||void 0);return n?Up[t](Vp[e],n):r};Kp.__experimentalWidthProvider=$p.Provider;const Gp=Kp;var Jp=n(5464),Qp=n.n(Jp);const Zp=Qp();function em(e=null){if(!e){if("undefined"==typeof window)return!1;e=window}const{platform:t}=e.navigator;return-1!==t.indexOf("Mac")||(0,ot.includes)(["iPad","iPhone"],t)}const tm=8,nm=13,rm=27,om=37,am=38,im=39,sm=40,lm=46,cm="alt",um="ctrl",dm="meta",pm="shift",mm={primary:e=>e()?[dm]:[um],primaryShift:e=>e()?[pm,dm]:[um,pm],primaryAlt:e=>e()?[cm,dm]:[um,cm],secondary:e=>e()?[pm,cm,dm]:[um,pm,cm],access:e=>e()?[um,cm]:[pm,cm],ctrl:()=>[um],alt:()=>[cm],ctrlShift:()=>[um,pm],shift:()=>[pm],shiftAlt:()=>[pm,cm],undefined:()=>[]},fm=(0,ot.mapValues)(mm,(e=>(t,n=em)=>[...e(n),t.toLowerCase()].join("+"))),hm=(0,ot.mapValues)(mm,(e=>(t,n=em)=>{const r=n(),o={[cm]:r?"⌥":"Alt",[um]:r?"⌃":"Ctrl",[dm]:"⌘",[pm]:r?"⇧":"Shift"};return[...e(n).reduce(((e,t)=>{const n=(0,ot.get)(o,t,t);return r?[...e,n]:[...e,n,"+"]}),[]),(0,ot.capitalize)(t)]})),gm=(0,ot.mapValues)(hm,(e=>(t,n=em)=>e(t,n).join(""))),bm=(0,ot.mapValues)(mm,(e=>(t,n=em)=>{const r=n(),o={[pm]:"Shift",[dm]:r?"Command":"Control",[um]:"Control",[cm]:r?"Option":"Alt",",":Zn("Comma"),".":Zn("Period"),"`":Zn("Backtick")};return[...e(n),t].map((e=>(0,ot.capitalize)((0,ot.get)(o,e,e)))).join(r?" ":" + ")}));const vm=(0,ot.mapValues)(mm,(e=>(t,n,r=em)=>{const o=e(r),a=function(e){return[cm,um,dm,pm].filter((t=>e[`${t}Key`]))}(t);if((0,ot.xor)(o,a).length)return!1;let i=t.key.toLowerCase();return n?(t.altKey&&(i=String.fromCharCode(t.keyCode).toLowerCase()),"del"===n&&(n="delete"),i===n):(0,ot.includes)(o,i)})),ym=["[tabindex]","a[href]","button:not([disabled])",'input:not([type="hidden"]):not([disabled])',"select:not([disabled])","textarea:not([disabled])","iframe","object","embed","area[href]","[contenteditable]:not([contenteditable=false])"].join(",");function _m(e){return e.offsetWidth>0||e.offsetHeight>0||e.getClientRects().length>0}function Mm(e){const t=e.querySelectorAll(ym);return Array.from(t).filter((e=>{if(!_m(e)||function(e){return"iframe"===e.nodeName.toLowerCase()&&"-1"===e.getAttribute("tabindex")}(e))return!1;const{nodeName:t}=e;return"AREA"!==t||function(e){const t=e.closest("map[name]");if(!t)return!1;const n=e.ownerDocument.querySelector('img[usemap="#'+t.name+'"]');return!!n&&_m(n)}(e)}))}function km(e){const t=e.getAttribute("tabindex");return null===t?0:parseInt(t,10)}function wm(e){return-1!==km(e)}function Em(e,t){return{element:e,index:t}}function Lm(e){return e.element}function Am(e,t){const n=km(e.element),r=km(t.element);return n===r?e.index-t.index:n-r}function Sm(e){return e.filter(wm).map(Em).sort(Am).map(Lm).reduce(function(){const e={};return function(t,n){const{nodeName:r,type:o,checked:a,name:i}=n;if("INPUT"!==r||"radio"!==o||!i)return t.concat(n);const s=e.hasOwnProperty(i);if(!a&&s)return t;if(s){const n=e[i];t=(0,ot.without)(t,n)}return e[i]=n,t.concat(n)}}(),[])}function Cm(e){return Sm(Mm(e))}function Tm(e){const t=Mm(e.ownerDocument.body),n=t.indexOf(e);return t.length=n,(0,ot.last)(Sm(t))}function xm(e){const t=Mm(e.ownerDocument.body),n=t.indexOf(e),r=t.slice(n+1).filter((t=>!e.contains(t)));return(0,ot.first)(Sm(r))}const zm={focusable:u,tabbable:d};const Om=function(){return(0,et.useCallback)((e=>{e&&e.addEventListener("keydown",(t=>{if(!(t instanceof window.KeyboardEvent))return;if(9!==t.keyCode)return;const n=zm.tabbable.find(e);if(!n.length)return;const r=n[0],o=n[n.length-1];t.shiftKey&&t.target===r?(t.preventDefault(),o.focus()):(t.shiftKey||t.target!==o)&&n.includes(t.target)||(t.preventDefault(),r.focus())}))}),[])};function Nm(e="firstElement"){const t=(0,et.useRef)(e);return(0,et.useEffect)((()=>{t.current=e}),[e]),(0,et.useCallback)((e=>{var n,r;if(!e||!1===t.current)return;if(e.contains(null!==(n=null===(r=e.ownerDocument)||void 0===r?void 0:r.activeElement)&&void 0!==n?n:null))return;let o=e;if("firstElement"===t.current){const t=zm.tabbable.find(e)[0];t&&(o=t)}o.focus()}),[])}const Dm=function(e){const t=(0,et.useRef)(null),n=(0,et.useRef)(null),r=(0,et.useRef)(e);return(0,et.useEffect)((()=>{r.current=e}),[e]),(0,et.useCallback)((e=>{if(e){if(t.current=e,n.current)return;n.current=e.ownerDocument.activeElement}else if(n.current){var o,a,i;const e=null===(o=t.current)||void 0===o?void 0:o.contains(null===(a=t.current)||void 0===a?void 0:a.ownerDocument.activeElement);if(null!==(i=t.current)&&void 0!==i&&i.isConnected&&!e)return;var s;if(r.current)r.current();else null===(s=n.current)||void 0===s||s.focus()}}),[])},Bm=["button","submit"];function Im(e){const t=(0,et.useRef)(e);(0,et.useEffect)((()=>{t.current=e}),[e]);const n=(0,et.useRef)(!1),r=(0,et.useRef)(),o=(0,et.useCallback)((()=>{clearTimeout(r.current)}),[]);(0,et.useEffect)((()=>()=>o()),[]),(0,et.useEffect)((()=>{e||o()}),[e,o]);const a=(0,et.useCallback)((e=>{const{type:t,target:r}=e;(0,ot.includes)(["mouseup","touchend"],t)?n.current=!1:function(e){if(!(e instanceof window.HTMLElement))return!1;switch(e.nodeName){case"A":case"BUTTON":return!0;case"INPUT":return(0,ot.includes)(Bm,e.type)}return!1}(r)&&(n.current=!0)}),[]),i=(0,et.useCallback)((e=>{e.persist(),n.current||(r.current=setTimeout((()=>{document.hasFocus()?"function"==typeof t.current&&t.current(e):e.preventDefault()}),0))}),[]);return{onFocus:o,onMouseDown:a,onMouseUp:a,onTouchStart:a,onTouchEnd:a,onBlur:i}}function Pm(e,t){"function"==typeof e?e(t):e&&e.hasOwnProperty("current")&&(e.current=t)}function Rm(e){const t=(0,et.useRef)(),n=(0,et.useRef)(!1),r=(0,et.useRef)([]),o=(0,et.useRef)(e);return o.current=e,(0,et.useLayoutEffect)((()=>{!1===n.current&&e.forEach(((e,n)=>{const o=r.current[n];e!==o&&(Pm(o,null),Pm(e,t.current))})),r.current=e}),e),(0,et.useLayoutEffect)((()=>{n.current=!1})),(0,et.useCallback)((e=>{Pm(t,e),n.current=!0;const a=e?o.current:r.current;for(const t of a)Pm(t,e)}),[])}const Ym=function(e){const t=(0,et.useRef)();(0,et.useEffect)((()=>{t.current=e}),Object.values(e));const n=Om(),r=Nm(e.focusOnMount),o=Dm(),a=Im((e=>{var n,r;null!==(n=t.current)&&void 0!==n&&n.__unstableOnClose?t.current.__unstableOnClose("focus-outside",e):null!==(r=t.current)&&void 0!==r&&r.onClose&&t.current.onClose()})),i=(0,et.useCallback)((e=>{e&&e.addEventListener("keydown",(e=>{var n;e.keyCode===rm&&!e.defaultPrevented&&null!==(n=t.current)&&void 0!==n&&n.onClose&&(e.preventDefault(),t.current.onClose())}))}),[]);return[Rm([!1!==e.focusOnMount?n:null,!1!==e.focusOnMount?o:null,!1!==e.focusOnMount?r:null,i]),{...a,tabIndex:"-1"}]},Wm=(0,et.createElement)(po,{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24"},(0,et.createElement)(co,{d:"M13 11.8l6.1-6.3-1-1-6.1 6.2-6.1-6.2-1 1 6.1 6.3-6.5 6.7 1 1 6.5-6.6 6.5 6.6 1-1z"}));function Hm(e,t,n="top",r,o,a,i,s,l){const[c,u="center",d]=n.split(" "),p=function(e,t,n,r,o,a,i,s){const{height:l}=t;if(o){const t=o.getBoundingClientRect().top+l-i;if(e.top<=t)return{yAxis:n,popoverTop:Math.min(e.bottom,t)}}let c=e.top+e.height/2;"bottom"===r?c=e.bottom:"top"===r&&(c=e.top);const u={popoverTop:c,contentHeight:(c-l/2>0?l/2:c)+(c+l/2>window.innerHeight?window.innerHeight-c:l/2)},d={popoverTop:e.top,contentHeight:e.top-10-l>0?l:e.top-10},p={popoverTop:e.bottom,contentHeight:e.bottom+10+l>window.innerHeight?window.innerHeight-10-e.bottom:l};let m,f=n,h=null;if(!o&&!s)if("middle"===n&&u.contentHeight===l)f="middle";else if("top"===n&&d.contentHeight===l)f="top";else if("bottom"===n&&p.contentHeight===l)f="bottom";else{f=d.contentHeight>p.contentHeight?"top":"bottom";const e="top"===f?d.contentHeight:p.contentHeight;h=e!==l?e:null}return m="middle"===f?u.popoverTop:"top"===f?d.popoverTop:p.popoverTop,{yAxis:f,popoverTop:m,contentHeight:h}}(e,t,c,d,r,0,a,s);return{...function(e,t,n,r,o,a,i,s,l){const{width:c}=t;"left"===n&&nr()?n="right":"right"===n&&nr()&&(n="left"),"left"===r&&nr()?r="right":"right"===r&&nr()&&(r="left");const u=Math.round(e.left+e.width/2),d={popoverLeft:u,contentWidth:(u-c/2>0?c/2:u)+(u+c/2>window.innerWidth?window.innerWidth-u:c/2)};let p=e.left;"right"===r?p=e.right:"middle"===a||l||(p=u);let m=e.right;"left"===r?m=e.left:"middle"===a||l||(m=u);const f={popoverLeft:p,contentWidth:p-c>0?c:p},h={popoverLeft:m,contentWidth:m+c>window.innerWidth?window.innerWidth-m:c};let g,b=n,v=null;if(!o&&!s)if("center"===n&&d.contentWidth===c)b="center";else if("left"===n&&f.contentWidth===c)b="left";else if("right"===n&&h.contentWidth===c)b="right";else{b=f.contentWidth>h.contentWidth?"left":"right";const e="left"===b?f.contentWidth:h.contentWidth;c>window.innerWidth&&(v=window.innerWidth),e!==c&&(b="center",d.popoverLeft=window.innerWidth/2)}if(g="center"===b?d.popoverLeft:"left"===b?f.popoverLeft:h.popoverLeft,i){const e=i.getBoundingClientRect();g=Math.min(g,e.right-c),nr()||(g=Math.max(g,0))}return{xAxis:b,popoverLeft:g,contentWidth:v}}(e,t,u,d,r,p.yAxis,i,s,l),...p}}function qm(e,t,n){const{defaultView:r}=t,{frameElement:o}=r;if(!o||t===n.ownerDocument)return e;const a=o.getBoundingClientRect();return new r.DOMRect(e.left+a.left,e.top+a.top,e.width,e.height)}let jm=0;function Fm(e){const t=document.scrollingElement||document.body;e&&(jm=t.scrollTop);const n=e?"add":"remove";t.classList[n]("lockscroll"),document.documentElement.classList[n]("lockscroll"),e||(t.scrollTop=jm)}let Vm=0;function Xm(){return(0,et.useEffect)((()=>(0===Vm&&Fm(!0),++Vm,()=>{1===Vm&&Fm(!1),--Vm})),[]),null}const Um=(0,et.createContext)({registerSlot:()=>{},unregisterSlot:()=>{},registerFill:()=>{},unregisterFill:()=>{},getSlot:()=>{},getFills:()=>{},subscribe:()=>{}}),$m=e=>{const{getSlot:t,subscribe:n}=(0,et.useContext)(Um),[r,o]=(0,et.useState)(t(e));return(0,et.useEffect)((()=>{o(t(e));return n((()=>{o(t(e))}))}),[e]),r};function Km({name:e,children:t,registerFill:n,unregisterFill:r}){const o=$m(e),a=(0,et.useRef)({name:e,children:t});return(0,et.useLayoutEffect)((()=>(n(e,a.current),()=>r(e,a.current))),[]),(0,et.useLayoutEffect)((()=>{a.current.children=t,o&&o.forceUpdate()}),[t]),(0,et.useLayoutEffect)((()=>{e!==a.current.name&&(r(a.current.name,a.current),a.current.name=e,n(e,a.current))}),[e]),o&&o.node?((0,ot.isFunction)(t)&&(t=t(o.props.fillProps)),(0,nt.createPortal)(t,o.node)):null}const Gm=e=>(0,et.createElement)(Um.Consumer,null,(({registerFill:t,unregisterFill:n})=>(0,et.createElement)(Km,rt({},e,{registerFill:t,unregisterFill:n})))),Jm=e=>!(0,ot.isNumber)(e)&&((0,ot.isString)(e)||(0,ot.isArray)(e)?!e.length:!e);class Qm extends et.Component{constructor(){super(...arguments),this.isUnmounted=!1,this.bindNode=this.bindNode.bind(this)}componentDidMount(){const{registerSlot:e}=this.props;e(this.props.name,this)}componentWillUnmount(){const{unregisterSlot:e}=this.props;this.isUnmounted=!0,e(this.props.name,this)}componentDidUpdate(e){const{name:t,unregisterSlot:n,registerSlot:r}=this.props;e.name!==t&&(n(e.name),r(t,this))}bindNode(e){this.node=e}forceUpdate(){this.isUnmounted||super.forceUpdate()}render(){const{children:e,name:t,fillProps:n={},getFills:r}=this.props,o=(0,ot.map)(r(t,this),(e=>{const t=(0,ot.isFunction)(e.children)?e.children(n):e.children;return et.Children.map(t,((e,t)=>{if(!e||(0,ot.isString)(e))return e;const n=e.key||t;return(0,et.cloneElement)(e,{key:n})}))})).filter((0,ot.negate)(Jm));return(0,et.createElement)(et.Fragment,null,(0,ot.isFunction)(e)?e(o):o)}}const Zm=e=>(0,et.createElement)(Um.Consumer,null,(({registerSlot:t,unregisterSlot:n,getFills:r})=>(0,et.createElement)(Qm,rt({},e,{registerSlot:t,unregisterSlot:n,getFills:r}))));new Set;const ef=(0,et.createContext)({slots:{},fills:{},registerSlot:()=>{},updateSlot:()=>{},unregisterSlot:()=>{},registerFill:()=>{},unregisterFill:()=>{}});function tf(e){const t=(0,et.useContext)(ef),n=t.slots[e]||{},r=t.fills[e],o=(0,et.useMemo)((()=>r||[]),[r]);return{...n,updateSlot:(0,et.useCallback)((n=>{t.updateSlot(e,n)}),[e,t.updateSlot]),unregisterSlot:(0,et.useCallback)((n=>{t.unregisterSlot(e,n)}),[e,t.unregisterSlot]),fills:o,registerFill:(0,et.useCallback)((n=>{t.registerFill(e,n)}),[e,t.registerFill]),unregisterFill:(0,et.useCallback)((n=>{t.unregisterFill(e,n)}),[e,t.unregisterFill])}}function nf(){const[,e]=(0,et.useState)({}),t=(0,et.useRef)(!0);return(0,et.useEffect)((()=>()=>{t.current=!1}),[]),()=>{t.current&&e({})}}function rf({name:e,children:t}){const n=tf(e),r=(0,et.useRef)({rerender:nf()});return(0,et.useEffect)((()=>(n.registerFill(r),()=>{n.unregisterFill(r)})),[n.registerFill,n.unregisterFill]),n.ref&&n.ref.current?("function"==typeof t&&(t=t(n.fillProps)),(0,nt.createPortal)(t,n.ref.current)):null}const of=(0,et.forwardRef)((function({name:e,fillProps:t={},as:n="div",...r},o){const a=(0,et.useContext)(ef),i=(0,et.useRef)();return(0,et.useLayoutEffect)((()=>(a.registerSlot(e,i,t),()=>{a.unregisterSlot(e,i)})),[a.registerSlot,a.unregisterSlot,e]),(0,et.useLayoutEffect)((()=>{a.updateSlot(e,t)})),(0,et.createElement)(n,rt({ref:Rm([o,i])},r))}));function af({children:e}){const t=function(){const[e,t]=(0,et.useState)({}),[n,r]=(0,et.useState)({}),o=(0,et.useCallback)(((e,n,r)=>{t((t=>{const o=t[e]||{};return{...t,[e]:{...o,ref:n||o.ref,fillProps:r||o.fillProps||{}}}}))}),[]),a=(0,et.useCallback)(((e,n)=>{t((t=>{const{[e]:r,...o}=t;return(null==r?void 0:r.ref)===n?o:t}))}),[]),i=(0,et.useCallback)(((t,r)=>{const o=e[t];if(o&&!ti(o.fillProps,r)){o.fillProps=r;const e=n[t];e&&e.map((e=>e.current.rerender()))}}),[e,n]),s=(0,et.useCallback)(((e,t)=>{r((n=>({...n,[e]:[...n[e]||[],t]})))}),[]),l=(0,et.useCallback)(((e,t)=>{r((n=>n[e]?{...n,[e]:n[e].filter((e=>e!==t))}:n))}),[]);return(0,et.useMemo)((()=>({slots:e,fills:n,registerSlot:o,updateSlot:i,unregisterSlot:a,registerFill:s,unregisterFill:l})),[e,n,o,i,a,s,l])}();return(0,et.createElement)(ef.Provider,{value:t},e)}class sf extends et.Component{constructor(){super(...arguments),this.registerSlot=this.registerSlot.bind(this),this.registerFill=this.registerFill.bind(this),this.unregisterSlot=this.unregisterSlot.bind(this),this.unregisterFill=this.unregisterFill.bind(this),this.getSlot=this.getSlot.bind(this),this.getFills=this.getFills.bind(this),this.hasFills=this.hasFills.bind(this),this.subscribe=this.subscribe.bind(this),this.slots={},this.fills={},this.listeners=[],this.contextValue={registerSlot:this.registerSlot,unregisterSlot:this.unregisterSlot,registerFill:this.registerFill,unregisterFill:this.unregisterFill,getSlot:this.getSlot,getFills:this.getFills,hasFills:this.hasFills,subscribe:this.subscribe}}registerSlot(e,t){const n=this.slots[e];this.slots[e]=t,this.triggerListeners(),this.forceUpdateSlot(e),n&&n.forceUpdate()}registerFill(e,t){this.fills[e]=[...this.fills[e]||[],t],this.forceUpdateSlot(e)}unregisterSlot(e,t){this.slots[e]===t&&(delete this.slots[e],this.triggerListeners())}unregisterFill(e,t){this.fills[e]=(0,ot.without)(this.fills[e],t),this.forceUpdateSlot(e)}getSlot(e){return this.slots[e]}getFills(e,t){return this.slots[e]!==t?[]:this.fills[e]}hasFills(e){return this.fills[e]&&!!this.fills[e].length}forceUpdateSlot(e){const t=this.getSlot(e);t&&t.forceUpdate()}triggerListeners(){this.listeners.forEach((e=>e()))}subscribe(e){return this.listeners.push(e),()=>{this.listeners=(0,ot.without)(this.listeners,e)}}render(){return(0,et.createElement)(Um.Provider,{value:this.contextValue},this.props.children)}}function lf(e){return(0,et.createElement)(et.Fragment,null,(0,et.createElement)(Gm,e),(0,et.createElement)(rf,e))}const cf=(0,et.forwardRef)((({bubblesVirtually:e,...t},n)=>e?(0,et.createElement)(of,rt({},t,{ref:n})):(0,et.createElement)(Zm,t)));function uf({children:e,...t}){return(0,et.createElement)(sf,t,(0,et.createElement)(af,null,e))}function df(e){const t=t=>(0,et.createElement)(lf,rt({name:e},t));t.displayName=e+"Fill";const n=t=>(0,et.createElement)(cf,rt({name:e},t));return n.displayName=e+"Slot",n.__unstableName=e,{Fill:t,Slot:n}}function pf(e){return"appear"===e?"top":"left"}function mf(e){if("loading"===e.type)return io()("components-animate__loading");const{type:t,origin:n=pf(t)}=e;if("appear"===t){const[e,t="center"]=n.split(" ");return io()("components-animate__appear",{["is-from-"+t]:"center"!==t,["is-from-"+e]:"middle"!==e})}return"slide-in"===t?io()("components-animate__slide-in","is-from-"+n):void 0}function ff(e,t){const{paddingTop:n,paddingBottom:r,paddingLeft:o,paddingRight:a}=function(e){return e.ownerDocument.defaultView.getComputedStyle(e)}(t),i=n?parseInt(n,10):0,s=r?parseInt(r,10):0,l=o?parseInt(o,10):0,c=a?parseInt(a,10):0;return{x:e.left+l,y:e.top+i,width:e.width-l-c,height:e.height-i-s,left:e.left+l,right:e.right-c,top:e.top+i,bottom:e.bottom-s}}function hf(e,t,n){n?e.getAttribute(t)!==n&&e.setAttribute(t,n):e.hasAttribute(t)&&e.removeAttribute(t)}function gf(e,t,n=""){e.style[t]!==n&&(e.style[t]=n)}function bf(e,t,n){n?e.classList.contains(t)||e.classList.add(t):e.classList.contains(t)&&e.classList.remove(t)}const vf=(0,et.forwardRef)((({headerTitle:e,onClose:t,children:n,className:r,noArrow:o=!0,isAlternate:a,position:i="bottom right",range:s,focusOnMount:l="firstElement",anchorRef:c,shouldAnchorIncludePadding:u,anchorRect:d,getAnchorRect:p,expandOnMobile:m,animate:f=!0,onClickOutside:h,onFocusOutside:g,__unstableStickyBoundaryElement:b,__unstableSlotName:v="Popover",__unstableObserveElement:y,__unstableBoundaryParent:_,__unstableForcePosition:M,__unstableForceXAlignment:k,...w},E)=>{const L=(0,et.useRef)(null),A=(0,et.useRef)(null),S=(0,et.useRef)(),C=Gp("medium","<"),[T,x]=(0,et.useState)(),z=tf(v),O=m&&C,[N,D]=Zp();o=O||o,(0,et.useLayoutEffect)((()=>{if(O)return bf(S.current,"is-without-arrow",o),bf(S.current,"is-alternate",a),hf(S.current,"data-x-axis"),hf(S.current,"data-y-axis"),gf(S.current,"top"),gf(S.current,"left"),gf(A.current,"maxHeight"),void gf(A.current,"maxWidth");const e=()=>{if(!S.current||!A.current)return;let e=function(e,t,n,r=!1,o,a){if(t)return t;if(n){if(!e.current)return;const t=n(e.current);return qm(t,t.ownerDocument||e.current.ownerDocument,a)}if(!1!==r){if(!(r&&window.Range&&window.Element&&window.DOMRect))return;if("function"==typeof(null==r?void 0:r.cloneRange))return qm(jp(r),r.endContainer.ownerDocument,a);if("function"==typeof(null==r?void 0:r.getBoundingClientRect)){const e=qm(r.getBoundingClientRect(),r.ownerDocument,a);return o?e:ff(e,r)}const{top:e,bottom:t}=r,n=e.getBoundingClientRect(),i=t.getBoundingClientRect(),s=qm(new window.DOMRect(n.left,n.top,n.width,i.bottom-n.top),e.ownerDocument,a);return o?s:ff(s,r)}if(!e.current)return;const{parentNode:i}=e.current,s=i.getBoundingClientRect();return o?s:ff(s,i)}(L,d,p,c,u,S.current);if(!e)return;const{offsetParent:t,ownerDocument:n}=S.current;let r,s=0;if(t&&t!==n.body){const n=t.getBoundingClientRect();s=n.top,e=new window.DOMRect(e.left-n.left,e.top-n.top,e.width,e.height)}var l;_&&(r=null===(l=S.current.closest(".popover-slot"))||void 0===l?void 0:l.parentNode);const m=D.height?D:A.current.getBoundingClientRect(),{popoverTop:f,popoverLeft:h,xAxis:g,yAxis:v,contentHeight:y,contentWidth:w}=Hm(e,m,i,b,S.current,s,r,M,k);"number"==typeof f&&"number"==typeof h&&(gf(S.current,"top",f+"px"),gf(S.current,"left",h+"px")),bf(S.current,"is-without-arrow",o||"center"===g&&"middle"===v),bf(S.current,"is-alternate",a),hf(S.current,"data-x-axis",g),hf(S.current,"data-y-axis",v),gf(A.current,"maxHeight","number"==typeof y?y+"px":""),gf(A.current,"maxWidth","number"==typeof w?w+"px":"");x(({left:"right",right:"left"}[g]||"center")+" "+({top:"bottom",bottom:"top"}[v]||"middle"))};e();const{ownerDocument:t}=S.current,{defaultView:n}=t,r=n.setInterval(e,500);let s;const l=()=>{n.cancelAnimationFrame(s),s=n.requestAnimationFrame(e)};n.addEventListener("click",l),n.addEventListener("resize",e),n.addEventListener("scroll",e,!0);const m=function(e){if(e)return e.endContainer?e.endContainer.ownerDocument:e.top?e.top.ownerDocument:e.ownerDocument}(c);let f;return m&&m!==t&&(m.defaultView.addEventListener("resize",e),m.defaultView.addEventListener("scroll",e,!0)),y&&(f=new n.MutationObserver(e),f.observe(y,{attributes:!0})),()=>{n.clearInterval(r),n.removeEventListener("resize",e),n.removeEventListener("scroll",e,!0),n.removeEventListener("click",l),n.cancelAnimationFrame(s),m&&m!==t&&(m.defaultView.removeEventListener("resize",e),m.defaultView.removeEventListener("scroll",e,!0)),f&&f.disconnect()}}),[O,d,p,c,u,i,D,b,y,_]);const B=(e,n)=>{if("focus-outside"===e&&g)g(n);else if("focus-outside"===e&&h){const e=new window.MouseEvent("click");Object.defineProperty(e,"target",{get:()=>n.relatedTarget}),Hp("Popover onClickOutside prop",{since:"5.3",alternative:"onFocusOutside"}),h(e)}else t&&t()},[I,P]=Ym({focusOnMount:l,__unstableOnClose:B,onClose:B}),R=Rm([S,I,E]),Y=Boolean(f&&T)&&mf({type:"appear",origin:T});let W=(0,et.createElement)("div",rt({className:io()("components-popover",r,Y,{"is-expanded":O,"is-without-arrow":o,"is-alternate":a})},w,{ref:R},P,{tabIndex:"-1"}),O&&(0,et.createElement)(Xm,null),O&&(0,et.createElement)("div",{className:"components-popover__header"},(0,et.createElement)("span",{className:"components-popover__header-title"},e),(0,et.createElement)(nh,{className:"components-popover__close",icon:Wm,onClick:t})),(0,et.createElement)("div",{ref:A,className:"components-popover__content"},(0,et.createElement)("div",{style:{position:"relative"}},N,n)));return z.ref&&(W=(0,et.createElement)(lf,{name:v},W)),c||d?W:(0,et.createElement)("span",{ref:L},W)}));vf.Slot=(0,et.forwardRef)((function({name:e="Popover"},t){return(0,et.createElement)(cf,{bubblesVirtually:!0,name:e,className:"popover-slot",ref:t})}));const yf=vf;const _f=function({shortcut:e,className:t}){if(!e)return null;let n,r;return(0,ot.isString)(e)&&(n=e),(0,ot.isObject)(e)&&(n=e.display,r=e.ariaLabel),(0,et.createElement)("span",{className:t,"aria-label":r},n)},Mf=(0,et.createElement)("div",{className:"event-catcher"}),kf=({eventHandlers:e,child:t,childrenWithPopover:n})=>(0,et.cloneElement)((0,et.createElement)("span",{className:"disabled-element-wrapper"},(0,et.cloneElement)(Mf,e),(0,et.cloneElement)(t,{children:n}),","),e),wf=({child:e,eventHandlers:t,childrenWithPopover:n})=>(0,et.cloneElement)(e,{...t,children:n}),Ef=({grandchildren:e,isOver:t,position:n,text:r,shortcut:o})=>function(...e){return e.reduce(((e,t,n)=>(et.Children.forEach(t,((t,r)=>{t&&"string"!=typeof t&&(t=(0,et.cloneElement)(t,{key:[n,r].join()})),e.push(t)})),e)),[])}(e,t&&(0,et.createElement)(yf,{focusOnMount:!1,position:n,className:"components-tooltip","aria-hidden":"true",animate:!1,noArrow:!0},r,(0,et.createElement)(_f,{className:"components-tooltip__shortcut",shortcut:o}))),Lf=(e,t,n)=>{if(1!==et.Children.count(e))return;const r=et.Children.only(e);"function"==typeof r.props[t]&&r.props[t](n)};const Af=function({children:e,position:t,text:n,shortcut:r}){const[o,a]=(0,et.useState)(!1),[i,s]=(0,et.useState)(!1),l=qp(s,700),c=t=>{Lf(e,"onMouseDown",t),document.addEventListener("mouseup",p),a(!0)},u=t=>{Lf(e,"onMouseUp",t),document.removeEventListener("mouseup",p),a(!1)},d=e=>"mouseUp"===e?u:"mouseDown"===e?c:void 0,p=d("mouseUp"),m=(t,n)=>r=>{if(Lf(e,t,r),r.currentTarget.disabled)return;if("focus"===r.type&&o)return;l.cancel();const a=(0,ot.includes)(["focus","mouseenter"],r.type);a!==i&&(n?l(a):s(a))},f=()=>{l.cancel(),document.removeEventListener("mouseup",p)};if((0,et.useEffect)((()=>f),[]),1!==et.Children.count(e))return e;const h={onMouseEnter:m("onMouseEnter",!0),onMouseLeave:m("onMouseLeave"),onClick:m("onClick"),onFocus:m("onFocus"),onBlur:m("onBlur"),onMouseDown:d("mouseDown")},g=et.Children.only(e),{children:b,disabled:v}=g.props;return(v?kf:wf)({child:g,eventHandlers:h,childrenWithPopover:Ef({grandchildren:b,...{isOver:i,position:t,text:n,shortcut:r}})})};const Sf=function({icon:e,className:t,...n}){const r=["dashicon","dashicons","dashicons-"+e,t].filter(Boolean).join(" ");return(0,et.createElement)("span",rt({className:r},n))};const Cf=function({icon:e=null,size:t=24,...n}){if("string"==typeof e)return(0,et.createElement)(Sf,rt({icon:e},n));if((0,et.isValidElement)(e)&&Sf===e.type)return(0,et.cloneElement)(e,{...n});if("function"==typeof e)return e.prototype instanceof et.Component?(0,et.createElement)(e,{size:t,...n}):e({size:t,...n});if(e&&("svg"===e.type||e.type===po)){const r={width:t,height:t,...e.props,...n};return(0,et.createElement)(po,r)}return(0,et.isValidElement)(e)?(0,et.cloneElement)(e,{size:t,...n}):e},Tf=(0,et.createContext)({}),xf=()=>(0,et.useContext)(Tf);function zf({value:e}){const t=xf(),n=(0,et.useRef)(e);!function(e,t){const n=(0,et.useRef)(!1);(0,et.useEffect)((()=>{if(n.current)return e();n.current=!0}),t)}((()=>{(0,ot.isEqual)(n.current,e)&&n.current}),[e]);return(0,et.useMemo)((()=>(0,ot.merge)((0,ot.cloneDeep)(t),e)),[t,e])}(0,et.memo)((({children:e,value:t})=>{const n=zf({value:t});return(0,et.createElement)(Tf.Provider,{value:n},e)}));const Of=sn()((function(e){return`components-${(0,ot.kebabCase)(e)}`}));function Nf(e,t,n){var r="";return n.split(" ").forEach((function(n){void 0!==e[n]?t.push(e[n]+";"):r+=n+" "})),r}var Df=function(e,t,n){var r=e.key+"-"+t.name;if(!1===n&&void 0===e.registered[r]&&(e.registered[r]=t.styles),void 0===e.inserted[t.name]){var o=t;do{e.insert(t===o?"."+r:"",o,e.sheet,!0);o=o.next}while(void 0!==o)}};function Bf(e,t){if(void 0===e.inserted[t.name])return e.insert("",t,e.sheet,!0)}function If(e,t,n){var r=[],o=Nf(e,r,n);return r.length<2?n:o+t(r)}var Pf=function e(t){for(var n="",r=0;r{const e=(0,et.useContext)(Wf);return(0,et.useCallback)(((...t)=>Yf(...t.map((t=>{return null!=(n=t)&&["name","styles"].every((e=>void 0!==n[e]))?(Df(e,t,!1),`${e.key}-${t.name}`):t;var n})))),[e])};function qf(e,t){const n=xf(),r=(null==n?void 0:n[t])||{},o={"data-wp-c16t":!0,...(a=t,{"data-wp-component":a})};var a;const{_overrides:i,...s}=r,l=Object.entries(s).length?Object.assign({},s,e):e,c=Hf()(Of(t),e.className),u="function"==typeof l.renderChildren?l.renderChildren(l):l.children;for(const e in l)o[e]=l[e];for(const e in i)o[e]=i[e];return o.children=u,o.className=c,o}function jf(e,t,n={}){const{memo:r=!1}=n;let o=(0,et.forwardRef)(e);r&&(o=(0,et.memo)(o));let a=o.__contextSystemKey__||[t];return Array.isArray(t)&&(a=[...a,...t]),"string"==typeof t&&(a=[...a,t]),o.displayName=t,o.__contextSystemKey__=(0,ot.uniq)(a),o.selector=`.${Of(t)}`,o}function Ff(e){if(!e)return[];let t=[];return e.__contextSystemKey__&&(t=e.__contextSystemKey__),e.type&&e.type.__contextSystemKey__&&(t=e.type.__contextSystemKey__),t}const Vf={border:0,clip:"rect(1px, 1px, 1px, 1px)",WebkitClipPath:"inset( 50% )",clipPath:"inset( 50% )",height:"1px",margin:"-1px",overflow:"hidden",padding:0,position:"absolute",width:"1px",wordWrap:"normal"};var Xf=/^((children|dangerouslySetInnerHTML|key|ref|autoFocus|defaultValue|defaultChecked|innerHTML|suppressContentEditableWarning|suppressHydrationWarning|valueLink|accept|acceptCharset|accessKey|action|allow|allowUserMedia|allowPaymentRequest|allowFullScreen|allowTransparency|alt|async|autoComplete|autoPlay|capture|cellPadding|cellSpacing|challenge|charSet|checked|cite|classID|className|cols|colSpan|content|contentEditable|contextMenu|controls|controlsList|coords|crossOrigin|data|dateTime|decoding|default|defer|dir|disabled|disablePictureInPicture|download|draggable|encType|form|formAction|formEncType|formMethod|formNoValidate|formTarget|frameBorder|headers|height|hidden|high|href|hrefLang|htmlFor|httpEquiv|id|inputMode|integrity|is|keyParams|keyType|kind|label|lang|list|loading|loop|low|marginHeight|marginWidth|max|maxLength|media|mediaGroup|method|min|minLength|multiple|muted|name|nonce|noValidate|open|optimum|pattern|placeholder|playsInline|poster|preload|profile|radioGroup|readOnly|referrerPolicy|rel|required|reversed|role|rows|rowSpan|sandbox|scope|scoped|scrolling|seamless|selected|shape|size|sizes|slot|span|spellCheck|src|srcDoc|srcLang|srcSet|start|step|style|summary|tabIndex|target|title|translate|type|useMap|value|width|wmode|wrap|about|datatype|inlist|prefix|property|resource|typeof|vocab|autoCapitalize|autoCorrect|autoSave|color|fallback|inert|itemProp|itemScope|itemType|itemID|itemRef|on|option|results|security|unselectable|accentHeight|accumulate|additive|alignmentBaseline|allowReorder|alphabetic|amplitude|arabicForm|ascent|attributeName|attributeType|autoReverse|azimuth|baseFrequency|baselineShift|baseProfile|bbox|begin|bias|by|calcMode|capHeight|clip|clipPathUnits|clipPath|clipRule|colorInterpolation|colorInterpolationFilters|colorProfile|colorRendering|contentScriptType|contentStyleType|cursor|cx|cy|d|decelerate|descent|diffuseConstant|direction|display|divisor|dominantBaseline|dur|dx|dy|edgeMode|elevation|enableBackground|end|exponent|externalResourcesRequired|fill|fillOpacity|fillRule|filter|filterRes|filterUnits|floodColor|floodOpacity|focusable|fontFamily|fontSize|fontSizeAdjust|fontStretch|fontStyle|fontVariant|fontWeight|format|from|fr|fx|fy|g1|g2|glyphName|glyphOrientationHorizontal|glyphOrientationVertical|glyphRef|gradientTransform|gradientUnits|hanging|horizAdvX|horizOriginX|ideographic|imageRendering|in|in2|intercept|k|k1|k2|k3|k4|kernelMatrix|kernelUnitLength|kerning|keyPoints|keySplines|keyTimes|lengthAdjust|letterSpacing|lightingColor|limitingConeAngle|local|markerEnd|markerMid|markerStart|markerHeight|markerUnits|markerWidth|mask|maskContentUnits|maskUnits|mathematical|mode|numOctaves|offset|opacity|operator|order|orient|orientation|origin|overflow|overlinePosition|overlineThickness|panose1|paintOrder|pathLength|patternContentUnits|patternTransform|patternUnits|pointerEvents|points|pointsAtX|pointsAtY|pointsAtZ|preserveAlpha|preserveAspectRatio|primitiveUnits|r|radius|refX|refY|renderingIntent|repeatCount|repeatDur|requiredExtensions|requiredFeatures|restart|result|rotate|rx|ry|scale|seed|shapeRendering|slope|spacing|specularConstant|specularExponent|speed|spreadMethod|startOffset|stdDeviation|stemh|stemv|stitchTiles|stopColor|stopOpacity|strikethroughPosition|strikethroughThickness|string|stroke|strokeDasharray|strokeDashoffset|strokeLinecap|strokeLinejoin|strokeMiterlimit|strokeOpacity|strokeWidth|surfaceScale|systemLanguage|tableValues|targetX|targetY|textAnchor|textDecoration|textRendering|textLength|to|transform|u1|u2|underlinePosition|underlineThickness|unicode|unicodeBidi|unicodeRange|unitsPerEm|vAlphabetic|vHanging|vIdeographic|vMathematical|values|vectorEffect|version|vertAdvY|vertOriginX|vertOriginY|viewBox|viewTarget|visibility|widths|wordSpacing|writingMode|x|xHeight|x1|x2|xChannelSelector|xlinkActuate|xlinkArcrole|xlinkHref|xlinkRole|xlinkShow|xlinkTitle|xlinkType|xmlBase|xmlns|xmlnsXlink|xmlLang|xmlSpace|y|y1|y2|yChannelSelector|z|zoomAndPan|for|class|autofocus)|(([Dd][Aa][Tt][Aa]|[Aa][Rr][Ii][Aa]|x)-.*))$/;var Uf=_p((function(e){return Xf.test(e)||111===e.charCodeAt(0)&&110===e.charCodeAt(1)&&e.charCodeAt(2)<91})),$f=function(e){return"theme"!==e},Kf=function(e){return"string"==typeof e&&e.charCodeAt(0)>96?Uf:$f},Gf=function(e,t,n){var r;if(t){var o=t.shouldForwardProp;r=e.__emotion_forwardProp&&o?function(t){return e.__emotion_forwardProp(t)&&o(t)}:o}return"function"!=typeof r&&n&&(r=e.__emotion_forwardProp),r};const Jf=function e(t,n){var r,o,a=t.__emotion_real===t,i=a&&t.__emotion_base||t;void 0!==n&&(r=n.label,o=n.target);var s=Gf(t,n,a),l=s||Kf(i),c=!l("as");return function(){var u=arguments,d=a&&void 0!==t.__emotion_styles?t.__emotion_styles.slice(0):[];if(void 0!==r&&d.push("label:"+r+";"),null==u[0]||void 0===u[0].raw)d.push.apply(d,u);else{0,d.push(u[0][0]);for(var p=u.length,m=1;m{e.stopPropagation(),e.preventDefault()}}const S=!E&&(m&&g||h||!!g&&(!b||(0,ot.isArray)(b)&&!b.length)&&!1!==m),C=M?(0,ot.uniqueId)():null,T=k["aria-describedby"]||C,x=(0,et.createElement)(L,rt({},A,k,{className:w,"aria-label":k["aria-label"]||g,"aria-describedby":T,ref:t}),u&&"left"===d&&(0,et.createElement)(Cf,{icon:u,size:p}),v&&(0,et.createElement)(et.Fragment,null,v),u&&"right"===d&&(0,et.createElement)(Cf,{icon:u,size:p}),b);return S?(0,et.createElement)(et.Fragment,null,(0,et.createElement)(Af,{text:M||g,shortcut:h,position:f},x),M&&(0,et.createElement)(eh,null,(0,et.createElement)("span",{id:C},M))):(0,et.createElement)(et.Fragment,null,x,M&&(0,et.createElement)(eh,null,(0,et.createElement)("span",{id:C},M)))}));function rh(e,t,n){return t in e?Object.defineProperty(e,t,{value:n,enumerable:!0,configurable:!0,writable:!0}):e[t]=n,e}function oh(e,t){var n=Object.keys(e);if(Object.getOwnPropertySymbols){var r=Object.getOwnPropertySymbols(e);t&&(r=r.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),n.push.apply(n,r)}return n}function ah(e){for(var t=1;t=0||(o[n]=e[n]);return o}function sh(e,t){(null==t||t>e.length)&&(t=e.length);for(var n=0,r=new Array(t);n=e.length?{done:!0}:{done:!1,value:e[r++]}}}throw new TypeError("Invalid attempt to iterate non-iterable instance.\nIn order to be iterable, non-array objects must have a [Symbol.iterator]() method.")}return(n=e[Symbol.iterator]()).next.bind(n)}var ch=(0,et.createContext)({});var uh,dh=function(e,t,n){void 0===n&&(n=t.children);var r=(0,et.useContext)(ch);if(r.useCreateElement)return r.useCreateElement(e,t,n);if("string"==typeof e&&function(e){return"function"==typeof e}(n)){t.children;return n(ih(t,["children"]))}return(0,et.createElement)(e,t,n)};function ph(e,t,n){return t in e?Object.defineProperty(e,t,{value:n,enumerable:!0,configurable:!0,writable:!0}):e[t]=n,e}function mh(e,t){var n=Object.keys(e);if(Object.getOwnPropertySymbols){var r=Object.getOwnPropertySymbols(e);t&&(r=r.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),n.push.apply(n,r)}return n}function fh(e){for(var t=1;t=0?n[i]=e[i]:r[i]=e[i]}return[n,r]}function bh(e,t){if(void 0===t&&(t=[]),!hh(e.state))return gh(e,t);var n=gh(e,[].concat(t,["state"])),r=n[0],o=n[1],a=r.state,i=function(e,t){if(null==e)return{};var n,r,o={},a=Object.keys(e);for(r=0;r=0||(o[n]=e[n]);return o}(r,["state"]);return[fh(fh({},a),i),o]}function vh(e,t){if(e===t)return!0;if(!e)return!1;if(!t)return!1;if("object"!=typeof e)return!1;if("object"!=typeof t)return!1;var n=Object.keys(e),r=Object.keys(t),o=n.length;if(r.length!==o)return!1;for(var a=0,i=n;a=0||(o[n]=e[n]);return o}function Sh(e,t){(null==t||t>e.length)&&(t=e.length);for(var n=0,r=new Array(t);n=e.length?{done:!0}:{done:!1,value:e[r++]}}}throw new TypeError("Invalid attempt to iterate non-iterable instance.\nIn order to be iterable, non-array objects must have a [Symbol.iterator]() method.")}return(n=e[Symbol.iterator]()).next.bind(n)}function Th(e,t){void 0===t&&(t=null),e&&("function"==typeof e?e(t):e.current=t)}function xh(e,t){return(0,et.useMemo)((function(){return null==e&&null==t?null:function(n){Th(e,n),Th(t,n)}}),[e,t])}function zh(e){return e?e.ownerDocument||e:document}try{uh=window}catch(ix){}function Oh(e){return e&&zh(e).defaultView||uh}var Nh=function(){var e=Oh();return Boolean(void 0!==e&&e.document&&e.document.createElement)}(),Dh=Nh?et.useLayoutEffect:et.useEffect;function Bh(e){var t=(0,et.useRef)(e);return Dh((function(){t.current=e})),t}function Ih(e){return e.target===e.currentTarget}function Ph(e){var t=zh(e).activeElement;return null!=t&&t.nodeName?t:null}function Rh(e,t){return e===t||e.contains(t)}function Yh(e){var t=Ph(e);if(!t)return!1;if(Rh(e,t))return!0;var n=t.getAttribute("aria-activedescendant");return!!n&&(n===e.id||!!e.querySelector("#"+n))}function Wh(e){return!Rh(e.currentTarget,e.target)}var Hh=["button","color","file","image","reset","submit"];function qh(e){if("BUTTON"===e.tagName)return!0;if("INPUT"===e.tagName){var t=e;return-1!==Hh.indexOf(t.type)}return!1}function jh(e){return!!Nh&&-1!==window.navigator.userAgent.indexOf(e)}var Fh="input:not([type='hidden']):not([disabled]), select:not([disabled]), textarea:not([disabled]), a[href], button:not([disabled]), [tabindex], iframe, object, embed, area[href], audio[controls], video[controls], [contenteditable]:not([contenteditable='false'])";function Vh(e){return function(e,t){return"matches"in e?e.matches(t):"msMatchesSelector"in e?e.msMatchesSelector(t):e.webkitMatchesSelector(t)}(e,Fh)&&function(e){var t=e;return t.offsetWidth>0||t.offsetHeight>0||e.getClientRects().length>0}(e)}var Xh=kh({name:"Role",keys:["unstable_system"],propsAreEqual:function(e,t){var n=e.unstable_system,r=Ah(e,["unstable_system"]),o=t.unstable_system,a=Ah(t,["unstable_system"]);return!(n!==o&&!vh(n,o))&&vh(r,a)}}),Uh=(_h({as:"div",useHook:Xh}),jh("Mac")&&!jh("Chrome")&&(jh("Safari")||jh("Firefox")));function $h(e){!Yh(e)&&Vh(e)&&e.focus()}function Kh(e,t,n,r){return e?t&&!n?-1:void 0:t?r:r||0}function Gh(e,t){return(0,et.useCallback)((function(n){var r;null===(r=e.current)||void 0===r||r.call(e,n),n.defaultPrevented||t&&(n.stopPropagation(),n.preventDefault())}),[e,t])}var Jh=kh({name:"Tabbable",compose:Xh,keys:["disabled","focusable"],useOptions:function(e,t){return Lh({disabled:t.disabled},e)},useProps:function(e,t){var n=t.ref,r=t.tabIndex,o=t.onClickCapture,a=t.onMouseDownCapture,i=t.onMouseDown,s=t.onKeyPressCapture,l=t.style,c=Ah(t,["ref","tabIndex","onClickCapture","onMouseDownCapture","onMouseDown","onKeyPressCapture","style"]),u=(0,et.useRef)(null),d=Bh(o),p=Bh(a),m=Bh(i),f=Bh(s),h=!!e.disabled&&!e.focusable,g=(0,et.useState)(!0),b=g[0],v=g[1],y=(0,et.useState)(!0),_=y[0],M=y[1],k=e.disabled?Lh({pointerEvents:"none"},l):l;Dh((function(){var e,t=u.current;t&&("BUTTON"!==(e=t).tagName&&"INPUT"!==e.tagName&&"SELECT"!==e.tagName&&"TEXTAREA"!==e.tagName&&"A"!==e.tagName&&v(!1),function(e){return"BUTTON"===e.tagName||"INPUT"===e.tagName||"SELECT"===e.tagName||"TEXTAREA"===e.tagName}(t)||M(!1))}),[]);var w=Gh(d,e.disabled),E=Gh(p,e.disabled),L=Gh(f,e.disabled),A=(0,et.useCallback)((function(e){var t;null===(t=m.current)||void 0===t||t.call(m,e);var n=e.currentTarget;if(!e.defaultPrevented&&Uh&&!Wh(e)&&qh(n)){var r=requestAnimationFrame((function(){n.removeEventListener("mouseup",o,!0),$h(n)})),o=function(){cancelAnimationFrame(r),$h(n)};n.addEventListener("mouseup",o,{once:!0,capture:!0})}}),[]);return Lh({ref:xh(u,n),style:k,tabIndex:Kh(h,b,_,r),disabled:!(!h||!_)||void 0,"aria-disabled":!!e.disabled||void 0,onClickCapture:w,onMouseDownCapture:E,onMouseDown:A,onKeyPressCapture:L},c)}});_h({as:"div",useHook:Jh});var Qh=kh({name:"Clickable",compose:Jh,keys:["unstable_clickOnEnter","unstable_clickOnSpace"],useOptions:function(e){var t=e.unstable_clickOnEnter,n=void 0===t||t,r=e.unstable_clickOnSpace;return Lh({unstable_clickOnEnter:n,unstable_clickOnSpace:void 0===r||r},Ah(e,["unstable_clickOnEnter","unstable_clickOnSpace"]))},useProps:function(e,t){var n=t.onKeyDown,r=t.onKeyUp,o=Ah(t,["onKeyDown","onKeyUp"]),a=(0,et.useState)(!1),i=a[0],s=a[1],l=Bh(n),c=Bh(r),u=(0,et.useCallback)((function(t){var n;if(null===(n=l.current)||void 0===n||n.call(l,t),!t.defaultPrevented&&!e.disabled&&!t.metaKey&&Ih(t)){var r=e.unstable_clickOnEnter&&"Enter"===t.key,o=e.unstable_clickOnSpace&&" "===t.key;if(r||o){if(function(e){var t=e.currentTarget;return!!e.isTrusted&&(qh(t)||"INPUT"===t.tagName||"TEXTAREA"===t.tagName||"A"===t.tagName||"SELECT"===t.tagName)}(t))return;t.preventDefault(),r?t.currentTarget.click():o&&s(!0)}}}),[e.disabled,e.unstable_clickOnEnter,e.unstable_clickOnSpace]),d=(0,et.useCallback)((function(t){var n;if(null===(n=c.current)||void 0===n||n.call(c,t),!t.defaultPrevented&&!e.disabled&&!t.metaKey){var r=e.unstable_clickOnSpace&&" "===t.key;i&&r&&(s(!1),t.currentTarget.click())}}),[e.disabled,e.unstable_clickOnSpace,i]);return Lh({"data-active":i||void 0,onKeyDown:u,onKeyUp:d},o)}});_h({as:"button",memo:!0,useHook:Qh});function Zh(e,t){return t?e.find((function(e){return!e.disabled&&e.id!==t})):e.find((function(e){return!e.disabled}))}function eg(e,t){var n;return t||null===t?t:e.currentId||null===e.currentId?e.currentId:null===(n=Zh(e.items||[]))||void 0===n?void 0:n.id}var tg=["baseId","unstable_idCountRef","setBaseId","unstable_virtual","rtl","orientation","items","groups","currentId","loop","wrap","shift","unstable_moves","unstable_hasActiveWidget","unstable_includesBaseElement","registerItem","unregisterItem","registerGroup","unregisterGroup","move","next","previous","up","down","first","last","sort","unstable_setVirtual","setRTL","setOrientation","setCurrentId","setLoop","setWrap","setShift","reset","unstable_setIncludesBaseElement","unstable_setHasActiveWidget"],ng=tg,rg=ng;function og(e){e.userFocus=!0,e.focus(),e.userFocus=!1}function ag(e,t){e.userFocus=t}function ig(e){try{var t=e instanceof HTMLInputElement&&null!==e.selectionStart,n="TEXTAREA"===e.tagName,r="true"===e.contentEditable;return t||n||r||!1}catch(e){return!1}}function sg(e){var t=Ph(e);if(!t)return!1;if(t===e)return!0;var n=t.getAttribute("aria-activedescendant");return!!n&&n===e.id}function lg(e){return void 0===e&&(e="id"),(e?e+"-":"")+Math.random().toString(32).substr(2,6)}var cg=(0,et.createContext)(lg);var ug=kh({keys:[].concat(["baseId","unstable_idCountRef","setBaseId"],["id"]),useOptions:function(e,t){var n=(0,et.useContext)(cg),r=(0,et.useState)((function(){return e.unstable_idCountRef?(e.unstable_idCountRef.current+=1,"-"+e.unstable_idCountRef.current):e.baseId?"-"+n(""):""}))[0],o=(0,et.useMemo)((function(){return e.baseId||n()}),[e.baseId,n]),a=t.id||e.id||""+o+r;return Lh(Lh({},e),{},{id:a})},useProps:function(e,t){return Lh({id:e.id},t)}});_h({as:"div",useHook:ug});function dg(e,t,n){if("function"==typeof Event)return new Event(t,n);var r=zh(e).createEvent("Event");return r.initEvent(t,null==n?void 0:n.bubbles,null==n?void 0:n.cancelable),r}function pg(e,t){if(e instanceof HTMLInputElement||e instanceof HTMLTextAreaElement){var n,r=Object.getPrototypeOf(e),o=null===(n=Object.getOwnPropertyDescriptor(r,"value"))||void 0===n?void 0:n.set;o&&(o.call(e,t),function(e,t,n){e.dispatchEvent(dg(e,t,n))}(e,"input",{bubbles:!0}))}}function mg(e){return e.querySelector("[data-composite-item-widget]")}var fg=kh({name:"CompositeItem",compose:[Qh,ug],keys:rg,propsAreEqual:function(e,t){if(!t.id||e.id!==t.id)return Qh.unstable_propsAreEqual(e,t);var n=e.currentId,r=e.unstable_moves,o=Ah(e,["currentId","unstable_moves"]),a=t.currentId,i=t.unstable_moves,s=Ah(t,["currentId","unstable_moves"]);if(a!==n){if(t.id===a||t.id===n)return!1}else if(r!==i)return!1;return Qh.unstable_propsAreEqual(o,s)},useOptions:function(e){return Lh(Lh({},e),{},{id:e.id,currentId:eg(e),unstable_clickOnSpace:!e.unstable_hasActiveWidget&&e.unstable_clickOnSpace})},useProps:function(e,t){var n,r=t.ref,o=t.tabIndex,a=void 0===o?0:o,i=t.onMouseDown,s=t.onFocus,l=t.onBlurCapture,c=t.onKeyDown,u=t.onClick,d=Ah(t,["ref","tabIndex","onMouseDown","onFocus","onBlurCapture","onKeyDown","onClick"]),p=(0,et.useRef)(null),m=e.id,f=e.disabled&&!e.focusable,h=e.currentId===m,g=Bh(h),b=(0,et.useRef)(!1),v=function(e){return(0,et.useMemo)((function(){var t;return null===(t=e.items)||void 0===t?void 0:t.find((function(t){return e.id&&t.id===e.id}))}),[e.items,e.id])}(e),y=Bh(i),_=Bh(s),M=Bh(l),k=Bh(c),w=Bh(u),E=!e.unstable_virtual&&!e.unstable_hasActiveWidget&&h||!(null!==(n=e.items)&&void 0!==n&&n.length);(0,et.useEffect)((function(){var t;if(m)return null===(t=e.registerItem)||void 0===t||t.call(e,{id:m,ref:p,disabled:!!f}),function(){var t;null===(t=e.unregisterItem)||void 0===t||t.call(e,m)}}),[m,f,e.registerItem,e.unregisterItem]),(0,et.useEffect)((function(){var t=p.current;t&&e.unstable_moves&&g.current&&og(t)}),[e.unstable_moves]);var L=(0,et.useCallback)((function(e){var t;null===(t=y.current)||void 0===t||t.call(y,e),ag(e.currentTarget,!0)}),[]),A=(0,et.useCallback)((function(t){var n,r,o=!!t.currentTarget.userFocus;if(ag(t.currentTarget,!1),null===(n=_.current)||void 0===n||n.call(_,t),!t.defaultPrevented&&!Wh(t)&&m&&!function(e,t){if(Ih(e))return!1;for(var n,r=Ch(t);!(n=r()).done;)if(n.value.ref.current===e.target)return!0;return!1}(t,e.items)&&(null===(r=e.setCurrentId)||void 0===r||r.call(e,m),o&&e.unstable_virtual&&e.baseId&&Ih(t))){var a=zh(t.target).getElementById(e.baseId);a&&(b.current=!0,function(e,t){var n=void 0===t?{}:t,r=n.preventScroll,o=n.isActive,a=void 0===o?sg:o;a(e)||(e.focus({preventScroll:r}),a(e)||requestAnimationFrame((function(){e.focus({preventScroll:r})})))}(a))}}),[m,e.items,e.setCurrentId,e.unstable_virtual,e.baseId]),S=(0,et.useCallback)((function(t){var n;null===(n=M.current)||void 0===n||n.call(M,t),t.defaultPrevented||e.unstable_virtual&&b.current&&(b.current=!1,t.preventDefault(),t.stopPropagation())}),[e.unstable_virtual]),C=(0,et.useCallback)((function(t){var n;if(Ih(t)){var r="horizontal"!==e.orientation,o="vertical"!==e.orientation,a=!(null==v||!v.groupId),i={ArrowUp:(a||r)&&e.up,ArrowRight:(a||o)&&e.next,ArrowDown:(a||r)&&e.down,ArrowLeft:(a||o)&&e.previous,Home:function(){var n,r;!a||t.ctrlKey?null===(n=e.first)||void 0===n||n.call(e):null===(r=e.previous)||void 0===r||r.call(e,!0)},End:function(){var n,r;!a||t.ctrlKey?null===(n=e.last)||void 0===n||n.call(e):null===(r=e.next)||void 0===r||r.call(e,!0)},PageUp:function(){var t,n;a?null===(t=e.up)||void 0===t||t.call(e,!0):null===(n=e.first)||void 0===n||n.call(e)},PageDown:function(){var t,n;a?null===(t=e.down)||void 0===t||t.call(e,!0):null===(n=e.last)||void 0===n||n.call(e)}}[t.key];if(i)return t.preventDefault(),void i();if(null===(n=k.current)||void 0===n||n.call(k,t),!t.defaultPrevented)if(1===t.key.length&&" "!==t.key){var s=mg(t.currentTarget);s&&ig(s)&&(s.focus(),pg(s,""))}else if("Delete"===t.key||"Backspace"===t.key){var l=mg(t.currentTarget);l&&ig(l)&&(t.preventDefault(),pg(l,""))}}}),[e.orientation,v,e.up,e.next,e.down,e.previous,e.first,e.last]),T=(0,et.useCallback)((function(e){var t;if(null===(t=w.current)||void 0===t||t.call(w,e),!e.defaultPrevented){var n=mg(e.currentTarget);n&&!Yh(n)&&n.focus()}}),[]);return Lh({ref:xh(p,r),id:m,tabIndex:E?a:-1,"aria-selected":!(!e.unstable_virtual||!h)||void 0,onMouseDown:L,onFocus:A,onBlurCapture:S,onKeyDown:C,onClick:T},d)}}),hg=_h({as:"button",memo:!0,useHook:fg}),gg=["baseId","unstable_idCountRef","unstable_virtual","rtl","orientation","items","groups","currentId","loop","wrap","shift","unstable_moves","unstable_hasActiveWidget","unstable_includesBaseElement","setBaseId","registerItem","unregisterItem","registerGroup","unregisterGroup","move","next","previous","up","down","first","last","sort","unstable_setVirtual","setRTL","setOrientation","setCurrentId","setLoop","setWrap","setShift","reset","unstable_setIncludesBaseElement","unstable_setHasActiveWidget"],bg=gg,vg=_h({as:"button",memo:!0,useHook:kh({name:"ToolbarItem",compose:fg,keys:bg})});const yg=(0,et.forwardRef)((function({children:e,as:t,...n},r){const o=(0,et.useContext)(Yp);if("function"!=typeof e&&!t)return null;const a={...n,ref:r,"data-toolbar-item":!0};return o?(0,et.createElement)(vg,rt({},o,a,{as:t}),e):t?(0,et.createElement)(t,a,e):e(a)})),_g=e=>(0,et.createElement)("div",{className:e.className},e.children);const Mg=(0,et.forwardRef)((function({containerClassName:e,className:t,extraProps:n,children:r,title:o,isActive:a,isDisabled:i,...s},l){return(0,et.useContext)(Yp)?(0,et.createElement)(yg,rt({className:io()("components-toolbar-button",t)},n,s,{ref:l}),(e=>(0,et.createElement)(nh,rt({label:o,isPressed:a,disabled:i},e),r))):(0,et.createElement)(_g,{className:e},(0,et.createElement)(nh,rt({ref:l,icon:s.icon,label:o,shortcut:s.shortcut,"data-subscript":s.subscript,onClick:e=>{e.stopPropagation(),s.onClick&&s.onClick(e)},className:io()("components-toolbar__control",t),isPressed:a,disabled:i,"data-toolbar-item":!0},n,s),r))})),kg=({className:e,children:t,...n})=>(0,et.createElement)("div",rt({className:e},n),t),wg=(0,et.createElement)(po,{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24"},(0,et.createElement)(co,{d:"M5 5v1.5h14V5H5zm0 7.8h14v-1.5H5v1.5zM5 19h14v-1.5H5V19z"}));function Eg({renderContent:e,renderToggle:t,position:n="bottom right",className:r,contentClassName:o,expandOnMobile:a,headerTitle:i,focusOnMount:s,popoverProps:l,onClose:c,onToggle:u}){var d;const p=(0,et.useRef)(),[m,f]=function(e,t){const[n,r]=(0,et.useState)(e);return[n,e=>{r(e),t&&t(e)}]}(!1,u);function h(){c&&c(),f(!1)}(0,et.useEffect)((()=>()=>{u&&u(!1)}),[]);const g={isOpen:m,onToggle:function(){f(!m)},onClose:h};return(0,et.createElement)("div",{className:io()("components-dropdown",r),ref:p},t(g),m&&(0,et.createElement)(yf,rt({position:n,onClose:h,onFocusOutside:function(){const{ownerDocument:e}=p.current,t=e.activeElement.closest('[role="dialog"]');p.current.contains(e.activeElement)||t&&!t.contains(p.current)||h()},expandOnMobile:a,headerTitle:i,focusOnMount:s},l,{anchorRef:null!==(d=null==l?void 0:l.anchorRef)&&void 0!==d?d:p.current,className:io()("components-dropdown__content",l?l.className:void 0,o)}),e(g)))}const Lg=["menuitem","menuitemradio","menuitemcheckbox"];class Ag extends et.Component{constructor(){super(...arguments),this.onKeyDown=this.onKeyDown.bind(this),this.bindContainer=this.bindContainer.bind(this),this.getFocusableContext=this.getFocusableContext.bind(this),this.getFocusableIndex=this.getFocusableIndex.bind(this)}componentDidMount(){this.container.addEventListener("keydown",this.onKeyDown),this.container.addEventListener("focus",this.onFocus)}componentWillUnmount(){this.container.removeEventListener("keydown",this.onKeyDown),this.container.removeEventListener("focus",this.onFocus)}bindContainer(e){const{forwardedRef:t}=this.props;this.container=e,(0,ot.isFunction)(t)?t(e):t&&"current"in t&&(t.current=e)}getFocusableContext(e){const{onlyBrowserTabstops:t}=this.props,n=(t?zm.tabbable:zm.focusable).find(this.container),r=this.getFocusableIndex(n,e);return r>-1&&e?{index:r,target:e,focusables:n}:null}getFocusableIndex(e,t){const n=e.indexOf(t);if(-1!==n)return n}onKeyDown(e){this.props.onKeyDown&&this.props.onKeyDown(e);const{getFocusableContext:t}=this,{cycle:n=!0,eventToOffset:r,onNavigate:o=ot.noop,stopNavigationEvents:a}=this.props,i=r(e);if(void 0!==i&&a){e.stopImmediatePropagation();const t=e.target.getAttribute("role");Lg.includes(t)&&e.preventDefault()}if(!i)return;const s=t(e.target.ownerDocument.activeElement);if(!s)return;const{index:l,focusables:c}=s,u=n?function(e,t,n){const r=e+n;return r<0?t+r:r>=t?r-t:r}(l,c.length,i):l+i;u>=0&&u(0,et.createElement)(Ag,rt({},e,{forwardedRef:t}));Sg.displayName="NavigableContainer";const Cg=(0,et.forwardRef)(Sg);const Tg=(0,et.forwardRef)((function({role:e="menu",orientation:t="vertical",...n},r){return(0,et.createElement)(Cg,rt({ref:r,stopNavigationEvents:!0,onlyBrowserTabstops:!1,role:e,"aria-orientation":"presentation"===e?null:t,eventToOffset:e=>{const{keyCode:n}=e;let r=[sm],o=[am];return"horizontal"===t&&(r=[im],o=[om]),"both"===t&&(r=[im,sm],o=[om,am]),(0,ot.includes)(r,n)?1:(0,ot.includes)(o,n)?-1:(0,ot.includes)([sm,am,om,im],n)?0:void 0}},n))}));function xg(e={},t={}){const n={...e,...t};return t.className&&e.className&&(n.className=io()(t.className,e.className)),n}const zg=function({children:e,className:t,controls:n,icon:r=wg,label:o,popoverProps:a,toggleProps:i,menuProps:s,disableOpenOnArrowDown:l=!1,text:c,menuLabel:u,position:d,noIcons:p}){if(u&&Hp("`menuLabel` prop in `DropdownComponent`",{since:"5.3",alternative:"`menuProps` object and its `aria-label` property"}),d&&Hp("`position` prop in `DropdownComponent`",{since:"5.3",alternative:"`popoverProps` object and its `position` property"}),(0,ot.isEmpty)(n)&&!(0,ot.isFunction)(e))return null;let m;(0,ot.isEmpty)(n)||(m=n,Array.isArray(m[0])||(m=[m]));const f=xg({className:"components-dropdown-menu__popover",position:d},a);return(0,et.createElement)(Eg,{className:io()("components-dropdown-menu",t),popoverProps:f,renderToggle:({isOpen:e,onToggle:t})=>{var n;const a=xg({className:io()("components-dropdown-menu__toggle",{"is-opened":e})},i);return(0,et.createElement)(nh,rt({},a,{icon:r,onClick:e=>{t(e),a.onClick&&a.onClick(e)},onKeyDown:n=>{(n=>{l||e||n.keyCode!==sm||(n.preventDefault(),t())})(n),a.onKeyDown&&a.onKeyDown(n)},"aria-haspopup":"true","aria-expanded":e,label:o,text:c,showTooltip:null===(n=null==i?void 0:i.showTooltip)||void 0===n||n}),a.children)},renderContent:t=>{const n=xg({"aria-label":u||o,className:io()("components-dropdown-menu__menu",{"no-icons":p})},s);return(0,et.createElement)(Tg,rt({},n,{role:"menu"}),(0,ot.isFunction)(e)?e(t):null,(0,ot.flatMap)(m,((e,n)=>e.map(((e,r)=>(0,et.createElement)(nh,{key:[n,r].join(),onClick:n=>{n.stopPropagation(),t.onClose(),e.onClick&&e.onClick()},className:io()("components-dropdown-menu__menu-item",{"has-separator":n>0&&0===r,"is-active":e.isActive}),icon:e.icon,"aria-checked":"menuitemcheckbox"===e.role||"menuitemradio"===e.role?e.isActive:void 0,role:"menuitemcheckbox"===e.role||"menuitemradio"===e.role?e.role:"menuitem",disabled:e.isDisabled},e.title))))))}})};const Og=function({controls:e=[],toggleProps:t,...n}){const r=t=>(0,et.createElement)(zg,rt({controls:e,toggleProps:{...t,"data-toolbar-item":!0}},n));return(0,et.useContext)(Yp)?(0,et.createElement)(yg,t,r):r(t)};const Ng=function({controls:e=[],children:t,className:n,isCollapsed:r,title:o,...a}){const i=(0,et.useContext)(Yp);if(!(e&&e.length||t))return null;const s=io()(i?"components-toolbar-group":"components-toolbar",n);let l=e;return Array.isArray(l[0])||(l=[l]),r?(0,et.createElement)(Og,rt({label:o,controls:l,className:s,children:t},a)):(0,et.createElement)(kg,rt({className:s},a),(0,ot.flatMap)(l,((e,t)=>e.map(((e,n)=>(0,et.createElement)(Mg,rt({key:[t,n].join(),containerClassName:t>0&&0===n?"has-left-divider":null},e)))))),t)},Dg=(0,et.createContext)({name:"",isSelected:!1,clientId:null}),{Provider:Bg}=Dg;function Ig(){return(0,et.useContext)(Dg)}const Pg={insertUsage:{}},Rg={alignWide:!1,supportsLayout:!0,colors:[{name:Zn("Black"),slug:"black",color:"#000000"},{name:Zn("Cyan bluish gray"),slug:"cyan-bluish-gray",color:"#abb8c3"},{name:Zn("White"),slug:"white",color:"#ffffff"},{name:Zn("Pale pink"),slug:"pale-pink",color:"#f78da7"},{name:Zn("Vivid red"),slug:"vivid-red",color:"#cf2e2e"},{name:Zn("Luminous vivid orange"),slug:"luminous-vivid-orange",color:"#ff6900"},{name:Zn("Luminous vivid amber"),slug:"luminous-vivid-amber",color:"#fcb900"},{name:Zn("Light green cyan"),slug:"light-green-cyan",color:"#7bdcb5"},{name:Zn("Vivid green cyan"),slug:"vivid-green-cyan",color:"#00d084"},{name:Zn("Pale cyan blue"),slug:"pale-cyan-blue",color:"#8ed1fc"},{name:Zn("Vivid cyan blue"),slug:"vivid-cyan-blue",color:"#0693e3"},{name:Zn("Vivid purple"),slug:"vivid-purple",color:"#9b51e0"}],fontSizes:[{name:er("Small","font size name"),size:13,slug:"small"},{name:er("Normal","font size name"),size:16,slug:"normal"},{name:er("Medium","font size name"),size:20,slug:"medium"},{name:er("Large","font size name"),size:36,slug:"large"},{name:er("Huge","font size name"),size:42,slug:"huge"}],imageDefaultSize:"large",imageSizes:[{slug:"thumbnail",name:Zn("Thumbnail")},{slug:"medium",name:Zn("Medium")},{slug:"large",name:Zn("Large")},{slug:"full",name:Zn("Full Size")}],imageEditing:!0,maxWidth:580,allowedBlockTypes:!0,maxUploadFileSize:0,allowedMimeTypes:null,__experimentalCanUserUseUnfilteredHTML:!1,__experimentalBlockDirectory:!1,__mobileEnablePageTemplates:!1,__experimentalBlockPatterns:[],__experimentalBlockPatternCategories:[],__experimentalSpotlightEntityBlocks:[],gradients:[{name:Zn("Vivid cyan blue to vivid purple"),gradient:"linear-gradient(135deg,rgba(6,147,227,1) 0%,rgb(155,81,224) 100%)",slug:"vivid-cyan-blue-to-vivid-purple"},{name:Zn("Light green cyan to vivid green cyan"),gradient:"linear-gradient(135deg,rgb(122,220,180) 0%,rgb(0,208,130) 100%)",slug:"light-green-cyan-to-vivid-green-cyan"},{name:Zn("Luminous vivid amber to luminous vivid orange"),gradient:"linear-gradient(135deg,rgba(252,185,0,1) 0%,rgba(255,105,0,1) 100%)",slug:"luminous-vivid-amber-to-luminous-vivid-orange"},{name:Zn("Luminous vivid orange to vivid red"),gradient:"linear-gradient(135deg,rgba(255,105,0,1) 0%,rgb(207,46,46) 100%)",slug:"luminous-vivid-orange-to-vivid-red"},{name:Zn("Very light gray to cyan bluish gray"),gradient:"linear-gradient(135deg,rgb(238,238,238) 0%,rgb(169,184,195) 100%)",slug:"very-light-gray-to-cyan-bluish-gray"},{name:Zn("Cool to warm spectrum"),gradient:"linear-gradient(135deg,rgb(74,234,220) 0%,rgb(151,120,209) 20%,rgb(207,42,186) 40%,rgb(238,44,130) 60%,rgb(251,105,98) 80%,rgb(254,248,76) 100%)",slug:"cool-to-warm-spectrum"},{name:Zn("Blush light purple"),gradient:"linear-gradient(135deg,rgb(255,206,236) 0%,rgb(152,150,240) 100%)",slug:"blush-light-purple"},{name:Zn("Blush bordeaux"),gradient:"linear-gradient(135deg,rgb(254,205,165) 0%,rgb(254,45,45) 50%,rgb(107,0,62) 100%)",slug:"blush-bordeaux"},{name:Zn("Luminous dusk"),gradient:"linear-gradient(135deg,rgb(255,203,112) 0%,rgb(199,81,192) 50%,rgb(65,88,208) 100%)",slug:"luminous-dusk"},{name:Zn("Pale ocean"),gradient:"linear-gradient(135deg,rgb(255,245,203) 0%,rgb(182,227,212) 50%,rgb(51,167,181) 100%)",slug:"pale-ocean"},{name:Zn("Electric grass"),gradient:"linear-gradient(135deg,rgb(202,248,128) 0%,rgb(113,206,126) 100%)",slug:"electric-grass"},{name:Zn("Midnight"),gradient:"linear-gradient(135deg,rgb(2,3,129) 0%,rgb(40,116,252) 100%)",slug:"midnight"}]};function Yg(e,t,n){return[...e.slice(0,n),...(0,ot.castArray)(t),...e.slice(n)]}function Wg(e,t,n,r=1){const o=[...e];return o.splice(t,r),Yg(o,e.slice(t,t+r),n)}function Hg(e,t=""){const n={[t]:[]};return e.forEach((e=>{const{clientId:r,innerBlocks:o}=e;n[t].push(r),Object.assign(n,Hg(o,r))})),n}function qg(e,t=""){return e.reduce(((e,n)=>Object.assign(e,{[n.clientId]:t},qg(n.innerBlocks,n.clientId))),{})}function jg(e,t=ot.identity){const n={},r=[...e];for(;r.length;){const{innerBlocks:e,...o}=r.shift();r.push(...e),n[o.clientId]=t(o)}return n}function Fg(e){return jg(e,(e=>(0,ot.omit)(e,"attributes")))}function Vg(e){return jg(e,(e=>e.attributes))}function Xg(e,t="",n={}){return(0,ot.reduce)(e[t],((t,r)=>n[r]?t:[...t,r,...Xg(e,r)]),[])}function Ug(e,t){return"UPDATE_BLOCK_ATTRIBUTES"===e.type&&void 0!==t&&"UPDATE_BLOCK_ATTRIBUTES"===t.type&&(0,ot.isEqual)(e.clientIds,t.clientIds)&&(n=e.attributes,r=t.attributes,(0,ot.isEqual)((0,ot.keys)(n),(0,ot.keys)(r)));var n,r}const $g=e=>e.reduce(((e,t)=>(e[t]={},e)),{});const Kg=(0,ot.flow)(it(),(e=>(t,n)=>{if(t&&"SAVE_REUSABLE_BLOCK_SUCCESS"===n.type){const{id:e,updatedId:r}=n;if(e===r)return t;(t={...t}).attributes=(0,ot.mapValues)(t.attributes,((n,o)=>{const{name:a}=t.byClientId[o];return"core/block"===a&&n.ref===e?{...n,ref:r}:n}))}return e(t,n)}),(e=>(t={},n)=>{const r=e(t,n);if(r===t)return t;r.cache=t.cache?t.cache:{};const o=e=>e.reduce(((e,n)=>{let r=n;do{e.push(r),r=t.parents[r]}while(r&&!t.controlledInnerBlocks[r]);return e}),[]);switch(n.type){case"RESET_BLOCKS":r.cache=(0,ot.mapValues)(jg(n.blocks),(()=>({})));break;case"RECEIVE_BLOCKS":case"INSERT_BLOCKS":{const e=(0,ot.keys)(jg(n.blocks));n.rootClientId&&!t.controlledInnerBlocks[n.rootClientId]&&e.push(n.rootClientId),r.cache={...r.cache,...$g(o(e))};break}case"UPDATE_BLOCK":r.cache={...r.cache,...$g(o([n.clientId]))};break;case"UPDATE_BLOCK_ATTRIBUTES":r.cache={...r.cache,...$g(o(n.clientIds))};break;case"REPLACE_BLOCKS_AUGMENTED_WITH_CHILDREN":const e=$g(o(n.replacedClientIds));r.cache={...(0,ot.omit)(r.cache,n.replacedClientIds),...(0,ot.omit)(e,n.replacedClientIds),...$g((0,ot.keys)(jg(n.blocks)))};break;case"REMOVE_BLOCKS_AUGMENTED_WITH_CHILDREN":r.cache={...(0,ot.omit)(r.cache,n.removedClientIds),...$g((0,ot.difference)(o(n.clientIds),n.clientIds))};break;case"MOVE_BLOCKS_TO_POSITION":{const e=[...n.clientIds];n.fromRootClientId&&e.push(n.fromRootClientId),n.toRootClientId&&e.push(n.toRootClientId),r.cache={...r.cache,...$g(o(e))};break}case"MOVE_BLOCKS_UP":case"MOVE_BLOCKS_DOWN":{const e=[];n.rootClientId&&e.push(n.rootClientId),r.cache={...r.cache,...$g(o(e))};break}case"SAVE_REUSABLE_BLOCK_SUCCESS":{const e=(0,ot.keys)((0,ot.omitBy)(r.attributes,((e,t)=>"core/block"!==r.byClientId[t].name||e.ref!==n.updatedId)));r.cache={...r.cache,...$g(o(e))}}}return r}),(e=>(t,n)=>{const r=e=>{let r=e;for(let o=0;o(t,n)=>{if("REPLACE_INNER_BLOCKS"!==n.type)return e(t,n);const r={};if(Object.keys(t.controlledInnerBlocks).length){const e=[...n.blocks];for(;e.length;){const{innerBlocks:n,...o}=e.shift();e.push(...n),t.controlledInnerBlocks[o.clientId]&&(r[o.clientId]=!0)}}let o=t;t.order[n.rootClientId]&&(o=e(o,{type:"REMOVE_BLOCKS",keepControlledInnerBlocks:r,clientIds:t.order[n.rootClientId]}));let a=o;return n.blocks.length&&(a=e(a,{...n,type:"INSERT_BLOCKS",index:0}),a.order={...a.order,...(0,ot.reduce)(r,((e,n,r)=>(t.order[r]&&(e[r]=t.order[r]),e)),{})}),a}),(e=>(t,n)=>{if(t&&"RESET_BLOCKS"===n.type){const e=Xg(t.order,"",t.controlledInnerBlocks),r=Object.keys((0,ot.pickBy)(t.controlledInnerBlocks));return{...t,byClientId:{...(0,ot.omit)(t.byClientId,e),...Fg(n.blocks)},attributes:{...(0,ot.omit)(t.attributes,e),...Vg(n.blocks)},order:{...(0,ot.omit)(t.order,e),...(0,ot.omit)(Hg(n.blocks),r)},parents:{...(0,ot.omit)(t.parents,e),...qg(n.blocks)},cache:{...(0,ot.omit)(t.cache,e),...(0,ot.omit)((0,ot.mapValues)(jg(n.blocks),(()=>({}))),r)}}}return e(t,n)}),(function(e){let t,n=!1;return(r,o)=>{let a=e(r,o);const i="MARK_LAST_CHANGE_AS_PERSISTENT"===o.type||n;if(r===a&&!i){var s;n="MARK_NEXT_CHANGE_AS_NOT_PERSISTENT"===o.type;const e=null===(s=null==r?void 0:r.isPersistentChange)||void 0===s||s;return r.isPersistentChange===e?r:{...a,isPersistentChange:e}}return a={...a,isPersistentChange:i?!n:!Ug(o,t)},t=o,n="MARK_NEXT_CHANGE_AS_NOT_PERSISTENT"===o.type,a}}),(function(e){const t=new Set(["RECEIVE_BLOCKS"]);return(n,r)=>{const o=e(n,r);return o!==n&&(o.isIgnoredChange=t.has(r.type)),o}}))({byClientId(e={},t){switch(t.type){case"RESET_BLOCKS":return Fg(t.blocks);case"RECEIVE_BLOCKS":case"INSERT_BLOCKS":return{...e,...Fg(t.blocks)};case"UPDATE_BLOCK":if(!e[t.clientId])return e;const n=(0,ot.omit)(t.updates,"attributes");return(0,ot.isEmpty)(n)?e:{...e,[t.clientId]:{...e[t.clientId],...n}};case"REPLACE_BLOCKS_AUGMENTED_WITH_CHILDREN":return t.blocks?{...(0,ot.omit)(e,t.replacedClientIds),...Fg(t.blocks)}:e;case"REMOVE_BLOCKS_AUGMENTED_WITH_CHILDREN":return(0,ot.omit)(e,t.removedClientIds)}return e},attributes(e={},t){switch(t.type){case"RESET_BLOCKS":return Vg(t.blocks);case"RECEIVE_BLOCKS":case"INSERT_BLOCKS":return{...e,...Vg(t.blocks)};case"UPDATE_BLOCK":return e[t.clientId]&&t.updates.attributes?{...e,[t.clientId]:{...e[t.clientId],...t.updates.attributes}}:e;case"UPDATE_BLOCK_ATTRIBUTES":{if(t.clientIds.every((t=>!e[t])))return e;const n=t.clientIds.reduce(((n,r)=>({...n,[r]:(0,ot.reduce)(t.uniqueByBlock?t.attributes[r]:t.attributes,((t,n,o)=>{var a,i;return n!==t[o]&&((t=(a=e[r])===(i=t)?{...a}:i)[o]=n),t}),e[r])})),{});return t.clientIds.every((t=>n[t]===e[t]))?e:{...e,...n}}case"REPLACE_BLOCKS_AUGMENTED_WITH_CHILDREN":return t.blocks?{...(0,ot.omit)(e,t.replacedClientIds),...Vg(t.blocks)}:e;case"REMOVE_BLOCKS_AUGMENTED_WITH_CHILDREN":return(0,ot.omit)(e,t.removedClientIds)}return e},order(e={},t){switch(t.type){case"RESET_BLOCKS":return Hg(t.blocks);case"RECEIVE_BLOCKS":return{...e,...(0,ot.omit)(Hg(t.blocks),"")};case"INSERT_BLOCKS":{const{rootClientId:n=""}=t,r=e[n]||[],o=Hg(t.blocks,n),{index:a=r.length}=t;return{...e,...o,[n]:Yg(r,o[n],a)}}case"MOVE_BLOCKS_TO_POSITION":{const{fromRootClientId:n="",toRootClientId:r="",clientIds:o}=t,{index:a=e[r].length}=t;if(n===r){const t=e[r].indexOf(o[0]);return{...e,[r]:Wg(e[r],t,a,o.length)}}return{...e,[n]:(0,ot.without)(e[n],...o),[r]:Yg(e[r],o,a)}}case"MOVE_BLOCKS_UP":{const{clientIds:n,rootClientId:r=""}=t,o=(0,ot.first)(n),a=e[r];if(!a.length||o===(0,ot.first)(a))return e;const i=a.indexOf(o);return{...e,[r]:Wg(a,i,i-1,n.length)}}case"MOVE_BLOCKS_DOWN":{const{clientIds:n,rootClientId:r=""}=t,o=(0,ot.first)(n),a=(0,ot.last)(n),i=e[r];if(!i.length||a===(0,ot.last)(i))return e;const s=i.indexOf(o);return{...e,[r]:Wg(i,s,s+1,n.length)}}case"REPLACE_BLOCKS_AUGMENTED_WITH_CHILDREN":{const{clientIds:n}=t;if(!t.blocks)return e;const r=Hg(t.blocks);return(0,ot.flow)([e=>(0,ot.omit)(e,t.replacedClientIds),e=>({...e,...(0,ot.omit)(r,"")}),e=>(0,ot.mapValues)(e,(e=>(0,ot.reduce)(e,((e,t)=>t===n[0]?[...e,...r[""]]:(-1===n.indexOf(t)&&e.push(t),e)),[])))])(e)}case"REMOVE_BLOCKS_AUGMENTED_WITH_CHILDREN":return(0,ot.flow)([e=>(0,ot.omit)(e,t.removedClientIds),e=>(0,ot.mapValues)(e,(e=>(0,ot.without)(e,...t.removedClientIds)))])(e)}return e},parents(e={},t){switch(t.type){case"RESET_BLOCKS":return qg(t.blocks);case"RECEIVE_BLOCKS":return{...e,...qg(t.blocks)};case"INSERT_BLOCKS":return{...e,...qg(t.blocks,t.rootClientId||"")};case"MOVE_BLOCKS_TO_POSITION":return{...e,...t.clientIds.reduce(((e,n)=>(e[n]=t.toRootClientId||"",e)),{})};case"REPLACE_BLOCKS_AUGMENTED_WITH_CHILDREN":return{...(0,ot.omit)(e,t.replacedClientIds),...qg(t.blocks,e[t.clientIds[0]])};case"REMOVE_BLOCKS_AUGMENTED_WITH_CHILDREN":return(0,ot.omit)(e,t.removedClientIds)}return e},controlledInnerBlocks:(e={},{type:t,clientId:n,hasControlledInnerBlocks:r})=>"SET_HAS_CONTROLLED_INNER_BLOCKS"===t?{...e,[n]:r}:e});function Gg(e={},t){switch(t.type){case"CLEAR_SELECTED_BLOCK":return e.clientId?{}:e;case"SELECT_BLOCK":return t.clientId===e.clientId?e:{clientId:t.clientId};case"REPLACE_INNER_BLOCKS":case"INSERT_BLOCKS":return t.updateSelection&&t.blocks.length?{clientId:t.blocks[0].clientId}:e;case"REMOVE_BLOCKS":return t.clientIds&&t.clientIds.length&&-1!==t.clientIds.indexOf(e.clientId)?{}:e;case"REPLACE_BLOCKS":{if(-1===t.clientIds.indexOf(e.clientId))return e;const n=t.indexToSelect||t.blocks.length-1,r=t.blocks[n];return r?r.clientId===e.clientId?e:{clientId:r.clientId}:{}}}return e}const Jg=it()({blocks:Kg,isTyping:function(e=!1,t){switch(t.type){case"START_TYPING":return!0;case"STOP_TYPING":return!1}return e},draggedBlocks:function(e=[],t){switch(t.type){case"START_DRAGGING_BLOCKS":return t.clientIds;case"STOP_DRAGGING_BLOCKS":return[]}return e},isCaretWithinFormattedText:function(e=!1,t){switch(t.type){case"ENTER_FORMATTED_TEXT":return!0;case"EXIT_FORMATTED_TEXT":return!1}return e},selection:function(e={},t){var n,r;switch(t.type){case"SELECTION_CHANGE":return{selectionStart:{clientId:t.clientId,attributeKey:t.attributeKey,offset:t.startOffset},selectionEnd:{clientId:t.clientId,attributeKey:t.attributeKey,offset:t.endOffset}};case"RESET_SELECTION":const{selectionStart:o,selectionEnd:a}=t;return{selectionStart:o,selectionEnd:a};case"MULTI_SELECT":const{start:i,end:s}=t;return{selectionStart:{clientId:i},selectionEnd:{clientId:s}};case"RESET_BLOCKS":const l=null==e||null===(n=e.selectionStart)||void 0===n?void 0:n.clientId,c=null==e||null===(r=e.selectionEnd)||void 0===r?void 0:r.clientId;if(!l&&!c)return e;if(!t.blocks.some((e=>e.clientId===l)))return{selectionStart:{},selectionEnd:{}};if(!t.blocks.some((e=>e.clientId===c)))return{...e,selectionEnd:e.selectionStart}}return{selectionStart:Gg(e.selectionStart,t),selectionEnd:Gg(e.selectionEnd,t)}},isMultiSelecting:function(e=!1,t){switch(t.type){case"START_MULTI_SELECT":return!0;case"STOP_MULTI_SELECT":return!1}return e},isSelectionEnabled:function(e=!0,t){switch(t.type){case"TOGGLE_SELECTION":return t.isSelectionEnabled}return e},initialPosition:function(e=null,t){return"REPLACE_BLOCKS"===t.type&&void 0!==t.initialPosition||["SELECT_BLOCK","RESET_SELECTION","INSERT_BLOCKS","REPLACE_INNER_BLOCKS"].includes(t.type)?t.initialPosition:e},blocksMode:function(e={},t){if("TOGGLE_BLOCK_MODE"===t.type){const{clientId:n}=t;return{...e,[n]:e[n]&&"html"===e[n]?"visual":"html"}}return e},blockListSettings:(e={},t)=>{switch(t.type){case"REPLACE_BLOCKS":case"REMOVE_BLOCKS":return(0,ot.omit)(e,t.clientIds);case"UPDATE_BLOCK_LIST_SETTINGS":{const{clientId:n}=t;return t.settings?(0,ot.isEqual)(e[n],t.settings)?e:{...e,[n]:t.settings}:e.hasOwnProperty(n)?(0,ot.omit)(e,n):e}}return e},insertionPoint:function(e=null,t){switch(t.type){case"SHOW_INSERTION_POINT":const{rootClientId:e,index:n,__unstableWithInserter:r}=t;return{rootClientId:e,index:n,__unstableWithInserter:r};case"HIDE_INSERTION_POINT":return null}return e},template:function(e={isValid:!0},t){switch(t.type){case"SET_TEMPLATE_VALIDITY":return{...e,isValid:t.isValid}}return e},settings:function(e=Rg,t){switch(t.type){case"UPDATE_SETTINGS":return{...e,...t.settings}}return e},preferences:function(e=Pg,t){switch(t.type){case"INSERT_BLOCKS":case"REPLACE_BLOCKS":return t.blocks.reduce(((e,n)=>{const{attributes:r,name:o}=n,a=en(Kr).getActiveBlockVariation(o,r);let i=null!=a&&a.name?`${o}/${a.name}`:o;const s={name:i};return"core/block"===o&&(s.ref=r.ref,i+="/"+r.ref),{...e,insertUsage:{...e.insertUsage,[i]:{time:t.time,count:e.insertUsage[i]?e.insertUsage[i].count+1:1,insert:s}}}}),e)}return e},lastBlockAttributesChange:function(e,t){switch(t.type){case"UPDATE_BLOCK":if(!t.updates.attributes)break;return{[t.clientId]:t.updates.attributes};case"UPDATE_BLOCK_ATTRIBUTES":return t.clientIds.reduce(((e,n)=>({...e,[n]:t.uniqueByBlock?t.attributes[n]:t.attributes})),{})}return null},isNavigationMode:function(e=!1,t){return"INSERT_BLOCKS"!==t.type&&("SET_NAVIGATION_MODE"===t.type?t.isNavigationMode:e)},hasBlockMovingClientId:function(e=null,t){return"SET_BLOCK_MOVING_MODE"===t.type?t.hasBlockMovingClientId:"SET_NAVIGATION_MODE"===t.type?null:e},automaticChangeStatus:function(e,t){switch(t.type){case"MARK_AUTOMATIC_CHANGE":return"pending";case"MARK_AUTOMATIC_CHANGE_FINAL":return"pending"===e?"final":void 0;case"SELECTION_CHANGE":return"final"!==e?e:void 0;case"START_TYPING":case"STOP_TYPING":return e}},highlightedBlock:function(e,t){switch(t.type){case"TOGGLE_BLOCK_HIGHLIGHT":const{clientId:n,isHighlighted:r}=t;return r?n:e===n?null:e;case"SELECT_BLOCK":if(t.clientId!==e)return null}return e},lastBlockInserted:function(e={},t){var n;switch(t.type){case"INSERT_BLOCKS":if(!t.blocks.length)return e;return{clientId:t.blocks[0].clientId,source:null===(n=t.meta)||void 0===n?void 0:n.source};case"RESET_BLOCKS":return{}}return e}}),Qg={OS:"web",select:e=>"web"in e?e.web:e.default},Zg=(0,et.createElement)(po,{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24"},(0,et.createElement)(uo,{x:"0",fill:"none",width:"24",height:"24"}),(0,et.createElement)(lo,null,(0,et.createElement)(co,{d:"M19 3H5c-1.105 0-2 .895-2 2v14c0 1.105.895 2 2 2h14c1.105 0 2-.895 2-2V5c0-1.105-.895-2-2-2zM6 6h5v5H6V6zm4.5 13C9.12 19 8 17.88 8 16.5S9.12 14 10.5 14s2.5 1.12 2.5 2.5-1.12 2.5-2.5 2.5zm3-6l3-5 3 5h-6z"}))),eb=[];function tb(e,t){const n=e.blocks.byClientId[t],r="core/social-link";if("web"!==Qg.OS&&(null==n?void 0:n.name)===r){const n=e.blocks.attributes[t],{service:o}=n;return o?`core/social-link-${o}`:r}return n?n.name:null}function nb(e,t){const n=e.blocks.byClientId[t];return!!n&&n.isValid}function rb(e,t){return e.blocks.byClientId[t]?e.blocks.attributes[t]:null}const ob=hr(((e,t)=>{const n=e.blocks.byClientId[t];return n?{...n,attributes:rb(e,t),innerBlocks:Wv(e,t)?eb:ib(e,t)}:null}),((e,t)=>[e.blocks.cache[t]])),ab=hr(((e,t)=>{const n=e.blocks.byClientId[t];return n?{...n,attributes:rb(e,t)}:null}),((e,t)=>[e.blocks.byClientId[t],e.blocks.attributes[t]])),ib=hr(((e,t)=>(0,ot.map)(jb(e,t),(t=>ob(e,t)))),((e,t)=>(0,ot.map)(e.blocks.order[t||""],(t=>e.blocks.cache[t])))),sb=hr(((e,t)=>{const n=e.blocks.byClientId[t];return n?{...n,attributes:rb(e,t),innerBlocks:lb(e,t)}:null}),(e=>[e.blocks.byClientId,e.blocks.order,e.blocks.attributes])),lb=hr(((e,t="")=>(0,ot.map)(jb(e,t),(t=>sb(e,t)))),(e=>[e.blocks.byClientId,e.blocks.order,e.blocks.attributes])),cb=hr(((e,t)=>({clientId:t,innerBlocks:ub(e,t)})),(e=>[e.blocks.order])),ub=hr(((e,t="")=>(0,ot.map)(jb(e,t),(t=>cb(e,t)))),(e=>[e.blocks.order])),db=(e,t)=>(0,ot.flatMap)(t,(t=>{const n=jb(e,t);return[...n,...db(e,n)]})),pb=hr((e=>{const t=jb(e);return[...t,...db(e,t)]}),(e=>[e.blocks.order])),mb=hr(((e,t)=>{const n=pb(e);return t?(0,ot.reduce)(n,((n,r)=>e.blocks.byClientId[r].name===t?n+1:n),0):n.length}),(e=>[e.blocks.order,e.blocks.byClientId])),fb=hr(((e,t)=>(0,ot.map)((0,ot.castArray)(t),(t=>ob(e,t)))),(e=>[e.blocks.byClientId,e.blocks.order,e.blocks.attributes]));function hb(e,t){return jb(e,t).length}function gb(e){return e.selection.selectionStart}function bb(e){return e.selection.selectionEnd}function vb(e){return e.selection.selectionStart.clientId}function yb(e){return e.selection.selectionEnd.clientId}function _b(e){const t=Db(e).length;return t||(e.selection.selectionStart.clientId?1:0)}function Mb(e){const{selectionStart:t,selectionEnd:n}=e.selection;return!!t.clientId&&t.clientId===n.clientId}function kb(e){const{selectionStart:t,selectionEnd:n}=e.selection,{clientId:r}=t;return r&&r===n.clientId?r:null}function wb(e){const t=kb(e);return t?ob(e,t):null}function Eb(e,t){return void 0!==e.blocks.parents[t]?e.blocks.parents[t]:null}const Lb=hr(((e,t,n=!1)=>{const r=[];let o=t;for(;e.blocks.parents[o];)o=e.blocks.parents[o],r.push(o);return n?r:r.reverse()}),(e=>[e.blocks.parents])),Ab=hr(((e,t,n,r=!1)=>{const o=Lb(e,t,r);return(0,ot.map)((0,ot.filter)((0,ot.map)(o,(t=>({id:t,name:tb(e,t)}))),(({name:e})=>Array.isArray(n)?n.includes(e):e===n)),(({id:e})=>e))}),(e=>[e.blocks.parents]));function Sb(e,t){let n,r=t;do{n=r,r=e.blocks.parents[r]}while(r);return n}function Cb(e,t){const n=kb(e),r=[...Lb(e,t),t],o=[...Lb(e,n),n];let a;const i=Math.min(r.length,o.length);for(let e=0;e{const{selectionStart:t,selectionEnd:n}=e.selection;if(void 0===t.clientId||void 0===n.clientId)return eb;if(t.clientId===n.clientId)return[t.clientId];const r=Eb(e,t.clientId);if(null===r)return eb;const o=jb(e,r),a=o.indexOf(t.clientId),i=o.indexOf(n.clientId);return a>i?o.slice(i,a+1):o.slice(a,i+1)}),(e=>[e.blocks.order,e.selection.selectionStart.clientId,e.selection.selectionEnd.clientId]));function Db(e){const{selectionStart:t,selectionEnd:n}=e.selection;return t.clientId===n.clientId?eb:Nb(e)}const Bb=hr((e=>{const t=Db(e);return t.length?t.map((t=>ob(e,t))):eb}),(e=>[...Nb.getDependants(e),e.blocks.byClientId,e.blocks.order,e.blocks.attributes]));function Ib(e){return(0,ot.first)(Db(e))||null}function Pb(e){return(0,ot.last)(Db(e))||null}function Rb(e,t){return Ib(e)===t}function Yb(e,t){return-1!==Db(e).indexOf(t)}const Wb=hr(((e,t)=>{let n=t,r=!1;for(;n&&!r;)n=Eb(e,n),r=Yb(e,n);return r}),(e=>[e.blocks.order,e.selection.selectionStart.clientId,e.selection.selectionEnd.clientId]));function Hb(e){const{selectionStart:t,selectionEnd:n}=e.selection;return t.clientId===n.clientId?null:t.clientId||null}function qb(e){const{selectionStart:t,selectionEnd:n}=e.selection;return t.clientId===n.clientId?null:n.clientId||null}function jb(e,t){return e.blocks.order[t||""]||eb}function Fb(e,t,n){return jb(e,n).indexOf(t)}function Vb(e,t){const{selectionStart:n,selectionEnd:r}=e.selection;return n.clientId===r.clientId&&n.clientId===t}function Xb(e,t,n=!1){return(0,ot.some)(jb(e,t),(t=>Vb(e,t)||Yb(e,t)||n&&Xb(e,t,n)))}function Ub(e,t){if(!t)return!1;const n=Db(e),r=n.indexOf(t);return r>-1&&rtv(e,t)))}function rv(e){return e.isCaretWithinFormattedText}function ov(e){let t,n;const{insertionPoint:r,selection:{selectionEnd:o}}=e;if(null!==r)return r;const{clientId:a}=o;return a?(t=Eb(e,a)||void 0,n=Fb(e,o.clientId,t)+1):n=jb(e).length,{rootClientId:t,index:n}}function av(e){return null!==e.insertionPoint}function iv(e){return e.template.isValid}function sv(e){return e.settings.template}function lv(e,t){if(!t)return e.settings.templateLock;const n=Sv(e,t);return n?n.templateLock:null}const cv=(e,t,n=null)=>(0,ot.isBoolean)(e)?e:(0,ot.isArray)(e)?!(!e.includes("core/post-content")||null!==t)||e.includes(t):n,uv=(e,t,n=null)=>{let r;if(t&&"object"==typeof t?(r=t,t=r.name):r=Do(t),!r)return!1;const{allowedBlockTypes:o}=Cv(e);if(!cv(o,t,!0))return!1;if(!!lv(e,n))return!1;const a=Sv(e,n);if(n&&void 0===a)return!1;const i=null==a?void 0:a.allowedBlocks,s=cv(i,t),l=r.parent,c=tb(e,n),u=cv(l,c);return null!==s&&null!==u?s||u:null!==s?s:null===u||u},dv=hr(uv,((e,t,n)=>[e.blockListSettings[n],e.blocks.byClientId[n],e.settings.allowedBlockTypes,e.settings.templateLock]));function pv(e,t,n=null){return t.every((t=>dv(e,tb(e,t),n)))}function mv(e,t){var n,r;return null!==(n=null===(r=e.preferences.insertUsage)||void 0===r?void 0:r[t])&&void 0!==n?n:null}const fv=(e,t,n)=>!!Po(t,"inserter",!0)&&uv(e,t.name,n),hv=(e,t)=>n=>{const r=`${t.id}/${n.name}`,{time:o,count:a=0}=mv(e,r)||{};return{...t,id:r,icon:n.icon||t.icon,title:n.title||t.title,description:n.description||t.description,category:n.category||t.category,example:n.hasOwnProperty("example")?n.example:t.example,initialAttributes:{...t.initialAttributes,...n.attributes},innerBlocks:n.innerBlocks,keywords:n.keywords||t.keywords,frecency:gv(o,a)}},gv=(e,t)=>{if(!e)return t;const n=Date.now()-e;switch(!0){case n<36e5:return 4*t;case n<864e5:return 2*t;case n<6048e5:return t/2;default:return t/4}},bv=(e,{buildScope:t="inserter"})=>n=>{const r=n.name;let o=!1;Po(n.name,"multiple",!0)||(o=(0,ot.some)(fb(e,pb(e)),{name:n.name}));const{time:a,count:i=0}=mv(e,r)||{},s={id:r,name:n.name,title:n.title,icon:n.icon,isDisabled:o,frecency:gv(a,i)};if("transform"===t)return s;const l=n.variations.filter((({scope:e})=>!e||e.includes("inserter")));return{...s,initialAttributes:{},description:n.description,category:n.category,keywords:n.keywords,variations:l,example:n.example,utility:1}},vv=hr(((e,t=null)=>{const n=bv(e,{buildScope:"inserter"}),r=Bo().filter((n=>fv(e,n,t))).map(n),o=uv(e,"core/block",t)?Bv(e).map((t=>{const n=`core/block/${t.id}`,r=zv(e,t.id);let o;1===r.length&&(o=Do(r[0].name));const{time:a,count:i=0}=mv(e,n)||{},s=gv(a,i);return{id:n,name:"core/block",initialAttributes:{ref:t.id},title:t.title.raw,icon:o?o.icon:Zg,category:"reusable",keywords:[],isDisabled:!1,utility:1,frecency:s}})):[],a=r.filter((({variations:e=[]})=>!e.some((({isDefault:e})=>e)))),i=[];for(const t of r){const{variations:n=[]}=t;if(n.length){const r=hv(e,t);i.push(...n.map(r))}}return[...[...a,...i].sort(((e,t)=>{const n="core/",r=e.name.startsWith(n),o=t.name.startsWith(n);return r&&o?0:r&&!o?-1:1})),...o]}),((e,t)=>[e.blockListSettings[t],e.blocks.byClientId,e.blocks.order,e.preferences.insertUsage,e.settings.allowedBlockTypes,e.settings.templateLock,Bv(e),Bo()])),yv=hr(((e,t,n=null)=>{const r=bv(e,{buildScope:"transform"}),o=Bo().filter((t=>fv(e,t,n))).map(r),a=(0,ot.mapKeys)(o,(({name:e})=>e)),i=Uo(t).reduce(((e,t)=>(a[null==t?void 0:t.name]&&e.push(a[t.name]),e)),[]);return(0,ot.orderBy)(i,(e=>a[e.name].frecency),"desc")}),((e,t)=>[e.blockListSettings[t],e.blocks.byClientId,e.preferences.insertUsage,e.settings.allowedBlockTypes,e.settings.templateLock,Bo()])),_v=hr(((e,t=null)=>{if((0,ot.some)(Bo(),(n=>fv(e,n,t))))return!0;return uv(e,"core/block",t)&&Bv(e).length>0}),((e,t)=>[e.blockListSettings[t],e.blocks.byClientId,e.settings.allowedBlockTypes,e.settings.templateLock,Bv(e),Bo()])),Mv=hr(((e,t=null)=>{if(t)return(0,ot.filter)(Bo(),(n=>fv(e,n,t)))}),((e,t)=>[e.blockListSettings[t],e.blocks.byClientId,e.settings.allowedBlockTypes,e.settings.templateLock,Bo()])),kv=hr(((e,t)=>{const n=e.settings.__experimentalBlockPatterns.find((({name:e})=>e===t));return n?{...n,blocks:ts(n.content)}:null}),(e=>[e.settings.__experimentalBlockPatterns])),wv=hr((e=>{const t=e.settings.__experimentalBlockPatterns,{allowedBlockTypes:n}=Cv(e);return t.map((({name:t})=>kv(e,t))).filter((({blocks:e})=>((e,t)=>{if((0,ot.isBoolean)(t))return t;const n=[...e];for(;n.length>0;){var r;const e=n.shift();if(!cv(t,e.name||e.blockName,!0))return!1;null===(r=e.innerBlocks)||void 0===r||r.forEach((e=>{n.push(e)}))}return!0})(e,n)))}),(e=>[e.settings.__experimentalBlockPatterns,e.settings.allowedBlockTypes])),Ev=hr(((e,t=null)=>{const n=wv(e);return(0,ot.filter)(n,(({blocks:n})=>n.every((({name:n})=>dv(e,n,t)))))}),((e,t)=>[e.settings.__experimentalBlockPatterns,e.settings.allowedBlockTypes,e.settings.templateLock,e.blockListSettings[t],e.blocks.byClientId[t]])),Lv=hr(((e,t,n=null)=>{if(!t)return eb;const r=Ev(e,n),o=Array.isArray(t)?t:[t];return r.filter((e=>{var t,n;return null==e||null===(t=e.blockTypes)||void 0===t||null===(n=t.some)||void 0===n?void 0:n.call(t,(e=>o.includes(e)))}))}),((e,t)=>[...Ev.getDependants(e,t)])),Av=hr(((e,t,n=null)=>{if(!t)return eb;if(t.some((({clientId:t,innerBlocks:n})=>n.length||Wv(e,t))))return eb;const r=Array.from(new Set(t.map((({name:e})=>e))));return Lv(e,r,n)}),((e,t)=>[...Lv.getDependants(e,t)]));function Sv(e,t){return e.blockListSettings[t]}function Cv(e){return e.settings}function Tv(e){return e.blocks.isPersistentChange}const xv=hr(((e,t=[])=>t.reduce(((t,n)=>e.blockListSettings[n]?{...t,[n]:e.blockListSettings[n]}:t),{})),(e=>[e.blockListSettings])),zv=hr(((e,t)=>{const n=(0,ot.find)(Bv(e),(e=>e.id===t));return n?ts("string"==typeof n.content.raw?n.content.raw:n.content):null}),(e=>[Bv(e)])),Ov=hr(((e,t)=>{var n;const r=(0,ot.find)(Bv(e),(e=>e.id===t));return r?null===(n=r.title)||void 0===n?void 0:n.raw:null}),(e=>[Bv(e)]));function Nv(e){return e.blocks.isIgnoredChange}function Dv(e){return e.lastBlockAttributesChange}function Bv(e){var t,n;return null!==(t=null==e||null===(n=e.settings)||void 0===n?void 0:n.__experimentalReusableBlocks)&&void 0!==t?t:eb}function Iv(e){return e.isNavigationMode}function Pv(e){return e.hasBlockMovingClientId}function Rv(e){return!!e.automaticChangeStatus}function Yv(e,t){return e.highlightedBlock===t}function Wv(e,t){return!!e.blocks.controlledInnerBlocks[t]}const Hv=hr(((e,t)=>{if(!t.length)return null;const n=kb(e);if(t.includes(tb(e,n)))return n;const r=Db(e),o=Ab(e,n||r[0],t);return o?(0,ot.last)(o):null}),((e,t)=>[e.selection.selectionStart.clientId,e.selection.selectionEnd.clientId,t]));function qv(e,t,n){const{lastBlockInserted:r}=e;return r.clientId===t&&r.source===n}function jv(e="polite"){const t=document.createElement("div");t.id=`a11y-speak-${e}`,t.className="a11y-speak-region",t.setAttribute("style","position: absolute;margin: -1px;padding: 0;height: 1px;width: 1px;overflow: hidden;clip: rect(1px, 1px, 1px, 1px);-webkit-clip-path: inset(50%);clip-path: inset(50%);border: 0;word-wrap: normal !important;"),t.setAttribute("aria-live",e),t.setAttribute("aria-relevant","additions text"),t.setAttribute("aria-atomic","true");const{body:n}=document;return n&&n.appendChild(t),t}let Fv="";var Vv;function Xv(e,t){!function(){const e=document.getElementsByClassName("a11y-speak-region"),t=document.getElementById("a11y-speak-intro-text");for(let t=0;t]+>/g," "),Fv===e&&(e+=" "),Fv=e,e}(e);const n=document.getElementById("a11y-speak-intro-text"),r=document.getElementById("a11y-speak-assertive"),o=document.getElementById("a11y-speak-polite");r&&"assertive"===t?r.textContent=e:o&&(o.textContent=e),n&&n.removeAttribute("hidden")}Vv=function(){const e=document.getElementById("a11y-speak-intro-text"),t=document.getElementById("a11y-speak-assertive"),n=document.getElementById("a11y-speak-polite");null===e&&function(){const e=document.createElement("p");e.id="a11y-speak-intro-text",e.className="a11y-speak-intro-text",e.textContent=Zn("Notifications"),e.setAttribute("style","position: absolute;margin: -1px;padding: 0;height: 1px;width: 1px;overflow: hidden;clip: rect(1px, 1px, 1px, 1px);-webkit-clip-path: inset(50%);clip-path: inset(50%);border: 0;word-wrap: normal !important;"),e.setAttribute("hidden","hidden");const{body:t}=document;t&&t.appendChild(e)}(),null===t&&jv("assertive"),null===n&&jv("polite")},"undefined"!=typeof document&&("complete"!==document.readyState&&"interactive"!==document.readyState?document.addEventListener("DOMContentLoaded",Vv):Vv());const Uv=it()({formatTypes:function(e={},t){switch(t.type){case"ADD_FORMAT_TYPES":return{...e,...(0,ot.keyBy)(t.formatTypes,"name")};case"REMOVE_FORMAT_TYPES":return(0,ot.omit)(e,t.names)}return e}}),$v=hr((e=>Object.values(e.formatTypes)),(e=>[e.formatTypes]));function Kv(e,t){return e.formatTypes[t]}function Gv(e,t){return(0,ot.find)($v(e),(({className:e,tagName:n})=>null===e&&t===n))}function Jv(e,t){return(0,ot.find)($v(e),(({className:e})=>null!==e&&` ${t} `.indexOf(` ${e} `)>=0))}function Qv(e){return{type:"ADD_FORMAT_TYPES",formatTypes:(0,ot.castArray)(e)}}function Zv(e){return{type:"REMOVE_FORMAT_TYPES",names:(0,ot.castArray)(e)}}const ey=Gt("core/rich-text",{reducer:Uv,selectors:m,actions:f});function ty(e,t){if(e===t)return!0;if(!e||!t)return!1;if(e.type!==t.type)return!1;const n=e.attributes,r=t.attributes;if(n===r)return!0;if(!n||!r)return!1;const o=Object.keys(n),a=Object.keys(r);if(o.length!==a.length)return!1;const i=o.length;for(let e=0;e{const r=t[n-1];if(r){const o=e.slice();o.forEach(((e,t)=>{const n=r[t];ty(e,n)&&(o[t]=n)})),t[n]=o}})),{...e,formats:t}}function ry(e,t,n){return(e=e.slice())[t]=n,e}function oy(e,t,n=e.start,r=e.end){const{formats:o,activeFormats:a}=e,i=o.slice();if(n===r){const e=(0,ot.find)(i[n],{type:t.type});if(e){const o=i[n].indexOf(e);for(;i[n]&&i[n][o]===e;)i[n]=ry(i[n],o,t),n--;for(r++;i[r]&&i[r][o]===e;)i[r]=ry(i[r],o,t),r++}}else{let e=1/0;for(let o=n;oe!==t.type));const n=i[o].length;n0?{formats:Array(t.length),replacements:Array(t.length),text:t}:("string"==typeof n&&n.length>0&&(e=ay(document,n)),"object"!=typeof e?{formats:[],replacements:[],text:""}:o?vy({element:e,range:r,multilineTag:o,multilineWrapperTags:a,isEditableTree:i,preserveWhiteSpace:s}):by({element:e,range:r,isEditableTree:i,preserveWhiteSpace:s}))}function py(e,t,n,r){if(!n)return;const{parentNode:o}=t,{startContainer:a,startOffset:i,endContainer:s,endOffset:l}=n,c=e.text.length;void 0!==r.start?e.start=c+r.start:t===a&&t.nodeType===t.TEXT_NODE?e.start=c+i:o===a&&t===a.childNodes[i]?e.start=c:o===a&&t===a.childNodes[i-1]?e.start=c+r.text.length:t===a&&(e.start=c),void 0!==r.end?e.end=c+r.end:t===s&&t.nodeType===t.TEXT_NODE?e.end=c+l:o===s&&t===s.childNodes[l-1]?e.end=c+r.text.length:o===s&&t===s.childNodes[l]?e.end=c:t===s&&(e.end=c+l)}function my(e,t,n){if(!t)return;const{startContainer:r,endContainer:o}=t;let{startOffset:a,endOffset:i}=t;return e===r&&(a=n(e.nodeValue.slice(0,a)).length),e===o&&(i=n(e.nodeValue.slice(0,i)).length),{startContainer:r,startOffset:a,endContainer:o,endOffset:i}}function fy(e){return e.replace(/[\n\r\t]+/g," ")}const hy=new RegExp("\ufeff","g");function gy(e){return e.replace(hy,"")}function by({element:e,range:t,multilineTag:n,multilineWrapperTags:r,currentWrapperTags:o=[],isEditableTree:a,preserveWhiteSpace:i}){const s={formats:[],replacements:[],text:""};if(!e)return s;if(!e.hasChildNodes())return py(s,e,t,{formats:[],replacements:[],text:""}),s;const l=e.childNodes.length;for(let c=0;cgy(fy(e)));const n=e(l.nodeValue);py(s,l,t=my(l,t,e),{text:n}),s.formats.length+=n.length,s.replacements.length+=n.length,s.text+=n;continue}if(l.nodeType!==l.ELEMENT_NODE)continue;if(a&&(l.getAttribute("data-rich-text-placeholder")||"br"===u&&!l.getAttribute("data-rich-text-line-break"))){py(s,l,t,{formats:[],replacements:[],text:""});continue}if("script"===u){const e={formats:[,],replacements:[{type:u,attributes:{"data-rich-text-script":l.getAttribute("data-rich-text-script")||encodeURIComponent(l.innerHTML)}}],text:ly};py(s,l,t,e),iy(s,e);continue}if("br"===u){py(s,l,t,{formats:[],replacements:[],text:""}),iy(s,dy({text:"\n"}));continue}const d=s.formats[s.formats.length-1],p=d&&d[d.length-1],m=uy({type:u,attributes:yy({element:l})}),f=ty(m,p)?p:m;if(r&&-1!==r.indexOf(u)){const e=vy({element:l,range:t,multilineTag:n,multilineWrapperTags:r,currentWrapperTags:[...o,f],isEditableTree:a,preserveWhiteSpace:i});py(s,l,t,e),iy(s,e);continue}const h=by({element:l,range:t,multilineTag:n,multilineWrapperTags:r,isEditableTree:a,preserveWhiteSpace:i});if(py(s,l,t,h),f)if(0===h.text.length)f.attributes&&iy(s,{formats:[,],replacements:[f],text:ly});else{function e(t){if(e.formats===t)return e.newFormats;const n=t?[f,...t]:[f];return e.formats=t,e.newFormats=n,n}e.newFormats=[f],iy(s,{...h,formats:Array.from(h.formats,e)})}else iy(s,h)}return s}function vy({element:e,range:t,multilineTag:n,multilineWrapperTags:r,currentWrapperTags:o=[],isEditableTree:a,preserveWhiteSpace:i}){const s={formats:[],replacements:[],text:""};if(!e||!e.hasChildNodes())return s;const l=e.children.length;for(let c=0;c0)&&iy(s,{formats:[,],replacements:o.length>0?[o]:[,],text:sy}),py(s,l,t,u),iy(s,u)}return s}function yy({element:e}){if(!e.hasAttributes())return;const t=e.attributes.length;let n;for(let r=0;r({formats:e.formats.concat(t.formats,n),replacements:e.replacements.concat(t.replacements,r),text:e.text+t.text+o}))))}function xy(e,t,n=e.start,r=e.end){const{formats:o,activeFormats:a}=e,i=o.slice();if(n===r){const e=(0,ot.find)(i[n],{type:t});if(e){for(;(0,ot.find)(i[n],e);)zy(i,n,t),n--;for(r++;(0,ot.find)(i[r],e);)zy(i,r,t),r++}}else for(let e=n;ee!==n));r.length?e[t]=r:delete e[t]}function Oy(e,t,n=e.start,r=e.end){const{formats:o,replacements:a,text:i}=e;"string"==typeof t&&(t=dy({text:t}));const s=n+t.text.length;return ny({formats:o.slice(0,n).concat(t.formats,o.slice(r)),replacements:a.slice(0,n).concat(t.replacements,a.slice(r)),text:i.slice(0,n)+t.text+i.slice(r),start:s,end:s})}function Ny(e,t,n){return Oy(e,dy(),t,n)}function Dy({formats:e,replacements:t,text:n,start:r,end:o},a,i){return n=n.replace(a,((n,...a)=>{const s=a[a.length-2];let l,c,u=i;return"function"==typeof u&&(u=i(n,...a)),"object"==typeof u?(l=u.formats,c=u.replacements,u=u.text):(l=Array(u.length),c=Array(u.length),e[s]&&(l=l.fill(e[s]))),e=e.slice(0,s).concat(l,e.slice(s+n.length)),t=t.slice(0,s).concat(c,t.slice(s+n.length)),r&&(r=o=s+u.length),u})),ny({formats:e,replacements:t,text:n,start:r,end:o})}function By(e,t=e.start,n=e.end){const{formats:r,replacements:o,text:a}=e;return void 0===t||void 0===n?{...e}:{formats:r.slice(t,n),replacements:o.slice(t,n),text:a.slice(t,n)}}function Iy({formats:e,replacements:t,text:n,start:r,end:o},a){if("string"!=typeof a)return Py(...arguments);let i=0;return n.split(a).map((n=>{const s=i,l={formats:e.slice(s,s+n.length),replacements:t.slice(s,s+n.length),text:n};return i+=a.length+n.length,void 0!==r&&void 0!==o&&(r>=s&&rs&&(l.start=0),o>=s&&oi&&(l.end=n.length)),l}))}function Py({formats:e,replacements:t,text:n,start:r,end:o},a=r,i=o){if(void 0===r||void 0===o)return;const s={formats:e.slice(0,a),replacements:t.slice(0,a),text:n.slice(0,a)},l={formats:e.slice(i),replacements:t.slice(i),text:n.slice(i),start:0,end:0};return[Dy(s,/\u2028+$/,""),Dy(l,/^\u2028+/,"")]}function Ry(e,t){if(t)return e;const n={};for(const t in e){let r=t;t.startsWith("data-disable-rich-text-")&&(r=t.slice("data-disable-rich-text-".length)),n[r]=e[t]}return n}function Yy({type:e,attributes:t,unregisteredAttributes:n,object:r,boundaryClass:o,isEditableTree:a}){const i=(s=e,en(ey).getFormatType(s));var s;let l={};if(o&&(l["data-rich-text-format-boundary"]="true"),!i)return t&&(l={...t,...l}),{type:e,attributes:Ry(l,a),object:r};l={...n,...l};for(const e in t){const n=!!i.attributes&&i.attributes[e];n?l[n]=t[e]:l[e]=t[e]}return i.className&&(l.class?l.class=`${i.className} ${l.class}`:l.class=i.className),{type:i.tagName,object:i.object,attributes:Ry(l,a)}}function Wy(e,t,n){do{if(e[n]!==t[n])return!1}while(n--);return!0}function Hy({value:e,multilineTag:t,preserveWhiteSpace:n,createEmpty:r,append:o,getLastChild:a,getParent:i,isText:s,getText:l,remove:c,appendText:u,onStartIndex:d,onEndIndex:p,isEditableTree:m,placeholder:f}){const{formats:h,replacements:g,text:b,start:v,end:y}=e,_=h.length+1,M=r(),k={type:t},w=_y(e),E=w[w.length-1];let L,A,S;t?(o(o(M,{type:t}),""),A=L=[k]):o(M,"");for(let e=0;e<_;e++){const r=b.charAt(e),_=m&&(!S||S===sy||"\n"===S);let w=h[e];t&&(w=r===sy?L=(g[e]||[]).reduce(((e,t)=>(e.push(t,k),e)),[k]):[...L,...w||[]]);let C=a(M);if(_&&r===sy){let e=C;for(;!s(e);)e=a(e);o(i(e),"\ufeff")}if(S===sy){let t=C;for(;!s(t);)t=a(t);d&&v===e&&d(M,t),p&&y===e&&p(M,t)}w&&w.forEach(((e,t)=>{if(C&&A&&Wy(w,A,t)&&(r!==sy||w.length-1!==t))return void(C=a(C));const{type:n,attributes:u,unregisteredAttributes:d}=e,p=m&&r!==sy&&e===E,f=i(C),h=o(f,Yy({type:n,attributes:u,unregisteredAttributes:d,boundaryClass:p,isEditableTree:m}));s(C)&&0===l(C).length&&c(C),C=o(h,"")})),r!==sy?(0===e&&(d&&0===v&&d(M,C),p&&0===y&&p(M,C)),r===ly?(m||"script"!==g[e].type?C=o(i(C),Yy({...g[e],object:!0,isEditableTree:m})):(C=o(i(C),Yy({type:"script",isEditableTree:m})),o(C,{html:decodeURIComponent(g[e].attributes["data-rich-text-script"])})),C=o(i(C),"")):n||"\n"!==r?s(C)?u(C,r):C=o(i(C),r):(C=o(i(C),{type:"br",attributes:m?{"data-rich-text-line-break":"true"}:void 0,object:!0}),C=o(i(C),"")),d&&v===e+1&&d(M,C),p&&y===e+1&&p(M,C),_&&e===b.length&&(o(i(C),"\ufeff"),f&&0===b.length&&o(i(C),{type:"span",attributes:{"data-rich-text-placeholder":f,contenteditable:"false",style:"pointer-events:none;user-select:none;-webkit-user-select:none;-moz-user-select:none;-ms-user-select:none;"}})),A=w,S=r):(A=w,S=r)}return M}function qy({value:e,multilineTag:t,preserveWhiteSpace:n}){return Jy(Hy({value:e,multilineTag:t,preserveWhiteSpace:n,createEmpty:jy,append:Vy,getLastChild:Fy,getParent:Uy,isText:$y,getText:Ky,remove:Gy,appendText:Xy}).children)}function jy(){return{}}function Fy({children:e}){return e&&e[e.length-1]}function Vy(e,t){return"string"==typeof t&&(t={text:t}),t.parent=e,e.children=e.children||[],e.children.push(t),t}function Xy(e,t){e.text+=t}function Uy({parent:e}){return e}function $y({text:e}){return"string"==typeof e}function Ky({text:e}){return e}function Gy(e){const t=e.parent.children.indexOf(e);return-1!==t&&e.parent.children.splice(t,1),e}function Jy(e=[]){return e.map((e=>void 0!==e.html?e.html:void 0===e.text?function({type:e,attributes:t,object:n,children:r}){let o="";for(const e in t)Ba(e)&&(o+=` ${e}="${Da(t[e])}"`);return n?`<${e}${o}>`:`<${e}${o}>${Jy(r)}`}(e):Na(e.text.replace(/&/g,"&")))).join("")}function Qy(e,t){return My(e,t.type)?xy(e,t.type):oy(e,t)}function Zy(e){const t=wy(e);if(void 0===t)return!1;const{replacements:n}=e,r=wy(e,t),o=n[t]||[],a=n[r]||[];return o.length<=a.length}function e_(e){const{replacements:t,start:n}=e;return void 0!==t[wy(e,n)]}function t_(e,t){if(!Zy(e))return e;const n=wy(e),r=wy(e,n),{text:o,replacements:a,end:i}=e,s=a.slice(),l=function({text:e,replacements:t},n){const r=t[n]||[];let o=n;for(;o-- >=0;){if(e[o]!==sy)continue;const n=t[o]||[];if(n.length===r.length+1)return o;if(n.length<=r.length)return}}(e,n);for(let e=n;e=0;){if(e[o]!==sy)continue;if((t[o]||[]).length===r.length-1)return o}}function r_(e){if(!e_(e))return e;const{text:t,replacements:n,start:r,end:o}=e,a=wy(e,r),i=n.slice(0),s=n[n_(e,a)]||[],l=function({text:e,replacements:t},n){const r=t[n]||[];let o=n;for(let a=n||0;a=r.length))return o;o=a}return o}(e,wy(e,o));for(let e=a;e<=l;e++){if(t[e]!==sy)continue;const n=i[e]||[];i[e]=s.concat(n.slice(s.length+1)),0===i[e].length&&delete i[e]}return{...e,replacements:i}}function o_(e,t){const{text:n,replacements:r,start:o,end:a}=e,i=wy(e,o),s=r[i]||[],l=r[wy(e,a)]||[],c=n_(e,i),u=r.slice(),d=s.length-1,p=l.length-1;let m;for(let e=c+1||0;enp?e:t)))}return m?{...e,replacements:u}:e}function a_({ref:e,value:t,settings:n={}}){const{tagName:r,className:o,name:a}=n,i=a?My(t,a):void 0;return(0,et.useMemo)((()=>{if(!e.current)return;const{ownerDocument:{defaultView:t}}=e.current,n=t.getSelection();if(!n.rangeCount)return;const a=n.getRangeAt(0);if(!i)return a;let s=a.startContainer;for(s=s.nextElementSibling||s;s.nodeType!==s.ELEMENT_NODE;)s=s.parentNode;return s.closest(r+(o?"."+o:""))}),[i,t.start,t.end,r,o])}function i_(e,t){const n=(0,et.useRef)();return(0,et.useCallback)((t=>{t?n.current=e(t):n.current&&n.current()}),t)}function s_(e,t,n){const r=e.parentNode;let o=0;for(;e=e.previousSibling;)o++;return n=[o,...n],r!==t&&(n=s_(r,t,n)),n}function l_(e,t){for(t=[...t];e&&t.length>1;)e=e.childNodes[t.shift()];return{node:e,offset:t[0]}}function c_(e,t){"string"==typeof t&&(t=e.ownerDocument.createTextNode(t));const{type:n,attributes:r}=t;if(n){t=e.ownerDocument.createElement(n);for(const e in r)t.setAttribute(e,r[e])}return e.appendChild(t)}function u_(e,t){e.appendData(t)}function d_({lastChild:e}){return e}function p_({parentNode:e}){return e}function m_(e){return e.nodeType===e.TEXT_NODE}function f_({nodeValue:e}){return e}function h_(e){return e.parentNode.removeChild(e)}function g_({value:e,current:t,multilineTag:n,prepareEditableTree:r,__unstableDomOnly:o,placeholder:a}){const{body:i,selection:s}=function({value:e,multilineTag:t,prepareEditableTree:n,isEditableTree:r=!0,placeholder:o,doc:a=document}){let i=[],s=[];return n&&(e={...e,formats:n(e)}),{body:Hy({value:e,multilineTag:t,createEmpty:()=>ay(a,""),append:c_,getLastChild:d_,getParent:p_,isText:m_,getText:f_,remove:h_,appendText:u_,onStartIndex(e,t){i=s_(t,e,[t.nodeValue.length])},onEndIndex(e,t){s=s_(t,e,[t.nodeValue.length])},isEditableTree:r,placeholder:o}),selection:{startPath:i,endPath:s}}}({value:e,multilineTag:n,prepareEditableTree:r,placeholder:a,doc:t.ownerDocument});b_(i,t),void 0===e.start||o||function({startPath:e,endPath:t},n){const{node:r,offset:o}=l_(n,e),{node:a,offset:i}=l_(n,t),{ownerDocument:s}=n,{defaultView:l}=s,c=l.getSelection(),u=s.createRange();u.setStart(r,o),u.setEnd(a,i);const{activeElement:d}=s;if(c.rangeCount>0){if(p=u,m=c.getRangeAt(0),p.startContainer===m.startContainer&&p.startOffset===m.startOffset&&p.endContainer===m.endContainer&&p.endOffset===m.endOffset)return;c.removeAllRanges()}var p,m;c.addRange(u),d!==s.activeElement&&d instanceof l.HTMLElement&&d.focus()}(s,t)}function b_(e,t){let n,r=0;for(;n=e.firstChild;){const o=t.childNodes[r];if(o)if(o.isEqualNode(n))e.removeChild(n);else if(o.nodeName!==n.nodeName||o.nodeType===o.TEXT_NODE&&o.data!==n.data)t.replaceChild(n,o);else{const t=o.attributes,r=n.attributes;if(t){let e=t.length;for(;e--;){const{name:r}=t[e];n.getAttribute(r)||o.removeAttribute(r)}}if(r)for(let e=0;e{if(!n||!n.length)return;const e="*[data-rich-text-format-boundary]",r=t.current.querySelector(e);if(!r)return;const{ownerDocument:o}=r,{defaultView:a}=o,i=`${`.rich-text:focus ${e}`} {${`background-color: ${a.getComputedStyle(r).color.replace(")",", 0.2)").replace("rgb","rgba")}`}}`,s="rich-text-boundary-style";let l=o.getElementById(s);l||(l=o.createElement("style"),l.id=s,o.head.appendChild(l)),l.innerHTML!==i&&(l.innerHTML=i)}),[n]),t}function y_(e){const t=(0,et.useRef)(e);return t.current=e,i_((e=>{function n(n){const{record:r,multilineTag:o,preserveWhiteSpace:a}=t.current;if(Ay(r.current)||!e.contains(e.ownerDocument.activeElement))return;const i=By(r.current),s=ky(i),l=qy({value:i,multilineTag:o,preserveWhiteSpace:a});n.clipboardData.setData("text/plain",s),n.clipboardData.setData("text/html",l),n.clipboardData.setData("rich-text","true"),n.preventDefault()}return e.addEventListener("copy",n),()=>{e.removeEventListener("copy",n)}}),[])}const __=[];function M_(e){const[,t]=(0,et.useReducer)((()=>({}))),n=(0,et.useRef)(e);return n.current=e,i_((e=>{function r(r){const{keyCode:o,shiftKey:a,altKey:i,metaKey:s,ctrlKey:l}=r;if(a||i||s||l||o!==om&&o!==im)return;const{record:c,applyRecord:u}=n.current,{text:d,formats:p,start:m,end:f,activeFormats:h=[]}=c.current,g=Ay(c.current),{ownerDocument:b}=e,{defaultView:v}=b,{direction:y}=v.getComputedStyle(e),_="rtl"===y?im:om,M=r.keyCode===_;if(g&&0===h.length){if(0===m&&M)return;if(f===d.length&&!M)return}if(!g)return;const k=p[m-1]||__,w=p[m]||__;let E=h.length,L=w;if(k.length>w.length&&(L=k),k.lengthk.length&&E--):k.length>w.length&&(!M&&h.length>w.length&&E--,M&&h.length{e.removeEventListener("keydown",r)}}),[])}function k_(e){const t=(0,et.useRef)(e);return t.current=e,i_((e=>{function n(n){const{keyCode:r,shiftKey:o,altKey:a,metaKey:i,ctrlKey:s}=n,{multilineTag:l,createRecord:c,handleChange:u}=t.current;if(o||a||i||s||32!==r||"li"!==l)return;const d=c();if(!Ay(d))return;const{text:p,start:m}=d,f=p[m-1];f&&f!==sy||(u(t_(d,{type:e.tagName.toLowerCase()})),n.preventDefault())}return e.addEventListener("keydown",n),()=>{e.removeEventListener("keydown",n)}}),[])}const w_=new Set(["insertParagraph","insertOrderedList","insertUnorderedList","insertHorizontalRule","insertLink"]),E_=[];function L_(e){const t=(0,et.useRef)(e);return t.current=e,i_((e=>{const{ownerDocument:n}=e,{defaultView:r}=n;let o,a=!1;function i(e){if(a)return;let n;e&&(n=e.inputType);const{record:r,applyRecord:o,createRecord:i,handleChange:s}=t.current;if(n&&(0===n.indexOf("format")||w_.has(n)))return void o(r.current);const l=i(),{start:c,activeFormats:u=[]}=r.current;s(function({value:e,start:t,end:n,formats:r}){const o=e.formats[t-1]||[],a=e.formats[n]||[];for(e.activeFormats=r.map(((e,t)=>{if(o[t]){if(ty(e,o[t]))return o[t]}else if(a[t]&&ty(e,a[t]))return a[t];return e}));--n>=t;)e.activeFormats.length>0?e.formats[n]=e.activeFormats:delete e.formats[n];return e}({value:l,start:c,end:l.start,formats:u}))}function s(o){if(n.activeElement!==e)return;const{record:s,applyRecord:l,createRecord:c,isSelected:u,onSelectionChange:d}=t.current;if("selectionchange"!==o.type&&!u)return;if("true"!==e.contentEditable)return;if(a)return;const{start:p,end:m,text:f}=c(),h=s.current;if(f!==h.text)return void i();if(p===h.start&&m===h.end)return void(0===h.text.length&&0===p&&function(e){const t=e.getSelection(),{anchorNode:n,anchorOffset:r}=t;if(n.nodeType!==n.ELEMENT_NODE)return;const o=n.childNodes[r];o&&o.nodeType===o.ELEMENT_NODE&&o.getAttribute("data-rich-text-placeholder")&&t.collapseToStart()}(r));const g={...h,start:p,end:m,activeFormats:h._newActiveFormats,_newActiveFormats:void 0},b=_y(g,E_);g.activeFormats=b,s.current=g,l(g,{domOnly:!0}),d(p,m)}function l(){a=!0,n.removeEventListener("selectionchange",s)}function c(){a=!1,i({inputType:"insertText"}),n.addEventListener("selectionchange",s)}function u(){const{record:e,isSelected:a,onSelectionChange:i}=t.current;if(a)i(e.current.start,e.current.end);else{const t=void 0;e.current={...e.current,start:t,end:t,activeFormats:E_},i(t,t)}o=r.requestAnimationFrame(s),n.addEventListener("selectionchange",s)}function d(){n.removeEventListener("selectionchange",s)}return e.addEventListener("input",i),e.addEventListener("compositionstart",l),e.addEventListener("compositionend",c),e.addEventListener("focus",u),e.addEventListener("blur",d),e.addEventListener("keyup",s),e.addEventListener("mouseup",s),e.addEventListener("touchend",s),()=>{e.removeEventListener("input",i),e.removeEventListener("compositionstart",l),e.removeEventListener("compositionend",c),e.removeEventListener("focus",u),e.removeEventListener("blur",d),e.removeEventListener("keyup",s),e.removeEventListener("mouseup",s),e.removeEventListener("touchend",s),n.removeEventListener("selectionchange",s),r.cancelAnimationFrame(o)}}),[])}function A_(e,t=!0){const{replacements:n,text:r,start:o,end:a}=e,i=Ay(e);let s,l=o-1,c=i?o-1:o,u=a;if(t||(l=a,c=o,u=i?a+1:a),r[l]===sy){if(i&&n[l]&&n[l].length){const t=n.slice();t[l]=n[l].slice(0,-1),s={...e,replacements:t}}else s=Ny(e,c,u);return s}}function S_(e){const t=(0,et.useRef)(e);return t.current=e,i_((e=>{function n(e){const{keyCode:n}=e,{createRecord:r,handleChange:o,multilineTag:a}=t.current;if(e.defaultPrevented)return;if(n!==lm&&n!==tm)return;const i=r(),{start:s,end:l,text:c}=i,u=n===tm;if(0===s&&0!==l&&l===c.length)return o(Ny(i)),void e.preventDefault();if(a){let t;t=u&&0===i.start&&0===i.end&&Cy(i)?A_(i,!u):A_(i,u),t&&(o(t),e.preventDefault())}}return e.addEventListener("keydown",n),()=>{e.removeEventListener("keydown",n)}}),[])}const C_={SLEEP:({duration:e})=>new Promise((t=>{setTimeout(t,e)})),MARK_AUTOMATIC_CHANGE_FINAL_CONTROL:At((e=>()=>{const{requestIdleCallback:t=(e=>setTimeout(e,100))}=window;t((()=>e.dispatch(DM).__unstableMarkAutomaticChangeFinal()))}))},T_="core/block-editor";function*x_(){if(0===(yield xt.select(T_,"getBlockCount"))){const{__unstableHasCustomAppender:e}=yield xt.select(T_,"getSettings");if(e)return;return yield bM()}}function*z_(e){return yield{type:"RESET_BLOCKS",blocks:e},yield*O_(e)}function*O_(e){const t=yield xt.select(T_,"getTemplate"),n=yield xt.select(T_,"getTemplateLock"),r=!t||"all"!==n||dl(e,t);if(r!==(yield xt.select(T_,"isValidTemplate")))return yield rM(r),r}function N_(e,t,n){return{type:"RESET_SELECTION",selectionStart:e,selectionEnd:t,initialPosition:n}}function D_(e){return{type:"RECEIVE_BLOCKS",blocks:e}}function B_(e,t,n=!1){return{type:"UPDATE_BLOCK_ATTRIBUTES",clientIds:(0,ot.castArray)(e),attributes:t,uniqueByBlock:n}}function I_(e,t){return{type:"UPDATE_BLOCK",clientId:e,updates:t}}function P_(e,t=0){return{type:"SELECT_BLOCK",initialPosition:t,clientId:e}}function*R_(e){const t=yield xt.select(T_,"getPreviousBlockClientId",e);if(t)return yield P_(t,-1),[t]}function*Y_(e){const t=yield xt.select(T_,"getNextBlockClientId",e);if(t)return yield P_(t),[t]}function W_(){return{type:"START_MULTI_SELECT"}}function H_(){return{type:"STOP_MULTI_SELECT"}}function*q_(e,t){if((yield xt.select(T_,"getBlockRootClientId",e))!==(yield xt.select(T_,"getBlockRootClientId",t)))return;yield{type:"MULTI_SELECT",start:e,end:t};const n=yield xt.select(T_,"getSelectedBlockCount");Xv(dn(tr("%s block selected.","%s blocks selected.",n),n),"assertive")}function j_(){return{type:"CLEAR_SELECTED_BLOCK"}}function F_(e=!0){return{type:"TOGGLE_SELECTION",isSelectionEnabled:e}}function V_(e,t){var n,r;const o=null!==(n=null==t||null===(r=t.__experimentalPreferredStyleVariations)||void 0===r?void 0:r.value)&&void 0!==n?n:{};return e.map((e=>{var t;const n=e.name;if(!Po(n,"defaultStylePicker",!0))return e;if(!o[n])return e;const r=null===(t=e.attributes)||void 0===t?void 0:t.className;if(null!=r&&r.includes("is-style-"))return e;const{attributes:a={}}=e,i=o[n];return{...e,attributes:{...a,className:`${r||""} is-style-${i}`.trim()}}}))}function*X_(e,t,n,r=0,o){e=(0,ot.castArray)(e),t=V_((0,ot.castArray)(t),yield xt.select(T_,"getSettings"));const a=yield xt.select(T_,"getBlockRootClientId",(0,ot.first)(e));for(let e=0;e({clientIds:(0,ot.castArray)(t),type:e,rootClientId:n})}const K_=$_("MOVE_BLOCKS_DOWN"),G_=$_("MOVE_BLOCKS_UP");function*J_(e,t="",n="",r){const o=yield xt.select(T_,"getTemplateLock",t);if("all"===o)return;const a={type:"MOVE_BLOCKS_TO_POSITION",fromRootClientId:t,toRootClientId:n,clientIds:e,index:r};if(t===n)return void(yield a);if("insert"===o)return;(yield xt.select(T_,"canInsertBlocks",e,n))&&(yield a)}function*Q_(e,t="",n="",r){yield J_([e],t,n,r)}function Z_(e,t,n,r=!0,o){return eM([e],t,n,r,0,o)}function*eM(e,t,n,r=!0,o=0,a){(0,ot.isObject)(o)&&(a=o,o=0,Hp("meta argument in wp.data.dispatch('core/block-editor')",{since:"10.1",plugin:"Gutenberg",hint:"The meta argument is now the 6th argument of the function"})),e=V_((0,ot.castArray)(e),yield xt.select(T_,"getSettings"));const i=[];for(const t of e){(yield xt.select(T_,"canInsertBlockType",t.name,n))&&i.push(t)}if(i.length)return{type:"INSERT_BLOCKS",blocks:i,index:t,rootClientId:n,time:Date.now(),updateSelection:r,initialPosition:r?o:null,meta:a}}function tM(e,t,n={}){const{__unstableWithInserter:r}=n;return{type:"SHOW_INSERTION_POINT",rootClientId:e,index:t,__unstableWithInserter:r}}function nM(){return{type:"HIDE_INSERTION_POINT"}}function rM(e){return{type:"SET_TEMPLATE_VALIDITY",isValid:e}}function*oM(){yield{type:"SYNCHRONIZE_TEMPLATE"};const e=pl(yield xt.select(T_,"getBlocks"),yield xt.select(T_,"getTemplate"));return yield z_(e)}function*aM(e,t){const n=[e,t];yield{type:"MERGE_BLOCKS",blocks:n};const[r,o]=n,a=yield xt.select(T_,"getBlock",r),i=Do(a.name);if(!i.merge)return void(yield P_(a.clientId));const s=yield xt.select(T_,"getBlock",o),l=Do(s.name),{clientId:c,attributeKey:u,offset:d}=yield xt.select(T_,"getSelectionStart"),p=(c===r?i:l).attributes[u],m=(c===r||c===o)&&void 0!==u&&void 0!==d&&!!p;p||("number"==typeof u?window.console.error("RichText needs an identifier prop that is the block attribute key of the attribute it controls. Its type is expected to be a string, but was "+typeof u):window.console.error("The RichText identifier prop does not match any attributes defined by the block."));const f=jo(a),h=jo(s);if(m){const e=c===r?f:h,t=e.attributes[u],{multiline:n,__unstableMultilineWrapperTags:o,__unstablePreserveWhiteSpace:a}=p,i=Oy(dy({html:t,multilineTag:n,multilineWrapperTags:o,preserveWhiteSpace:a}),"†",d,d);e.attributes[u]=qy({value:i,multilineTag:n,preserveWhiteSpace:a})}const g=a.name===s.name?[h]:Go(h,a.name);if(!g||!g.length)return;const b=i.merge(f.attributes,g[0].attributes);if(m){const e=(0,ot.findKey)(b,(e=>"string"==typeof e&&-1!==e.indexOf("†"))),t=b[e],{multiline:n,__unstableMultilineWrapperTags:r,__unstablePreserveWhiteSpace:o}=i.attributes[e],s=dy({html:t,multilineTag:n,multilineWrapperTags:r,preserveWhiteSpace:o}),l=s.text.indexOf("†"),c=qy({value:Ny(s,l,l+1),multilineTag:n,preserveWhiteSpace:o});b[e]=c,yield gM(a.clientId,e,l,l)}yield*X_([a.clientId,s.clientId],[{...a,attributes:{...a.attributes,...b}},...g.slice(1)])}function*iM(e,t=!0){if(!e||!e.length)return;e=(0,ot.castArray)(e);const n=yield xt.select(T_,"getBlockRootClientId",e[0]);if(yield xt.select(T_,"getTemplateLock",n))return;let r;r=t?yield R_(e[0]):yield xt.select(T_,"getPreviousBlockClientId",e[0]),yield{type:"REMOVE_BLOCKS",clientIds:e};const o=yield*x_();return[r||o]}function sM(e,t){return iM([e],t)}function lM(e,t,n=!1,r=0){return{type:"REPLACE_INNER_BLOCKS",rootClientId:e,blocks:t,updateSelection:n,initialPosition:n?r:null,time:Date.now()}}function cM(e){return{type:"TOGGLE_BLOCK_MODE",clientId:e}}function uM(){return{type:"START_TYPING"}}function dM(){return{type:"STOP_TYPING"}}function pM(e=[]){return{type:"START_DRAGGING_BLOCKS",clientIds:e}}function mM(){return{type:"STOP_DRAGGING_BLOCKS"}}function fM(){return{type:"ENTER_FORMATTED_TEXT"}}function hM(){return{type:"EXIT_FORMATTED_TEXT"}}function gM(e,t,n,r){return{type:"SELECTION_CHANGE",clientId:e,attributeKey:t,startOffset:n,endOffset:r}}function bM(e,t,n){const r=No();if(!r)return;return Z_(Wo(r,e),n,t)}function vM(e,t){return{type:"UPDATE_BLOCK_LIST_SETTINGS",clientId:e,settings:t}}function yM(e){return{type:"UPDATE_SETTINGS",settings:e}}function _M(e,t){return{type:"SAVE_REUSABLE_BLOCK_SUCCESS",id:e,updatedId:t}}function MM(){return{type:"MARK_LAST_CHANGE_AS_PERSISTENT"}}function kM(){return{type:"MARK_NEXT_CHANGE_AS_NOT_PERSISTENT"}}function*wM(){yield{type:"MARK_AUTOMATIC_CHANGE"},yield{type:"MARK_AUTOMATIC_CHANGE_FINAL_CONTROL"}}function EM(){return{type:"MARK_AUTOMATIC_CHANGE_FINAL"}}function*LM(e=!0){yield{type:"SET_NAVIGATION_MODE",isNavigationMode:e},Xv(Zn(e?"You are currently in navigation mode. Navigate blocks using the Tab key and Arrow keys. Use Left and Right Arrow keys to move between nesting levels. To exit navigation mode and edit the selected block, press Enter.":"You are currently in edit mode. To return to the navigation mode, press Escape."))}function*AM(e=null){yield{type:"SET_BLOCK_MOVING_MODE",hasBlockMovingClientId:e},e&&Xv(Zn("Use the Tab key and Arrow keys to choose new block location. Use Left and Right Arrow keys to move between nesting levels. Once location is selected press Enter or Space to move the block."))}function*SM(e,t=!0){if(!e&&!e.length)return;const n=yield xt.select(T_,"getBlocksByClientId",e),r=yield xt.select(T_,"getBlockRootClientId",e[0]);if((0,ot.some)(n,(e=>!e)))return;const o=n.map((e=>e.name));if((0,ot.some)(o,(e=>!Po(e,"multiple",!0))))return;const a=yield xt.select(T_,"getBlockIndex",(0,ot.last)((0,ot.castArray)(e)),r),i=n.map((e=>qo(e)));return yield eM(i,a+1,r,t),i.length>1&&t&&(yield q_((0,ot.first)(i).clientId,(0,ot.last)(i).clientId)),i.map((e=>e.clientId))}function*CM(e){if(!e)return;const t=yield xt.select(T_,"getBlockRootClientId",e);if(yield xt.select(T_,"getTemplateLock",t))return;const n=yield xt.select(T_,"getBlockIndex",e,t);return yield bM({},t,n)}function*TM(e){if(!e)return;const t=yield xt.select(T_,"getBlockRootClientId",e);if(yield xt.select(T_,"getTemplateLock",t))return;const n=yield xt.select(T_,"getBlockIndex",e,t);return yield bM({},t,n+1)}function xM(e,t){return{type:"TOGGLE_BLOCK_HIGHLIGHT",clientId:e,isHighlighted:t}}function*zM(e){yield xM(e,!0),yield{type:"SLEEP",duration:150},yield xM(e,!1)}function OM(e,t){return{type:"SET_HAS_CONTROLLED_INNER_BLOCKS",hasControlledInnerBlocks:t,clientId:e}}const NM={reducer:Jg,selectors:p,actions:h,controls:C_},DM=Gt(T_,{...NM,persist:["preferences"]});function BM(){const{isSelected:e,clientId:t,name:n}=Ig(),r=Cl((r=>{if(e)return;const{getBlockName:o,isFirstMultiSelectedBlock:a,getMultiSelectedBlockClientIds:i}=r(DM);return!!a(t)&&i().every((e=>o(e)===n))}),[t,e,n]);return e||r}nn(T_,{...NM,persist:["preferences"]});const IM={default:df("BlockControls"),block:df("BlockControlsBlock"),inline:df("BlockFormatControls"),other:df("BlockControlsOther")};function PM({group:e="default",controls:t,children:n}){if(!BM())return null;const r=IM[e].Fill;return(0,et.createElement)(Rp,{document},(0,et.createElement)(r,null,(r=>{const o=(0,ot.isEmpty)(r)?null:r;return(0,et.createElement)(Yp.Provider,{value:o},"default"===e&&(0,et.createElement)(Ng,{controls:t}),n)})))}function RM({group:e="default",...t}){const n=(0,et.useContext)(Yp),r=IM[e].Slot,o=tf(r.__unstableName);return Boolean(o.fills&&o.fills.length)?"default"===e?(0,et.createElement)(r,rt({},t,{bubblesVirtually:!0,fillProps:n})):(0,et.createElement)(Ng,null,(0,et.createElement)(r,rt({},t,{bubblesVirtually:!0,fillProps:n}))):null}const YM=PM;YM.Slot=RM;const WM=YM;const HM=(0,et.forwardRef)((function(e,t){return(0,et.useContext)(Yp)?(0,et.createElement)(yg,rt({ref:t},e.toggleProps),(t=>(0,et.createElement)(zg,rt({},e,{popoverProps:{isAlternate:!0,...e.popoverProps},toggleProps:t})))):(0,et.createElement)(zg,e)})),qM=(0,et.createElement)(po,{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24"},(0,et.createElement)(co,{d:"M4 9v6h14V9H4zm8-4.8H4v1.5h8V4.2zM4 19.8h8v-1.5H4v1.5z"})),jM=(0,et.createElement)(po,{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24"},(0,et.createElement)(co,{d:"M5 15h14V9H5v6zm0 4.8h14v-1.5H5v1.5zM5 4.2v1.5h14V4.2H5z"})),FM=(0,et.createElement)(po,{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24"},(0,et.createElement)(co,{d:"M6 15h14V9H6v6zm6-10.8v1.5h8V4.2h-8zm0 15.6h8v-1.5h-8v1.5z"})),VM=(0,et.createElement)(po,{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24"},(0,et.createElement)(co,{d:"M5 9v6h14V9H5zm11-4.8H8v1.5h8V4.2zM8 19.8h8v-1.5H8v1.5z"})),XM=(0,et.createElement)(po,{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24"},(0,et.createElement)(co,{d:"M5 4v11h14V4H5zm3 15.8h8v-1.5H8v1.5z"}));function UM(e,t=""){return e.split(",").map((e=>`.editor-styles-wrapper ${e} ${t}`)).join(",")}const $M={name:"flex",label:Zn("Flex"),edit:()=>null,save:function({selector:e}){return(0,et.createElement)("style",null,`${UM(e)} {\n display: flex;\n column-gap: 0.5em;\n align-items: center;\n }`)},getOrientation:()=>"horizontal",getAlignments:()=>[]},KM="web"===Qg.OS,GM={px:{value:"px",label:KM?"px":Zn("Pixels (px)"),default:"",a11yLabel:Zn("Pixels (px)"),step:1},percent:{value:"%",label:KM?"%":Zn("Percentage (%)"),default:"",a11yLabel:Zn("Percent (%)"),step:.1},em:{value:"em",label:KM?"em":Zn("Relative to parent font size (em)"),default:"",a11yLabel:er("ems","Relative to parent font size (em)"),step:.01},rem:{value:"rem",label:KM?"rem":Zn("Relative to root font size (rem)"),default:"",a11yLabel:er("rems","Relative to root font size (rem)"),step:.01},vw:{value:"vw",label:KM?"vw":Zn("Viewport width (vw)"),default:"",a11yLabel:Zn("Viewport width (vw)"),step:.1},vh:{value:"vh",label:KM?"vh":Zn("Viewport height (vh)"),default:"",a11yLabel:Zn("Viewport height (vh)"),step:.1},vmin:{value:"vmin",label:KM?"vmin":Zn("Viewport smallest dimension (vmin)"),default:"",a11yLabel:Zn("Viewport smallest dimension (vmin)"),step:.1},vmax:{value:"vmax",label:KM?"vmax":Zn("Viewport largest dimension (vmax)"),default:"",a11yLabel:Zn("Viewport largest dimension (vmax)"),step:.1},ch:{value:"ch",label:KM?"ch":Zn("Width of the zero (0) character (ch)"),default:"",a11yLabel:Zn("Width of the zero (0) character (ch)"),step:.01},ex:{value:"ex",label:KM?"ex":Zn("x-height of the font (ex)"),default:"",a11yLabel:Zn("x-height of the font (ex)"),step:.01},cm:{value:"cm",label:KM?"cm":Zn("Centimeters (cm)"),default:"",a11yLabel:Zn("Centimeters (cm)"),step:.001},mm:{value:"mm",label:KM?"mm":Zn("Millimeters (mm)"),default:"",a11yLabel:Zn("Millimeters (mm)"),step:.1},in:{value:"in",label:KM?"in":Zn("Inches (in)"),default:"",a11yLabel:Zn("Inches (in)"),step:.001},pc:{value:"pc",label:KM?"pc":Zn("Picas (pc)"),default:"",a11yLabel:Zn("Picas (pc)"),step:1},pt:{value:"pt",label:KM?"pt":Zn("Points (pt)"),default:"",a11yLabel:Zn("Points (pt)"),step:1}},JM=Object.values(GM),QM=[GM.px,GM.percent,GM.em,GM.rem,GM.vw,GM.vh],ZM=GM.px;function ek(e){return!(0,ot.isEmpty)(e)&&!1!==e}function tk(e,t=JM){const n=String(e).trim();let r=parseFloat(n,10);r=isNaN(r)?"":r;const o=n.match(/[\d.\-\+]*\s*(.*)/)[1];let a=void 0!==o?o:"";if(a=a.toLowerCase(),ek(t)){const e=t.find((e=>e.value===a));a=null==e?void 0:e.value}else a=ZM.value;return[r,a]}function nk(e,t,n,r){const[o,a]=tk(e,t);let i,s=o;var l;((isNaN(o)||""===o)&&(s=n),i=a||r,ek(t)&&!i)&&(i=null===(l=t[0])||void 0===l?void 0:l.value);return[s,i]}const rk=({units:e,availableUnits:t,defaultValues:n})=>{const r=function(e=[],t=[]){return t.filter((t=>e.includes(t.value)))}(t||[],e=e||JM);return n&&r.forEach(((e,t)=>{n[e.value]&&(r[t].default=n[e.value])})),0!==r.length&&r},ok=e=>e,ak={_event:{},error:null,initialValue:"",isDirty:!1,isDragEnabled:!1,isDragging:!1,isPressEnterToChange:!1,value:""},ik={CHANGE:"CHANGE",COMMIT:"COMMIT",DRAG_END:"DRAG_END",DRAG_START:"DRAG_START",DRAG:"DRAG",INVALIDATE:"INVALIDATE",PRESS_DOWN:"PRESS_DOWN",PRESS_ENTER:"PRESS_ENTER",PRESS_UP:"PRESS_UP",RESET:"RESET",UPDATE:"UPDATE"},sk=ik;const lk=(...e)=>(...t)=>e.reduceRight(((e,n)=>{const r=n(...t);return(0,ot.isEmpty)(r)?e:{...e,...r}}),{});function ck(e=ok,t=ak){const[n,r]=(0,et.useReducer)((o=e,(e,t)=>{const n={...e},{type:r,payload:a}=t;switch(r){case ik.PRESS_UP:case ik.PRESS_DOWN:n.isDirty=!1;break;case ik.DRAG_START:n.isDragging=!0;break;case ik.DRAG_END:n.isDragging=!1;break;case ik.CHANGE:n.error=null,n.value=a.value,e.isPressEnterToChange&&(n.isDirty=!0);break;case ik.COMMIT:n.value=a.value,n.isDirty=!1;break;case ik.RESET:n.error=null,n.isDirty=!1,n.value=a.value||e.initialValue;break;case ik.UPDATE:n.value=a.value,n.isDirty=!1;break;case ik.INVALIDATE:n.error=a.error}return a.event&&(n._event=a.event),o(n,t)}),function(e=ak){const{value:t}=e;return{...ak,...e,initialValue:t}}(t));var o;const a=e=>(t,n)=>{n&&n.persist&&n.persist(),r({type:e,payload:{value:t,event:n}})},i=e=>t=>{t&&t.persist&&t.persist(),r({type:e,payload:{event:t}})},s=e=>t=>{r({type:e,payload:t})},l=a(ik.CHANGE),c=a(ik.INVALIDATE),u=a(ik.RESET),d=a(ik.COMMIT),p=a(ik.UPDATE),m=s(ik.DRAG_START),f=s(ik.DRAG),h=s(ik.DRAG_END),g=i(ik.PRESS_UP),b=i(ik.PRESS_DOWN),v=i(ik.PRESS_ENTER);return{change:l,commit:d,dispatch:r,drag:f,dragEnd:h,dragStart:m,invalidate:c,pressDown:b,pressEnter:v,pressUp:g,reset:u,state:n,update:p}}n(8679);function uk(){for(var e=arguments.length,t=new Array(e),n=0;n(0,ot.mapKeys)(e,((e,t)=>function(e){return"left"===e?"right":"right"===e?"left":dk.test(e)?e.replace(dk,"-right"):pk.test(e)?e.replace(pk,"-left"):mk.test(e)?e.replace(mk,"Right"):fk.test(e)?e.replace(fk,"Left"):e}(t)));function gk(e={},t){return()=>t?nr()?uk(t,""):uk(e,""):nr()?uk(hk(e),""):uk(e,"")}function bk(e="",t=1){const{r:n,g:r,b:o}=ho()(e).toRgb();return`rgba(${n}, ${r}, ${o}, ${t})`}const vk={black:"#000",white:"#fff"},yk={blue:{medium:{focus:"#007cba",focusDark:"#fff"}},gray:{900:"#1e1e1e",700:"#757575",600:"#949494",400:"#ccc",200:"#ddd",100:"#f0f0f0"},darkGray:{primary:"#1e1e1e",heading:"#050505"},mediumGray:{text:"#757575"},lightGray:{ui:"#949494",secondary:"#ccc",tertiary:"#e7e8e9"}},_k={900:"#191e23",800:"#23282d",700:"#32373c",600:"#40464d",500:"#555d66",400:"#606a73",300:"#6c7781",200:"#7e8993",150:"#8d96a0",100:"#8f98a1",placeholder:bk(yk.gray[900],.62)},Mk={900:bk("#000510",.9),800:bk("#00000a",.85),700:bk("#06060b",.8),600:bk("#000913",.75),500:bk("#0a1829",.7),400:bk("#0a1829",.65),300:bk("#0e1c2e",.62),200:bk("#162435",.55),100:bk("#223443",.5),backgroundFill:bk(_k[700],.7)},kk={900:bk("#304455",.45),800:bk("#425863",.4),700:bk("#667886",.35),600:bk("#7b86a2",.3),500:bk("#9197a2",.25),400:bk("#95959c",.2),300:bk("#829493",.15),200:bk("#8b8b96",.1),100:bk("#747474",.05)},wk={900:"#a2aab2",800:"#b5bcc2",700:"#ccd0d4",600:"#d7dade",500:"#e2e4e7",400:"#e8eaeb",300:"#edeff0",200:"#f3f4f5",100:"#f8f9f9",placeholder:bk(vk.white,.65)},Ek={900:bk(vk.white,.5),800:bk(vk.white,.45),700:bk(vk.white,.4),600:bk(vk.white,.35),500:bk(vk.white,.3),400:bk(vk.white,.25),300:bk(vk.white,.2),200:bk(vk.white,.15),100:bk(vk.white,.1),backgroundFill:bk(wk[300],.8)},Lk={wordpress:{700:"#00669b"},dark:{900:"#0071a1"},medium:{900:"#006589",800:"#00739c",700:"#007fac",600:"#008dbe",500:"#00a0d2",400:"#33b3db",300:"#66c6e4",200:"#bfe7f3",100:"#e5f5fa",highlight:"#b3e7fe",focus:"#007cba"}},Ak={theme:`var( --wp-admin-theme-color, ${Lk.wordpress[700]})`,themeDark10:`var( --wp-admin-theme-color-darker-10, ${Lk.medium.focus})`},Sk={theme:Ak.theme,background:vk.white,backgroundDisabled:wk[200],border:yk.gray[700],borderHover:yk.gray[700],borderFocus:Ak.themeDark10,borderDisabled:yk.gray[400],borderLight:yk.gray[200],label:_k[500],textDisabled:_k[150],textDark:vk.white,textLight:vk.black},Ck={...vk,darkGray:(0,ot.merge)({},_k,yk.darkGray),darkOpacity:Mk,darkOpacityLight:kk,mediumGray:yk.mediumGray,gray:yk.gray,lightGray:(0,ot.merge)({},wk,yk.lightGray),lightGrayLight:Ek,blue:(0,ot.merge)({},Lk,yk.blue),alert:{yellow:"#f0b849",red:"#d94f4f",green:"#4ab866"},admin:Ak,ui:Sk},Tk=new WeakMap;function xk(e,t,n=""){return(0,et.useMemo)((()=>{if(n)return n;const r=function(e){const t=Tk.get(e)||0;return Tk.set(e,t+1),t}(e);return t?`${t}-${r}`:r}),[e])}const zk=["40em","52em","64em"],Ok=(e={})=>{const{defaultIndex:t=0}=e;if("number"!=typeof t)throw new TypeError(`Default breakpoint index should be a number. Got: ${t}, ${typeof t}`);if(t<0||t>zk.length-1)throw new RangeError(`Default breakpoint index out of range. Theme has ${zk.length} breakpoints, got index ${t}`);const[n,r]=(0,et.useState)(t);return(0,et.useEffect)((()=>{const e=()=>{const e=zk.filter((e=>"undefined"!=typeof window&&window.matchMedia(`screen and (min-width: ${e})`).matches)).length;n!==e&&r(e)};return e(),"undefined"!=typeof document&&document.addEventListener("resize",e),()=>{"undefined"!=typeof document&&document.removeEventListener("resize",e)}}),[n]),n};function Nk(e){var t,n;if(void 0===e)return;if(!e)return"0";const r="number"==typeof e?e:Number(e);return null!==(t=(n=CSS).supports)&&void 0!==t&&t.call(n,"margin",e.toString())||Number.isNaN(r)?e.toString():`calc(4px * ${e})`}const Dk={name:"zjik7",styles:"display:flex"},Bk={name:"qgaee5",styles:"display:block;max-height:100%;max-width:100%;min-height:0;min-width:0"},Ik={name:"82a6rk",styles:"flex:1"},Pk={name:"13nosa1",styles:">*{min-height:0;}"},Rk={name:"1pwxzk4",styles:">*{min-width:0;}"};function Yk(e){const{align:t="center",className:n,direction:r="row",expanded:o=!0,gap:a=2,justify:i="space-between",wrap:s=!1,...l}=qf(function({isReversed:e,...t}){return void 0!==e?(Hp("Flex isReversed",{alternative:'Flex direction="row-reverse" or "column-reverse"',since:"5.9"}),{...t,direction:e?"row-reverse":"row"}):t}(e),"Flex"),c=function(e,t={}){const n=Ok(t);if(!Array.isArray(e)&&"function"!=typeof e)return e;const r=e||[];return r[n>=r.length?r.length-1:n]}(Array.isArray(r)?r:[r]),u="string"==typeof c&&!!c.includes("column"),d="string"==typeof c&&c.includes("reverse"),p=Hf();return{...l,className:(0,et.useMemo)((()=>{const e={};return e.Base=uk({alignItems:u?"normal":t,flexDirection:c,flexWrap:s?"wrap":void 0,justifyContent:i,height:u&&o?"100%":void 0,width:!u&&o?"100%":void 0,marginBottom:s?`calc(${Nk(a)} * -1)`:void 0},"",""),e.Items=uk({"> * + *:not(marquee)":{marginTop:u?Nk(a):void 0,marginRight:!u&&d?Nk(a):void 0,marginLeft:u||d?void 0:Nk(a)}},"",""),e.WrapItems=uk({"> *:not(marquee)":{marginBottom:Nk(a),marginLeft:!u&&d?Nk(a):void 0,marginRight:u||d?void 0:Nk(a)},"> *:last-child:not(marquee)":{marginLeft:!u&&d?0:void 0,marginRight:u||d?void 0:0}},"",""),p(Dk,e.Base,s?e.WrapItems:e.Items,u?Pk:Rk,n)}),[t,n,c,o,a,u,d,i,s]),isColumn:u}}const Wk=(0,et.createContext)({flexItemDisplay:void 0});const Hk=jf((function(e,t){const{children:n,isColumn:r,...o}=Yk(e);return(0,et.createElement)(Wk.Provider,{value:{flexItemDisplay:r?"block":void 0}},(0,et.createElement)(Zf,rt({},o,{ref:t}),n))}),"Flex"),qk=({as:e,name:t,useHook:n,memo:r=!1})=>{function o(t,r){const o=n(t);return(0,et.createElement)(Zf,rt({as:e||"div"},o,{ref:r}))}return o.displayName=t,jf(o,t,{memo:r})};function jk(e){const{className:t,display:n,isBlock:r=!1,...o}=qf(e,"FlexItem"),a={},i=(0,et.useContext)(Wk).flexItemDisplay;a.Base=uk({display:n||i},"","");return{...o,className:Hf()(Bk,a.Base,r&&Ik,t)}}const Fk=qk({as:"div",useHook:jk,name:"FlexItem"});const Vk={name:"hdknak",styles:"display:block;overflow:hidden;text-overflow:ellipsis;white-space:nowrap"},Xk="…",Uk={auto:"auto",head:"head",middle:"middle",tail:"tail",none:"none"},$k={ellipsis:Xk,ellipsizeMode:Uk.auto,limit:0,numberOfLines:0};function Kk(e="",t){const n={...$k,...t},{ellipsis:r,ellipsizeMode:o,limit:a}=n;if(o===Uk.none)return e;let i,s;switch(o){case Uk.head:i=0,s=a;break;case Uk.middle:i=Math.floor(a/2),s=Math.floor(a/2);break;default:i=a,s=0}return o!==Uk.auto?function(e,t,n,r){if("string"!=typeof e)return"";const o=e.length,a=~~t,i=~~n,s=(0,ot.isNil)(r)?Xk:r;return 0===a&&0===i||a>=o||i>=o||a+i>=o?e:0===i?e.slice(0,a)+s:e.slice(0,a)+s+e.slice(o-i)}(e,i,s,r):e}let Gk;const Jk=sn()((function(e){var t,n;if("string"!=typeof e)return"";if("string"==typeof(n=e)&&ho()(n).isValid())return e;if(!e.includes("var("))return"";if("undefined"==typeof document)return"";const r=function(){if("undefined"!=typeof document){if(!Gk){const e=document.createElement("div");e.setAttribute("data-g2-color-computation-node",""),document.body.appendChild(e),Gk=e}return Gk}}();if(!r)return"";r.style.background=e;const o=null===(t=window)||void 0===t?void 0:t.getComputedStyle(r).background;return r.style.background="",o||""}));function Qk(e){return"#000000"===function(e){const t=Jk(e);return ho().isReadable(t,"#000000")?"#000000":"#ffffff"}(e)?"dark":"light"}const Zk="36px",ew="12px",tw={controlSurfaceColor:Ck.white,controlTextActiveColor:Ck.ui.theme,controlPaddingX:ew,controlPaddingXLarge:"calc(12px * 1.3334)",controlPaddingXSmall:"calc(12px / 1.3334)",controlBackgroundColor:Ck.white,controlBorderRadius:"2px",controlBorderColor:Ck.gray[700],controlBoxShadow:"transparent",controlBorderColorHover:Ck.gray[700],controlBoxShadowFocus:`0 0 0, 0.5px, ${Ck.admin.theme}`,controlDestructiveBorderColor:Ck.alert.red,controlHeight:Zk,controlHeightXSmall:"calc( 36px * 0.6 )",controlHeightSmall:"calc( 36px * 0.8 )",controlHeightLarge:"calc( 36px * 1.2 )",controlHeightXLarge:"calc( 36px * 1.4 )"},nw={segmentedControlBackgroundColor:tw.controlBackgroundColor,segmentedControlBorderColor:Ck.ui.border,segmentedControlBackdropBackgroundColor:tw.controlSurfaceColor,segmentedControlBackdropBorderColor:Ck.ui.border,segmentedControlBackdropBoxShadow:"transparent",segmentedControlButtonColorActive:tw.controlBackgroundColor},rw={...tw,...nw,colorDivider:"rgba(0, 0, 0, 0.1)",colorScrollbarThumb:"rgba(0, 0, 0, 0.2)",colorScrollbarThumbHover:"rgba(0, 0, 0, 0.5)",colorScrollbarTrack:"rgba(0, 0, 0, 0.04)",elevationIntensity:1,radiusBlockUi:"2px",borderWidth:"1px",borderWidthFocus:"1.5px",borderWidthTab:"4px",spinnerSize:"18px",fontSize:"13px",fontSizeH1:"calc(2.44 * 13px)",fontSizeH2:"calc(1.95 * 13px)",fontSizeH3:"calc(1.56 * 13px)",fontSizeH4:"calc(1.25 * 13px)",fontSizeH5:"13px",fontSizeH6:"calc(0.8 * 13px)",fontSizeInputMobile:"16px",fontSizeMobile:"15px",fontSizeSmall:"calc(0.92 * 13px)",fontSizeXSmall:"calc(0.75 * 13px)",fontLineHeightBase:"1.2",fontWeight:"normal",fontWeightHeading:"600",gridBase:"4px",cardBorderRadius:"2px",cardPaddingXSmall:`${Nk(2)}`,cardPaddingSmall:`${Nk(4)}`,cardPaddingMedium:`${Nk(4)} ${Nk(6)}`,cardPaddingLarge:`${Nk(6)} ${Nk(8)}`,surfaceBackgroundColor:Ck.white,surfaceBackgroundSubtleColor:"#F3F3F3",surfaceBackgroundTintColor:"#F5F5F5",surfaceBorderColor:"rgba(0, 0, 0, 0.1)",surfaceBorderBoldColor:"rgba(0, 0, 0, 0.15)",surfaceBorderSubtleColor:"rgba(0, 0, 0, 0.05)",surfaceBackgroundTertiaryColor:Ck.white,surfaceColor:Ck.white,transitionDuration:"200ms",transitionDurationFast:"160ms",transitionDurationFaster:"120ms",transitionDurationFastest:"100ms",transitionTimingFunction:"cubic-bezier(0.08, 0.52, 0.52, 1)",transitionTimingFunctionControl:"cubic-bezier(0.12, 0.8, 0.32, 1)"};const ow=uk("color:",Ck.black,";line-height:",rw.fontLineHeightBase,";margin:0;",""),aw={name:"4zleql",styles:"display:block"},iw=uk("color:",Ck.alert.green,";",""),sw=uk("color:",Ck.alert.red,";",""),lw=uk("color:",Ck.mediumGray.text,";",""),cw=uk("mark{background:",Ck.alert.yellow,";border-radius:2px;box-shadow:0 0 0 1px rgba( 0, 0, 0, 0.05 ) inset,0 -1px 0 rgba( 0, 0, 0, 0.1 ) inset;}",""),uw={name:"50zrmy",styles:"text-transform:uppercase"};var dw=n(6928);const pw=sn()((e=>{const t={};for(const n in e)t[n.toLowerCase()]=e[n];return t}));const mw={body:13,caption:10,footnote:11,largeTitle:28,subheadline:12,title:20};[1,2,3,4,5,6].flatMap((e=>[e,e.toString()]));function fw(e=13){if(e in mw)return fw(mw[e]);if("number"!=typeof e){const t=parseFloat(e);if(Number.isNaN(t))return e;e=t}return`calc(${`(${e} / 13)`} * ${rw.fontSize})`}var hw={name:"50zrmy",styles:"text-transform:uppercase"};const gw=qk({as:"span",useHook:function(e){const{adjustLineHeightForInnerControls:t,align:n,children:r,className:o,color:a,ellipsizeMode:i,isDestructive:s=!1,display:l,highlightEscape:c=!1,highlightCaseSensitive:u=!1,highlightWords:d,highlightSanitize:p,isBlock:m=!1,letterSpacing:f,lineHeight:h,optimizeReadabilityFor:b,size:v,truncate:y=!1,upperCase:_=!1,variant:M,weight:k=rw.fontWeight,...w}=qf(e,"Text");let E=r;const L=Array.isArray(d),A="caption"===v;if(L){if("string"!=typeof r)throw new TypeError("`children` of `Text` must only be `string` types when `highlightWords` is defined");E=function({activeClassName:e="",activeIndex:t=-1,activeStyle:n,autoEscape:r,caseSensitive:o=!1,children:a,findChunks:i,highlightClassName:s="",highlightStyle:l={},highlightTag:c="mark",sanitize:u,searchWords:d=[],unhighlightClassName:p="",unhighlightStyle:m}){if(!a)return null;if("string"!=typeof a)return a;const f=a,h=(0,dw.findAll)({autoEscape:r,caseSensitive:o,findChunks:i,sanitize:u,searchWords:d,textToHighlight:f}),g=c;let b,v=-1,y="";return h.map(((r,a)=>{const i=f.substr(r.start,r.end-r.start);if(r.highlight){let r;v++,r="object"==typeof s?o?s[i]:(s=pw(s))[i.toLowerCase()]:s;const c=v===+t;y=`${r} ${c?e:""}`,b=!0===c&&null!==n?Object.assign({},l,n):l;const u={children:i,className:y,key:a,style:b};return"string"!=typeof g&&(u.highlightIndex=v),(0,et.createElement)(g,u)}return(0,et.createElement)("span",{children:i,className:p,key:a,style:m})}))}({autoEscape:c,children:r,caseSensitive:u,searchWords:d,sanitize:p})}const S=Hf();let C;!0===y&&(C="auto"),!1===y&&(C="none");const T=function(e){const{className:t,children:n,ellipsis:r=Xk,ellipsizeMode:o=Uk.auto,limit:a=0,numberOfLines:i=0,...s}=qf(e,"Truncate"),l=Hf(),c=Kk("string"==typeof n?n:"",{ellipsis:r,ellipsizeMode:o,limit:a,numberOfLines:i}),u=o===Uk.auto;return{...s,className:(0,et.useMemo)((()=>{const e={};return e.numberOfLines=uk("-webkit-box-orient:vertical;-webkit-line-clamp:",i,";display:-webkit-box;overflow:hidden;",""),l(u&&!i&&Vk,u&&!!i&&e.numberOfLines,t)}),[t,i,u]),children:c}}({...w,className:(0,et.useMemo)((()=>{const e={},r=function(e,t){if(t)return t;if(!e)return;let n=`calc(${rw.controlHeight} + ${Nk(2)})`;switch(e){case"large":n=`calc(${rw.controlHeightLarge} + ${Nk(2)})`;break;case"small":n=`calc(${rw.controlHeightSmall} + ${Nk(2)})`;break;case"xSmall":n=`calc(${rw.controlHeightXSmall} + ${Nk(2)})`}return n}(t,h);if(e.Base=uk({color:a,display:l,fontSize:fw(v),fontWeight:k,lineHeight:r,letterSpacing:f,textAlign:n},"",""),e.upperCase=hw,e.optimalTextColor=null,b){const t="dark"===Qk(b);e.optimalTextColor=uk(t?{color:Ck.black}:{color:Ck.white},"","")}return S(ow,e.Base,e.optimalTextColor,s&&sw,!!L&&cw,m&&aw,A&&lw,M&&g[M],_&&e.upperCase,o)}),[t,n,o,a,l,m,A,s,L,f,h,b,v,_,M,k]),children:r,ellipsizeMode:i||C});return!y&&Array.isArray(r)&&(E=et.Children.map(r,(e=>{if(!(0,ot.isPlainObject)(e)||!("props"in e))return e;return function(e,t){return!!e&&("string"==typeof t?Ff(e).includes(t):!!Array.isArray(t)&&t.some((t=>Ff(e).includes(t))))}(e,["Link"])?(0,et.cloneElement)(e,{size:e.props.size||"inherit"}):e}))),{...T,children:y?T.children:E}},name:"Text"});var bw={name:"1n8met0",styles:"padding-top:0"};const vw=()=>bw;var yw={name:"1739oy8",styles:"z-index:1"};const _w=({isFocused:e})=>e?yw:"";var Mw={name:"2o6p8u",styles:"justify-content:space-between"},kw={name:"14qk3ip",styles:"align-items:flex-start;flex-direction:column-reverse"},ww={name:"hbng6e",styles:"align-items:flex-start;flex-direction:column"};const Ew=({labelPosition:e})=>{switch(e){case"top":return ww;case"bottom":return kw;case"edge":return Mw;default:return""}},Lw=Jf(Hk,{target:"e1cr7zh17"})("position:relative;border-radius:2px;",vw," ",_w," ",Ew,";");var Aw={name:"wyxldh",styles:"margin:0 !important"};var Sw={name:"1d3w5wq",styles:"width:100%"};const Cw=Jf("div",{target:"e1cr7zh16"})("align-items:center;box-sizing:border-box;border-radius:inherit;display:flex;flex:1;position:relative;",(({disabled:e})=>uk({backgroundColor:e?Ck.ui.backgroundDisabled:Ck.ui.background},"",""))," ",(({hideLabel:e})=>e?Aw:null)," ",(({__unstableInputWidth:e,labelPosition:t})=>e?"side"===t?"":uk("edge"===t?{flex:`0 0 ${e}`}:{width:e},"",""):Sw),";");var Tw={name:"103r1kr",styles:"&::-webkit-input-placeholder{line-height:normal;}"};const xw=Jf("input",{target:"e1cr7zh15"})("&&&{background-color:transparent;box-sizing:border-box;border:none;box-shadow:none!important;color:",Ck.black,";display:block;margin:0;outline:none;padding-left:8px;padding-right:8px;width:100%;",(({isDragging:e,dragCursor:t})=>{let n="",r="";return e&&(n=uk("cursor:",t,";user-select:none;&::-webkit-outer-spin-button,&::-webkit-inner-spin-button{-webkit-appearance:none!important;margin:0!important;}","")),e&&t&&(r=uk("&:active{cursor:",t,";}","")),uk(n," ",r,";","")})," ",(({disabled:e})=>e?uk({color:Ck.ui.textDisabled},"",""):"")," ",(({size:e})=>{const t={default:"13px",small:"11px"}[e];return t?uk("font-size:","16px",";@media ( min-width: 600px ){font-size:",t,";}",""):""})," ",(({size:e})=>{const t={default:{height:30,lineHeight:1,minHeight:30},small:{height:24,lineHeight:1,minHeight:24}};return uk(t[e]||t.default,"","")})," ",(()=>Tw),";}");var zw={name:"1h52dri",styles:"overflow:hidden;text-overflow:ellipsis;white-space:nowrap"};const Ow=()=>zw,Nw=({labelPosition:e})=>{let t=4;return"edge"!==e&&"side"!==e||(t=0),uk({paddingTop:0,paddingBottom:t},"","")},Dw=Jf(gw,{target:"e1cr7zh14"})("&&&{box-sizing:border-box;color:currentColor;display:block;margin:0;max-width:100%;z-index:1;",Nw," ",Ow,";}"),Bw=e=>(0,et.createElement)(Dw,rt({},e,{as:"label"})),Iw=Jf(Fk,{target:"e1cr7zh13"})({name:"1b6uupn",styles:"max-width:calc( 100% - 10px )"}),Pw=Jf("div",{target:"e1cr7zh12"})("&&&{box-sizing:border-box;border-radius:inherit;bottom:0;left:0;margin:0;padding:0;pointer-events:none;position:absolute;right:0;top:0;",(({disabled:e,isFocused:t})=>{let n=t?Ck.ui.borderFocus:Ck.ui.border,r=null;return t&&(r=`0 0 0 1px ${Ck.ui.borderFocus} inset`),e&&(n=Ck.ui.borderDisabled),uk({boxShadow:r,borderColor:n,borderStyle:"solid",borderWidth:1},"","")})," ",gk({paddingLeft:2}),";}"),Rw=Jf("span",{target:"e1cr7zh11"})({name:"pvvbxf",styles:"box-sizing:border-box;display:block"}),Yw=Jf("span",{target:"e1cr7zh10"})({name:"pvvbxf",styles:"box-sizing:border-box;display:block"});const Ww=(0,et.memo)((function({disabled:e=!1,isFocused:t=!1}){return(0,et.createElement)(Pw,{"aria-hidden":"true",className:"components-input-control__backdrop",disabled:e,isFocused:t})}));function Hw({children:e,hideLabelFromVision:t,htmlFor:n,...r}){return e?t?(0,et.createElement)(eh,{as:"label",htmlFor:n},e):(0,et.createElement)(Bw,rt({htmlFor:n},r),e):null}function qw({__unstableInputWidth:e,children:t,className:n,disabled:r=!1,hideLabelFromVision:o=!1,labelPosition:a,id:i,isFocused:s=!1,label:l,prefix:c,size:u="default",suffix:d,...p},m){const f=function(e){const t=xk(qw);return e||`input-base-control-${t}`}(i),h=o||!l;return(0,et.createElement)(Lw,rt({},p,function({labelPosition:e}){const t={};switch(e){case"top":t.direction="column",t.gap=0;break;case"bottom":t.direction="column-reverse",t.gap=0;break;case"edge":t.justify="space-between"}return t}({labelPosition:a}),{className:n,isFocused:s,labelPosition:a,ref:m,__unstableVersion:"next"}),(0,et.createElement)(Iw,null,(0,et.createElement)(Hw,{className:"components-input-control__label",hideLabelFromVision:o,labelPosition:a,htmlFor:f,size:u},l)),(0,et.createElement)(Cw,{__unstableInputWidth:e,className:"components-input-control__container",disabled:r,hideLabel:h,isFocused:s,labelPosition:a},c&&(0,et.createElement)(Rw,{className:"components-input-control__prefix"},c),t,d&&(0,et.createElement)(Yw,{className:"components-input-control__suffix"},d),(0,et.createElement)(Ww,{"aria-hidden":"true",disabled:r,isFocused:s,label:l,size:u})))}const jw=(0,et.forwardRef)(qw);function Fw(e,t){return e.map((function(e,n){return e+t[n]}))}function Vw(e,t){return e.map((function(e,n){return e-t[n]}))}function Xw(e){return Math.hypot.apply(Math,e)}function Uw(e,t,n){var r=Xw(t),o=0===r?0:1/r,a=0===n?0:1/n,i=a*r,s=t.map((function(e){return a*e})),l=t.map((function(e){return o*e}));return{velocities:s,velocity:i,distance:Xw(e),direction:l}}function $w(e){return Math.sign?Math.sign(e):Number(e>0)-Number(e<0)||+e}function Kw(e,t,n){return 0===t||Math.abs(t)===1/0?function(e,t){return Math.pow(e,5*t)}(e,n):e*t*n/(t+n*e)}function Gw(e,t,n,r){return void 0===r&&(r=.15),0===r?function(e,t,n){return Math.max(t,Math.min(e,n))}(e,t,n):en?+Kw(e-n,n-t,r)+n:e}function Jw(e,t){for(var n=0;n=0||(o[n]=e[n]);return o}function tE(e){if(void 0===e)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return e}function nE(e,t){(null==t||t>e.length)&&(t=e.length);for(var n=0,r=new Array(t);n=e.length?{done:!0}:{done:!1,value:e[r++]}}}throw new TypeError("Invalid attempt to iterate non-iterable instance.\nIn order to be iterable, non-array objects must have a [Symbol.iterator]() method.")}return(n=e[Symbol.iterator]()).next.bind(n)}function oE(){}function aE(){for(var e=arguments.length,t=new Array(e),n=0;n1?t-1:0),r=1;r2?o-2:0),i=2;i0||o>0,i=Qw({},n.controller.state.shared,n.state,n.mapStateValues(n.state),{locked:!!document.pointerLockElement,touches:o,down:a}),s=n.handler(i);return n.state.memo=void 0!==s?s:n.state.memo,i},this.controller=e,this.args=t}var t,n,r,o=e.prototype;return o.updateSharedState=function(e){Object.assign(this.controller.state.shared,e)},o.updateGestureState=function(e){Object.assign(this.state,e)},o.checkIntentionality=function(e,t){return{_intentional:e,_blocked:!1}},o.getMovement=function(e){var t=this.config.rubberband,n=this.state,r=n._bounds,o=n._initial,a=n._active,i=n._intentional,s=n.lastOffset,l=n.movement,c=n._threshold,u=this.getInternalMovement(e,this.state),d=!1===i[0]?TE(u[0],c[0]):i[0],p=!1===i[1]?TE(u[1],c[1]):i[1],m=this.checkIntentionality([d,p],u);if(m._blocked)return Qw({},m,{_movement:u,delta:[0,0]});var f=m._intentional,h=u,g=[!1!==f[0]?u[0]-f[0]:0,!1!==f[1]?u[1]-f[1]:0],b=Fw(g,s),v=a?t:[0,0];return g=xE(r,Fw(g,o),v),Qw({},m,{intentional:!1!==f[0]||!1!==f[1],_initial:o,_movement:h,movement:g,values:e,offset:xE(r,b,v),delta:Vw(g,l)})},o.clean=function(){this.clearTimeout()},t=e,(n=[{key:"config",get:function(){return this.controller.config[this.stateKey]}},{key:"enabled",get:function(){return this.controller.config.enabled&&this.config.enabled}},{key:"state",get:function(){return this.controller.state[this.stateKey]}},{key:"handler",get:function(){return this.controller.handlers[this.stateKey]}},{key:"transform",get:function(){return this.config.transform||this.controller.config.transform||SE}}])&&Jw(t.prototype,n),r&&Jw(t,r),e}();function TE(e,t){return Math.abs(e)>=t&&$w(e)*t}function xE(e,t,n){var r=t[0],o=t[1],a=n[0],i=n[1],s=e[0],l=s[0],c=s[1],u=e[1],d=u[0],p=u[1];return[Gw(r,l,c,a),Gw(o,d,p,i)]}function zE(e,t,n){var r=e.state,o=t.timeStamp,a=t.type,i=r.values;return{_lastEventType:a,event:t,timeStamp:o,elapsedTime:n?0:o-r.startTime,previous:i}}function OE(e,t,n,r){var o=e.state,a=e.config,i=e.stateKey,s=e.args,l=e.transform,c=o.offset,u=n.timeStamp,d=a.initial,p=a.bounds,m=Vw(l(a.threshold),l([0,0])).map(Math.abs),f=Qw({},LE()[i],{_active:!0,args:s,values:t,initial:null!=r?r:t,_threshold:m,offset:c,lastOffset:c,startTime:u});return Qw({},f,{_initial:sE(d,f),_bounds:sE(p,f)})}var NE=function(e){var t=this;this.classes=e,this.pointerIds=new Set,this.touchIds=new Set,this.supportsTouchEvents=cE(),this.supportsGestureEvents=function(){try{return"constructor"in GestureEvent}catch(e){return!1}}(),this.bind=function(){for(var e=arguments.length,n=new Array(e),r=0;ro?"x":r0?t.setUpDelayedDragTrigger(e):t.startDrag(e,!0))},t.onDragChange=function(e){if(!t.state.canceled&&t.state._active&&t.isValidEvent(e)&&(t.state._lastEventType!==e.type||e.timeStamp!==t.state.timeStamp)){var n;if(document.pointerLockElement){var r=e.movementX,o=e.movementY;n=Fw(t.transform([r,o]),t.state.values)}else n=fE(e,t.transform);var a=t.getKinematics(n,e);if(!t.state._dragStarted){if(t.state._dragDelayed)return void t.startDrag(e);if(!t.shouldPreventWindowScrollY)return;if(t.state._dragPreventScroll||!a.axis)return;if("x"!==a.axis)return void(t.state._active=!1);t.startDrag(e)}var i=pE(e);t.updateSharedState(i);var s=zE(tE(t),e),l=Xw(a._movement),c=t.state._dragIsTap;c&&l>=3&&(c=!1),t.updateGestureState(Qw({},s,a,{_dragIsTap:c})),t.fireGestureHandler()}},t.onDragEnd=function(e){if(BE(t.controller,e),t.isValidEvent(e)&&(t.clean(),t.state._active)){t.state._active=!1;var n=t.state._dragIsTap,r=t.state.velocities,o=r[0],a=r[1],i=t.state.movement,s=i[0],l=i[1],c=t.state._intentional,u=c[0],d=c[1],p=t.config.swipeVelocity,m=p[0],f=p[1],h=t.config.swipeDistance,g=h[0],b=h[1],v=t.config.swipeDuration,y=Qw({},zE(tE(t),e),t.getMovement(t.state.values)),_=[0,0];y.elapsedTimem&&Math.abs(s)>g&&(_[0]=$w(o)),!1!==d&&Math.abs(a)>f&&Math.abs(l)>b&&(_[1]=$w(a))),t.updateSharedState({buttons:0}),t.updateGestureState(Qw({},y,{tap:n,swipe:_})),t.fireGestureHandler(t.config.filterTaps&&!0===n)}},t.clean=function(){e.prototype.clean.call(tE(t)),t.state._dragStarted=!1,t.releasePointerCapture(),IE(t.controller,t.stateKey)},t.onCancel=function(){t.state.canceled||(t.updateGestureState({canceled:!0,_active:!1}),t.updateSharedState({buttons:0}),setTimeout((function(){return t.fireGestureHandler()}),0))},t.onClick=function(e){t.state._dragIsTap||e.stopPropagation()},t}Zw(t,e);var n=t.prototype;return n.startDrag=function(e,t){void 0===t&&(t=!1),this.state._active&&!this.state._dragStarted&&(t||this.setStartState(e),this.updateGestureState({_dragStarted:!0,_dragPreventScroll:!0,cancel:this.onCancel}),this.clearTimeout(),this.fireGestureHandler())},n.addBindings=function(e){(this.config.useTouch?(qE(e,"onTouchStart",this.onDragStart),qE(e,"onTouchMove",this.onDragChange),qE(e,"onTouchEnd",this.onDragEnd),qE(e,"onTouchCancel",this.onDragEnd)):(qE(e,"onPointerDown",this.onDragStart),qE(e,"onPointerMove",this.onDragChange),qE(e,"onPointerUp",this.onDragEnd),qE(e,"onPointerCancel",this.onDragEnd)),this.config.filterTaps)&&qE(e,this.controller.config.eventOptions.capture?"onClick":"onClickCapture",this.onClick)},t}(UE);function GE(e,t){var n,r,o=[],a=!1;return function(){for(var i=arguments.length,s=new Array(i),l=0;l{if(n.current)return e();n.current=!0}),t)};const rL=(0,et.forwardRef)((function({disabled:e=!1,dragDirection:t="n",dragThreshold:n=10,id:r,isDragEnabled:o=!1,isFocused:a,isPressEnterToChange:i=!1,onBlur:s=ot.noop,onChange:l=ot.noop,onDrag:c=ot.noop,onDragEnd:u=ot.noop,onDragStart:d=ot.noop,onFocus:p=ot.noop,onKeyDown:m=ot.noop,onValidate:f=ot.noop,size:h="default",setIsFocused:g,stateReducer:b=(e=>e),value:v,type:y,..._},M){const{state:k,change:w,commit:E,drag:L,dragEnd:A,dragStart:S,invalidate:C,pressDown:T,pressEnter:x,pressUp:z,reset:O,update:N}=ck(b,{isDragEnabled:o,value:v,isPressEnterToChange:i}),{_event:D,value:B,isDragging:I,isDirty:P}=k,R=(0,et.useRef)(!1),Y=function(e,t){const n=function(e){let t="ns-resize";switch(e){case"n":case"s":t="ns-resize";break;case"e":case"w":t="ew-resize"}return t}(t);return(0,et.useEffect)((()=>{document.documentElement.style.cursor=e?n:null}),[e]),n}(I,t);nL((()=>{v!==B&&(a||R.current?P||(l(B,{event:D}),R.current=!1):N(v))}),[B,P,a,v]);const W=e=>{const t=e.target.value;try{f(t,e),E(t,e)}catch(t){C(t,e)}},H=function(e,t){void 0===t&&(t={}),AE.set("drag",KE);var n=(0,et.useRef)();return n.current||(n.current=GE(wE,QE)),VE({drag:e},n.current(t))}((e=>{const{distance:t,dragging:n,event:r}=e;if(r.persist(),t){if(r.stopPropagation(),!n)return u(e),void A(e);c(e),L(e),I||(d(e),S(e))}}),{threshold:n,enabled:o}),q=o?H():{};let j;return"number"===y&&(j=e=>{var t;null===(t=_.onMouseDown)||void 0===t||t.call(_,e),e.target!==e.target.ownerDocument.activeElement&&e.target.focus()}),(0,et.createElement)(xw,rt({},_,q,{className:"components-input-control__input",disabled:e,dragCursor:Y,isDragging:I,id:r,onBlur:e=>{s(e),g(!1),i&&P&&(R.current=!0,tL(B)?O(v):W(e))},onChange:e=>{const t=e.target.value;w(t,e)},onFocus:e=>{p(e),g(!0)},onKeyDown:e=>{const{keyCode:t}=e;switch(m(e),t){case am:z(e);break;case sm:T(e);break;case nm:x(e),i&&(e.preventDefault(),W(e))}},onMouseDown:j,ref:M,size:h,value:B,type:y}))}));function oL({__unstableStateReducer:e=(e=>e),__unstableInputWidth:t,className:n,disabled:r=!1,hideLabelFromVision:o=!1,id:a,isPressEnterToChange:i=!1,label:s,labelPosition:l="top",onChange:c=ot.noop,onValidate:u=ot.noop,onKeyDown:d=ot.noop,prefix:p,size:m="default",suffix:f,value:h,...g},b){const[v,y]=(0,et.useState)(!1),_=function(e){const t=xk(oL);return e||`inspector-input-control-${t}`}(a),M=io()("components-input-control",n);return(0,et.createElement)(jw,{__unstableInputWidth:t,className:M,disabled:r,gap:3,hideLabelFromVision:o,id:_,isFocused:v,justify:"left",label:s,labelPosition:l,prefix:p,size:m,suffix:f},(0,et.createElement)(rL,rt({},g,{className:"components-input-control__input",disabled:r,id:_,isFocused:v,isPressEnterToChange:i,onChange:c,onKeyDown:d,onValidate:u,ref:b,setIsFocused:y,size:m,stateReducer:e,value:h})))}const aL=(0,et.forwardRef)(oL);var iL={name:"1i0ft4y",styles:"&::-webkit-outer-spin-button,&::-webkit-inner-spin-button{-webkit-appearance:none!important;margin:0!important;}"};const sL=({hideHTMLArrows:e})=>e?iL:"",lL=Jf(aL,{target:"ep48uk90"})(sL,";");function cL(e){const t=Number(e);return isNaN(t)?0:t}function uL(...e){return e.reduce(((e,t)=>e+cL(t)),0)}function dL(e=0,t=1/0,n=1/0,r=1){const o=cL(e),a=cL(r),i=function(e){const t=(e+"").split(".");return void 0!==t[1]?t[1].length:0}(r),s=Math.round(o/a)*a,l=(0,ot.clamp)(s,t,n);return i?cL(l.toFixed(i)):l}const pL=function({isShiftStepEnabled:e=!0,shiftStep:t=10,step:n=1}){const[r,o]=(0,et.useState)(!1);return(0,et.useEffect)((()=>{const e=e=>{o(e.shiftKey)};return window.addEventListener("keydown",e),window.addEventListener("keyup",e),()=>{window.removeEventListener("keydown",e),window.removeEventListener("keyup",e)}}),[]),e&&r?t*n:n};const mL=(0,et.forwardRef)((function({__unstableStateReducer:e=(e=>e),className:t,dragDirection:n="n",hideHTMLArrows:r=!1,isDragEnabled:o=!0,isShiftStepEnabled:a=!0,label:i,max:s=1/0,min:l=-1/0,required:c=!1,shiftStep:u=10,step:d=1,type:p="number",value:m,...f},h){const g=dL(0,l,s,d),b=pL({step:d,shiftStep:u,isShiftStepEnabled:a}),v="number"===p?"off":null,y=io()("components-number-control",t);return(0,et.createElement)(lL,rt({autoComplete:v,inputMode:"numeric"},f,{className:y,dragDirection:n,hideHTMLArrows:r,isDragEnabled:o,label:i,max:s,min:l,ref:h,required:c,step:b,type:p,value:m,__unstableStateReducer:lk(((e,t)=>{const{type:r,payload:i}=t,p=null==i?void 0:i.event,m=e.value;if(r===sk.PRESS_UP||r===sk.PRESS_DOWN){const t=p.shiftKey&&a?parseFloat(u)*parseFloat(d):parseFloat(d);let n=tL(m)?g:m;null!=p&&p.preventDefault&&p.preventDefault(),r===sk.PRESS_UP&&(n=uL(n,t)),r===sk.PRESS_DOWN&&(n=function(...e){return e.reduce(((e,t,n)=>{const r=cL(t);return 0===n?r:e-r}),0)}(n,t)),n=dL(n,l,s,t),e.value=n}if(r===sk.DRAG&&o){const{delta:t,shiftKey:r}=i,[o,a]=t,c=r?parseFloat(u)*parseFloat(d):parseFloat(d);let p,f;switch(n){case"n":f=a,p=-1;break;case"e":f=o,p=nr()?-1:1;break;case"s":f=a,p=1;break;case"w":f=o,p=nr()?1:-1}const h=f*c*p;let g;0!==h&&(g=dL(uL(m,h),l,s,c),e.value=g)}if(r===sk.PRESS_ENTER||r===sk.COMMIT){const t=!1===c&&""===m;e.value=t?m:dL(m,l,s,d)}return e}),e)}))}));const fL=Jf("div",{target:"e1agakv03"})({name:"100d0a9",styles:"box-sizing:border-box;position:relative"}),hL=({disableUnits:e})=>uk(gk({paddingRight:e?3:24})(),";","");var gL={name:"1y65o8",styles:"&::-webkit-outer-spin-button,&::-webkit-inner-spin-button{-webkit-appearance:none;margin:0;}"};const bL=({disableUnits:e})=>e?"":gL,vL=Jf(mL,{target:"e1agakv02"})("&&&{input{appearance:none;-moz-appearance:textfield;display:block;width:100%;",bL,";",hL,";}}"),yL=e=>uk("appearance:none;background:transparent;border-radius:2px;border:none;box-sizing:border-box;color:",Ck.darkGray[500],";display:block;font-size:8px;line-height:1;letter-spacing:-0.5px;outline:none;padding:2px 1px;position:absolute;text-align-last:center;text-transform:uppercase;width:20px;",gk({borderTopLeftRadius:0,borderBottomLeftRadius:0})()," ",gk({right:0})()," ",(({size:e})=>uk({default:{height:28,lineHeight:"24px",minHeight:28,top:1},small:{height:22,lineHeight:"18px",minHeight:22,top:1}}[e],"",""))(e),";",""),_L=Jf("div",{target:"e1agakv01"})("&&&{pointer-events:none;",yL,";}"),ML=Jf("select",{target:"e1agakv00"})("&&&{",yL,";cursor:pointer;border:1px solid transparent;&:hover{background-color:",Ck.lightGray[300],";}&:focus{border-color:",Ck.ui.borderFocus,";outline:2px solid transparent;outline-offset:0;}&:disabled{cursor:initial;&:hover{background-color:transparent;}}}");function kL({className:e,isTabbable:t=!0,options:n=QM,onChange:r=ot.noop,size:o="default",value:a="px",...i}){if(!ek(n)||1===n.length)return(0,et.createElement)(_L,{className:"components-unit-control__unit-label",size:o},a);const s=io()("components-unit-control__select",e);return(0,et.createElement)(ML,rt({className:s,onChange:e=>{const{value:t}=e.target,o=n.find((e=>e.value===t));r(t,{event:e,data:o})},size:o,tabIndex:t?null:"-1",value:a},i),n.map((e=>(0,et.createElement)("option",{value:e.value,key:e.value},e.label))))}const wL={initial:void 0,fallback:""};const EL=function(e,t=wL){const{initial:n,fallback:r}={...wL,...t},[o,a]=(0,et.useState)(e),i=eL(e);return(0,et.useEffect)((()=>{i&&o&&a(void 0)}),[i,o]),[function(e=[],t){var n;return null!==(n=e.find(eL))&&void 0!==n?n:t}([e,o,n],r),e=>{i||a(e)}]};const LL=(0,et.forwardRef)((function({__unstableStateReducer:e=(e=>e),autoComplete:t="off",className:n,disabled:r=!1,disableUnits:o=!1,isPressEnterToChange:a=!1,isResetValueOnUnitChange:i=!1,isUnitSelectTabbable:s=!0,label:l,onChange:c=ot.noop,onUnitChange:u=ot.noop,size:d="default",style:p,unit:m,units:f=QM,value:h,...g},b){const[v,y]=function(e,t,n){return tk(t?`${e}${t}`:e,n)}(h,m,f),[_,M]=EL(m,{initial:y}),k=(0,et.useRef)(null),w=io()("components-unit-control",n),E=e=>{if(!isNaN(e.target.value))return void(k.current=null);const[t,n]=nk(e.target.value,f,v,_);if(k.current=t,a&&n!==_){const r={event:e,data:f.find((e=>e.value===n))};c(`${t}${n}`,r),u(n,r),M(n)}},L=E,A=o?null:(0,et.createElement)(kL,{"aria-label":Zn("Select unit"),disabled:r,isTabbable:s,options:f,onChange:(e,t)=>{const{data:n}=t;let r=`${v}${e}`;i&&void 0!==(null==n?void 0:n.default)&&(r=`${n.default}${e}`),c(r,t),u(e,t),M(e)},size:d,value:_});let S=g.step;if(!S&&f){var C;const e=f.find((e=>e.value===_));S=null!==(C=null==e?void 0:e.step)&&void 0!==C?C:1}return(0,et.createElement)(fL,{className:"components-unit-control-wrapper",style:p},(0,et.createElement)(vL,rt({"aria-label":l,type:a?"text":"number"},(0,ot.omit)(g,["children"]),{autoComplete:t,className:w,disabled:r,disableUnits:o,isPressEnterToChange:a,label:l,onBlur:L,onKeyDown:e=>{const{keyCode:t}=e;t===nm&&E(e)},onChange:(e,t)=>{""!==e?(e=nk(e,f,v,_).join(""),c(e,t)):c("",t)},ref:b,size:d,suffix:A,value:v,step:S,__unstableStateReducer:lk(((e,t)=>(t.type===sk.COMMIT&&null!==k.current&&(e.value=k.current,k.current=null),e)),e)})))}));const AL=function({icon:e,size:t=24,...n}){return(0,et.cloneElement)(e,{width:t,height:t,...n})},SL={"color.palette":e=>void 0===e.colors?void 0:e.colors,"color.gradients":e=>void 0===e.gradients?void 0:e.gradients,"color.custom":e=>void 0===e.disableCustomColors?void 0:!e.disableCustomColors,"color.customGradient":e=>void 0===e.disableCustomGradients?void 0:!e.disableCustomGradients,"typography.fontSizes":e=>void 0===e.fontSizes?void 0:e.fontSizes,"typography.customFontSize":e=>void 0===e.disableCustomFontSizes?void 0:!e.disableCustomFontSizes,"typography.customLineHeight":e=>e.enableCustomLineHeight,"spacing.units":e=>{if(void 0!==e.enableCustomUnits)return!0===e.enableCustomUnits?["px","em","rem","vh","vw","%"]:e.enableCustomUnits},"spacing.customPadding":e=>e.enableCustomSpacing},CL={"color.gradients":!0,"color.palette":!0,"typography.fontFamilies":!0,"typography.fontSizes":!0};function TL(e){const{name:t}=Ig();return Cl((n=>{var r;const o=n(DM).getSettings(),a=`__experimentalFeatures.${e}`,i=`__experimentalFeatures.blocks.${t}.${e}`,s=null!==(r=(0,ot.get)(o,i))&&void 0!==r?r:(0,ot.get)(o,a);var l,c;if(void 0!==s)return CL[e]?null!==(l=null!==(c=s.user)&&void 0!==c?c:s.theme)&&void 0!==l?l:s.core:s;const u=SL[e]?SL[e](o):void 0;return void 0!==u?u:"typography.dropCap"===e||void 0}),[t,e])}const xL=[{name:"default",label:Zn("Flow"),edit:function({layout:e,onChange:t}){const{wideSize:n,contentSize:r}=e,o=rk({availableUnits:TL("spacing.units")||["%","px","em","rem","vw"]});return(0,et.createElement)(et.Fragment,null,(0,et.createElement)("div",{className:"block-editor-hooks__layout-controls"},(0,et.createElement)("div",{className:"block-editor-hooks__layout-controls-unit"},(0,et.createElement)(LL,{label:Zn("Content"),labelPosition:"top",__unstableInputWidth:"80px",value:r||n||"",onChange:n=>{n=0>parseFloat(n)?"0":n,t({...e,contentSize:n})},units:o}),(0,et.createElement)(AL,{icon:jM})),(0,et.createElement)("div",{className:"block-editor-hooks__layout-controls-unit"},(0,et.createElement)(LL,{label:Zn("Wide"),labelPosition:"top",__unstableInputWidth:"80px",value:n||r||"",onChange:n=>{n=0>parseFloat(n)?"0":n,t({...e,wideSize:n})},units:o}),(0,et.createElement)(AL,{icon:VM}))),(0,et.createElement)("div",{className:"block-editor-hooks__layout-controls-reset"},(0,et.createElement)(nh,{variant:"secondary",isSmall:!0,disabled:!r&&!n,onClick:()=>t({contentSize:void 0,wideSize:void 0,inherit:!1})},Zn("Reset"))),(0,et.createElement)("p",{className:"block-editor-hooks__layout-controls-helptext"},Zn("Customize the width for all elements that are assigned to the center or wide columns.")))},save:function({selector:e,layout:t={}}){const{contentSize:n,wideSize:r}=t;let o=n||r?`\n\t\t\t\t\t${UM(e,"> *")} {\n\t\t\t\t\t\tmax-width: ${null!=n?n:r};\n\t\t\t\t\t\tmargin-left: auto !important;\n\t\t\t\t\t\tmargin-right: auto !important;\n\t\t\t\t\t}\n\t\n\t\t\t\t\t${UM(e,'> [data-align="wide"]')} {\n\t\t\t\t\t\tmax-width: ${null!=r?r:n};\n\t\t\t\t\t}\n\t\n\t\t\t\t\t${UM(e,'> [data-align="full"]')} {\n\t\t\t\t\t\tmax-width: none;\n\t\t\t\t\t}\n\t\t\t\t`:"";return o+=`\n\t\t\t${UM(e,'> [data-align="left"]')} {\n\t\t\t\tfloat: left;\n\t\t\t\tmargin-right: 2em;\n\t\t\t}\n\t\n\t\t\t${UM(e,'> [data-align="right"]')} {\n\t\t\t\tfloat: right;\n\t\t\t\tmargin-left: 2em;\n\t\t\t}\n\t\t`,(0,et.createElement)("style",null,o)},getOrientation:()=>"vertical",getAlignments:e=>void 0!==e.alignments?e.alignments:e.contentSize||e.wideSize?["wide","full","left","center","right"]:["left","center","right"]},$M];function zL(e="default"){return xL.find((t=>t.name===e))}const OL={type:"default"},NL=(0,et.createContext)(OL),DL=NL.Provider;function BL({layout:e={},...t}){const n=zL(e.type);return n?(0,et.createElement)(n.save,rt({layout:e},t)):null}const IL=["left","center","right","wide","full"],PL=["wide","full"];function RL(e=IL){const{wideControlsEnabled:t=!1,themeSupportsLayout:n}=Cl((e=>{const{getSettings:t}=e(DM),n=t();return{wideControlsEnabled:n.alignWide,themeSupportsLayout:n.supportsLayout}}),[]),r=(0,et.useContext)(NL),o=zL(null==r?void 0:r.type),a=o.getAlignments(r);if(n)return a.filter((t=>e.includes(t)));if("default"!==o.name)return[];const{alignments:i=IL}=r;return e.filter((e=>(r.alignments||t||!PL.includes(e))&&i.includes(e)))}const YL={left:{icon:qM,title:Zn("Align left")},center:{icon:jM,title:Zn("Align center")},right:{icon:FM,title:Zn("Align right")},wide:{icon:VM,title:Zn("Wide width")},full:{icon:XM,title:Zn("Full width")}},WL={isAlternate:!0};const HL=function({value:e,onChange:t,controls:n,isToolbar:r,isCollapsed:o=!0}){const a=RL(n);if(0===a.length)return null;const i=YL[e],s=YL.center,l=r?Ng:HM,c=r?{isCollapsed:o}:{};return(0,et.createElement)(l,rt({popoverProps:WL,icon:i?i.icon:s.icon,label:Zn("Align"),toggleProps:{describedBy:Zn("Change alignment")},controls:a.map((n=>{return{...YL[n],isActive:e===n,role:o?"menuitemradio":void 0,onClick:(r=n,()=>t(e===r?void 0:r))};var r}))},c))};function qL(e){return(0,et.createElement)(HL,rt({},e,{isToolbar:!1}))}function jL(e){return(0,et.createElement)(HL,rt({},e,{isToolbar:!0}))}const FL=["left","center","right","wide","full"],VL=["wide","full"];function XL(e,t=!0,n=!0){let r;return r=Array.isArray(e)?FL.filter((t=>e.includes(t))):!0===e?FL:[],!n||!0===e&&!t?(0,ot.without)(r,...VL):r}const UL=ni((e=>t=>{const{name:n}=t,r=RL(XL(Io(n,"align"),Po(n,"alignWide",!0)));return[r.length>0&&t.isSelected&&(0,et.createElement)(WM,{key:"align-controls",group:"block"},(0,et.createElement)(qL,{value:t.attributes.align,onChange:e=>{if(!e){var n,r;(null===(n=Do(t.name).attributes)||void 0===n||null===(r=n.align)||void 0===r?void 0:r.default)&&(e="")}t.setAttributes({align:e})},controls:r})),(0,et.createElement)(e,rt({key:"edit"},t))]}),"withToolbarControls"),$L=ni((e=>t=>{const{name:n,attributes:r}=t,{align:o}=r,a=RL(XL(Io(n,"align"),Po(n,"alignWide",!0)));if(void 0===o)return(0,et.createElement)(e,t);let i=t.wrapperProps;return a.includes(o)&&(i={...i,"data-align":o}),(0,et.createElement)(e,rt({},t,{wrapperProps:i}))}));Bn("blocks.registerBlockType","core/align/addAttribute",(function(e){return(0,ot.has)(e.attributes,["align","type"])||Po(e,"align")&&(e.attributes={...e.attributes,align:{type:"string",enum:[...FL,""]}}),e})),Bn("editor.BlockListBlock","core/editor/align/with-data-align",$L),Bn("editor.BlockEdit","core/editor/align/with-toolbar-controls",UL),Bn("blocks.getSaveContent.extraProps","core/align/addAssignedAlign",(function(e,t,n){const{align:r}=n;return XL(Io(t,"align"),Po(t,"alignWide",!0)).includes(r)&&(e.className=io()(`align${r}`,e.className)),e}));const KL={"default.fontFamily":"-apple-system, BlinkMacSystemFont, 'Segoe UI', Roboto, Oxygen-Sans, Ubuntu, Cantarell, 'Helvetica Neue', sans-serif","default.fontSize":"13px","helpText.fontSize":"12px",mobileTextMinFontSize:"16px"};function GL(e){return(0,ot.get)(KL,e,"")}const JL=Jf("div",{target:"e1puf3u3"})("font-family:",GL("default.fontFamily"),";font-size:",GL("default.fontSize"),";"),QL=Jf("div",{target:"e1puf3u2"})("margin-bottom:",Nk(2),";.components-panel__row &{margin-bottom:inherit;}"),ZL=Jf("label",{target:"e1puf3u1"})("display:inline-block;margin-bottom:",Nk(2),";"),eA=Jf("p",{target:"e1puf3u0"})("font-size:",GL("helpText.fontSize"),";font-style:normal;color:",Ck.mediumGray.text,";");function tA({id:e,label:t,hideLabelFromVision:n,help:r,className:o,children:a}){return(0,et.createElement)(JL,{className:io()("components-base-control",o)},(0,et.createElement)(QL,{className:"components-base-control__field"},t&&e&&(n?(0,et.createElement)(eh,{as:"label",htmlFor:e},t):(0,et.createElement)(ZL,{className:"components-base-control__label",htmlFor:e},t)),t&&!e&&(n?(0,et.createElement)(eh,{as:"label"},t):(0,et.createElement)(tA.VisualLabel,null,t)),a),!!r&&(0,et.createElement)(eA,{id:e+"__help",className:"components-base-control__help"},r))}tA.VisualLabel=({className:e,children:t})=>(e=io()("components-base-control__label",e),(0,et.createElement)("span",{className:e},t));const nA=tA;const rA=(0,et.forwardRef)((function e({label:t,hideLabelFromVision:n,value:r,help:o,className:a,onChange:i,type:s="text",...l},c){const u=`inspector-text-control-${xk(e)}`;return(0,et.createElement)(nA,{label:t,hideLabelFromVision:n,id:u,help:o,className:a},(0,et.createElement)("input",rt({className:"components-text-control__input",type:s,id:u,value:r,onChange:e=>i(e.target.value),"aria-describedby":o?u+"__help":void 0,ref:c},l)))})),oA=(0,et.createElement)(po,{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24"},(0,et.createElement)(co,{d:"M18.2 17c0 .7-.6 1.2-1.2 1.2H7c-.7 0-1.2-.6-1.2-1.2V7c0-.7.6-1.2 1.2-1.2h3.2V4.2H7C5.5 4.2 4.2 5.5 4.2 7v10c0 1.5 1.2 2.8 2.8 2.8h10c1.5 0 2.8-1.2 2.8-2.8v-3.6h-1.5V17zM14.9 3v1.5h3.7l-6.4 6.4 1.1 1.1 6.4-6.4v3.7h1.5V3h-6.3z"}));const aA=Jf(AL,{target:"etxm6pv0"})({name:"bqq7t3",styles:"width:1.4em;height:1.4em;margin:-0.2em 0.1em 0;vertical-align:middle;fill:currentColor"});const iA=(0,et.forwardRef)((function({href:e,children:t,className:n,rel:r="",...o},a){r=(0,ot.uniq)((0,ot.compact)([...r.split(" "),"external","noreferrer","noopener"])).join(" ");const i=io()("components-external-link",n);return(0,et.createElement)("a",rt({},o,{className:i,href:e,target:"_blank",rel:r,ref:a}),t,(0,et.createElement)(eh,{as:"span"},Zn("(opens in a new tab)")),(0,et.createElement)(aA,{icon:oA,className:"components-external-link__icon"}))})),sA="undefined"!=typeof window&&window.navigator.userAgent.indexOf("Trident")>=0,lA={NODE_ENV:"production"}.FORCE_REDUCED_MOTION||sA?()=>!0:()=>Fp("(prefers-reduced-motion: reduce)"),cA=(0,et.createElement)(po,{viewBox:"0 0 24 24",xmlns:"http://www.w3.org/2000/svg"},(0,et.createElement)(co,{d:"M6.5 12.4L12 8l5.5 4.4-.9 1.2L12 10l-4.5 3.6-1-1.2z"})),uA=(0,et.createElement)(po,{viewBox:"0 0 24 24",xmlns:"http://www.w3.org/2000/svg"},(0,et.createElement)(co,{d:"M17.5 11.6L12 16l-5.5-4.4.9-1.2L12 14l4.5-3.6 1 1.2z"}));const dA=(0,et.forwardRef)((({isOpened:e,icon:t,title:n,...r},o)=>n?(0,et.createElement)("h2",{className:"components-panel__body-title"},(0,et.createElement)(nh,rt({className:"components-panel__body-toggle","aria-expanded":e,ref:o},r),(0,et.createElement)("span",{"aria-hidden":"true"},(0,et.createElement)(Cf,{className:"components-panel__arrow",icon:e?cA:uA})),n,t&&(0,et.createElement)(Cf,{icon:t,className:"components-panel__icon",size:20}))):null)),pA=(0,et.forwardRef)((function({buttonProps:e={},children:t,className:n,icon:r,initialOpen:o,onToggle:a=ot.noop,opened:i,title:s,scrollAfterOpen:l=!0},c){const[u,d]=EL(i,{initial:void 0===o||o}),p=(0,et.useRef)(),m=lA()?"auto":"smooth",f=(0,et.useRef)();f.current=l,nL((()=>{var e;u&&f.current&&null!==(e=p.current)&&void 0!==e&&e.scrollIntoView&&p.current.scrollIntoView({inline:"nearest",block:"nearest",behavior:m})}),[u,m]);const h=io()("components-panel__body",n,{"is-opened":u});return(0,et.createElement)("div",{className:h,ref:Rm([p,c])},(0,et.createElement)(dA,rt({icon:r,isOpened:u,onClick:e=>{e.preventDefault();const t=!u;d(t),a(t)},title:s},e)),"function"==typeof t?t({opened:u}):u&&t)}));pA.displayName="PanelBody";const mA=pA,fA="InspectorAdvancedControls",{Fill:hA,Slot:gA}=df(fA);function bA({children:e}){const{isSelected:t}=Ig();return t?(0,et.createElement)(Rp,{document},(0,et.createElement)(hA,null,e)):null}bA.slotName=fA,bA.Slot=gA;const vA=bA,{Fill:yA,Slot:_A}=df("InspectorControls");function MA({children:e}){return BM()?(0,et.createElement)(Rp,{document},(0,et.createElement)(yA,null,e)):null}MA.Slot=_A;const kA=MA,wA=/[\s#]/g;const EA=ni((e=>t=>{if(Po(t.name,"anchor")&&t.isSelected){const n="web"===Qg.OS,r=(0,et.createElement)(rA,{className:"html-anchor-control",label:Zn("HTML anchor"),help:(0,et.createElement)(et.Fragment,null,Zn("Enter a word or two — without spaces — to make a unique web address just for this block, called an “anchor.” Then, you’ll be able to link directly to this section of your page."),n&&(0,et.createElement)(iA,{href:"https://wordpress.org/support/article/page-jumps/"},Zn("Learn more about anchors"))),value:t.attributes.anchor||"",placeholder:n?null:Zn("Add an anchor"),onChange:e=>{e=e.replace(wA,"-"),t.setAttributes({anchor:e})},autoCapitalize:"none",autoComplete:"off"});return(0,et.createElement)(et.Fragment,null,(0,et.createElement)(e,t),n&&(0,et.createElement)(vA,null,r),!n&&"core/heading"===t.name&&(0,et.createElement)(kA,null,(0,et.createElement)(mA,{title:Zn("Heading settings")},r)))}return(0,et.createElement)(e,t)}),"withInspectorControl");Bn("blocks.registerBlockType","core/anchor/attribute",(function(e){return(0,ot.has)(e.attributes,["anchor","type"])||Po(e,"anchor")&&(e.attributes={...e.attributes,anchor:{type:"string",source:"attribute",attribute:"id",selector:"*"}}),e})),Bn("editor.BlockEdit","core/editor/anchor/with-inspector-control",EA),Bn("blocks.getSaveContent.extraProps","core/anchor/save-props",(function(e,t,n){return Po(t,"anchor")&&(e.id=""===n.anchor?null:n.anchor),e}));const LA=ni((e=>t=>Po(t.name,"customClassName",!0)&&t.isSelected?(0,et.createElement)(et.Fragment,null,(0,et.createElement)(e,t),(0,et.createElement)(vA,null,(0,et.createElement)(rA,{autoComplete:"off",label:Zn("Additional CSS class(es)"),value:t.attributes.className||"",onChange:e=>{t.setAttributes({className:""!==e?e:void 0})},help:Zn("Separate multiple classes with spaces.")}))):(0,et.createElement)(e,t)),"withInspectorControl");function AA(e){const t=Ui(e=`

${e}
`,{type:"string",source:"attribute",selector:"[data-custom-class-name] > *",attribute:"class"});return t?t.trim().split(/\s+/):[]}Bn("blocks.registerBlockType","core/custom-class-name/attribute",(function(e){return Po(e,"customClassName",!0)&&(e.attributes={...e.attributes,className:{type:"string"}}),e})),Bn("editor.BlockEdit","core/editor/custom-class-name/with-inspector-control",LA),Bn("blocks.getSaveContent.extraProps","core/custom-class-name/save-props",(function(e,t,n){return Po(t,"customClassName",!0)&&n.className&&(e.className=io()(e.className,n.className)),e})),Bn("blocks.getBlockAttributes","core/custom-class-name/addParsedDifference",(function(e,t,n){if(Po(t,"customClassName",!0)){const r=ui(t,(0,ot.omit)(e,["className"])),o=AA(r),a=AA(n),i=(0,ot.difference)(a,o);i.length?e.className=i.join(" "):r&&delete e.className}return e})),Bn("blocks.getSaveContent.extraProps","core/generated-class-name/save-props",(function(e,t){return Po(t,"className",!0)&&("string"==typeof e.className?e.className=(0,ot.uniq)([si(t.name),...e.className.split(" ")]).join(" ").trim():e.className=si(t.name)),e}));const SA=({className:e,colorValue:t,...n})=>(0,et.createElement)("span",rt({className:io()("component-color-indicator",e),style:{background:t}},n));const CA=(0,et.forwardRef)((function({className:e,...t},n){const r=io()("components-button-group",e);return(0,et.createElement)("div",rt({ref:n,role:"group",className:r},t))})),TA=ni((e=>e.prototype instanceof et.Component?class extends e{shouldComponentUpdate(e,t){return!ti(e,this.props)||!ti(t,this.state)}}:class extends et.Component{shouldComponentUpdate(e){return!ti(e,this.props)}render(){return(0,et.createElement)(e,this.props)}}),"pure");function xA(e={},t=!1){const n=e.hex?ho()(e.hex):ho()(e),r=n.toHsl();r.h=Math.round(r.h),r.s=Math.round(100*r.s),r.l=Math.round(100*r.l);const o=n.toHsv();o.h=Math.round(o.h),o.s=Math.round(100*o.s),o.v=Math.round(100*o.v);const a=n.toRgb(),i=n.toHex();0===r.s&&(r.h=t||0,o.h=t||0);return{color:n,hex:"000000"===i&&0===a.a?"transparent":`#${i}`,hsl:r,hsv:o,oldHue:e.h||t||r.h,rgb:a,source:e.source}}function zA(e,t){e.preventDefault();const{left:n,top:r,width:o,height:a}=t.getBoundingClientRect(),i="number"==typeof e.pageX?e.pageX:e.touches[0].pageX,s="number"==typeof e.pageY?e.pageY:e.touches[0].pageY;let l=i-(n+window.pageXOffset),c=s-(r+window.pageYOffset);return l<0?l=0:l>o?l=o:c<0?c=0:c>a&&(c=a),{top:c,left:l,width:o,height:a}}function OA(e){const t="#"===String(e).charAt(0)?1:0;return e.length!==4+t&&e.length<7+t&&ho()(e).isValid()}var NA=n(2441),DA=n.n(NA);n(3956);const BA=function(e,t,{bindGlobal:n=!1,eventName:r="keydown",isDisabled:o=!1,target:a}={}){const i=(0,et.useRef)(t);(0,et.useEffect)((()=>{i.current=t}),[t]),(0,et.useEffect)((()=>{if(o)return;const t=new(DA())(a&&a.current?a.current:document);return(0,ot.castArray)(e).forEach((e=>{const o=e.split("+"),a=new Set(o.filter((e=>e.length>1))),s=a.has("alt"),l=a.has("shift");if(function(e=window){const{platform:t}=e.navigator;return-1!==t.indexOf("Mac")||(0,ot.includes)(["iPad","iPhone"],t)}()&&(1===a.size&&s||2===a.size&&s&&l))throw new Error(`Cannot bind ${e}. Alt and Shift+Alt modifiers are reserved for character input.`);t[n?"bindGlobal":"bind"](e,((...e)=>i.current(...e)),r)})),()=>{t.reset()}}),[e,n,r,a,o])};function IA({target:e,callback:t,shortcut:n,bindGlobal:r,eventName:o}){return BA(n,t,{bindGlobal:r,target:e,eventName:o}),null}const PA=function({children:e,shortcuts:t,bindGlobal:n,eventName:r}){const o=(0,et.useRef)(),a=(0,ot.map)(t,((e,t)=>(0,et.createElement)(IA,{key:t,shortcut:t,callback:e,bindGlobal:n,eventName:r,target:o})));return et.Children.count(e)?(0,et.createElement)("div",{ref:o},a,e):a};class RA extends et.Component{constructor(){super(...arguments),this.container=(0,et.createRef)(),this.increase=this.increase.bind(this),this.decrease=this.decrease.bind(this),this.handleChange=this.handleChange.bind(this),this.handleMouseDown=this.handleMouseDown.bind(this),this.handleMouseUp=this.handleMouseUp.bind(this)}componentWillUnmount(){this.unbindEventListeners()}increase(e=.01){const{hsl:t,onChange:n=ot.noop}=this.props;e=parseInt(100*e,10);n({h:t.h,s:t.s,l:t.l,a:(parseInt(100*t.a,10)+e)/100,source:"rgb"})}decrease(e=.01){const{hsl:t,onChange:n=ot.noop}=this.props,r=parseInt(100*t.a,10)-parseInt(100*e,10);n({h:t.h,s:t.s,l:t.l,a:t.a<=e?0:r/100,source:"rgb"})}handleChange(e){const{onChange:t=ot.noop}=this.props,n=function(e,t,n){const{left:r,width:o}=zA(e,n),a=r<0?0:Math.round(100*r/o)/100;return t.hsl.a!==a?{h:t.hsl.h,s:t.hsl.s,l:t.hsl.l,a,source:"rgb"}:null}(e,this.props,this.container.current);n&&t(n,e)}handleMouseDown(e){this.handleChange(e),window.addEventListener("mousemove",this.handleChange),window.addEventListener("mouseup",this.handleMouseUp)}handleMouseUp(){this.unbindEventListeners()}preventKeyEvents(e){9!==e.keyCode&&e.preventDefault()}unbindEventListeners(){window.removeEventListener("mousemove",this.handleChange),window.removeEventListener("mouseup",this.handleMouseUp)}render(){const{rgb:e}=this.props,t=`${e.r},${e.g},${e.b}`,n={background:`linear-gradient(to right, rgba(${t}, 0) 0%, rgba(${t}, 1) 100%)`},r={left:100*e.a+"%"},o={up:()=>this.increase(),right:()=>this.increase(),"shift+up":()=>this.increase(.1),"shift+right":()=>this.increase(.1),pageup:()=>this.increase(.1),end:()=>this.increase(1),down:()=>this.decrease(),left:()=>this.decrease(),"shift+down":()=>this.decrease(.1),"shift+left":()=>this.decrease(.1),pagedown:()=>this.decrease(.1),home:()=>this.decrease(1)};return(0,et.createElement)(PA,{shortcuts:o},(0,et.createElement)("div",{className:"components-color-picker__alpha"},(0,et.createElement)("div",{className:"components-color-picker__alpha-gradient",style:n}),(0,et.createElement)("div",{className:"components-color-picker__alpha-bar",ref:this.container,onMouseDown:this.handleMouseDown,onTouchMove:this.handleChange,onTouchStart:this.handleChange},(0,et.createElement)("div",{tabIndex:"0",role:"slider","aria-valuemax":"1","aria-valuemin":"0","aria-valuenow":e.a,"aria-orientation":"horizontal","aria-label":Zn("Alpha value, from 0 (transparent) to 1 (fully opaque)."),className:"components-color-picker__alpha-pointer",style:r,onKeyDown:this.preventKeyEvents}))))}}const YA=TA(RA),WA=ot.flowRight,HA=ni((e=>t=>{const n=xk(e);return(0,et.createElement)(e,rt({},t,{instanceId:n}))}),"withInstanceId");class qA extends et.Component{constructor(){super(...arguments),this.container=(0,et.createRef)(),this.increase=this.increase.bind(this),this.decrease=this.decrease.bind(this),this.handleChange=this.handleChange.bind(this),this.handleMouseDown=this.handleMouseDown.bind(this),this.handleMouseUp=this.handleMouseUp.bind(this)}componentWillUnmount(){this.unbindEventListeners()}increase(e=1){const{hsl:t,onChange:n=ot.noop}=this.props;n({h:t.h+e>=359?359:t.h+e,s:t.s,l:t.l,a:t.a,source:"rgb"})}decrease(e=1){const{hsl:t,onChange:n=ot.noop}=this.props;n({h:t.h<=e?0:t.h-e,s:t.s,l:t.l,a:t.a,source:"rgb"})}handleChange(e){const{onChange:t=ot.noop}=this.props,n=function(e,t,n){const{left:r,width:o}=zA(e,n),a=r>=o?359:100*r/o*360/100;return t.hsl.h!==a?{h:a,s:t.hsl.s,l:t.hsl.l,a:t.hsl.a,source:"rgb"}:null}(e,this.props,this.container.current);n&&t(n,e)}handleMouseDown(e){this.handleChange(e),window.addEventListener("mousemove",this.handleChange),window.addEventListener("mouseup",this.handleMouseUp)}handleMouseUp(){this.unbindEventListeners()}preventKeyEvents(e){9!==e.keyCode&&e.preventDefault()}unbindEventListeners(){window.removeEventListener("mousemove",this.handleChange),window.removeEventListener("mouseup",this.handleMouseUp)}render(){const{hsl:e={},instanceId:t}=this.props,n={left:100*e.h/360+"%"},r={up:()=>this.increase(),right:()=>this.increase(),"shift+up":()=>this.increase(10),"shift+right":()=>this.increase(10),pageup:()=>this.increase(10),end:()=>this.increase(359),down:()=>this.decrease(),left:()=>this.decrease(),"shift+down":()=>this.decrease(10),"shift+left":()=>this.decrease(10),pagedown:()=>this.decrease(10),home:()=>this.decrease(359)};return(0,et.createElement)(PA,{shortcuts:r},(0,et.createElement)("div",{className:"components-color-picker__hue"},(0,et.createElement)("div",{className:"components-color-picker__hue-gradient"}),(0,et.createElement)("div",{className:"components-color-picker__hue-bar",ref:this.container,onMouseDown:this.handleMouseDown,onTouchMove:this.handleChange,onTouchStart:this.handleChange},(0,et.createElement)("div",{tabIndex:"0",role:"slider","aria-valuemax":"1","aria-valuemin":"359","aria-valuenow":e.h,"aria-orientation":"horizontal","aria-label":Zn("Hue value in degrees, from 0 to 359."),"aria-describedby":`components-color-picker__hue-description-${t}`,className:"components-color-picker__hue-pointer",style:n,onKeyDown:this.preventKeyEvents}),(0,et.createElement)(eh,{as:"p",id:`components-color-picker__hue-description-${t}`},Zn("Move the arrow left or right to change hue.")))))}}const jA=WA(TA,HA)(qA);class FA extends et.Component{constructor(){super(...arguments),this.handleBlur=this.handleBlur.bind(this),this.handleChange=this.handleChange.bind(this),this.handleKeyDown=this.handleKeyDown.bind(this)}handleBlur(){const{value:e,valueKey:t,onChange:n,source:r}=this.props;n({source:r,state:"commit",value:e,valueKey:t})}handleChange(e){const{valueKey:t,onChange:n,source:r}=this.props;e.length>4&&OA(e)?n({source:r,state:"commit",value:e,valueKey:t}):n({source:r,state:"draft",value:e,valueKey:t})}handleKeyDown({keyCode:e}){if(e!==nm&&e!==am&&e!==sm)return;const{value:t,valueKey:n,onChange:r,source:o}=this.props;r({source:o,state:"commit",value:t,valueKey:n})}render(){const{label:e,value:t,...n}=this.props;return(0,et.createElement)(rA,rt({className:"components-color-picker__inputs-field",label:e,value:t,onChange:e=>this.handleChange(e),onBlur:this.handleBlur,onKeyDown:this.handleKeyDown},(0,ot.omit)(n,["onChange","valueKey","source"])))}}const VA=TA(nh);class XA extends et.Component{constructor({hsl:e}){super(...arguments);const t=1===e.a?"hex":"rgb";this.state={view:t},this.toggleViews=this.toggleViews.bind(this),this.resetDraftValues=this.resetDraftValues.bind(this),this.handleChange=this.handleChange.bind(this),this.normalizeValue=this.normalizeValue.bind(this)}static getDerivedStateFromProps(e,t){return 1!==e.hsl.a&&"hex"===t.view?{view:"rgb"}:null}toggleViews(){"hex"===this.state.view?(this.setState({view:"rgb"},this.resetDraftValues),Xv(Zn("RGB mode active"))):"rgb"===this.state.view?(this.setState({view:"hsl"},this.resetDraftValues),Xv(Zn("Hue/saturation/lightness mode active"))):"hsl"===this.state.view&&(1===this.props.hsl.a?(this.setState({view:"hex"},this.resetDraftValues),Xv(Zn("Hex color mode active"))):(this.setState({view:"rgb"},this.resetDraftValues),Xv(Zn("RGB mode active"))))}resetDraftValues(){return this.props.onChange({state:"reset"})}normalizeValue(e,t){return"a"!==e?t:t<0?0:t>1?1:Math.round(100*t)/100}handleChange({source:e,state:t,value:n,valueKey:r}){this.props.onChange({source:e,state:t,valueKey:r,value:this.normalizeValue(r,n)})}renderFields(){const{disableAlpha:e=!1}=this.props;if("hex"===this.state.view)return(0,et.createElement)("div",{className:"components-color-picker__inputs-fields"},(0,et.createElement)(FA,{source:this.state.view,label:Zn("Color value in hexadecimal"),valueKey:"hex",value:this.props.hex,onChange:this.handleChange}));if("rgb"===this.state.view){const t=Zn(e?"Color value in RGB":"Color value in RGBA");return(0,et.createElement)("fieldset",null,(0,et.createElement)(eh,{as:"legend"},t),(0,et.createElement)("div",{className:"components-color-picker__inputs-fields"},(0,et.createElement)(FA,{source:this.state.view,label:"r",valueKey:"r",value:this.props.rgb.r,onChange:this.handleChange,type:"number",min:"0",max:"255"}),(0,et.createElement)(FA,{source:this.state.view,label:"g",valueKey:"g",value:this.props.rgb.g,onChange:this.handleChange,type:"number",min:"0",max:"255"}),(0,et.createElement)(FA,{source:this.state.view,label:"b",valueKey:"b",value:this.props.rgb.b,onChange:this.handleChange,type:"number",min:"0",max:"255"}),e?null:(0,et.createElement)(FA,{source:this.state.view,label:"a",valueKey:"a",value:this.props.rgb.a,onChange:this.handleChange,type:"number",min:"0",max:"1",step:"0.01"})))}if("hsl"===this.state.view){const t=Zn(e?"Color value in HSL":"Color value in HSLA");return(0,et.createElement)("fieldset",null,(0,et.createElement)(eh,{as:"legend"},t),(0,et.createElement)("div",{className:"components-color-picker__inputs-fields"},(0,et.createElement)(FA,{source:this.state.view,label:"h",valueKey:"h",value:this.props.hsl.h,onChange:this.handleChange,type:"number",min:"0",max:"359"}),(0,et.createElement)(FA,{source:this.state.view,label:"s",valueKey:"s",value:this.props.hsl.s,onChange:this.handleChange,type:"number",min:"0",max:"100"}),(0,et.createElement)(FA,{source:this.state.view,label:"l",valueKey:"l",value:this.props.hsl.l,onChange:this.handleChange,type:"number",min:"0",max:"100"}),e?null:(0,et.createElement)(FA,{source:this.state.view,label:"a",valueKey:"a",value:this.props.hsl.a,onChange:this.handleChange,type:"number",min:"0",max:"1",step:"0.05"})))}}render(){return(0,et.createElement)("div",{className:"components-color-picker__inputs-wrapper"},this.renderFields(),(0,et.createElement)("div",{className:"components-color-picker__inputs-toggle-wrapper"},(0,et.createElement)(VA,{className:"components-color-picker__inputs-toggle",icon:uA,label:Zn("Change color format"),onClick:this.toggleViews})))}}const UA=XA;class $A extends et.Component{constructor(e){super(e),this.throttle=(0,ot.throttle)(((e,t,n)=>{e(t,n)}),50),this.container=(0,et.createRef)(),this.saturate=this.saturate.bind(this),this.brighten=this.brighten.bind(this),this.handleChange=this.handleChange.bind(this),this.handleMouseDown=this.handleMouseDown.bind(this),this.handleMouseUp=this.handleMouseUp.bind(this)}componentWillUnmount(){this.throttle.cancel(),this.unbindEventListeners()}saturate(e=.01){const{hsv:t,onChange:n=ot.noop}=this.props,r=(0,ot.clamp)(t.s+Math.round(100*e),0,100);n({h:t.h,s:r,v:t.v,a:t.a,source:"rgb"})}brighten(e=.01){const{hsv:t,onChange:n=ot.noop}=this.props,r=(0,ot.clamp)(t.v+Math.round(100*e),0,100);n({h:t.h,s:t.s,v:r,a:t.a,source:"rgb"})}handleChange(e){const{onChange:t=ot.noop}=this.props,n=function(e,t,n){const{top:r,left:o,width:a,height:i}=zA(e,n),s=o<0?0:100*o/a;let l=r>=i?0:-100*r/i+100;return l<1&&(l=0),{h:t.hsl.h,s,v:l,a:t.hsl.a,source:"rgb"}}(e,this.props,this.container.current);this.throttle(t,n,e)}handleMouseDown(e){this.handleChange(e),window.addEventListener("mousemove",this.handleChange),window.addEventListener("mouseup",this.handleMouseUp)}handleMouseUp(){this.unbindEventListeners()}preventKeyEvents(e){9!==e.keyCode&&e.preventDefault()}unbindEventListeners(){window.removeEventListener("mousemove",this.handleChange),window.removeEventListener("mouseup",this.handleMouseUp)}render(){const{hsv:e,hsl:t,instanceId:n}=this.props,r={top:100-e.v+"%",left:`${e.s}%`},o={up:()=>this.brighten(),"shift+up":()=>this.brighten(.1),pageup:()=>this.brighten(1),down:()=>this.brighten(-.01),"shift+down":()=>this.brighten(-.1),pagedown:()=>this.brighten(-1),right:()=>this.saturate(),"shift+right":()=>this.saturate(.1),end:()=>this.saturate(1),left:()=>this.saturate(-.01),"shift+left":()=>this.saturate(-.1),home:()=>this.saturate(-1)};return(0,et.createElement)(PA,{shortcuts:o},(0,et.createElement)("div",{style:{background:`hsl(${t.h},100%, 50%)`},className:"components-color-picker__saturation-color",ref:this.container,onMouseDown:this.handleMouseDown,onTouchMove:this.handleChange,onTouchStart:this.handleChange,role:"application"},(0,et.createElement)("div",{className:"components-color-picker__saturation-white"}),(0,et.createElement)("div",{className:"components-color-picker__saturation-black"}),(0,et.createElement)(nh,{"aria-label":Zn("Choose a shade"),"aria-describedby":`color-picker-saturation-${n}`,className:"components-color-picker__saturation-pointer",style:r,onKeyDown:this.preventKeyEvents}),(0,et.createElement)(eh,{id:`color-picker-saturation-${n}`},Zn("Use your arrow keys to change the base color. Move up to lighten the color, down to darken, left to decrease saturation, and right to increase saturation."))))}}const KA=WA(TA,HA)($A),GA=e=>String(e).toLowerCase(),JA=e=>e.hex?OA(e.hex):function(e){let t=0,n=0;return(0,ot.each)(["r","g","b","a","h","s","l","v"],(r=>{e[r]&&(t+=1,isNaN(e[r])||(n+=1))})),t===n&&e}(e),QA=(e,{source:t,valueKey:n,value:r})=>"hex"===t?{source:t,[t]:r}:{source:t,...{...e[t],[n]:r}};class ZA extends et.Component{constructor({color:e="0071a1"}){super(...arguments);const t=xA(e);this.state={...t,draftHex:GA(t.hex),draftRgb:t.rgb,draftHsl:t.hsl},this.commitValues=this.commitValues.bind(this),this.setDraftValues=this.setDraftValues.bind(this),this.resetDraftValues=this.resetDraftValues.bind(this),this.handleInputChange=this.handleInputChange.bind(this)}commitValues(e){const{oldHue:t,onChangeComplete:n=ot.noop}=this.props;if(JA(e)){const r=xA(e,e.h||t);this.setState({...r,draftHex:GA(r.hex),draftHsl:r.hsl,draftRgb:r.rgb},(0,ot.debounce)((0,ot.partial)(n,r),100))}}resetDraftValues(){this.setState({draftHex:this.state.hex,draftHsl:this.state.hsl,draftRgb:this.state.rgb})}setDraftValues(e){switch(e.source){case"hex":this.setState({draftHex:GA(e.hex)});break;case"rgb":this.setState({draftRgb:e});break;case"hsl":this.setState({draftHsl:e})}}handleInputChange(e){switch(e.state){case"reset":this.resetDraftValues();break;case"commit":const t=QA(this.state,e);(e=>"hex"===e.source&&void 0===e.hex||"hsl"===e.source&&(void 0===e.h||void 0===e.s||void 0===e.l)||!("rgb"!==e.source||void 0!==e.r&&void 0!==e.g&&void 0!==e.b||void 0!==e.h&&void 0!==e.s&&void 0!==e.v&&void 0!==e.a||void 0!==e.h&&void 0!==e.s&&void 0!==e.l&&void 0!==e.a))(t)||this.commitValues(t);break;case"draft":this.setDraftValues(QA(this.state,e))}}render(){const{className:e,disableAlpha:t}=this.props,{color:n,hsl:r,hsv:o,rgb:a,draftHex:i,draftHsl:s,draftRgb:l}=this.state,c=io()(e,{"components-color-picker":!0,"is-alpha-disabled":t,"is-alpha-enabled":!t});return(0,et.createElement)("div",{className:c},(0,et.createElement)("div",{className:"components-color-picker__saturation"},(0,et.createElement)(KA,{hsl:r,hsv:o,onChange:this.commitValues})),(0,et.createElement)("div",{className:"components-color-picker__body"},(0,et.createElement)("div",{className:"components-color-picker__controls"},(0,et.createElement)("div",{className:"components-color-picker__swatch"},(0,et.createElement)("div",{className:"components-color-picker__active",style:{backgroundColor:n&&n.toRgbString()}})),(0,et.createElement)("div",{className:"components-color-picker__toggles"},(0,et.createElement)(jA,{hsl:r,onChange:this.commitValues}),t?null:(0,et.createElement)(YA,{rgb:a,hsl:r,onChange:this.commitValues}))),(0,et.createElement)(UA,{rgb:l,hsl:s,hex:i,onChange:this.handleInputChange,disableAlpha:t})))}}const eS=(0,et.createElement)(po,{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24"},(0,et.createElement)(co,{d:"M18.3 5.6L9.9 16.9l-4.6-3.4-.9 1.2 5.8 4.3 9.3-12.6z"}));function tS({actions:e,className:t,options:n,children:r}){return(0,et.createElement)("div",{className:io()("components-circular-option-picker",t)},(0,et.createElement)("div",{className:"components-circular-option-picker__swatches"},n),r,e&&(0,et.createElement)("div",{className:"components-circular-option-picker__custom-clear-wrapper"},e))}function nS({clearable:e=!0,className:t,colors:n,disableCustomColors:r=!1,onChange:o,value:a}){const i=(0,et.useCallback)((()=>o(void 0)),[o]),s=(0,et.useMemo)((()=>(0,ot.map)(n,(({color:e,name:t})=>(0,et.createElement)(tS.Option,{key:e,isSelected:a===e,selectedIconProps:a===e?{fill:ho().mostReadable(e,["#000","#fff"]).toHexString()}:{},tooltipText:t||dn(Zn("Color code: %s"),e),style:{backgroundColor:e,color:e},onClick:a===e?i:()=>o(e),"aria-label":t?dn(Zn("Color: %s"),t):dn(Zn("Color code: %s"),e)})))),[n,a,o,i]);return(0,et.createElement)(tS,{className:t,options:s,actions:(0,et.createElement)(et.Fragment,null,!r&&(0,et.createElement)(tS.DropdownLinkAction,{dropdownProps:{renderContent:()=>(0,et.createElement)(ZA,{color:a,onChangeComplete:e=>o(e.hex),disableAlpha:!0}),contentClassName:"components-color-palette__picker"},buttonProps:{"aria-label":Zn("Custom color picker")},linkText:Zn("Custom color")}),!!e&&(0,et.createElement)(tS.ButtonAction,{onClick:i},Zn("Clear")))})}tS.Option=function({className:e,isSelected:t,selectedIconProps:n,tooltipText:r,...o}){const a=(0,et.createElement)(nh,rt({isPressed:t,className:io()(e,"components-circular-option-picker__option")},o));return(0,et.createElement)("div",{className:"components-circular-option-picker__option-wrapper"},r?(0,et.createElement)(Af,{text:r},a):a,t&&(0,et.createElement)(AL,rt({icon:eS},n||{})))},tS.ButtonAction=function({className:e,children:t,...n}){return(0,et.createElement)(nh,rt({className:io()("components-circular-option-picker__clear",e),isSmall:!0,variant:"secondary"},n),t)},tS.DropdownLinkAction=function({buttonProps:e,className:t,dropdownProps:n,linkText:r}){return(0,et.createElement)(Eg,rt({className:io()("components-circular-option-picker__dropdown-link-action",t),renderToggle:({isOpen:t,onToggle:n})=>(0,et.createElement)(nh,rt({"aria-expanded":t,"aria-haspopup":"true",onClick:n,variant:"link"},e),r)},n))};const rS=qk({as:"div",useHook:function(e){return jk({isBlock:!0,...qf(e,"FlexBlock")})},name:"FlexBlock"});const oS=Jf(Hk,{target:"e65ony43"})({name:"1ww443i",styles:"max-width:200px"}),aS=Jf("div",{target:"e65ony42"})("border-radius:50%;border:1px solid ",Ck.ui.borderLight,";box-sizing:border-box;cursor:grab;height:",30,"px;overflow:hidden;width:",30,"px;"),iS=Jf("div",{target:"e65ony41"})({name:"1bhd2sw",styles:"box-sizing:border-box;position:relative;width:100%;height:100%"}),sS=Jf("div",{target:"e65ony40"})("background:",Ck.ui.border,";border-radius:50%;border:3px solid ",Ck.ui.border,";bottom:0;box-sizing:border-box;display:block;height:1px;left:0;margin:auto;position:absolute;right:0;top:-",15,"px;width:1px;");const lS=function({value:e,onChange:t,...n}){const r=(0,et.useRef)(),o=(0,et.useRef)(),a=(0,et.useRef)(),i=e=>{const{x:n,y:a}=o.current,{ownerDocument:i}=r.current;e.preventDefault(),i.activeElement.blur(),t(function(e,t,n,r){const o=r-t,a=n-e,i=Math.atan2(o,a),s=Math.round(i*(180/Math.PI))+90;if(s<0)return 360+s;return s}(n,a,e.clientX,e.clientY))},{startDrag:s,isDragging:l}=function({onDragStart:e,onDragMove:t,onDragEnd:n}){const[r,o]=(0,et.useState)(!1),a=(0,et.useRef)({onDragStart:e,onDragMove:t,onDragEnd:n});gl((()=>{a.current.onDragStart=e,a.current.onDragMove=t,a.current.onDragEnd=n}),[e,t,n]);const i=(0,et.useCallback)((e=>a.current.onDragMove&&a.current.onDragMove(e)),[]),s=(0,et.useCallback)((e=>{a.current.onDragEnd&&a.current.onDragEnd(e),document.removeEventListener("mousemove",i),document.removeEventListener("mouseup",s),o(!1)}),[]),l=(0,et.useCallback)((e=>{a.current.onDragStart&&a.current.onDragStart(e),document.addEventListener("mousemove",i),document.addEventListener("mouseup",s),o(!0)}),[]);return(0,et.useEffect)((()=>()=>{r&&(document.removeEventListener("mousemove",i),document.removeEventListener("mouseup",s))}),[r]),{startDrag:l,endDrag:s,isDragging:r}}({onDragStart:e=>{(()=>{const e=r.current.getBoundingClientRect();o.current={x:e.x+e.width/2,y:e.y+e.height/2}})(),i(e)},onDragMove:i,onDragEnd:i});return(0,et.useEffect)((()=>{l?(void 0===a.current&&(a.current=document.body.style.cursor),document.body.style.cursor="grabbing"):(document.body.style.cursor=a.current||null,a.current=void 0)}),[l]),(0,et.createElement)(aS,rt({ref:r,onMouseDown:s,className:"components-angle-picker-control__angle-circle",style:l?{cursor:"grabbing"}:void 0},n),(0,et.createElement)(iS,{style:e?{transform:`rotate(${e}deg)`}:void 0,className:"components-angle-picker-control__angle-circle-indicator-wrapper"},(0,et.createElement)(sS,{className:"components-angle-picker-control__angle-circle-indicator"})))};function cS({className:e,hideLabelFromVision:t,id:n,label:r=Zn("Angle"),onChange:o,value:a,...i}){const s=xk(cS,"components-angle-picker-control__input"),l=n||s,c=io()("components-angle-picker-control",e);return(0,et.createElement)(nA,rt({className:c,hideLabelFromVision:t,id:l,label:r},i),(0,et.createElement)(oS,null,(0,et.createElement)(rS,null,(0,et.createElement)(mL,{className:"components-angle-picker-control__input-field",id:l,max:360,min:0,onChange:e=>{const t=""!==e?parseInt(e,10):0;o(t)},step:"1",value:a})),(0,et.createElement)(Fk,null,(0,et.createElement)(lS,{"aria-hidden":"true",value:a,onChange:o}))))}const uS=(0,et.createElement)(po,{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24"},(0,et.createElement)(co,{d:"M18 11.2h-5.2V6h-1.6v5.2H6v1.6h5.2V18h1.6v-5.2H18z"})),dS={className:"components-custom-gradient-picker__color-picker-popover",position:"top"};function pS(e){return Math.max(0,Math.min(100,e))}function mS(e,t,n){const r=e.slice();return r[t]=n,r}function fS(e,t,n){if(function(e,t,n,r=0){const o=e[t].position,a=Math.min(o,n),i=Math.max(o,n);return e.some((({position:e},o)=>o!==t&&(Math.abs(e-n){const t=gS(e.clientX,n.current,18),{initialPosition:r,index:i,significantMoveHappened:s}=l.current;!s&&Math.abs(r-t)>=5&&(l.current.significantMoveHappened=!0),a(fS(o,i,t))},u=()=>{window&&window.removeEventListener&&l.current&&l.current.listenersActivated&&(window.removeEventListener("mousemove",c),window.removeEventListener("mouseup",u),s(),l.current.listenersActivated=!1)};return(0,et.useEffect)((()=>()=>{u()}),[]),o.map(((n,d)=>{const p=null==n?void 0:n.position;return r!==p&&(0,et.createElement)(Eg,{key:d,onClose:s,renderToggle:({isOpen:e,onToggle:t})=>(0,et.createElement)(vS,{key:d,onClick:()=>{l.current&&l.current.significantMoveHappened||(e?s():i(),t())},onMouseDown:()=>{window&&window.addEventListener&&(l.current={initialPosition:p,index:d,significantMoveHappened:!1,listenersActivated:!0},i(),window.addEventListener("mousemove",c),window.addEventListener("mouseup",u))},isOpen:e,position:n.position,color:n.color,onChange:e=>{a(fS(o,d,e))}}),renderContent:({onClose:r})=>(0,et.createElement)(et.Fragment,null,(0,et.createElement)(ZA,{disableAlpha:t,color:n.color,onChangeComplete:({color:e})=>{a(hS(o,d,e.toRgbString()))}}),!e&&(0,et.createElement)(nh,{className:"components-custom-gradient-picker__remove-control-point",onClick:()=>{a(function(e,t){return e.filter(((e,n)=>n!==t))}(o,d)),r()},variant:"link"},Zn("Remove Control Point"))),popoverProps:dS})}))}yS.InsertPoint=function({value:e,onChange:t,onOpenInserter:n,onCloseInserter:r,insertPosition:o,disableAlpha:a}){const[i,s]=(0,et.useState)(!1);return(0,et.createElement)(Eg,{className:"components-custom-gradient-picker__inserter",onClose:()=>{r()},renderToggle:({isOpen:e,onToggle:t})=>(0,et.createElement)(nh,{"aria-expanded":e,"aria-haspopup":"true",onClick:()=>{e?r():(s(!1),n()),t()},className:"components-custom-gradient-picker__insert-point",icon:uS,style:{left:null!==o?`${o}%`:void 0}}),renderContent:()=>(0,et.createElement)(ZA,{disableAlpha:a,onChangeComplete:({color:n})=>{i?t(function(e,t,n){const r=e.findIndex((e=>e.position===t));return hS(e,r,n)}(e,o,n.toRgbString())):(t(function(e,t,n){const r=e.findIndex((e=>e.position>t)),o={color:n,position:t},a=e.slice();return a.splice(r-1,0,o),a}(e,o,n.toRgbString())),s(!0))}}),popoverProps:dS})};const _S=yS;function MS(e,t){switch(t.type){case"MOVE_INSERTER":if("IDLE"===e.id||"MOVING_INSERTER"===e.id)return{id:"MOVING_INSERTER",insertPosition:t.insertPosition};break;case"STOP_INSERTER_MOVE":if("MOVING_INSERTER"===e.id)return{id:"IDLE"};break;case"OPEN_INSERTER":if("MOVING_INSERTER"===e.id)return{id:"INSERTING_CONTROL_POINT",insertPosition:e.insertPosition};break;case"CLOSE_INSERTER":if("INSERTING_CONTROL_POINT"===e.id)return{id:"IDLE"};break;case"START_CONTROL_CHANGE":if("IDLE"===e.id)return{id:"MOVING_CONTROL_POINT"};break;case"STOP_CONTROL_CHANGE":if("MOVING_CONTROL_POINT"===e.id)return{id:"IDLE"}}return e}const kS={id:"IDLE"};function wS({background:e,hasGradient:t,value:n,onChange:r,disableInserter:o=!1,disableAlpha:a=!1}){const i=(0,et.useRef)(),[s,l]=(0,et.useReducer)(MS,kS),c=e=>{const t=gS(e.clientX,i.current,23);(0,ot.some)(n,(({position:e})=>Math.abs(t-e)<10))?"MOVING_INSERTER"===s.id&&l({type:"STOP_INSERTER_MOVE"}):l({type:"MOVE_INSERTER",insertPosition:t})},u="MOVING_INSERTER"===s.id,d="INSERTING_CONTROL_POINT"===s.id;return(0,et.createElement)("div",{ref:i,className:io()("components-custom-gradient-picker__gradient-bar",{"has-gradient":t}),onMouseEnter:c,onMouseMove:c,style:{background:e},onMouseLeave:()=>{l({type:"STOP_INSERTER_MOVE"})}},(0,et.createElement)("div",{className:"components-custom-gradient-picker__markers-container"},!o&&(u||d)&&(0,et.createElement)(_S.InsertPoint,{disableAlpha:a,insertPosition:s.insertPosition,value:n,onChange:r,onOpenInserter:()=>{l({type:"OPEN_INSERTER"})},onCloseInserter:()=>{l({type:"CLOSE_INSERTER"})}}),(0,et.createElement)(_S,{disableAlpha:a,disableRemove:o,gradientPickerDomRef:i,ignoreMarkerPosition:d?s.insertPosition:void 0,value:n,onChange:r,onStartControlPointChange:()=>{l({type:"START_CONTROL_CHANGE"})},onStopControlPointChange:()=>{l({type:"STOP_CONTROL_CHANGE"})}})))}const ES=Jf("select",{target:"e12x0a391"})("&&&{appearance:none;background:transparent;box-sizing:border-box;border:none;box-shadow:none!important;color:",Ck.black,";display:block;margin:0;width:100%;",(({disabled:e})=>e?uk({color:Ck.ui.textDisabled},"",""):""),";",(({size:e})=>{const t={default:"13px",small:"11px"}[e];return t?uk("font-size:","16px",";@media ( min-width: 600px ){font-size:",t,";}",""):""}),";",(({size:e})=>{const t={default:{height:30,lineHeight:1,minHeight:30},small:{height:24,lineHeight:1,minHeight:24}};return uk(t[e]||t.default,"","")}),";",gk({paddingLeft:8,paddingRight:24})(),";}"),LS=Jf("div",{target:"e12x0a390"})("align-items:center;bottom:0;box-sizing:border-box;display:flex;padding:0 4px;pointer-events:none;position:absolute;top:0;",gk({right:0})()," svg{display:block;}");function AS({className:e,disabled:t=!1,help:n,hideLabelFromVision:r,id:o,label:a,multiple:i=!1,onBlur:s=ot.noop,onChange:l=ot.noop,onFocus:c=ot.noop,options:u=[],size:d="default",value:p,labelPosition:m="top",...f},h){const[g,b]=(0,et.useState)(!1),v=function(e){const t=xk(AS);return e||`inspector-select-control-${t}`}(o),y=n?`${v}__help`:void 0;if((0,ot.isEmpty)(u))return null;const _=io()("components-select-control",e);return(0,et.createElement)(nA,{help:n},(0,et.createElement)(jw,rt({className:_,disabled:t,hideLabelFromVision:r,id:v,isFocused:g,label:a,size:d,suffix:(0,et.createElement)(LS,null,(0,et.createElement)(AL,{icon:uA,size:18})),labelPosition:m},f),(0,et.createElement)(ES,rt({},f,{"aria-describedby":y,className:"components-select-control__input",disabled:t,id:v,multiple:i,onBlur:e=>{s(e),b(!1)},onChange:e=>{if(i){const t=[...e.target.options].filter((({selected:e})=>e)).map((({value:e})=>e));l(t)}else l(e.target.value,{event:e})},onFocus:e=>{c(e),b(!0)},ref:h,size:d,value:p}),u.map(((e,t)=>{const n=e.id||`${e.label}-${e.value}-${t}`;return(0,et.createElement)("option",{key:n,value:e.value,disabled:e.disabled},e.label)})))))}const SS=(0,et.forwardRef)(AS);var CS=n(9948);const TS="linear-gradient(135deg, rgba(6, 147, 227, 1) 0%, rgb(155, 81, 224) 100%)",xS={type:"angular",value:90},zS=[{value:"linear-gradient",label:Zn("Linear")},{value:"radial-gradient",label:Zn("Radial")}],OS={top:0,"top right":45,"right top":45,right:90,"right bottom":135,"bottom right":135,bottom:180,"bottom left":225,"left bottom":225,left:270,"top left":315,"left top":315};function NS({type:e,value:t,length:n}){return`${function({type:e,value:t}){return"literal"===e?t:"hex"===e?`#${t}`:`${e}(${t.join(",")})`}({type:e,value:t})} ${function(e){if(!e)return"";const{value:t,type:n}=e;return`${t}${n}`}(n)}`}function DS({type:e,orientation:t,colorStops:n}){const r=function(e){if(e&&"angular"===e.type)return`${e.value}deg`}(t),o=n.sort(((e,t)=>(0,ot.get)(e,["length","value"],0)-(0,ot.get)(t,["length","value"],0))).map(NS);return`${e}(${(0,ot.compact)([r,...o]).join(",")})`}function BS(e){return void 0===e.length||"%"!==e.length.type}function IS(e){switch(e.type){case"hex":return`#${e.value}`;case"literal":return e.value;case"rgb":case"rgba":return`${e.type}(${e.value.join(",")})`;default:return"transparent"}}const PS=Jf(rS,{target:"e99xvul1"})({name:"1gvx10y",styles:"flex-grow:5"}),RS=Jf(rS,{target:"e99xvul0"})({name:"aco78w",styles:"flex-grow:4"}),YS=({gradientAST:e,hasGradient:t,onChange:n})=>{const r=(0,ot.get)(e,["orientation","value"],180);return(0,et.createElement)(cS,{hideLabelFromVision:!0,onChange:t=>{n(DS({...e,orientation:{type:"angular",value:t}}))},value:t?r:""})},WS=({gradientAST:e,hasGradient:t,onChange:n})=>{const{type:r}=e;return(0,et.createElement)(SS,{className:"components-custom-gradient-picker__type-picker",label:Zn("Type"),labelPosition:"side",onChange:t=>{"linear-gradient"===t&&n(DS({...e,...e.orientation?{}:{orientation:xS},type:"linear-gradient"})),"radial-gradient"===t&&n(DS({...(0,ot.omit)(e,["orientation"]),type:"radial-gradient"}))},options:zS,value:t&&r})};function HS({value:e,onChange:t}){const n=function(e){var t;let n;try{n=CS.parse(e)[0],n.value=e}catch(e){n=CS.parse(TS)[0],n.value=TS}if("directional"===(null===(t=n.orientation)||void 0===t?void 0:t.type)&&(n.orientation.type="angular",n.orientation.value=OS[n.orientation.value].toString()),n.colorStops.some(BS)){const{colorStops:e}=n,t=100/(e.length-1);e.forEach(((e,n)=>{e.length={value:t*n,type:"%"}})),n.value=DS(n)}return n}(e),r="radial-gradient"===n.type?function(e){return DS({type:"linear-gradient",orientation:xS,colorStops:e.colorStops})}(n):n.value,o=n.value!==TS,a=n.colorStops.map((e=>({color:IS(e),position:parseInt(e.length.value)})));return(0,et.createElement)("div",{className:"components-custom-gradient-picker"},(0,et.createElement)(wS,{background:r,hasGradient:o,value:a,onChange:e=>{t(DS(function(e,t){return{...e,colorStops:t.map((({position:e,color:t})=>{const{r:n,g:r,b:o,a}=ho()(t).toRgb();return{length:{type:"%",value:e.toString()},type:a<1?"rgba":"rgb",value:a<1?[n,r,o,a]:[n,r,o]}}))}}(n,e)))}}),(0,et.createElement)(Hk,{gap:3,className:"components-custom-gradient-picker__ui-line"},(0,et.createElement)(PS,null,(0,et.createElement)(WS,{gradientAST:n,hasGradient:o,onChange:t})),(0,et.createElement)(RS,null,"linear-gradient"===n.type&&(0,et.createElement)(YS,{gradientAST:n,hasGradient:o,onChange:t}))))}function qS({className:e,gradients:t,onChange:n,value:r,clearable:o=!0,disableCustomGradients:a=!1}){const i=(0,et.useCallback)((()=>n(void 0)),[n]),s=(0,et.useMemo)((()=>(0,ot.map)(t,(({gradient:e,name:t})=>(0,et.createElement)(tS.Option,{key:e,value:e,isSelected:r===e,tooltipText:t||dn(Zn("Gradient code: %s"),e),style:{color:"rgba( 0,0,0,0 )",background:e},onClick:r===e?i:()=>n(e),"aria-label":t?dn(Zn("Gradient: %s"),t):dn(Zn("Gradient code: %s"),e)})))),[t,r,n,i]);return(0,et.createElement)(tS,{className:e,options:s,actions:o&&(0,et.createElement)(tS.ButtonAction,{onClick:i},Zn("Clear"))},!a&&(0,et.createElement)(HS,{value:r,onChange:n}))}const jS=(e,t,n)=>{if(t){const n=(0,ot.find)(e,{slug:t});if(n)return n}return{color:n}},FS=(e,t)=>(0,ot.find)(e,{color:t});function VS(e,t){if(e&&t)return`has-${(0,ot.kebabCase)(t)}-${e}`}const XS=[];function US(e){if(e)return`has-${e}-gradient-background`}function $S(e,t){const n=(0,ot.find)(e,["slug",t]);return n&&n.gradient}function KS(e,t){return(0,ot.find)(e,["gradient",t])}function GS(e,t){const n=KS(e,t);return n&&n.slug}const JS=Zn("(Color: %s)"),QS=Zn("(Gradient: %s)"),ZS=["colors","disableCustomColors","gradients","disableCustomGradients"];function eC({colors:e,gradients:t,label:n,currentTab:r,colorValue:o,gradientValue:a}){let i,s;if("color"===r){if(o){i=o;const t=FS(e,i),n=t&&t.name;s=dn(JS,n||i)}}else if("gradient"===r&&a){i=a;const e=KS(t,i),n=e&&e.name;s=dn(QS,n||i)}return(0,et.createElement)(et.Fragment,null,n,!!i&&(0,et.createElement)(SA,{colorValue:i,"aria-label":s}))}function tC({colors:e,gradients:t,disableCustomColors:n,disableCustomGradients:r,className:o,label:a,onColorChange:i,onGradientChange:s,colorValue:l,gradientValue:c,clearable:u}){const d=i&&(!(0,ot.isEmpty)(e)||!n),p=s&&(!(0,ot.isEmpty)(t)||!r),[m,f]=(0,et.useState)(c?"gradient":!!d&&"color");return d||p?(0,et.createElement)(nA,{className:io()("block-editor-color-gradient-control",o)},(0,et.createElement)("fieldset",null,(0,et.createElement)("legend",null,(0,et.createElement)("div",{className:"block-editor-color-gradient-control__color-indicator"},(0,et.createElement)(nA.VisualLabel,null,(0,et.createElement)(eC,{currentTab:m,label:a,colorValue:l,gradientValue:c})))),d&&p&&(0,et.createElement)(CA,{className:"block-editor-color-gradient-control__button-tabs"},(0,et.createElement)(nh,{isSmall:!0,isPressed:"color"===m,onClick:()=>f("color")},Zn("Solid")),(0,et.createElement)(nh,{isSmall:!0,isPressed:"gradient"===m,onClick:()=>f("gradient")},Zn("Gradient"))),("color"===m||!p)&&(0,et.createElement)(nS,{value:l,onChange:p?e=>{i(e),s()}:i,colors:e,disableCustomColors:n,clearable:u}),("gradient"===m||!d)&&(0,et.createElement)(qS,{value:c,onChange:d?e=>{s(e),i()}:s,gradients:t,disableCustomGradients:r,clearable:u}))):null}function nC(e){const t={};return t.colors=TL("color.palette"),t.gradients=TL("color.gradients"),t.disableCustomColors=!TL("color.custom"),t.disableCustomGradients=!TL("color.customGradient"),(0,et.createElement)(tC,rt({},t,e))}const rC=function(e){return(0,ot.every)(ZS,(t=>e.hasOwnProperty(t)))?(0,et.createElement)(tC,e):(0,et.createElement)(nC,e)},oC=e=>{if(!(0,ot.isObject)(e)||Array.isArray(e))return e;const t=(0,ot.pickBy)((0,ot.mapValues)(e,oC),ot.identity);return(0,ot.isEmpty)(t)?void 0:t},aC=[];function iC(e){var t;const{attributes:{borderColor:n,style:r},setAttributes:o}=e,a=TL("color.palette")||aC,i=!TL("color.custom"),s=!TL("color.customGradient");return(0,et.createElement)(rC,{label:Zn("Color"),value:n||(null==r||null===(t=r.border)||void 0===t?void 0:t.color),colors:a,gradients:void 0,disableCustomColors:i,disableCustomGradients:s,onColorChange:e=>{const t=FS(a,e),n={...r,border:{...null==r?void 0:r.border,color:null!=t&&t.slug?void 0:e}},i=null!=t&&t.slug?t.slug:void 0;o({style:oC(n),borderColor:i})}})}function sC(e,t,n){var r;if(!aT(t,"color")||iT(t))return e;const{borderColor:o,style:a}=n,i=VS("border-color",o),s=io()(e.className,{"has-border-color":o||(null==a||null===(r=a.border)||void 0===r?void 0:r.color),[i]:!!i});return e.className=s||void 0,e}const lC=ni((e=>t=>{var n,r;const{name:o,attributes:a}=t,{borderColor:i}=a,s=TL("color.palette")||aC;if(!aT(o,"color")||iT(o))return(0,et.createElement)(e,t);const l={borderColor:i?null===(n=jS(s,i))||void 0===n?void 0:n.color:void 0};let c=t.wrapperProps;return c={...t.wrapperProps,style:{...l,...null===(r=t.wrapperProps)||void 0===r?void 0:r.style}},(0,et.createElement)(e,rt({},t,{wrapperProps:c}))}));function cC(e,t,n){return"number"!=typeof e?null:parseFloat((0,ot.clamp)(e,t,n))}function uC(e="transition"){let t;switch(e){case"transition":t="transition-duration: 0ms;";break;case"animation":t="animation-duration: 1ms;";break;default:t="\n\t\t\t\tanimation-duration: 1ms;\n\t\t\t\ttransition-duration: 0ms;\n\t\t\t"}return`\n\t\t@media ( prefers-reduced-motion: reduce ) {\n\t\t\t${t};\n\t\t}\n\t`}Bn("blocks.registerBlockType","core/border/addAttributes",(function(e){return aT(e,"color")?e.attributes.borderColor?e:{...e,attributes:{...e.attributes,borderColor:{type:"string"}}}:e})),Bn("blocks.getSaveContent.extraProps","core/border/addSaveProps",sC),Bn("blocks.registerBlockType","core/border/addEditProps",(function(e){if(!aT(e,"color")||iT(e))return e;const t=e.getEditWrapperProps;return e.getEditWrapperProps=n=>{let r={};return t&&(r=t(n)),sC(r,e,n)},e})),Bn("editor.BlockListBlock","core/border/with-border-color-palette-styles",lC);var dC={name:"b1qlpp",styles:"height:30px;min-height:30px"};const pC=()=>dC,mC=Jf("div",{target:"exqw8y214"})({name:"17z6zai",styles:"-webkit-tap-highlight-color:transparent;box-sizing:border-box;align-items:flex-start;display:inline-flex;justify-content:flex-start;padding:0;position:relative;touch-action:none;width:100%"}),fC=Jf("div",{target:"exqw8y213"})("box-sizing:border-box;color:",Ck.blue.medium.focus,";display:block;flex:1;padding-top:15px;position:relative;width:100%;",(({color:e=Ck.ui.borderFocus})=>uk({color:e},"","")),";",pC,";",(({marks:e})=>uk({marginBottom:e?16:null},"","")),";",gk({marginLeft:10}),";"),hC=Jf("span",{target:"exqw8y212"})("margin-top:3px;",gk({marginRight:6}),";"),gC=Jf("span",{target:"exqw8y211"})("margin-top:3px;",gk({marginLeft:16}),";"),bC=Jf("span",{target:"exqw8y210"})("background-color:",Ck.lightGray[600],";box-sizing:border-box;left:0;pointer-events:none;right:0;display:block;height:3px;position:absolute;margin-top:14px;top:0;",(({disabled:e,railColor:t})=>{let n=t||null;return e&&(n=Ck.lightGray[400]),uk({background:n},"","")}),";"),vC=Jf("span",{target:"exqw8y29"})("background-color:currentColor;border-radius:1px;box-sizing:border-box;height:3px;pointer-events:none;display:block;position:absolute;margin-top:14px;top:0;",(({disabled:e,trackColor:t})=>{let n=t||"currentColor";return e&&(n=Ck.lightGray[800]),uk({background:n},"","")}),";"),yC=Jf("span",{target:"exqw8y28"})({name:"1xuuvmv",styles:"box-sizing:border-box;display:block;pointer-events:none;position:relative;width:100%;user-select:none"}),_C=Jf("span",{target:"exqw8y27"})("box-sizing:border-box;height:9px;left:0;position:absolute;top:-4px;width:1px;",(({disabled:e,isFilled:t})=>{let n=t?"currentColor":Ck.lightGray[600];return e&&(n=Ck.lightGray[800]),uk({backgroundColor:n},"","")}),";"),MC=Jf("span",{target:"exqw8y26"})("box-sizing:border-box;color:",Ck.lightGray[600],";left:0;font-size:11px;position:absolute;top:12px;transform:translateX( -50% );white-space:nowrap;",(({isFilled:e})=>uk({color:e?Ck.darkGray[300]:Ck.lightGray[600]},"","")),";"),kC=Jf("span",{target:"exqw8y25"})("align-items:center;box-sizing:border-box;display:flex;height:",20,"px;justify-content:center;margin-top:5px;outline:0;pointer-events:none;position:absolute;top:0;user-select:none;width:",20,"px;",gk({marginLeft:-10}),";"),wC=Jf("span",{target:"exqw8y24"})("align-items:center;background-color:white;border-radius:50%;border:1px solid ",Ck.darkGray[200],";box-sizing:border-box;height:100%;outline:0;position:absolute;user-select:none;width:100%;",(({isFocused:e})=>uk({borderColor:e?Ck.ui.borderFocus:Ck.darkGray[200],boxShadow:e?`\n\t\t\t\t0 0 0 1px ${Ck.ui.borderFocus}\n\t\t\t`:"\n\t\t\t\t0 0 0 rgba(0, 0, 0, 0)\n\t\t\t"},"","")),";"),EC=Jf("input",{target:"exqw8y23"})("box-sizing:border-box;cursor:pointer;display:block;height:100%;left:0;margin:0 -",10,"px;opacity:0;outline:none;position:absolute;right:0;top:0;width:calc( 100% + ",20,"px );");var LC={name:"1lr98c4",styles:"bottom:-80%"},AC={name:"1cypxip",styles:"top:-80%"};const SC=Jf("span",{target:"exqw8y22"})("background:",Ck.ui.border,";border-radius:2px;box-sizing:border-box;color:white;display:inline-block;font-size:12px;min-width:32px;opacity:0;padding:4px 8px;pointer-events:none;position:absolute;text-align:center;transition:opacity 120ms ease;user-select:none;line-height:1.4;",(({show:e})=>uk({opacity:e?1:0},"","")),";",(({position:e})=>"top"===e?AC:LC),";",uC("transition"),";",gk({transform:"translateX(-50%)"},{transform:"translateX(50%)"}),";"),CC=Jf(mL,{target:"exqw8y21"})("box-sizing:border-box;display:inline-block;font-size:13px;margin-top:0;width:",Nk(16),"!important;input[type='number']&{",pC,";}",gk({marginLeft:`${Nk(4)} !important`}),";"),TC=Jf("span",{target:"exqw8y20"})("box-sizing:border-box;display:block;margin-top:0;button,button.is-small{margin-left:0;",pC,";}",gk({marginLeft:8}),";");const xC=(0,et.forwardRef)((function({describedBy:e,isShiftStepEnabled:t=!0,label:n,onHideTooltip:r=ot.noop,onMouseLeave:o=ot.noop,step:a=1,onBlur:i=ot.noop,onChange:s=ot.noop,onFocus:l=ot.noop,onMouseMove:c=ot.noop,onShowTooltip:u=ot.noop,shiftStep:d=10,value:p,...m},f){const h=pL({step:a,shiftStep:d,isShiftStepEnabled:t}),g=function({onHide:e=ot.noop,onMouseLeave:t=ot.noop,onMouseMove:n=ot.noop,onShow:r=ot.noop,timeout:o=300}){const[a,i]=(0,et.useState)(!1),s=(0,et.useRef)(),l=(0,et.useCallback)((e=>{window.clearTimeout(s.current),s.current=setTimeout(e,o)}),[o]),c=(0,et.useCallback)((e=>{n(e),l((()=>{a||(i(!0),r())}))}),[]),u=(0,et.useCallback)((n=>{t(n),l((()=>{i(!1),e()}))}),[]);return(0,et.useEffect)((()=>()=>{window.clearTimeout(s.current)})),{onMouseMove:c,onMouseLeave:u}}({onHide:r,onMouseLeave:o,onMouseMove:c,onShow:u});return(0,et.createElement)(EC,rt({},m,g,{"aria-describedby":e,"aria-label":n,"aria-hidden":!1,onBlur:i,onChange:s,onFocus:l,ref:f,step:h,tabIndex:0,type:"range",value:p}))}));function zC({className:e,isFilled:t=!1,label:n,style:r={},...o}){const a=io()("components-range-control__mark",t&&"is-filled",e),i=io()("components-range-control__mark-label",t&&"is-filled");return(0,et.createElement)(et.Fragment,null,(0,et.createElement)(_C,rt({},o,{"aria-hidden":"true",className:a,isFilled:t,style:r})),n&&(0,et.createElement)(MC,{"aria-hidden":"true",className:i,isFilled:t,style:r},n))}function OC({disabled:e=!1,marks:t=!1,min:n=0,max:r=100,step:o=1,value:a=0,...i}){return(0,et.createElement)(et.Fragment,null,(0,et.createElement)(bC,rt({disabled:e},i)),t&&(0,et.createElement)(NC,{disabled:e,marks:t,min:n,max:r,step:o,value:a}))}function NC({disabled:e=!1,marks:t=!1,min:n=0,max:r=100,step:o=1,value:a=0}){const i=function({marks:e,min:t=0,max:n=100,step:r=1,value:o=0}){if(!e)return[];const a=n-t;if(!Array.isArray(e)){e=[];const n=1+Math.round(a/r);for(;n>e.push({value:r*e.length+t}););}const i=[];return e.forEach(((e,r)=>{if(e.valuen)return;const s=`mark-${r}`,l=e.value<=o,c=(e.value-t)/a*100+"%",u={[nr()?"right":"left"]:c};i.push({...e,isFilled:l,key:s,style:u})})),i}({marks:t,min:n,max:r,step:o,value:a});return(0,et.createElement)(yC,{"aria-hidden":"true",className:"components-range-control__marks"},i.map((t=>(0,et.createElement)(zC,rt({},t,{key:t.key,"aria-hidden":"true",disabled:e})))))}function DC({className:e,inputRef:t,position:n="auto",show:r=!1,style:o={},value:a=0,renderTooltipContent:i=(e=>e),zIndex:s=100,...l}){const c=function({inputRef:e,position:t}){const[n,r]=(0,et.useState)("top"),o=(0,et.useCallback)((()=>{if(e&&e.current){let n=t;if("auto"===t){const{top:t}=e.current.getBoundingClientRect();n=t-32<0?"bottom":"top"}r(n)}}),[t]);return(0,et.useEffect)((()=>{o()}),[o]),(0,et.useEffect)((()=>(window.addEventListener("resize",o),()=>{window.removeEventListener("resize",o)}))),n}({inputRef:t,position:n}),u=io()("components-simple-tooltip",e),d={...o,zIndex:s};return(0,et.createElement)(SC,rt({},l,{"aria-hidden":r,className:u,position:c,show:r,role:"tooltip",style:d}),i(a))}const BC=(0,et.forwardRef)((function e({afterIcon:t,allowReset:n=!1,beforeIcon:r,className:o,currentInput:a,color:i=Ck.ui.theme,disabled:s=!1,help:l,initialPosition:c,isShiftStepEnabled:u=!0,label:d,marks:p=!1,max:m=100,min:f=0,onBlur:h=ot.noop,onChange:g=ot.noop,onFocus:b=ot.noop,onMouseMove:v=ot.noop,onMouseLeave:y=ot.noop,railColor:_,resetFallbackValue:M,renderTooltipContent:k=(e=>e),showTooltip:w,shiftStep:E=10,step:L=1,trackColor:A,value:S,withInputField:C=!0,...T},x){var z;const[O,N]=function({min:e,max:t,value:n,initial:r}){const[o,a]=EL(cC(n,e,t),{initial:r,fallback:null});return[o,(0,et.useCallback)((n=>{a(null===n?null:cC(n,e,t))}),[e,t])]}({min:f,max:m,value:S,initial:c}),D=(0,et.useRef)(!1),[B,I]=(0,et.useState)(w),[P,R]=(0,et.useState)(!1),Y=(0,et.useRef)(),W=null===(z=Y.current)||void 0===z?void 0:z.matches(":focus"),H=!s&&P,q=null===O,j=q?"":void 0!==O?O:a,F=q?(m-f)/2+f:O,V=q?50:(O-f)/(m-f)*100,X=`${(0,ot.clamp)(V,0,100)}%`,U=io()("components-range-control",o),$=io()("components-range-control__wrapper",!!p&&"is-marked"),K=xk(e,"inspector-range-control"),G=l?`${K}__help`:void 0,J=!1!==w&&(0,ot.isFinite)(O),Q=()=>{let e=parseFloat(M),t=e;isNaN(e)&&(e=null,t=void 0),N(e),g(t)},Z={[nr()?"right":"left"]:X};return(0,et.createElement)(nA,{className:U,label:d,id:K,help:l},(0,et.createElement)(mC,{className:"components-range-control__root"},r&&(0,et.createElement)(hC,null,(0,et.createElement)(Cf,{icon:r})),(0,et.createElement)(fC,{className:$,color:i,marks:!!p},(0,et.createElement)(xC,rt({},T,{className:"components-range-control__slider",describedBy:G,disabled:s,id:K,isShiftStepEnabled:u,label:d,max:m,min:f,onBlur:e=>{h(e),R(!1),I(!1)},onChange:e=>{const t=parseFloat(e.target.value);N(t),g(t)},onFocus:e=>{b(e),R(!0),I(!0)},onMouseMove:v,onMouseLeave:y,ref:e=>{Y.current=e,x&&x(e)},shiftStep:E,step:L,value:j})),(0,et.createElement)(OC,{"aria-hidden":!0,disabled:s,marks:p,max:m,min:f,railColor:_,step:L,value:F}),(0,et.createElement)(vC,{"aria-hidden":!0,className:"components-range-control__track",disabled:s,style:{width:X},trackColor:A}),(0,et.createElement)(kC,{style:Z},(0,et.createElement)(wC,{"aria-hidden":!0,isFocused:H})),J&&(0,et.createElement)(DC,{className:"components-range-control__tooltip",inputRef:Y,renderTooltipContent:k,show:W||B,style:Z,value:O})),t&&(0,et.createElement)(gC,null,(0,et.createElement)(Cf,{icon:t})),C&&(0,et.createElement)(CC,{"aria-label":d,className:"components-range-control__number",disabled:s,inputMode:"decimal",isShiftStepEnabled:u,max:m,min:f,onBlur:()=>{D.current&&(Q(),D.current=!1)},onChange:e=>{e=parseFloat(e),N(e),isNaN(e)?n&&(D.current=!0):((em)&&(e=cC(e,f,m)),g(e),D.current=!1)},shiftStep:E,step:L,value:j}),n&&(0,et.createElement)(TC,null,(0,et.createElement)(nh,{className:"components-range-control__reset",disabled:s||void 0===O,variant:"secondary",isSmall:!0,onClick:Q},Zn("Reset")))))}));function IC(e){return e.sort(((t,n)=>e.filter((e=>e===t)).length-e.filter((e=>e===n)).length)).pop()}function PC(e={}){if("string"==typeof e)return e;const t=Object.values(e).map((e=>tk(e))),n=t.map((e=>e[0])),r=t.map((e=>e[1])),o=n.every((e=>e===n[0]))?n[0]:"",a=IC(r);return 0===o||o?`${o}${a}`:null}function RC(e={}){const t=PC(e);return isNaN(parseFloat(t))}function YC(e){if(!e)return!1;if("string"==typeof e)return!0;return!!Object.values(e).filter((e=>!!e||0===e)).length}function WC({onChange:e,values:t,...n}){const r=PC(t),o=YC(t)&&RC(t),a=o?Zn("Mixed"):null;return(0,et.createElement)(LL,rt({},n,{"aria-label":Zn("Border radius"),disableUnits:o,isOnly:!0,value:r,onChange:e,placeholder:a}))}const HC={topLeft:Zn("Top left"),topRight:Zn("Top right"),bottomLeft:Zn("Bottom left"),bottomRight:Zn("Bottom right")};function qC({onChange:e,values:t,...n}){const r="string"!=typeof t?t:{topLeft:t,topRight:t,bottomLeft:t,bottomRight:t};return(0,et.createElement)("div",{className:"components-border-radius-control__input-controls-wrapper"},Object.entries(HC).map((([t,o])=>{return(0,et.createElement)(LL,rt({},n,{key:t,"aria-label":o,value:r[t],onChange:(a=t,t=>{e&&e({...r,[a]:t||void 0})})}));var a})))}const jC=(0,et.createElement)(po,{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24"},(0,et.createElement)(co,{d:"M15.6 7.2H14v1.5h1.6c2 0 3.7 1.7 3.7 3.7s-1.7 3.7-3.7 3.7H14v1.5h1.6c2.8 0 5.2-2.3 5.2-5.2 0-2.9-2.3-5.2-5.2-5.2zM4.7 12.4c0-2 1.7-3.7 3.7-3.7H10V7.2H8.4c-2.9 0-5.2 2.3-5.2 5.2 0 2.9 2.3 5.2 5.2 5.2H10v-1.5H8.4c-2 0-3.7-1.7-3.7-3.7zm4.6.9h5.3v-1.5H9.3v1.5z"})),FC=(0,et.createElement)(po,{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24"},(0,et.createElement)(co,{d:"M15.6 7.3h-.7l1.6-3.5-.9-.4-3.9 8.5H9v1.5h2l-1.3 2.8H8.4c-2 0-3.7-1.7-3.7-3.7s1.7-3.7 3.7-3.7H10V7.3H8.4c-2.9 0-5.2 2.3-5.2 5.2 0 2.9 2.3 5.2 5.2 5.2H9l-1.4 3.2.9.4 5.7-12.5h1.4c2 0 3.7 1.7 3.7 3.7s-1.7 3.7-3.7 3.7H14v1.5h1.6c2.9 0 5.2-2.3 5.2-5.2 0-2.9-2.4-5.2-5.2-5.2z"}));function VC({isLinked:e,...t}){const n=Zn(e?"Unlink Radii":"Link Radii");return(0,et.createElement)(Af,{text:n},(0,et.createElement)(nh,rt({},t,{className:"component-border-radius-control__linked-button",isPrimary:e,isSecondary:!e,isSmall:!0,icon:e?jC:FC,iconSize:16,"aria-label":n})))}const XC={topLeft:null,topRight:null,bottomLeft:null,bottomRight:null},UC={px:100,em:20,rem:20};function $C({onChange:e,values:t}){const[n,r]=(0,et.useState)(!YC(t)||!RC(t)),o=rk({availableUnits:TL("spacing.units")||["px","em","rem"]}),a=function(e={}){if("string"==typeof e){const[,t]=tk(e);return t||"px"}return IC(Object.values(e).map((e=>{const[,t]=tk(e);return t})))}(t),i=o&&o.find((e=>e.value===a)),s=(null==i?void 0:i.step)||1,[l]=tk(PC(t));return(0,et.createElement)("fieldset",{className:"components-border-radius-control"},(0,et.createElement)("legend",null,Zn("Radius")),(0,et.createElement)("div",{className:"components-border-radius-control__wrapper"},n?(0,et.createElement)(et.Fragment,null,(0,et.createElement)(WC,{className:"components-border-radius-control__unit-control",values:t,min:0,onChange:e,unit:a,units:o}),(0,et.createElement)(BC,{className:"components-border-radius-control__range-control",value:l,min:0,max:UC[a],initialPosition:0,withInputField:!1,onChange:t=>{e(void 0!==t?`${t}${a}`:void 0)},step:s})):(0,et.createElement)(qC,{min:0,onChange:e,values:t||XC,units:o}),(0,et.createElement)(VC,{onClick:()=>r(!n),isLinked:n})))}function KC(e){var t;const{attributes:{style:n},setAttributes:r}=e;return(0,et.createElement)($C,{values:null==n||null===(t=n.border)||void 0===t?void 0:t.radius,onChange:e=>{let t={...n,border:{...null==n?void 0:n.border,radius:e}};void 0!==e&&""!==e||(t=oC(t)),r({style:t})}})}const GC=(0,et.createElement)(po,{xmlns:"http://www.w3.org/2000/svg",width:"24",height:"24",fill:"none"},(0,et.createElement)(co,{d:"M5 11.25h14v1.5H5z"})),JC=(0,et.createElement)(po,{xmlns:"http://www.w3.org/2000/svg",width:"24",height:"24",fill:"none"},(0,et.createElement)(co,{fillRule:"evenodd",d:"M5 11.25h3v1.5H5v-1.5zm5.5 0h3v1.5h-3v-1.5zm8.5 0h-3v1.5h3v-1.5z",clipRule:"evenodd"})),QC=(0,et.createElement)(po,{xmlns:"http://www.w3.org/2000/svg",width:"24",height:"24",fill:"none"},(0,et.createElement)(co,{fillRule:"evenodd",d:"M5.25 11.25h1.5v1.5h-1.5v-1.5zm3 0h1.5v1.5h-1.5v-1.5zm4.5 0h-1.5v1.5h1.5v-1.5zm1.5 0h1.5v1.5h-1.5v-1.5zm4.5 0h-1.5v1.5h1.5v-1.5z",clipRule:"evenodd"})),ZC=[{label:Zn("Solid"),icon:GC,value:"solid"},{label:Zn("Dashed"),icon:JC,value:"dashed"},{label:Zn("Dotted"),icon:QC,value:"dotted"}];function eT({onChange:e,value:t}){return(0,et.createElement)("fieldset",{className:"components-border-style-control"},(0,et.createElement)("legend",null,Zn("Style")),(0,et.createElement)("div",{className:"components-border-style-control__buttons"},ZC.map((n=>(0,et.createElement)(nh,{key:n.value,icon:n.icon,isSmall:!0,isPressed:n.value===t,onClick:()=>e(n.value===t?void 0:n.value),"aria-label":n.label})))))}const tT=e=>{var t;const{attributes:{style:n},setAttributes:r}=e;return(0,et.createElement)(eT,{value:null==n||null===(t=n.border)||void 0===t?void 0:t.style,onChange:e=>{const t={...n,border:{...null==n?void 0:n.border,style:e}};r({style:oC(t)})}})},nT=e=>{const{attributes:{borderColor:t,style:n},setAttributes:r}=e,{width:o,color:a,style:i}=(null==n?void 0:n.border)||{},[s,l]=(0,et.useState)(),[c,u]=(0,et.useState)();(0,et.useEffect)((()=>{"none"!==i&&l(i)}),[i]),(0,et.useEffect)((()=>{(t||a)&&u({name:t||void 0,color:a||void 0})}),[t,a]);const d=rk({availableUnits:TL("spacing.units")||["px","em","rem"]});return(0,et.createElement)(LL,{value:o,label:Zn("Width"),min:0,onChange:e=>{let o={...n,border:{...null==n?void 0:n.border,width:e}},a=t;const l=0===parseFloat(e);l&&(a=void 0,o.border.color=void 0,o.border.style="none"),l||"none"!==i||(o.border.style=s),l||void 0!==t||(a=null==c?void 0:c.name,o.border.color=null==c?void 0:c.color),void 0!==e&&""!==e||(o=oC(o)),r({borderColor:a,style:o})},units:d})},rT="__experimentalBorder";function oT(e){const t=sT(e),n=aT(e.name),r=TL("border.customColor")&&aT(e.name,"color"),o=TL("border.customRadius")&&aT(e.name,"radius"),a=TL("border.customStyle")&&aT(e.name,"style"),i=TL("border.customWidth")&&aT(e.name,"width");return t||!n?null:(0,et.createElement)(kA,null,(0,et.createElement)(mA,{className:"block-editor-hooks__border-controls",title:Zn("Border"),initialOpen:!1},(i||a)&&(0,et.createElement)("div",{className:"block-editor-hooks__border-controls-row"},i&&(0,et.createElement)(nT,e),a&&(0,et.createElement)(tT,e)),r&&(0,et.createElement)(iC,e),o&&(0,et.createElement)(KC,e)))}function aT(e,t="any"){if("web"!==Qg.OS)return!1;const n=Io(e,rT);return!0===n||("any"===t?!!(null!=n&&n.color||null!=n&&n.radius||null!=n&&n.width||null!=n&&n.style):!(null==n||!n[t]))}function iT(e){const t=Io(e,rT);return null==t?void 0:t.__experimentalSkipSerialization}const sT=()=>[!TL("border.customColor"),!TL("border.customRadius"),!TL("border.customStyle"),!TL("border.customWidth")].every(Boolean),lT=Zn("(%s: color %s)"),cT=Zn("(%s: gradient %s)"),uT=["colors","disableCustomColors","gradients","disableCustomGradients"],dT=({colors:e,gradients:t,settings:n})=>n.map((({colorValue:n,gradientValue:r,label:o,colors:a,gradients:i},s)=>{if(!n&&!r)return null;let l;if(n){const t=FS(a||e,n);l=dn(lT,o.toLowerCase(),t&&t.name||n)}else{const e=KS(i||t,n);l=dn(cT,o.toLowerCase(),e&&e.name||r)}return(0,et.createElement)(SA,{key:s,colorValue:n||r,"aria-label":l})})),pT=({className:e,colors:t,gradients:n,disableCustomColors:r,disableCustomGradients:o,children:a,settings:i,title:s,...l})=>{if((0,ot.isEmpty)(t)&&(0,ot.isEmpty)(n)&&r&&o&&(0,ot.every)(i,(e=>(0,ot.isEmpty)(e.colors)&&(0,ot.isEmpty)(e.gradients)&&(void 0===e.disableCustomColors||e.disableCustomColors)&&(void 0===e.disableCustomGradients||e.disableCustomGradients))))return null;const c=(0,et.createElement)("span",{className:"block-editor-panel-color-gradient-settings__panel-title"},s,(0,et.createElement)(dT,{colors:t,gradients:n,settings:i}));return(0,et.createElement)(mA,rt({className:io()("block-editor-panel-color-gradient-settings",e),title:c},l),i.map(((e,a)=>(0,et.createElement)(rC,rt({key:a,colors:t,gradients:n,disableCustomColors:r,disableCustomGradients:o},e)))),a)},mT=e=>{const t={};return t.colors=TL("color.palette"),t.gradients=TL("color.gradients"),t.disableCustomColors=!TL("color.custom"),t.disableCustomGradients=!TL("color.customGradient"),(0,et.createElement)(pT,rt({},t,e))},fT=e=>(0,ot.every)(uT,(t=>e.hasOwnProperty(t)))?(0,et.createElement)(pT,e):(0,et.createElement)(mT,e);function hT(e){switch(e){case"success":case"warning":case"info":return"polite";case"error":default:return"assertive"}}const gT=function({className:e,status:t="info",children:n,spokenMessage:r=n,onRemove:o=ot.noop,isDismissible:a=!0,actions:i=[],politeness:s=hT(t),__unstableHTML:l,onDismiss:c=ot.noop}){!function(e,t){const n="string"==typeof e?e:ei(e);(0,et.useEffect)((()=>{n&&Xv(n,t)}),[n,t])}(r,s);const u=io()(e,"components-notice","is-"+t,{"is-dismissible":a});return l&&(n=(0,et.createElement)(Ia,null,n)),(0,et.createElement)("div",{className:u},(0,et.createElement)("div",{className:"components-notice__content"},n,(0,et.createElement)("div",{className:"components-notice__actions"},i.map((({className:e,label:t,isPrimary:n,variant:r,noDefaultClasses:o=!1,onClick:a,url:i},s)=>{let l=r;return"primary"===r||o||(l=i?"link":"secondary"),void 0===l&&n&&(l="primary"),(0,et.createElement)(nh,{key:s,href:i,variant:l,onClick:i?void 0:a,className:io()("components-notice__action",e)},t)})))),a&&(0,et.createElement)(nh,{className:"components-notice__dismiss",icon:Wm,label:Zn("Dismiss this notice"),onClick:e=>{var t;null==e||null===(t=e.preventDefault)||void 0===t||t.call(e),c(),o()},showTooltip:!1}))};function bT({tinyBackgroundColor:e,tinyTextColor:t,backgroundColor:n,textColor:r}){const o=e.getBrightness(){Xv(Zn("This color combination may be hard for people to read."))}),[n,r]),(0,et.createElement)("div",{className:"block-editor-contrast-checker"},(0,et.createElement)(gT,{spokenMessage:null,status:"warning",isDismissible:!1},o))}const vT=function({backgroundColor:e,fallbackBackgroundColor:t,fallbackTextColor:n,fontSize:r,isLargeText:o,textColor:a}){if(!e&&!t||!a&&!n)return null;const i=ho()(e||t),s=ho()(a||n);return 1!==i.getAlpha()||1!==s.getAlpha()||ho().isReadable(i,s,{level:"AA",size:o||!1!==o&&r>=24?"large":"small"})?null:(0,et.createElement)(bT,{backgroundColor:e,textColor:a,tinyBackgroundColor:i,tinyTextColor:s})},yT=(0,et.createContext)();function _T({children:e}){const t=(0,et.useMemo)((()=>({refs:new Map,callbacks:new Map})),[]);return(0,et.createElement)(yT.Provider,{value:t},e)}function MT(e){const{refs:t,callbacks:n}=(0,et.useContext)(yT),r=(0,et.useRef)();return(0,et.useLayoutEffect)((()=>(t.set(r,e),()=>{t.delete(r)})),[e]),i_((t=>{r.current=t,n.forEach(((n,r)=>{e===n&&r(t)}))}),[e])}function kT(e){const{refs:t}=(0,et.useContext)(yT),n=(0,et.useRef)();return n.current=e,(0,et.useMemo)((()=>({get current(){let e=null;for(const[r,o]of t.entries())o===n.current&&r.current&&(e=r.current);return e}})),[])}function wT(e){const{callbacks:t}=(0,et.useContext)(yT),n=kT(e),[r,o]=(0,et.useState)(null);return(0,et.useLayoutEffect)((()=>{if(e)return t.set(o,e),()=>{t.delete(o)}}),[e]),n.current||r}function ET(e){return e.ownerDocument.defaultView.getComputedStyle(e)}function LT({settings:e,clientId:t,enableContrastChecking:n=!0}){const[r,o]=(0,et.useState)(),[a,i]=(0,et.useState)(),s=kT(t);return(0,et.useEffect)((()=>{if(!n)return;if(!s.current)return;i(ET(s.current).color);let e=s.current,t=ET(e).backgroundColor;for(;"rgba(0, 0, 0, 0)"===t&&e.parentNode&&e.parentNode.nodeType===e.parentNode.ELEMENT_NODE;)e=e.parentNode,t=ET(e).backgroundColor;o(t)})),(0,et.createElement)(kA,null,(0,et.createElement)(fT,{title:Zn("Color"),initialOpen:!1,settings:e},n&&(0,et.createElement)(vT,{backgroundColor:r,textColor:a})))}const AT="color",ST=[],CT=e=>{const t=Io(e,AT);return t&&(!0===t.link||!0===t.gradient||!1!==t.background||!1!==t.text)},TT=e=>{const t=Io(e,AT);return null==t?void 0:t.__experimentalSkipSerialization},xT=e=>{const t=Io(e,AT);return(0,ot.isObject)(t)&&!!t.gradients};function zT(e,t,n){var r,o,a,i,s,l;if(!CT(t)||TT(t))return e;const c=xT(t),{backgroundColor:u,textColor:d,gradient:p,style:m}=n,f=VS("background-color",u),h=US(p),g=VS("color",d),b=io()(e.className,g,h,{[f]:!(c&&null!=m&&null!==(r=m.color)&&void 0!==r&&r.gradient||!f),"has-text-color":d||(null==m||null===(o=m.color)||void 0===o?void 0:o.text),"has-background":u||(null==m||null===(a=m.color)||void 0===a?void 0:a.background)||c&&(p||(null==m||null===(i=m.color)||void 0===i?void 0:i.gradient)),"has-link-color":null==m||null===(s=m.elements)||void 0===s||null===(l=s.link)||void 0===l?void 0:l.color});return e.className=b||void 0,e}const OT=(e,t)=>{const n=/var:preset\|color\|(.+)/.exec(t);return n&&n[1]?jS(e,n[1]).color:t};function NT(e){var t,n,r,o,a,i,s,l,c;const{name:u,attributes:d}=e,p=TL("color.palette")||ST,m=TL("color.gradients")||ST,f=TL("color.custom"),h=TL("color.customGradient"),g=TL("color.link"),b=(0,et.useRef)(d);if((0,et.useEffect)((()=>{b.current=d}),[d]),!CT(u))return null;const v=(e=>{if("web"!==Qg.OS)return!1;const t=Io(e,AT);return(0,ot.isObject)(t)&&!!t.link})(u)&&g&&(p.length>0||f),y=(e=>{const t=Io(e,AT);return t&&!1!==t.text})(u)&&(p.length>0||f),_=(e=>{const t=Io(e,AT);return t&&!1!==t.background})(u)&&(p.length>0||f),M=xT(u)&&(m.length>0||h);if(!(v||y||_||M))return null;const{style:k,textColor:w,backgroundColor:E,gradient:L}=d;let A;if(M&&L)A=$S(m,L);else if(M){var S;A=null==k||null===(S=k.color)||void 0===S?void 0:S.gradient}const C=t=>n=>{var r,o;const a=FS(p,n),i=t+"Color",s={...b.current.style,color:{...null===(r=b.current)||void 0===r||null===(o=r.style)||void 0===o?void 0:o.color,[t]:null!=a&&a.slug?void 0:n}},l=null!=a&&a.slug?a.slug:void 0,c={style:oC(s),[i]:l};e.setAttributes(c),b.current={...b.current,...c}};return(0,et.createElement)(LT,{enableContrastChecking:!("web"!==Qg.OS||L||null!=k&&null!==(t=k.color)&&void 0!==t&&t.gradient),clientId:e.clientId,settings:[...y?[{label:Zn("Text color"),onColorChange:C("text"),colorValue:jS(p,w,null==k||null===(n=k.color)||void 0===n?void 0:n.text).color}]:[],..._||M?[{label:Zn("Background color"),onColorChange:_?C("background"):void 0,colorValue:jS(p,E,null==k||null===(r=k.color)||void 0===r?void 0:r.background).color,gradientValue:A,onGradientChange:M?t=>{const n=GS(m,t);let r;if(n){var o,a,i;const e={...null===(o=b.current)||void 0===o?void 0:o.style,color:{...null===(a=b.current)||void 0===a||null===(i=a.style)||void 0===i?void 0:i.color,gradient:void 0}};r={style:oC(e),gradient:n}}else{var s,l,c;const e={...null===(s=b.current)||void 0===s?void 0:s.style,color:{...null===(l=b.current)||void 0===l||null===(c=l.style)||void 0===c?void 0:c.color,gradient:t}};r={style:oC(e),gradient:void 0}}e.setAttributes(r),b.current={...b.current,...r}}:void 0}]:[],...v?[{label:Zn("Link Color"),onColorChange:t=>{const n=FS(p,t),r=null!=n&&n.slug?`var:preset|color|${n.slug}`:t,o=function(e,t,n){return(0,ot.setWith)(e?(0,ot.clone)(e):{},t,n,ot.clone)}(k,["elements","link","color","text"],r);e.setAttributes({style:o})},colorValue:OT(p,null==k||null===(o=k.elements)||void 0===o||null===(a=o.link)||void 0===a||null===(i=a.color)||void 0===i?void 0:i.text),clearable:!(null==k||null===(s=k.elements)||void 0===s||null===(l=s.link)||void 0===l||null===(c=l.color)||void 0===c||!c.text)}]:[]]})}const DT=ni((e=>t=>{var n,r,o;const{name:a,attributes:i}=t,{backgroundColor:s,textColor:l}=i,c=TL("color.palette")||ST;if(!CT(a)||TT(a))return(0,et.createElement)(e,t);const u={color:l?null===(n=jS(c,l))||void 0===n?void 0:n.color:void 0,backgroundColor:s?null===(r=jS(c,s))||void 0===r?void 0:r.color:void 0};let d=t.wrapperProps;return d={...t.wrapperProps,style:{...u,...null===(o=t.wrapperProps)||void 0===o?void 0:o.style}},(0,et.createElement)(e,rt({},t,{wrapperProps:d}))}));Bn("blocks.registerBlockType","core/color/addAttribute",(function(e){return CT(e)?(e.attributes.backgroundColor||Object.assign(e.attributes,{backgroundColor:{type:"string"}}),e.attributes.textColor||Object.assign(e.attributes,{textColor:{type:"string"}}),xT(e)&&!e.attributes.gradient&&Object.assign(e.attributes,{gradient:{type:"string"}}),e):e})),Bn("blocks.getSaveContent.extraProps","core/color/addSaveProps",zT),Bn("blocks.registerBlockType","core/color/addEditProps",(function(e){if(!CT(e)||TT(e))return e;const t=e.getEditWrapperProps;return e.getEditWrapperProps=n=>{let r={};return t&&(r=t(n)),zT(r,e,n)},e})),Bn("editor.BlockListBlock","core/color/with-color-palette-styles",DT);const BT=(0,et.createElement)(po,{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24"},(0,et.createElement)(co,{d:"M7 18v1h10v-1H7zm5-2c1.5 0 2.6-.4 3.4-1.2.8-.8 1.1-2 1.1-3.5V5H15v5.8c0 1.2-.2 2.1-.6 2.8-.4.7-1.2 1-2.4 1s-2-.3-2.4-1c-.4-.7-.6-1.6-.6-2.8V5H7.5v6.2c0 1.5.4 2.7 1.1 3.5.8.9 1.9 1.3 3.4 1.3z"})),IT=(0,et.createElement)(po,{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24"},(0,et.createElement)(co,{d:"M9.1 9v-.5c0-.6.2-1.1.7-1.4.5-.3 1.2-.5 2-.5.7 0 1.4.1 2.1.3.7.2 1.4.5 2.1.9l.2-1.9c-.6-.3-1.2-.5-1.9-.7-.8-.1-1.6-.2-2.4-.2-1.5 0-2.7.3-3.6 1-.8.7-1.2 1.5-1.2 2.6V9h2zM20 12H4v1h8.3c.3.1.6.2.8.3.5.2.9.5 1.1.8.3.3.4.7.4 1.2 0 .7-.2 1.1-.8 1.5-.5.3-1.2.5-2.1.5-.8 0-1.6-.1-2.4-.3-.8-.2-1.5-.5-2.2-.8L7 18.1c.5.2 1.2.4 2 .6.8.2 1.6.3 2.4.3 1.7 0 3-.3 3.9-1 .9-.7 1.3-1.6 1.3-2.8 0-.9-.2-1.7-.7-2.2H20v-1z"})),PT=[{name:Zn("Underline"),value:"underline",icon:BT},{name:Zn("Strikethrough"),value:"line-through",icon:IT}];function RT({value:e,onChange:t}){return(0,et.createElement)("fieldset",{className:"block-editor-text-decoration-control"},(0,et.createElement)("legend",null,Zn("Decoration")),(0,et.createElement)("div",{className:"block-editor-text-decoration-control__buttons"},PT.map((n=>(0,et.createElement)(nh,{key:n.value,icon:n.icon,isSmall:!0,isPressed:n.value===e,onClick:()=>t(n.value===e?void 0:n.value),"aria-label":n.name})))))}const YT="typography.__experimentalTextDecoration";function WT(e){var t;const{attributes:{style:n},setAttributes:r}=e;if(HT(e))return null;return(0,et.createElement)(RT,{value:null==n||null===(t=n.typography)||void 0===t?void 0:t.textDecoration,onChange:function(e){r({style:oC({...n,typography:{...null==n?void 0:n.typography,textDecoration:e}})})}})}function HT({name:e}={}){const t=!Po(e,YT),n=TL("typography.customTextDecorations");return t||!n}const qT=(0,et.createElement)(po,{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24"},(0,et.createElement)(co,{d:"M6.1 6.8L2.1 18h1.6l1.1-3h4.3l1.1 3h1.6l-4-11.2H6.1zm-.8 6.8L7 8.9l1.7 4.7H5.3zm15.1-.7c-.4-.5-.9-.8-1.6-1 .4-.2.7-.5.8-.9.2-.4.3-.9.3-1.4 0-.9-.3-1.6-.8-2-.6-.5-1.3-.7-2.4-.7h-3.5V18h4.2c1.1 0 2-.3 2.6-.8.6-.6 1-1.4 1-2.4-.1-.8-.3-1.4-.6-1.9zm-5.7-4.7h1.8c.6 0 1.1.1 1.4.4.3.2.5.7.5 1.3 0 .6-.2 1.1-.5 1.3-.3.2-.8.4-1.4.4h-1.8V8.2zm4 8c-.4.3-.9.5-1.5.5h-2.6v-3.8h2.6c1.4 0 2 .6 2 1.9.1.6-.1 1-.5 1.4z"})),jT=(0,et.createElement)(po,{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24"},(0,et.createElement)(co,{d:"M11 16.8c-.1-.1-.2-.3-.3-.5v-2.6c0-.9-.1-1.7-.3-2.2-.2-.5-.5-.9-.9-1.2-.4-.2-.9-.3-1.6-.3-.5 0-1 .1-1.5.2s-.9.3-1.2.6l.2 1.2c.4-.3.7-.4 1.1-.5.3-.1.7-.2 1-.2.6 0 1 .1 1.3.4.3.2.4.7.4 1.4-1.2 0-2.3.2-3.3.7s-1.4 1.1-1.4 2.1c0 .7.2 1.2.7 1.6.4.4 1 .6 1.8.6.9 0 1.7-.4 2.4-1.2.1.3.2.5.4.7.1.2.3.3.6.4.3.1.6.1 1.1.1h.1l.2-1.2h-.1c-.4.1-.6 0-.7-.1zM9.2 16c-.2.3-.5.6-.9.8-.3.1-.7.2-1.1.2-.4 0-.7-.1-.9-.3-.2-.2-.3-.5-.3-.9 0-.6.2-1 .7-1.3.5-.3 1.3-.4 2.5-.5v2zm10.6-3.9c-.3-.6-.7-1.1-1.2-1.5-.6-.4-1.2-.6-1.9-.6-.5 0-.9.1-1.4.3-.4.2-.8.5-1.1.8V6h-1.4v12h1.3l.2-1c.2.4.6.6 1 .8.4.2.9.3 1.4.3.7 0 1.2-.2 1.8-.5.5-.4 1-.9 1.3-1.5.3-.6.5-1.3.5-2.1-.1-.6-.2-1.3-.5-1.9zm-1.7 4c-.4.5-.9.8-1.6.8s-1.2-.2-1.7-.7c-.4-.5-.7-1.2-.7-2.1 0-.9.2-1.6.7-2.1.4-.5 1-.7 1.7-.7s1.2.3 1.6.8c.4.5.6 1.2.6 2s-.2 1.4-.6 2z"})),FT=(0,et.createElement)(po,{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24"},(0,et.createElement)(co,{d:"M7.1 6.8L3.1 18h1.6l1.1-3h4.3l1.1 3h1.6l-4-11.2H7.1zm-.8 6.8L8 8.9l1.7 4.7H6.3zm14.5-1.5c-.3-.6-.7-1.1-1.2-1.5-.6-.4-1.2-.6-1.9-.6-.5 0-.9.1-1.4.3-.4.2-.8.5-1.1.8V6h-1.4v12h1.3l.2-1c.2.4.6.6 1 .8.4.2.9.3 1.4.3.7 0 1.2-.2 1.8-.5.5-.4 1-.9 1.3-1.5.3-.6.5-1.3.5-2.1-.1-.6-.2-1.3-.5-1.9zm-1.7 4c-.4.5-.9.8-1.6.8s-1.2-.2-1.7-.7c-.4-.5-.7-1.2-.7-2.1 0-.9.2-1.6.7-2.1.4-.5 1-.7 1.7-.7s1.2.3 1.6.8c.4.5.6 1.2.6 2 .1.8-.2 1.4-.6 2z"})),VT=[{name:Zn("Uppercase"),value:"uppercase",icon:qT},{name:Zn("Lowercase"),value:"lowercase",icon:jT},{name:Zn("Capitalize"),value:"capitalize",icon:FT}];function XT({value:e,onChange:t}){return(0,et.createElement)("fieldset",{className:"block-editor-text-transform-control"},(0,et.createElement)("legend",null,Zn("Letter case")),(0,et.createElement)("div",{className:"block-editor-text-transform-control__buttons"},VT.map((n=>(0,et.createElement)(nh,{key:n.value,icon:n.icon,isSmall:!0,isPressed:e===n.value,"aria-label":n.name,onClick:()=>t(e===n.value?void 0:n.value)})))))}const UT="typography.__experimentalTextTransform";function $T(e){var t;const{attributes:{style:n},setAttributes:r}=e;if(KT(e))return null;return(0,et.createElement)(XT,{value:null==n||null===(t=n.typography)||void 0===t?void 0:t.textTransform,onChange:function(e){r({style:oC({...n,typography:{...null==n?void 0:n.typography,textTransform:e}})})}})}function KT({name:e}={}){const t=!Po(e,UT),n=TL("typography.customTextTransforms");return t||!n}function GT(e){const t=!HT(e),n=!KT(e);return t||n?(0,et.createElement)("div",{className:"block-editor-text-decoration-and-transform"},t&&(0,et.createElement)(WT,e),n&&(0,et.createElement)($T,e)):null}const JT=.1;function QT({value:e,onChange:t}){const n=function(e){return void 0!==e&&""!==e}(e),r=n?e:"";return(0,et.createElement)("div",{className:"block-editor-line-height-control"},(0,et.createElement)(rA,{autoComplete:"off",onKeyDown:e=>{const{keyCode:r}=e;48!==r||n||(e.preventDefault(),t("0"))},onChange:e=>{if(n)return void t(e);let r=e;switch(e){case"0.1":r=1.6;break;case"0":r=1.4}t(r)},label:Zn("Line height"),placeholder:1.5,step:JT,type:"number",value:r,min:0}))}const ZT="typography.lineHeight";function ex(e){var t;const{attributes:{style:n}}=e;if(tx(e))return null;return(0,et.createElement)(QT,{value:null==n||null===(t=n.typography)||void 0===t?void 0:t.lineHeight,onChange:t=>{const r={...n,typography:{...null==n?void 0:n.typography,lineHeight:t}};e.setAttributes({style:oC(r)})}})}function tx({name:e}={}){const t=!TL("typography.customLineHeight");return!Po(e,ZT)||t}function nx(e,t){if(null==e)return{};var n,r,o={},a=Object.keys(e);for(r=0;r=0||(o[n]=e[n]);return o}var rx=n(5697),ox=n.n(rx);n(9864);function ax(e){return"object"==typeof e&&null!=e&&1===e.nodeType}function ix(e,t){return(!t||"hidden"!==e)&&"visible"!==e&&"clip"!==e}function sx(e,t){if(e.clientHeightt||a>e&&i=t&&s>=n?a-e-r:i>t&&sn?i-t+o:0}var cx=0;function ux(){}function dx(e,t){e&&function(e,t){var n=window,r=t.scrollMode,o=t.block,a=t.inline,i=t.boundary,s=t.skipOverflowHiddenElements,l="function"==typeof i?i:function(e){return e!==i};if(!ax(e))throw new TypeError("Invalid target");for(var c=document.scrollingElement||document.documentElement,u=[],d=e;ax(d)&&l(d);){if((d=d.parentElement)===c){u.push(d);break}null!=d&&d===document.body&&sx(d)&&!sx(document.documentElement)||null!=d&&sx(d,s)&&u.push(d)}for(var p=n.visualViewport?n.visualViewport.width:innerWidth,m=n.visualViewport?n.visualViewport.height:innerHeight,f=window.scrollX||pageXOffset,h=window.scrollY||pageYOffset,g=e.getBoundingClientRect(),b=g.height,v=g.width,y=g.top,_=g.right,M=g.bottom,k=g.left,w="start"===o||"nearest"===o?y:"end"===o?M:y+b/2,E="center"===a?k+v/2:"end"===a?_:k,L=[],A=0;A=0&&k>=0&&M<=m&&_<=p&&y>=z&&M<=N&&k>=D&&_<=O)return L;var B=getComputedStyle(S),I=parseInt(B.borderLeftWidth,10),P=parseInt(B.borderTopWidth,10),R=parseInt(B.borderRightWidth,10),Y=parseInt(B.borderBottomWidth,10),W=0,H=0,q="offsetWidth"in S?S.offsetWidth-S.clientWidth-I-R:0,j="offsetHeight"in S?S.offsetHeight-S.clientHeight-P-Y:0;if(c===S)W="start"===o?w:"end"===o?w-m:"nearest"===o?lx(h,h+m,m,P,Y,h+w,h+w+b,b):w-m/2,H="start"===a?E:"center"===a?E-p/2:"end"===a?E-p:lx(f,f+p,p,I,R,f+E,f+E+v,v),W=Math.max(0,W+h),H=Math.max(0,H+f);else{W="start"===o?w-z-P:"end"===o?w-N+Y+j:"nearest"===o?lx(z,N,T,P,Y+j,w,w+b,b):w-(z+T/2)+j/2,H="start"===a?E-D-I:"center"===a?E-(D+x/2)+q/2:"end"===a?E-O+R+q:lx(D,O,x,I,R+q,E,E+v,v);var F=S.scrollLeft,V=S.scrollTop;w+=V-(W=Math.max(0,Math.min(V+W,S.scrollHeight-T+j))),E+=F-(H=Math.max(0,Math.min(F+H,S.scrollWidth-x+q)))}L.push({el:S,top:W,left:H})}return L}(e,{boundary:t,block:"nearest",scrollMode:"if-needed"}).forEach((function(e){var t=e.el,n=e.top,r=e.left;t.scrollTop=n,t.scrollLeft=r}))}function px(e,t,n){return e===t||t instanceof n.Node&&e.contains&&e.contains(t)}function mx(e,t){var n;function r(){n&&clearTimeout(n)}function o(){for(var o=arguments.length,a=new Array(o),i=0;i1?n-1:0),o=1;o=37&&n<=40&&0!==t.indexOf("Arrow")?"Arrow"+t:t}function Mx(e,t,n,r,o){if(void 0===o&&(o=!0),0===n)return-1;var a=n-1;("number"!=typeof t||t<0||t>=n)&&(t=e>0?-1:a+1);var i=t+e;i<0?i=o?a:0:i>a&&(i=o?0:a);var s=kx(e,i,n,r,o);return-1===s?t>=n?-1:t:s}function kx(e,t,n,r,o){var a=r(t);if(!a||!a.hasAttribute("disabled"))return t;if(e>0){for(var i=t+1;i=0;s--)if(!r(s).hasAttribute("disabled"))return s;return o?e>0?kx(1,0,n,r,!1):kx(-1,n-1,n,r,!1):-1}function wx(e,t,n,r){return void 0===r&&(r=!0),t.some((function(t){return t&&(px(t,e,n)||r&&px(t,n.document.activeElement,n))}))}var Ex=mx((function(e){Ax(e).textContent=""}),500);function Lx(e,t){var n=Ax(t);e&&(n.textContent=e,Ex(t))}function Ax(e){void 0===e&&(e=document);var t=e.getElementById("a11y-status-message");return t||((t=e.createElement("div")).setAttribute("id","a11y-status-message"),t.setAttribute("role","status"),t.setAttribute("aria-live","polite"),t.setAttribute("aria-relevant","additions text"),Object.assign(t.style,{border:"0",clip:"rect(0 0 0 0)",height:"1px",margin:"-1px",overflow:"hidden",padding:"0",position:"absolute",width:"1px"}),e.body.appendChild(t),t)}var Sx={highlightedIndex:-1,isOpen:!1,selectedItem:null,inputValue:""};function Cx(e,t,n){var r=e.props,o=e.type,a={};Object.keys(t).forEach((function(r){!function(e,t,n,r){var o=t.props,a=t.type,i="on"+Dx(e)+"Change";o[i]&&void 0!==r[e]&&r[e]!==n[e]&&o[i](rt({type:a},r))}(r,e,t,n),n[r]!==t[r]&&(a[r]=n[r])})),r.onStateChange&&Object.keys(a).length&&r.onStateChange(rt({type:o},a))}var Tx=mx((function(e,t){Lx(e(),t)}),200),xx="undefined"!=typeof window&&void 0!==window.document&&void 0!==window.document.createElement?et.useLayoutEffect:et.useEffect;function zx(e){var t=e.id,n=void 0===t?"downshift-"+gx():t,r=e.labelId,o=e.menuId,a=e.getItemId,i=e.toggleButtonId,s=e.inputId;return(0,et.useRef)({labelId:r||n+"-label",menuId:o||n+"-menu",getItemId:a||function(e){return n+"-item-"+e},toggleButtonId:i||n+"-toggle-button",inputId:s||n+"-input"}).current}function Ox(e,t,n){return void 0!==e?e:0===n.length?-1:n.indexOf(t)}function Nx(e){return/^\S{1}$/.test(e)}function Dx(e){return""+e.slice(0,1).toUpperCase()+e.slice(1)}function Bx(e){var t=(0,et.useRef)(e);return t.current=e,t}function Ix(e,t,n){var r=(0,et.useRef)(),o=(0,et.useRef)(),a=(0,et.useCallback)((function(t,n){o.current=n,t=vx(t,n.props);var r=e(t,n);return n.props.stateReducer(t,rt({},n,{changes:r}))}),[e]),i=(0,et.useReducer)(a,t),s=i[0],l=i[1],c=Bx(n),u=(0,et.useCallback)((function(e){return l(rt({props:c.current},e))}),[c]),d=o.current;return(0,et.useEffect)((function(){d&&r.current&&r.current!==s&&Cx(d,vx(r.current,d.props),s),r.current=s}),[s,n,d]),[s,u]}function Px(e,t,n){var r=Ix(e,t,n),o=r[0],a=r[1];return[vx(o,n),a]}var Rx={itemToString:function(e){return e?String(e):""},stateReducer:function(e,t){return t.changes},getA11ySelectionMessage:function(e){var t=e.selectedItem,n=e.itemToString;return t?n(t)+" has been selected.":""},scrollIntoView:dx,circularNavigation:!1,environment:"undefined"==typeof window?{}:window};function Yx(e,t,n){void 0===n&&(n=Sx);var r="default"+Dx(t);return r in e?e[r]:n[t]}function Wx(e,t,n){if(void 0===n&&(n=Sx),t in e)return e[t];var r="initial"+Dx(t);return r in e?e[r]:Yx(e,t,n)}function Hx(e){var t=Wx(e,"selectedItem"),n=Wx(e,"isOpen"),r=Wx(e,"highlightedIndex"),o=Wx(e,"inputValue");return{highlightedIndex:r<0&&t&&n?e.items.indexOf(t):r,isOpen:n,selectedItem:t,inputValue:o}}function qx(e,t,n,r){var o=e.items,a=e.initialHighlightedIndex,i=e.defaultHighlightedIndex,s=t.selectedItem,l=t.highlightedIndex;return 0===o.length?-1:void 0!==a&&l===a?a:void 0!==i?i:s?0===n?o.indexOf(s):Mx(n,o.indexOf(s),o.length,r,!1):0===n?-1:n<0?o.length-1:0}function jx(e,t,n,r){var o=(0,et.useRef)({isMouseDown:!1,isTouchMove:!1});return(0,et.useEffect)((function(){var a=function(){o.current.isMouseDown=!0},i=function(a){o.current.isMouseDown=!1,e&&!wx(a.target,t.map((function(e){return e.current})),n)&&r()},s=function(){o.current.isTouchMove=!1},l=function(){o.current.isTouchMove=!0},c=function(a){!e||o.current.isTouchMove||wx(a.target,t.map((function(e){return e.current})),n,!1)||r()};return n.addEventListener("mousedown",a),n.addEventListener("mouseup",i),n.addEventListener("touchstart",s),n.addEventListener("touchmove",l),n.addEventListener("touchend",c),function(){n.removeEventListener("mousedown",a),n.removeEventListener("mouseup",i),n.removeEventListener("touchstart",s),n.removeEventListener("touchmove",l),n.removeEventListener("touchend",c)}}),[e,n]),o}var Fx=function(){return ux};function Vx(e,t,n){var r=n.isInitialMount,o=n.highlightedIndex,a=n.items,i=n.environment,s=nx(n,["isInitialMount","highlightedIndex","items","environment"]);(0,et.useEffect)((function(){r||Tx((function(){return e(rt({highlightedIndex:o,highlightedItem:a[o],resultCount:a.length},s))}),i.document)}),t)}function Xx(e){var t=e.highlightedIndex,n=e.isOpen,r=e.itemRefs,o=e.getItemNodeFromIndex,a=e.menuElement,i=e.scrollIntoView,s=(0,et.useRef)(!0);return xx((function(){t<0||!n||!Object.keys(r.current).length||(!1===s.current?s.current=!0:i(o(t),a))}),[t]),s}var Ux=ux;function $x(e,t,n){var r,o=t.type,a=t.props;switch(o){case n.ItemMouseMove:r={highlightedIndex:t.index};break;case n.MenuMouseLeave:r={highlightedIndex:-1};break;case n.ToggleButtonClick:case n.FunctionToggleMenu:r={isOpen:!e.isOpen,highlightedIndex:e.isOpen?-1:qx(a,e,0)};break;case n.FunctionOpenMenu:r={isOpen:!0,highlightedIndex:qx(a,e,0)};break;case n.FunctionCloseMenu:r={isOpen:!1};break;case n.FunctionSetHighlightedIndex:r={highlightedIndex:t.highlightedIndex};break;case n.FunctionSetInputValue:r={inputValue:t.inputValue};break;case n.FunctionReset:r={highlightedIndex:Yx(a,"highlightedIndex"),isOpen:Yx(a,"isOpen"),selectedItem:Yx(a,"selectedItem"),inputValue:Yx(a,"inputValue")};break;default:throw new Error("Reducer called without proper action type.")}return rt({},e,r)}function Kx(e,t,n,r,o){for(var a=e.toLowerCase(),i=0;i=0&&{selectedItem:o.items[l]});break;case 13:n={highlightedIndex:qx(o,e,1,t.getItemNodeFromIndex),isOpen:!0};break;case 14:n={highlightedIndex:qx(o,e,-1,t.getItemNodeFromIndex),isOpen:!0};break;case 5:case 6:n=rt({isOpen:Yx(o,"isOpen"),highlightedIndex:Yx(o,"highlightedIndex")},e.highlightedIndex>=0&&{selectedItem:o.items[e.highlightedIndex]});break;case 3:n={highlightedIndex:kx(1,0,o.items.length,t.getItemNodeFromIndex,!1)};break;case 4:n={highlightedIndex:kx(-1,o.items.length-1,o.items.length,t.getItemNodeFromIndex,!1)};break;case 2:case 8:n={isOpen:!1,highlightedIndex:-1};break;case 7:var c=t.key,u=""+e.inputValue+c,d=Kx(u,e.highlightedIndex,o.items,o.itemToString,t.getItemNodeFromIndex);n=rt({inputValue:u},d>=0&&{highlightedIndex:d});break;case 0:n={highlightedIndex:Mx(a?5:1,e.highlightedIndex,o.items.length,t.getItemNodeFromIndex,o.circularNavigation)};break;case 1:n={highlightedIndex:Mx(a?-5:-1,e.highlightedIndex,o.items.length,t.getItemNodeFromIndex,o.circularNavigation)};break;case 20:n={selectedItem:t.selectedItem};break;default:return $x(e,t,Qx)}return rt({},e,n)}function ez(e){void 0===e&&(e={}),Jx(e,ez);var t=rt({},Gx,e),n=t.items,r=t.scrollIntoView,o=t.environment,a=t.initialIsOpen,i=t.defaultIsOpen,s=t.itemToString,l=t.getA11ySelectionMessage,c=t.getA11yStatusMessage,u=Px(Zx,Hx(t),t),d=u[0],p=u[1],m=d.isOpen,f=d.highlightedIndex,h=d.selectedItem,g=d.inputValue,b=(0,et.useRef)(null),v=(0,et.useRef)(null),y=(0,et.useRef)({}),_=(0,et.useRef)(!0),M=(0,et.useRef)(null),k=zx(t),w=(0,et.useRef)(),E=(0,et.useRef)(!0),L=Bx({state:d,props:t}),A=(0,et.useCallback)((function(e){return y.current[k.getItemId(e)]}),[k]);Vx(c,[m,f,g,n],rt({isInitialMount:E.current,previousResultCount:w.current,items:n,environment:o,itemToString:s},d)),Vx(l,[h],rt({isInitialMount:E.current,previousResultCount:w.current,items:n,environment:o,itemToString:s},d));var S=Xx({menuElement:v.current,highlightedIndex:f,isOpen:m,itemRefs:y,scrollIntoView:r,getItemNodeFromIndex:A});(0,et.useEffect)((function(){return M.current=mx((function(e){e({type:21,inputValue:""})}),500),function(){M.current.cancel()}}),[]),(0,et.useEffect)((function(){g&&M.current(p)}),[p,g]),Ux({isInitialMount:E.current,props:t,state:d}),(0,et.useEffect)((function(){E.current?(a||i||m)&&v.current&&v.current.focus():m?v.current&&v.current.focus():o.document.activeElement===v.current&&b.current&&(_.current=!1,b.current.focus())}),[m]),(0,et.useEffect)((function(){E.current||(w.current=n.length)}));var C=jx(m,[v,b],o,(function(){p({type:8})})),T=Fx();(0,et.useEffect)((function(){E.current=!1}),[]),(0,et.useEffect)((function(){m||(y.current={})}),[m]);var x=(0,et.useMemo)((function(){return{ArrowDown:function(e){e.preventDefault(),p({type:13,getItemNodeFromIndex:A,shiftKey:e.shiftKey})},ArrowUp:function(e){e.preventDefault(),p({type:14,getItemNodeFromIndex:A,shiftKey:e.shiftKey})}}}),[p,A]),z=(0,et.useMemo)((function(){return{ArrowDown:function(e){e.preventDefault(),p({type:0,getItemNodeFromIndex:A,shiftKey:e.shiftKey})},ArrowUp:function(e){e.preventDefault(),p({type:1,getItemNodeFromIndex:A,shiftKey:e.shiftKey})},Home:function(e){e.preventDefault(),p({type:3,getItemNodeFromIndex:A})},End:function(e){e.preventDefault(),p({type:4,getItemNodeFromIndex:A})},Escape:function(){p({type:2})},Enter:function(e){e.preventDefault(),p({type:5})}," ":function(e){e.preventDefault(),p({type:6})}}}),[p,A]),O=(0,et.useCallback)((function(){p({type:16})}),[p]),N=(0,et.useCallback)((function(){p({type:18})}),[p]),D=(0,et.useCallback)((function(){p({type:17})}),[p]),B=(0,et.useCallback)((function(e){p({type:19,highlightedIndex:e})}),[p]),I=(0,et.useCallback)((function(e){p({type:20,selectedItem:e})}),[p]),P=(0,et.useCallback)((function(){p({type:22})}),[p]),R=(0,et.useCallback)((function(e){p({type:21,inputValue:e})}),[p]),Y=(0,et.useCallback)((function(e){return rt({id:k.labelId,htmlFor:k.toggleButtonId},e)}),[k]),W=(0,et.useCallback)((function(e,t){var n,r=void 0===e?{}:e,o=r.onMouseLeave,a=r.refKey,i=void 0===a?"ref":a,s=r.onKeyDown,l=r.onBlur,c=r.ref,u=nx(r,["onMouseLeave","refKey","onKeyDown","onBlur","ref"]),d=(void 0===t?{}:t).suppressRefError,m=void 0!==d&&d,f=L.current.state;return T("getMenuProps",m,i,v),rt(((n={})[i]=hx(c,(function(e){v.current=e})),n.id=k.menuId,n.role="listbox",n["aria-labelledby"]=k.labelId,n.tabIndex=-1,n),f.isOpen&&f.highlightedIndex>-1&&{"aria-activedescendant":k.getItemId(f.highlightedIndex)},{onMouseLeave:fx(o,(function(){p({type:9})})),onKeyDown:fx(s,(function(e){var t=_x(e);t&&z[t]?z[t](e):Nx(t)&&p({type:7,key:t,getItemNodeFromIndex:A})})),onBlur:fx(l,(function(){!1!==_.current?!C.current.isMouseDown&&p({type:8}):_.current=!0}))},u)}),[p,L,z,C,T,k,A]);return{getToggleButtonProps:(0,et.useCallback)((function(e,t){var n,r=void 0===e?{}:e,o=r.onClick,a=r.onKeyDown,i=r.refKey,s=void 0===i?"ref":i,l=r.ref,c=nx(r,["onClick","onKeyDown","refKey","ref"]),u=(void 0===t?{}:t).suppressRefError,d=void 0!==u&&u,m=rt(((n={})[s]=hx(l,(function(e){b.current=e})),n.id=k.toggleButtonId,n["aria-haspopup"]="listbox",n["aria-expanded"]=L.current.state.isOpen,n["aria-labelledby"]=k.labelId+" "+k.toggleButtonId,n),c);return c.disabled||(m.onClick=fx(o,(function(){p({type:12})})),m.onKeyDown=fx(a,(function(e){var t=_x(e);t&&x[t]?x[t](e):Nx(t)&&p({type:15,key:t,getItemNodeFromIndex:A})}))),T("getToggleButtonProps",d,s,b),m}),[p,L,x,T,k,A]),getLabelProps:Y,getMenuProps:W,getItemProps:(0,et.useCallback)((function(e){var t,n=void 0===e?{}:e,r=n.item,o=n.index,a=n.onMouseMove,i=n.onClick,s=n.refKey,l=void 0===s?"ref":s,c=n.ref,u=nx(n,["item","index","onMouseMove","onClick","refKey","ref"]),d=L.current,m=d.state,f=d.props,h=Ox(o,r,f.items);if(h<0)throw new Error("Pass either item or item index in getItemProps!");var g=rt(((t={role:"option","aria-selected":""+(h===m.highlightedIndex),id:k.getItemId(h)})[l]=hx(c,(function(e){e&&(y.current[k.getItemId(h)]=e)})),t),u);return u.disabled||(g.onMouseMove=fx(a,(function(){o!==m.highlightedIndex&&(S.current=!1,p({type:10,index:o}))})),g.onClick=fx(i,(function(){p({type:11,index:o})}))),g}),[p,L,S,k]),toggleMenu:O,openMenu:D,closeMenu:N,setHighlightedIndex:B,selectItem:I,reset:P,setInputValue:R,highlightedIndex:f,isOpen:m,selectedItem:h,inputValue:g}}ez.stateChangeTypes=Qx;ox().array.isRequired,ox().func,ox().func,ox().func,ox().bool,ox().number,ox().number,ox().number,ox().bool,ox().bool,ox().bool,ox().any,ox().any,ox().any,ox().string,ox().string,ox().string,ox().string,ox().string,ox().string,ox().func,ox().string,ox().string,ox().func,ox().func,ox().func,ox().func,ox().func,ox().func,ox().shape({addEventListener:ox().func,removeEventListener:ox().func,document:ox().shape({getElementById:ox().func,activeElement:ox().any,body:ox().any})});rt({},Rx,{getA11yStatusMessage:bx,circularNavigation:!0});ox().array,ox().array,ox().array,ox().func,ox().func,ox().func,ox().number,ox().number,ox().number,ox().func,ox().func,ox().string,ox().string,ox().shape({addEventListener:ox().func,removeEventListener:ox().func,document:ox().shape({getElementById:ox().func,activeElement:ox().any,body:ox().any})});const tz=e=>e&&e.name,nz=({selectedItem:e},{type:t,changes:n,props:{items:r}})=>{switch(t){case ez.stateChangeTypes.ToggleButtonKeyDownArrowDown:return{selectedItem:r[e?Math.min(r.indexOf(e)+1,r.length-1):0]};case ez.stateChangeTypes.ToggleButtonKeyDownArrowUp:return{selectedItem:r[e?Math.max(r.indexOf(e)-1,0):r.length-1]};default:return n}};function rz({className:e,hideLabelFromVision:t,label:n,options:r,onChange:o,value:a}){const{getLabelProps:i,getToggleButtonProps:s,getMenuProps:l,getItemProps:c,isOpen:u,highlightedIndex:d,selectedItem:p}=ez({initialSelectedItem:r[0],items:r,itemToString:tz,onSelectedItemChange:o,selectedItem:a,stateReducer:nz}),m=l({className:"components-custom-select-control__menu","aria-hidden":!u});return m["aria-activedescendant"]&&"downshift-null"===m["aria-activedescendant"].slice(0,"downshift-null".length)&&delete m["aria-activedescendant"],(0,et.createElement)("div",{className:io()("components-custom-select-control",e)},t?(0,et.createElement)(eh,rt({as:"label"},i()),n):(0,et.createElement)("label",i({className:"components-custom-select-control__label"}),n),(0,et.createElement)(nh,s({"aria-label":n,"aria-labelledby":void 0,className:"components-custom-select-control__button",isSmall:!0}),tz(p),(0,et.createElement)(AL,{icon:uA,className:"components-custom-select-control__button-icon"})),(0,et.createElement)("ul",m,u&&r.map(((e,t)=>(0,et.createElement)("li",c({item:e,index:t,key:e.key,className:io()(e.className,"components-custom-select-control__item",{"is-highlighted":t===d}),style:e.style}),e.name,e===p&&(0,et.createElement)(AL,{icon:eS,className:"components-custom-select-control__item-icon"}))))))}const oz=[{name:Zn("Regular"),value:"normal"},{name:Zn("Italic"),value:"italic"}],az=[{name:Zn("Thin"),value:"100"},{name:Zn("Extra Light"),value:"200"},{name:Zn("Light"),value:"300"},{name:Zn("Regular"),value:"400"},{name:Zn("Medium"),value:"500"},{name:Zn("Semi Bold"),value:"600"},{name:Zn("Bold"),value:"700"},{name:Zn("Extra Bold"),value:"800"},{name:Zn("Black"),value:"900"}];function iz(e){const{onChange:t,hasFontStyles:n=!0,hasFontWeights:r=!0,value:{fontStyle:o,fontWeight:a}}=e,i=n||r,s={key:"default",name:Zn("Default"),style:{fontStyle:void 0,fontWeight:void 0}},l=(0,et.useMemo)((()=>n&&r?(()=>{const e=[s];return oz.forEach((({name:t,value:n})=>{az.forEach((({name:r,value:o})=>{const a="normal"===n?r:dn(Zn("%1$s %2$s"),r,t);e.push({key:`${n}-${o}`,name:a,style:{fontStyle:n,fontWeight:o}})}))})),e})():n?(()=>{const e=[s];return oz.forEach((({name:t,value:n})=>{e.push({key:n,name:t,style:{fontStyle:n,fontWeight:void 0}})})),e})():(()=>{const e=[s];return az.forEach((({name:t,value:n})=>{e.push({key:n,name:t,style:{fontStyle:void 0,fontWeight:n}})})),e})()),[e.options]),c=l.find((e=>e.style.fontStyle===o&&e.style.fontWeight===a));return(0,et.createElement)("fieldset",{className:"components-font-appearance-control"},i&&(0,et.createElement)(rz,{className:"components-font-appearance-control__select",label:Zn(n?r?"Appearance":"Font style":"Font weight"),options:l,value:c,onChange:({selectedItem:e})=>t(e.style)}))}const sz="typography.__experimentalFontStyle",lz="typography.__experimentalFontWeight";function cz(e){var t,n;const{attributes:{style:r},setAttributes:o}=e,a=!uz(e),i=!dz(e);if(!a&&!i)return null;const s=null==r||null===(t=r.typography)||void 0===t?void 0:t.fontStyle,l=null==r||null===(n=r.typography)||void 0===n?void 0:n.fontWeight;return(0,et.createElement)(iz,{onChange:e=>{o({style:oC({...r,typography:{...null==r?void 0:r.typography,fontStyle:e.fontStyle,fontWeight:e.fontWeight}})})},hasFontStyles:a,hasFontWeights:i,value:{fontStyle:s,fontWeight:l}})}function uz({name:e}={}){const t=Po(e,sz),n=TL("typography.customFontStyle");return!t||!n}function dz({name:e}={}){const t=Po(e,lz),n=TL("typography.customFontWeight");return!t||!n}function pz(e){const t=uz(e),n=dz(e);return t&&n}function mz({value:e="",onChange:t,fontFamilies:n,...r}){const o=TL("typography.fontFamilies");if(n||(n=o),(0,ot.isEmpty)(n))return null;const a=[{value:"",label:Zn("Default")},...n.map((({fontFamily:e,name:t})=>({value:e,label:t||e})))];return(0,et.createElement)(SS,rt({label:Zn("Font family"),options:a,value:e,onChange:t,labelPosition:"top"},r))}const fz="typography.__experimentalFontFamily";function hz({name:e,setAttributes:t,attributes:{style:n={}}}){var r;const o=TL("typography.fontFamilies");if(gz({name:e}))return null;const a=((e,t)=>{const n=/var:preset\|font-family\|(.+)/.exec(t);if(n&&n[1]){const t=(0,ot.find)(e,(({slug:e})=>e===n[1]));if(t)return t.fontFamily}return t})(o,null===(r=n.typography)||void 0===r?void 0:r.fontFamily);return(0,et.createElement)(mz,{className:"block-editor-hooks-font-family-control",fontFamilies:o,value:a,onChange:function(e){const r=(0,ot.find)(o,(({fontFamily:t})=>t===e));t({style:oC({...n,typography:{...n.typography||{},fontFamily:r?`var:preset|font-family|${r.slug}`:e||void 0}})})}})}function gz({name:e}){const t=TL("typography.fontFamilies");return!t||0===t.length||!Po(e,fz)}class bz{constructor(e=""){this.value=e,this._currentValue,this._valueAsArray}entries(...e){return this._valueAsArray.entries(...e)}forEach(...e){return this._valueAsArray.forEach(...e)}keys(...e){return this._valueAsArray.keys(...e)}values(...e){return this._valueAsArray.values(...e)}get value(){return this._currentValue}set value(e){e=String(e),this._valueAsArray=(0,ot.uniq)((0,ot.compact)(e.split(/\s+/g))),this._currentValue=this._valueAsArray.join(" ")}get length(){return this._valueAsArray.length}toString(){return this.value}*[Symbol.iterator](){return yield*this._valueAsArray}item(e){return this._valueAsArray[e]}contains(e){return-1!==this._valueAsArray.indexOf(e)}add(...e){this.value+=" "+e.join(" ")}remove(...e){this.value=(0,ot.without)(this._valueAsArray,...e).join(" ")}toggle(e,t){return void 0===t&&(t=!this.contains(e)),t?this.add(e):this.remove(e),t}replace(e,t){return!!this.contains(e)&&(this.remove(e),this.add(t),!0)}supports(){return!0}}const vz=(e,t,n)=>{if(t){const n=(0,ot.find)(e,{slug:t});if(n)return n}return{size:n}};function yz(e){if(e)return`has-${(0,ot.kebabCase)(e)}-font-size`}const _z=(0,et.createElement)(po,{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24"},(0,et.createElement)(co,{d:"M12.9 6h-2l-4 11h1.9l1.1-3h4.2l1.1 3h1.9L12.9 6zm-2.5 6.5l1.5-4.9 1.7 4.9h-3.2z"})),Mz="default",kz="custom";const wz=(0,et.forwardRef)((function({fallbackFontSize:e,fontSizes:t=[],disableCustomFontSizes:n=!1,onChange:r,value:o,withSlider:a=!1},i){const s=(0,ot.isString)(o)||t[0]&&(0,ot.isString)(t[0].size);let l;l=s?parseInt(o):o;const c=(0,ot.isNumber)(o)||(0,ot.isString)(o)&&o.endsWith("px"),u=rk({availableUnits:["px","em","rem"]}),d=(0,et.useMemo)((()=>function(e,t){return t&&!e.length?null:(e=[{slug:Mz,name:Zn("Default")},...e,...t?[]:[{slug:kz,name:Zn("Custom")}]]).map((e=>({key:e.slug,name:e.name,size:e.size,style:{fontSize:`min( ${e.size}, 25px )`}})))}(t,n)),[t,n]);if(!d)return null;const p=function(e,t){if(t){const n=e.find((e=>e.size===t));return n?n.slug:kz}return Mz}(t,o);return(0,et.createElement)("fieldset",rt({className:"components-font-size-picker"},i?{}:{ref:i}),(0,et.createElement)(eh,{as:"legend"},Zn("Font size")),(0,et.createElement)("div",{className:"components-font-size-picker__controls"},t.length>0&&(0,et.createElement)(rz,{className:"components-font-size-picker__select",label:Zn("Font size"),options:d,value:d.find((e=>e.key===p)),onChange:({selectedItem:e})=>{r(s?e.size:Number(e.size))}}),!a&&!n&&(0,et.createElement)(LL,{label:Zn("Custom"),labelPosition:"top",__unstableInputWidth:"60px",value:o,onChange:e=>{0!==parseFloat(e)&&e?r(e):r(void 0)},units:u}),(0,et.createElement)(nh,{className:"components-color-palette__clear",disabled:void 0===o,onClick:()=>{r(void 0)},isSmall:!0,variant:"secondary"},Zn("Reset"))),a&&(0,et.createElement)(BC,{className:"components-font-size-picker__custom-input",label:Zn("Custom Size"),value:c&&l||"",initialPosition:e,onChange:e=>{r(s?e+"px":e)},min:12,max:100,beforeIcon:_z,afterIcon:_z}))}));const Ez=function(e){const t=TL("typography.fontSizes"),n=!TL("typography.customFontSize");return(0,et.createElement)(wz,rt({},e,{fontSizes:t,disableCustomFontSizes:n}))},Lz="typography.fontSize";function Az(e,t,n){if(!Po(t,Lz))return e;if(Po(t,"typography.__experimentalSkipSerialization"))return e;const r=new bz(e.className);r.add(yz(n.fontSize));const o=r.value;return e.className=o||void 0,e}function Sz(e){var t,n;const{attributes:{fontSize:r,style:o},setAttributes:a}=e,i=Cz(e),s=TL("typography.fontSizes");if(i)return null;const l=vz(s,r,null==o||null===(t=o.typography)||void 0===t?void 0:t.fontSize),c=(null==l?void 0:l.size)||(null==o||null===(n=o.typography)||void 0===n?void 0:n.fontSize)||r;return(0,et.createElement)(Ez,{onChange:e=>{const t=function(e,t){return(0,ot.find)(e,{size:t})||{size:t}}(s,e).slug;a({style:oC({...o,typography:{...null==o?void 0:o.typography,fontSize:t?void 0:e}}),fontSize:t})},value:c})}function Cz({name:e}={}){const t=TL("typography.fontSizes"),n=!(null==t||!t.length);return!Po(e,Lz)||!n}const Tz=ni((e=>t=>{var n,r;const o=TL("typography.fontSizes"),{name:a,attributes:{fontSize:i,style:s},wrapperProps:l}=t;if(!Po(a,Lz)||Po(a,"typography.__experimentalSkipSerialization")||!i||null!=s&&null!==(n=s.typography)&&void 0!==n&&n.fontSize)return(0,et.createElement)(e,t);const c=vz(o,i,null==s||null===(r=s.typography)||void 0===r?void 0:r.fontSize).size,u={...t,wrapperProps:{...l,style:{fontSize:c,...null==l?void 0:l.style}}};return(0,et.createElement)(e,u)}),"withFontSizeInlineStyles");function xz({value:e,onChange:t}){const n=rk({availableUnits:TL("spacing.units")||["px","em","rem"],defaultValues:{px:"2",em:".2",rem:".2"}});return(0,et.createElement)(LL,{label:Zn("Letter-spacing"),value:e,__unstableInputWidth:"60px",units:n,onChange:t})}Bn("blocks.registerBlockType","core/font/addAttribute",(function(e){return Po(e,Lz)?(e.attributes.fontSize||Object.assign(e.attributes,{fontSize:{type:"string"}}),e):e})),Bn("blocks.getSaveContent.extraProps","core/font/addSaveProps",Az),Bn("blocks.registerBlockType","core/font/addEditProps",(function(e){if(!Po(e,Lz))return e;const t=e.getEditWrapperProps;return e.getEditWrapperProps=n=>{let r={};return t&&(r=t(n)),Az(r,e,n)},e})),Bn("editor.BlockListBlock","core/font-size/with-font-size-inline-styles",Tz);const zz="__experimentalLetterSpacing";function Oz(e){var t;const{attributes:{style:n},setAttributes:r}=e;if(Nz(e))return null;return(0,et.createElement)(xz,{value:null==n||null===(t=n.typography)||void 0===t?void 0:t.letterSpacing,onChange:function(e){r({style:oC({...n,typography:{...null==n?void 0:n.typography,letterSpacing:e}})})}})}function Nz({name:e}={}){const t=!Po(e,zz),n=TL("typography.customLetterSpacing");return t||!n}const Dz="typography",Bz=[ZT,Lz,sz,lz,fz,YT,UT,zz];function Iz(e){const t=function(e={}){const t=[pz(e),Cz(e),tx(e),gz(e),HT(e),KT(e),Nz(e)];return t.filter(Boolean).length===t.length}(e),n=Pz(e.name);return t||!n?null:(0,et.createElement)(kA,null,(0,et.createElement)(mA,{title:Zn("Typography")},(0,et.createElement)(hz,e),(0,et.createElement)(Sz,e),(0,et.createElement)(cz,e),(0,et.createElement)(ex,e),(0,et.createElement)(GT,e),(0,et.createElement)(Oz,e)))}const Pz=e=>"web"===Qg.OS&&Bz.some((t=>Po(e,t)));const Rz=Jf("div",{target:"e7pk0lh6"})({name:"14bvcyk",styles:"box-sizing:border-box;max-width:235px;padding-bottom:12px;width:100%"}),Yz=Jf(Hk,{target:"e7pk0lh5"})("color:",Ck.ui.label,";padding-bottom:8px;"),Wz=Jf(Hk,{target:"e7pk0lh4"})({name:"aujtid",styles:"min-height:30px;gap:0"}),Hz=Jf("div",{target:"e7pk0lh3"})({name:"112jwab",styles:"box-sizing:border-box;max-width:80px"}),qz=Jf(Hk,{target:"e7pk0lh2"})({name:"xy18ro",styles:"justify-content:center;padding-top:8px"}),jz=Jf(Hk,{target:"e7pk0lh1"})({name:"3tw5wk",styles:"position:relative;height:100%;width:100%;justify-content:flex-start"});var Fz={name:"1ch9yvl",styles:"border-radius:0"},Vz={name:"tg3mx0",styles:"border-radius:2px"};const Xz=({isFirst:e,isLast:t,isOnly:n})=>e?gk({borderTopRightRadius:0,borderBottomRightRadius:0})():t?gk({borderTopLeftRadius:0,borderBottomLeftRadius:0})():n?Vz:Fz,Uz=({isFirst:e,isOnly:t})=>gk({marginLeft:e||t?0:-1})(),$z=Jf(LL,{target:"e7pk0lh0"})("max-width:60px;",Xz,";",Uz,";");function Kz({isFirst:e,isLast:t,isOnly:n,onHoverOn:r=ot.noop,onHoverOff:o=ot.noop,label:a,value:i,...s}){const l=function(e,t){void 0===t&&(t={}),AE.set("hover",ZE);var n=(0,et.useRef)();return n.current||(n.current=GE(kE,QE)),VE({hover:e},n.current(t))}((({event:e,...t})=>{t.hovering?r(e,t):o(e,t)}));return(0,et.createElement)(Hz,l(),(0,et.createElement)(Gz,{text:a},(0,et.createElement)($z,rt({"aria-label":a,className:"component-box-control__unit-control",hideHTMLArrows:!0,isFirst:e,isLast:t,isOnly:n,isPressEnterToChange:!0,isResetValueOnUnitChange:!1,value:i},s))))}function Gz({children:e,text:t}){return t?(0,et.createElement)(Af,{text:t,position:"top"},(0,et.createElement)("div",null,e)):e}const Jz={all:Zn("All"),top:Zn("Top"),bottom:Zn("Bottom"),left:Zn("Left"),right:Zn("Right"),mixed:Zn("Mixed"),vertical:Zn("Vertical"),horizontal:Zn("Horizontal")},Qz={top:null,right:null,bottom:null,left:null},Zz={top:!1,right:!1,bottom:!1,left:!1},eO=["top","right","bottom","left"];function tO(e){return e.sort(((t,n)=>e.filter((e=>e===t)).length-e.filter((e=>e===n)).length)).pop()}function nO(e={},t=eO){const n=function(e){const t=[];if(null==e||!e.length)return eO;if(e.includes("vertical"))t.push("top","bottom");else if(e.includes("horizontal"))t.push("left","right");else{const n=eO.filter((t=>e.includes(t)));t.push(...n)}return t}(t).map((t=>tk(e[t]))),r=n.map((e=>e[0])),o=n.map((e=>e[1])),a=r.every((e=>e===r[0]))?r[0]:"",i=tO(o);return(0,ot.isNumber)(a)?`${a}${i}`:null}function rO(e={},t=eO){const n=nO(e,t);return isNaN(parseFloat(n))}function oO(e){return void 0!==e&&!(0,ot.isEmpty)(Object.values(e).filter((e=>!!e&&/\d/.test(e))))}function aO(e,t){let n="all";return e||(n=t?"vertical":"top"),n}function iO({onChange:e=ot.noop,onFocus:t=ot.noop,onHoverOn:n=ot.noop,onHoverOff:r=ot.noop,values:o,sides:a,selectedUnits:i,setSelectedUnits:s,...l}){const c=nO(o,a),u=oO(o)&&rO(o,a),d=u?Jz.mixed:null,p=c?void 0:function(e){if(!e||"object"!=typeof e)return;return tO(Object.values(e).filter(Boolean))}(i),m=(e,t)=>{const n={...e};return null!=a&&a.length?a.forEach((e=>{"vertical"===e?(n.top=t,n.bottom=t):"horizontal"===e?(n.left=t,n.right=t):n[e]=t})):eO.forEach((e=>n[e]=t)),n};return(0,et.createElement)(Kz,rt({},l,{disableUnits:u,isOnly:!0,value:c,unit:p,onChange:t=>{const n=!isNaN(parseFloat(t)),r=m(o,n?t:void 0);e(r)},onUnitChange:e=>{const t=m(i,e);s(t)},onFocus:e=>{t(e,{side:"all"})},onHoverOn:()=>{n({top:!0,bottom:!0,left:!0,right:!0})},onHoverOff:()=>{r({top:!1,bottom:!1,left:!1,right:!1})},placeholder:d}))}function sO({onChange:e=ot.noop,onFocus:t=ot.noop,onHoverOn:n=ot.noop,onHoverOff:r=ot.noop,values:o,selectedUnits:a,setSelectedUnits:i,sides:s,...l}){const c=e=>n=>{t(n,{side:e})},u=e=>()=>{n({[e]:!0})},d=e=>()=>{r({[e]:!1})},p=t=>(n,{event:r})=>{const{altKey:a}=r,i={...o},s=!isNaN(parseFloat(n))?n:void 0;if(i[t]=s,a)switch(t){case"top":i.bottom=s;break;case"bottom":i.top=s;break;case"left":i.right=s;break;case"right":i.left=s}(t=>{e(t)})(i)},m=e=>t=>{const n={...a};n[e]=t,i(n)},f=null!=s&&s.length?eO.filter((e=>s.includes(e))):eO,h=f[0],g=f[f.length-1],b=h===g&&h;return(0,et.createElement)(qz,{className:"component-box-control__input-controls-wrapper"},(0,et.createElement)(jz,{gap:0,align:"top",className:"component-box-control__input-controls"},f.map((e=>(0,et.createElement)(Kz,rt({},l,{isFirst:h===e,isLast:g===e,isOnly:b===e,value:o[e],unit:o[e]?void 0:a[e],onChange:p(e),onUnitChange:m(e),onFocus:c(e),onHoverOn:u(e),onHoverOff:d(e),label:Jz[e],key:`box-control-${e}`}))))))}const lO=["vertical","horizontal"];function cO({onChange:e,onFocus:t,onHoverOn:n,onHoverOff:r,values:o,selectedUnits:a,setSelectedUnits:i,sides:s,...l}){const c=e=>n=>{t&&t(n,{side:e})},u=e=>()=>{n&&("vertical"===e&&n({top:!0,bottom:!0}),"horizontal"===e&&n({left:!0,right:!0}))},d=e=>()=>{r&&("vertical"===e&&r({top:!1,bottom:!1}),"horizontal"===e&&r({left:!1,right:!1}))},p=t=>n=>{if(!e)return;const r={...o},a=!isNaN(parseFloat(n))?n:void 0;"vertical"===t&&(r.top=a,r.bottom=a),"horizontal"===t&&(r.left=a,r.right=a),e(r)},m=e=>t=>{const n={...a};"vertical"===e&&(n.top=t,n.bottom=t),"horizontal"===e&&(n.left=t,n.right=t),i(n)},f=null!=s&&s.length?lO.filter((e=>s.includes(e))):lO,h=f[0],g=f[f.length-1],b=h===g;return(0,et.createElement)(jz,{gap:0,align:"top",className:"component-box-control__vertical-horizontal-input-controls"},f.map((e=>(0,et.createElement)(Kz,rt({},l,{isFirst:h===e,isLast:g===e,isOnly:b===e,value:"vertical"===e?o.top:o.left,unit:"vertical"===e?a.top:a.left,onChange:p(e),onUnitChange:m(e),onFocus:c(e),onHoverOn:u(e),onHoverOff:d(e),label:Jz[e],key:e})))))}const uO=Jf("span",{target:"eaw9yqk8"})({name:"1w884gc",styles:"box-sizing:border-box;display:block;width:24px;height:24px;position:relative;padding:4px"}),dO=Jf("span",{target:"eaw9yqk7"})({name:"i6vjox",styles:"box-sizing:border-box;display:block;position:relative;width:100%;height:100%"}),pO=Jf("span",{target:"eaw9yqk6"})("box-sizing:border-box;display:block;pointer-events:none;position:absolute;",(({isFocused:e})=>uk({backgroundColor:"currentColor",opacity:e?1:.3},"","")),";"),mO=Jf(pO,{target:"eaw9yqk5"})({name:"1k2w39q",styles:"bottom:3px;top:3px;width:2px"}),fO=Jf(pO,{target:"eaw9yqk4"})({name:"1q9b07k",styles:"height:2px;left:3px;right:3px"}),hO=Jf(fO,{target:"eaw9yqk3"})({name:"abcix4",styles:"top:0"}),gO=Jf(mO,{target:"eaw9yqk2"})({name:"1wf8jf",styles:"right:0"}),bO=Jf(fO,{target:"eaw9yqk1"})({name:"8tapst",styles:"bottom:0"}),vO=Jf(mO,{target:"eaw9yqk0"})({name:"1ode3cm",styles:"left:0"});function yO({size:e=24,side:t="all",sides:n,...r}){const o=e=>!(e=>(null==n?void 0:n.length)&&!n.includes(e))(e)&&("all"===t||t===e),a=o("top")||o("vertical"),i=o("right")||o("horizontal"),s=o("bottom")||o("vertical"),l=o("left")||o("horizontal"),c=e/24;return(0,et.createElement)(uO,rt({style:{transform:`scale(${c})`}},r),(0,et.createElement)(dO,null,(0,et.createElement)(hO,{isFocused:a}),(0,et.createElement)(gO,{isFocused:i}),(0,et.createElement)(bO,{isFocused:s}),(0,et.createElement)(vO,{isFocused:l})))}function _O({isLinked:e,...t}){const n=Zn(e?"Unlink Sides":"Link Sides");return(0,et.createElement)(Af,{text:n},(0,et.createElement)("span",null,(0,et.createElement)(nh,rt({},t,{className:"component-box-control__linked-button",variant:e?"primary":"secondary",isSmall:!0,icon:e?jC:FC,iconSize:16,"aria-label":n}))))}var MO={name:"11f5o9n",styles:"bottom:0;left:0;pointer-events:none;position:absolute;right:0;top:0;z-index:1"};const kO=Jf("div",{target:"e1df9b4q5"})("box-sizing:border-box;position:relative;",(({isPositionAbsolute:e})=>e?MO:""),";"),wO=Jf("div",{target:"e1df9b4q4"})("box-sizing:border-box;background:",Ck.blue.wordpress[700],";background:",Ck.ui.theme,";filter:brightness( 1 );opacity:0;position:absolute;pointer-events:none;transition:opacity 120ms linear;z-index:1;",(({isActive:e})=>e&&"\n\t\topacity: 0.3;\n\t"),";"),EO=Jf(wO,{target:"e1df9b4q3"})({name:"5i97ct",styles:"top:0;left:0;right:0"}),LO=Jf(wO,{target:"e1df9b4q2"})("top:0;bottom:0;",gk({right:0}),";"),AO=Jf(wO,{target:"e1df9b4q1"})({name:"8cxke2",styles:"bottom:0;left:0;right:0"}),SO=Jf(wO,{target:"e1df9b4q0"})("top:0;bottom:0;",gk({left:0}),";");function CO({showValues:e=Zz,values:t}){const{top:n,right:r,bottom:o,left:a}=t;return(0,et.createElement)(et.Fragment,null,(0,et.createElement)(TO,{isVisible:e.top,value:n}),(0,et.createElement)(xO,{isVisible:e.right,value:r}),(0,et.createElement)(zO,{isVisible:e.bottom,value:o}),(0,et.createElement)(OO,{isVisible:e.left,value:a}))}function TO({isVisible:e=!1,value:t}){const n=t,r=NO(n).isActive||e;return(0,et.createElement)(EO,{isActive:r,style:{height:n}})}function xO({isVisible:e=!1,value:t}){const n=t,r=NO(n).isActive||e;return(0,et.createElement)(LO,{isActive:r,style:{width:n}})}function zO({isVisible:e=!1,value:t}){const n=t,r=NO(n).isActive||e;return(0,et.createElement)(AO,{isActive:r,style:{height:n}})}function OO({isVisible:e=!1,value:t}){const n=t,r=NO(n).isActive||e;return(0,et.createElement)(SO,{isActive:r,style:{width:n}})}function NO(e){const[t,n]=(0,et.useState)(!1),r=(0,et.useRef)(e),o=(0,et.useRef)(),a=()=>{o.current&&window.clearTimeout(o.current)};return(0,et.useEffect)((()=>(e!==r.current&&(n(!0),r.current=e,a(),o.current=setTimeout((()=>{n(!1)}),400)),()=>a())),[e]),{isActive:t}}const DO={min:0};function BO({id:e,inputProps:t=DO,onChange:n=ot.noop,onChangeShowVisualizer:r=ot.noop,label:o=Zn("Box Control"),values:a,units:i,sides:s,splitOnAxis:l=!1,allowReset:c=!0,resetValues:u=Qz}){const[d,p]=EL(a,{fallback:Qz}),m=d||Qz,f=oO(a),h=1===(null==s?void 0:s.length),[g,b]=(0,et.useState)(f),[v,y]=(0,et.useState)(!f||!rO(m)||h),[_,M]=(0,et.useState)(aO(v,l)),[k,w]=(0,et.useState)({top:tk(null==a?void 0:a.top)[1],right:tk(null==a?void 0:a.right)[1],bottom:tk(null==a?void 0:a.bottom)[1],left:tk(null==a?void 0:a.left)[1]}),E=function(e){const t=xk(BO,"inspector-box-control");return e||t}(e),L=`${E}-heading`,A={...t,onChange:e=>{n(e),p(e),b(!0)},onFocus:(e,{side:t})=>{M(t)},onHoverOn:(e={})=>{r({...Zz,...e})},onHoverOff:(e={})=>{r({...Zz,...e})},isLinked:v,units:i,selectedUnits:k,setSelectedUnits:w,sides:s,values:m};return(0,et.createElement)(Rz,{id:E,role:"region","aria-labelledby":L},(0,et.createElement)(Yz,{className:"component-box-control__header"},(0,et.createElement)(Fk,null,(0,et.createElement)(gw,{id:L,className:"component-box-control__label"},o)),c&&(0,et.createElement)(Fk,null,(0,et.createElement)(nh,{className:"component-box-control__reset-button",isSecondary:!0,isSmall:!0,onClick:()=>{n(u),p(u),w(u),b(!1)},disabled:!g},Zn("Reset")))),(0,et.createElement)(Wz,{className:"component-box-control__header-control-wrapper"},(0,et.createElement)(Fk,null,(0,et.createElement)(yO,{side:_,sides:s})),v&&(0,et.createElement)(rS,null,(0,et.createElement)(iO,rt({"aria-label":o},A))),!v&&l&&(0,et.createElement)(rS,null,(0,et.createElement)(cO,A)),!h&&(0,et.createElement)(Fk,null,(0,et.createElement)(_O,{onClick:()=>{y(!v),M(aO(!v,l))},isLinked:v}))),!v&&!l&&(0,et.createElement)(sO,A))}function IO(e){const t=Io(e,qO);return!!(!0===t||null!=t&&t.margin)}function PO({name:e}={}){const t=!TL("spacing.customMargin");return!IO(e)||t}function RO(e){var t;const{name:n,attributes:{style:r},setAttributes:o}=e,a=rk({availableUnits:TL("spacing.units")||["%","px","em","rem","vw"]}),i=VO(n,"margin");if(PO(e))return null;return Qg.select({web:(0,et.createElement)(et.Fragment,null,(0,et.createElement)(BO,{values:null==r||null===(t=r.spacing)||void 0===t?void 0:t.margin,onChange:e=>{const t={...r,spacing:{...null==r?void 0:r.spacing,margin:e}};o({style:oC(t)})},onChangeShowVisualizer:e=>{const t={...r,visualizers:{margin:e}};o({style:oC(t)})},label:Zn("Margin"),sides:i,units:a})),native:null})}function YO(e){const t=Io(e,qO);return!!(!0===t||null!=t&&t.padding)}function WO({name:e}={}){const t=!TL("spacing.customPadding");return!YO(e)||t}function HO(e){var t;const{name:n,attributes:{style:r},setAttributes:o}=e,a=rk({availableUnits:TL("spacing.units")||["%","px","em","rem","vw"]}),i=VO(n,"padding");if(WO(e))return null;return Qg.select({web:(0,et.createElement)(et.Fragment,null,(0,et.createElement)(BO,{values:null==r||null===(t=r.spacing)||void 0===t?void 0:t.padding,onChange:e=>{const t={...r,spacing:{...null==r?void 0:r.spacing,padding:e}};o({style:oC(t)})},onChangeShowVisualizer:e=>{const t={...r,visualizers:{padding:e}};o({style:oC(t)})},label:Zn("Padding"),sides:i,units:a})),native:null})}BO.__Visualizer=function({children:e,showValues:t=Zz,values:n=Qz,...r}){const o=!e;return(0,et.createElement)(kO,rt({},r,{isPositionAbsolute:o,"aria-hidden":"true"}),(0,et.createElement)(CO,{showValues:t,values:n}),e)};const qO="spacing";function jO(e){const t=FO(e),n=function(e){if("web"!==Qg.OS)return!1;return YO(e)||IO(e)}(e.name);return t||!n?null:(0,et.createElement)(kA,{key:"spacing"},(0,et.createElement)(mA,{title:Zn("Spacing")},(0,et.createElement)(HO,e),(0,et.createElement)(RO,e)))}const FO=(e={})=>{const t=WO(e),n=PO(e);return t&&n};function VO(e,t){const n=Io(e,qO);if("boolean"!=typeof n[t])return n[t]}const XO=[...Bz,rT,AT,qO],UO=e=>XO.some((t=>Po(e,t))),$O="var:";function KO(e){if((0,ot.startsWith)(e,$O)){return`var(--wp--${e.slice($O.length).split("|").join("--")})`}return e}function GO(e={}){const t={};return Object.keys(wo).forEach((n=>{const r=wo[n].value,o=wo[n].properties;if((0,ot.has)(e,r)&&"elements"!==(0,ot.first)(r)){const a=(0,ot.get)(e,r);o&&!(0,ot.isString)(a)?Object.entries(o).forEach((e=>{const[n,r]=e,o=(0,ot.get)(a,[r]);o&&(t[n]=KO(o))})):t[n]=KO((0,ot.get)(e,r))}})),t}const JO={"__experimentalBorder.__experimentalSkipSerialization":["border"],"color.__experimentalSkipSerialization":[AT],"typography.__experimentalSkipSerialization":[Dz],[`${qO}.__experimentalSkipSerialization`]:["spacing"]};function QO(e,t,n){if(!UO(t))return e;let{style:r}=n;return(0,ot.forEach)(JO,((e,n)=>{Io(t,n)&&(r=(0,ot.omit)(r,e))})),e.style={...GO(r),...e.style},e}const ZO=ni((e=>t=>{const n=BM();return(0,et.createElement)(et.Fragment,null,n&&(0,et.createElement)(et.Fragment,null,(0,et.createElement)(Iz,t),(0,et.createElement)(oT,t),(0,et.createElement)(NT,t),(0,et.createElement)(jO,t)),(0,et.createElement)(e,t))}),"withToolbarControls"),eN=ni((e=>t=>{var n,r;const o=null===(n=t.attributes.style)||void 0===n?void 0:n.elements,a=`wp-elements-${xk(e)}`,i=function(e,t={}){return(0,ot.map)(t,((t,n)=>{const r=GO(t);return(0,ot.isEmpty)(r)?"":[`.${e} ${Eo[n]}{`,...(0,ot.map)(r,((e,t)=>`\t${(0,ot.kebabCase)(t)}: ${e}${"link"===n?"!important":""};`)),"}"].join("\n")})).join("\n")}(a,null===(r=t.attributes.style)||void 0===r?void 0:r.elements);return(0,et.createElement)(et.Fragment,null,o&&(0,et.createElement)("style",{dangerouslySetInnerHTML:{__html:i}}),(0,et.createElement)(e,rt({},t,{className:o?io()(t.className,a):t.className})))}));Bn("blocks.registerBlockType","core/style/addAttribute",(function(e){return UO(e)?(e.attributes.style||Object.assign(e.attributes,{style:{type:"object"}}),e):e})),Bn("blocks.getSaveContent.extraProps","core/style/addSaveProps",QO),Bn("blocks.registerBlockType","core/style/addEditProps",(function(e){if(!UO(e))return e;const t=e.getEditWrapperProps;return e.getEditWrapperProps=n=>{let r={};return t&&(r=t(n)),QO(r,e,n)},e})),Bn("editor.BlockEdit","core/style/with-block-controls",ZO),Bn("editor.BlockListBlock","core/editor/with-elements-styles",eN);const tN=(0,et.createElement)(po,{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24"},(0,et.createElement)(co,{d:"M5 17.7c.4.5.8.9 1.2 1.2l1.1-1.4c-.4-.3-.7-.6-1-1L5 17.7zM5 6.3l1.4 1.1c.3-.4.6-.7 1-1L6.3 5c-.5.4-.9.8-1.3 1.3zm.1 7.8l-1.7.5c.2.6.4 1.1.7 1.6l1.5-.8c-.2-.4-.4-.8-.5-1.3zM4.8 12v-.7L3 11.1v1.8l1.7-.2c.1-.2.1-.5.1-.7zm3 7.9c.5.3 1.1.5 1.6.7l.5-1.7c-.5-.1-.9-.3-1.3-.5l-.8 1.5zM19 6.3c-.4-.5-.8-.9-1.2-1.2l-1.1 1.4c.4.3.7.6 1 1L19 6.3zm-.1 3.6l1.7-.5c-.2-.6-.4-1.1-.7-1.6l-1.5.8c.2.4.4.8.5 1.3zM5.6 8.6l-1.5-.8c-.3.5-.5 1-.7 1.6l1.7.5c.1-.5.3-.9.5-1.3zm2.2-4.5l.8 1.5c.4-.2.8-.4 1.3-.5l-.5-1.7c-.6.2-1.1.4-1.6.7zm8.8 13.5l1.1 1.4c.5-.4.9-.8 1.2-1.2l-1.4-1.1c-.2.3-.5.6-.9.9zm1.8-2.2l1.5.8c.3-.5.5-1.1.7-1.6l-1.7-.5c-.1.5-.3.9-.5 1.3zm2.6-4.3l-1.7.2v1.4l1.7.2V12v-.9zM11.1 3l.2 1.7h1.4l.2-1.7h-1.8zm3 2.1c.5.1.9.3 1.3.5l.8-1.5c-.5-.3-1.1-.5-1.6-.7l-.5 1.7zM12 19.2h-.7l-.2 1.8h1.8l-.2-1.7c-.2-.1-.5-.1-.7-.1zm2.1-.3l.5 1.7c.6-.2 1.1-.4 1.6-.7l-.8-1.5c-.4.2-.8.4-1.3.5z"}));const nN=function({fill:e}){return e?(0,et.createElement)("span",{className:"components-swatch",style:{background:e}}):(0,et.createElement)(Cf,{icon:tN})};function rN(e=[],t="90deg"){const n=100/e.length;return`linear-gradient( ${t}, ${e.map(((e,t)=>`${e} ${t*n}%, ${e} ${(t+1)*n}%`)).join(", ")} )`}const oN=function({values:e}){return(0,et.createElement)(nN,{fill:e&&rN(e,"135deg")})};const aN=function e({children:t,className:n="",label:r,hideSeparator:o}){const a=xk(e);if(!et.Children.count(t))return null;const i=`components-menu-group-label-${a}`,s=io()(n,"components-menu-group",{"has-hidden-separator":o});return(0,et.createElement)("div",{className:s},r&&(0,et.createElement)("div",{className:"components-menu-group__label",id:i,"aria-hidden":"true"},r),(0,et.createElement)("div",{role:"group","aria-labelledby":r?i:null},t))};function iN({label:e,value:t,colors:n,disableCustomColors:r,onChange:o}){const[a,i]=(0,et.useState)(!1);return(0,et.createElement)(et.Fragment,null,(0,et.createElement)(nh,{className:"components-color-list-picker__swatch-button",icon:(0,et.createElement)(nN,{fill:t}),onClick:()=>i((e=>!e))},e),a&&(0,et.createElement)(nS,{colors:n,value:t,clearable:!1,onChange:o,disableCustomColors:r}))}const sN=function({colors:e,labels:t,value:n=[],disableCustomColors:r,onChange:o}){return(0,et.createElement)("div",{className:"components-color-list-picker"},t.map(((t,a)=>(0,et.createElement)(iN,{key:a,label:t,value:n[a],colors:e,disableCustomColors:r,onChange:e=>{const t=n.slice();t[a]=e,o(t)}}))))},lN=["#333","#CCC"];function cN({value:e,onChange:t}){const n=!!e,r=n?e:lN,o=rN(r),a=(i=r).map(((e,t)=>({position:100*t/(i.length-1),color:e})));var i;return(0,et.createElement)(wS,{disableInserter:!0,disableAlpha:!0,background:o,hasGradient:n,value:a,onChange:e=>{const n=function(e=[]){return e.map((({color:e})=>e))}(e);t(n)}})}const uN=function({colorPalette:e,duotonePalette:t,disableCustomColors:n,disableCustomDuotone:r,value:o,onChange:a}){const[i,s]=(0,et.useMemo)((()=>{return!(t=e)||t.length<2?["#000","#fff"]:t.map((({color:e})=>({color:e,brightness:ho()(e).getBrightness()/255}))).reduce((([e,t],n)=>[n.brightness<=e.brightness?n:e,n.brightness>=t.brightness?n:t]),[{brightness:1},{brightness:0}]).map((({color:e})=>e));var t}),[e]);return(0,et.createElement)(tS,{options:t.map((({colors:e,slug:t,name:n})=>{const r={background:rN(e,"135deg"),color:"transparent"},i=null!=n?n:dn(Zn("Duotone code: %s"),t),s=n?dn(Zn("Duotone: %s"),n):i,l=(0,ot.isEqual)(e,o);return(0,et.createElement)(tS.Option,{key:t,value:e,isSelected:l,"aria-label":s,tooltipText:i,style:r,onClick:()=>{a(l?void 0:e)}})})),actions:(0,et.createElement)(tS.ButtonAction,{onClick:()=>a(void 0)},Zn("Clear"))},!n&&!r&&(0,et.createElement)(cN,{value:o,onChange:a}),!r&&(0,et.createElement)(sN,{labels:[Zn("Shadows"),Zn("Highlights")],colors:e,value:o,disableCustomColors:n,onChange:e=>{e[0]||(e[0]=i),e[1]||(e[1]=s);const t=e.length>=2?e:void 0;a(t)}}))};const dN=function({value:e,onChange:t,onToggle:n,duotonePalette:r,colorPalette:o,disableCustomColors:a,disableCustomDuotone:i}){return(0,et.createElement)(yf,{className:"block-editor-duotone-control__popover",headerTitle:Zn("Duotone"),onFocusOutside:n},(0,et.createElement)(aN,{label:Zn("Duotone")},(0,et.createElement)(uN,{colorPalette:o,duotonePalette:r,disableCustomColors:a,disableCustomDuotone:i,value:e,onChange:t})))};const pN=function({colorPalette:e,duotonePalette:t,disableCustomColors:n,disableCustomDuotone:r,value:o,onChange:a}){const[i,s]=(0,et.useState)(!1),l=()=>{s((e=>!e))};return(0,et.createElement)(et.Fragment,null,(0,et.createElement)(Mg,{showTooltip:!0,onClick:l,"aria-haspopup":"true","aria-expanded":i,onKeyDown:e=>{i||e.keyCode!==sm||(e.preventDefault(),l())},label:Zn("Apply duotone filter"),icon:(0,et.createElement)(oN,{values:o})}),i&&(0,et.createElement)(dN,{value:o,onChange:a,onToggle:l,duotonePalette:t,colorPalette:e,disableCustomColors:n,disableCustomDuotone:r}))},mN=(0,et.createContext)();function fN({children:e}){const[t,n]=(0,et.useState)();return(0,et.createElement)(mN.Provider,{value:t},(0,et.createElement)("div",{ref:n}),e)}fN.context=mN;const hN=[];function gN(e=[]){const t={r:[],g:[],b:[]};return e.forEach((e=>{const n=ho()(e);t.r.push(n._r/255),t.g.push(n._g/255),t.b.push(n._b/255)})),t}function bN({selector:e,id:t,values:n}){const r=`\n${e} {\n\tfilter: url( #${t} );\n}\n`;return(0,et.createElement)(et.Fragment,null,(0,et.createElement)(po,{xmlnsXlink:"http://www.w3.org/1999/xlink",viewBox:"0 0 0 0",width:"0",height:"0",focusable:"false",role:"none",style:{visibility:"hidden",position:"absolute",left:"-9999px",overflow:"hidden"}},(0,et.createElement)("defs",null,(0,et.createElement)("filter",{id:t},(0,et.createElement)("feColorMatrix",{type:"matrix",values:".299 .587 .114 0 0 .299 .587 .114 0 0 .299 .587 .114 0 0 0 0 0 1 0"}),(0,et.createElement)("feComponentTransfer",{colorInterpolationFilters:"sRGB"},(0,et.createElement)("feFuncR",{type:"table",tableValues:n.r.join(" ")}),(0,et.createElement)("feFuncG",{type:"table",tableValues:n.g.join(" ")}),(0,et.createElement)("feFuncB",{type:"table",tableValues:n.b.join(" ")}))))),(0,et.createElement)("style",{dangerouslySetInnerHTML:{__html:r}}))}function vN({attributes:e,setAttributes:t}){var n;const r=null==e?void 0:e.style,o=null==r||null===(n=r.color)||void 0===n?void 0:n.duotone,a=TL("color.duotone")||hN,i=TL("color.palette")||hN,s=!TL("color.custom"),l=!TL("color.customDuotone")||0===(null==i?void 0:i.length)&&s;return 0===(null==a?void 0:a.length)&&l?null:(0,et.createElement)(WM,{group:"block"},(0,et.createElement)(pN,{duotonePalette:a,colorPalette:i,disableCustomDuotone:l,disableCustomColors:s,value:o,onChange:e=>{const n={...r,color:{...null==r?void 0:r.color,duotone:e}};t({style:n})}}))}const yN=ni((e=>t=>{const n=Po(t.name,"color.__experimentalDuotone");return(0,et.createElement)(et.Fragment,null,(0,et.createElement)(e,t),n&&(0,et.createElement)(vN,t))}),"withDuotoneControls"),_N=ni((e=>t=>{var n,r,o;const a=Io(t.name,"color.__experimentalDuotone"),i=null==t||null===(n=t.attributes)||void 0===n||null===(r=n.style)||void 0===r||null===(o=r.color)||void 0===o?void 0:o.duotone;if(!a||!i)return(0,et.createElement)(e,t);const s=`wp-duotone-filter-${xk(e)}`,l=a.split(",").map((e=>`.${s} ${e.trim()}`)).join(", "),c=io()(null==t?void 0:t.className,s),u=(0,et.useContext)(fN.context);return(0,et.createElement)(et.Fragment,null,u&&(0,nt.createPortal)((0,et.createElement)(bN,{selector:l,id:s,values:gN(i)}),u),(0,et.createElement)(e,rt({},t,{className:c})))}),"withDuotoneStyles");Bn("blocks.registerBlockType","core/editor/duotone/add-attributes",(function(e){return Po(e,"color.__experimentalDuotone")?(e.attributes.style||Object.assign(e.attributes,{style:{type:"object"}}),e):e})),Bn("editor.BlockEdit","core/editor/duotone/with-editor-controls",yN),Bn("editor.BlockListBlock","core/editor/duotone/with-styles",_N);const MN=function({className:e,checked:t,id:n,disabled:r,onChange:o=ot.noop,...a}){const i=io()("components-form-toggle",e,{"is-checked":t,"is-disabled":r});return(0,et.createElement)("span",{className:i},(0,et.createElement)("input",rt({className:"components-form-toggle__input",id:n,type:"checkbox",checked:t,onChange:o,disabled:r},a)),(0,et.createElement)("span",{className:"components-form-toggle__track"}),(0,et.createElement)("span",{className:"components-form-toggle__thumb"}))};function kN({label:e,checked:t,help:n,className:r,onChange:o,disabled:a}){const i=`inspector-toggle-control-${xk(kN)}`;let s,l;return n&&(s=i+"__help",l=(0,ot.isFunction)(n)?n(t):n),(0,et.createElement)(nA,{id:i,help:l,className:io()("components-toggle-control",r)},(0,et.createElement)(MN,{id:i,checked:t,onChange:function(e){o(e.target.checked)},"aria-describedby":s,disabled:a}),(0,et.createElement)("label",{htmlFor:i,className:"components-toggle-control__label"},e))}const wN="__experimentalLayout";function EN({setAttributes:e,attributes:t,name:n}){const{layout:r={}}=t,o=TL("layout");if(!Cl((e=>{const{getSettings:t}=e(DM);return t().supportsLayout}),[]))return null;const a=(e=>{const t=Io(e,wN);return null==t?void 0:t.allowSwitching})(n),{inherit:i=!1,type:s="default"}=r,l=zL(s);return(0,et.createElement)(kA,null,(0,et.createElement)(mA,{title:Zn("Layout")},!!o&&(0,et.createElement)(kN,{label:Zn("Inherit default layout"),checked:!!i,onChange:()=>e({layout:{inherit:!i}})}),!i&&a&&(0,et.createElement)(LN,{type:s,onChange:t=>e({layout:{type:t}})}),!i&&l&&(0,et.createElement)(l.edit,{layout:r,onChange:t=>e({layout:t})})))}function LN({type:e,onChange:t}){return(0,et.createElement)(CA,null,xL.map((({name:n,label:r})=>(0,et.createElement)(nh,{key:n,isPressed:e===n,onClick:()=>t(n)},r))))}const AN=ni((e=>t=>{const{name:n}=t;return[Po(n,wN)&&(0,et.createElement)(EN,rt({key:"layout"},t)),(0,et.createElement)(e,rt({key:"edit"},t))]}),"withInspectorControls"),SN=ni((e=>t=>{const{name:n,attributes:r}=t,o=Po(n,wN),a=xk(e),i=TL("layout")||{};if(!o)return(0,et.createElement)(e,t);const{layout:s={}}=r,l=s&&s.inherit?i:s,c=io()(null==t?void 0:t.className,`wp-container-${a}`),u=(0,et.useContext)(fN.context);return(0,et.createElement)(et.Fragment,null,u&&(0,nt.createPortal)((0,et.createElement)(BL,{selector:`.wp-container-${a}`,layout:l}),u),(0,et.createElement)(e,rt({},t,{className:c})))}));Bn("blocks.registerBlockType","core/layout/addAttribute",(function(e){return(0,ot.has)(e.attributes,["layout","type"])||Po(e,wN)&&(e.attributes={...e.attributes,layout:{type:"object"}}),e})),Bn("editor.BlockListBlock","core/editor/layout/with-layout-styles",SN),Bn("editor.BlockEdit","core/editor/layout/with-inspector-controls",AN);const CN=[];function TN({borderColor:e,style:t}){var n;const r=(null==t?void 0:t.border)||{},o=VS("border-color",e);return{className:io()({[o]:!!o,"has-border-color":e||(null==t||null===(n=t.border)||void 0===n?void 0:n.color)})||void 0,style:GO({border:r})}}function xN(e){const t=TL("color.palette")||CN,n=TN(e);if(e.borderColor){const r=jS(t,e.borderColor);n.style.borderColor=r.color}return n}const zN=[];function ON(e){var t,n,r,o,a,i;const{backgroundColor:s,textColor:l,gradient:c,style:u}=e,d=VS("background-color",s),p=VS("color",l),m=US(c),f=m||(null==u||null===(t=u.color)||void 0===t?void 0:t.gradient);return{className:io()(p,m,{[d]:!f&&!!d,"has-text-color":l||(null==u||null===(n=u.color)||void 0===n?void 0:n.text),"has-background":s||(null==u||null===(r=u.color)||void 0===r?void 0:r.background)||c||(null==u||null===(o=u.color)||void 0===o?void 0:o.gradient),"has-link-color":null==u||null===(a=u.elements)||void 0===a||null===(i=a.link)||void 0===i?void 0:i.color})||void 0,style:GO({color:(null==u?void 0:u.color)||{}})}}function NN(e){const{backgroundColor:t,textColor:n,gradient:r}=e,o=TL("color.palette")||zN,a=TL("color.gradients")||zN,i=ON(e);if(t){const e=jS(o,t);i.style.backgroundColor=e.color}if(r&&(i.style.background=$S(a,r)),n){const e=jS(o,n);i.style.color=e.color}return i}const DN=[];function BN(e,t){const n=(0,ot.reduce)(e,((e,t)=>({...e,...(0,ot.isString)(t)?{[t]:(0,ot.kebabCase)(t)}:t})),{});return WA([t,e=>class extends et.Component{constructor(e){super(e),this.setters=this.createSetters(),this.colorUtils={getMostReadableColor:this.getMostReadableColor.bind(this)},this.state={}}getMostReadableColor(e){const{colors:t}=this.props;return function(e,t){return ho().mostReadable(t,(0,ot.map)(e,"color")).toHexString()}(t,e)}createSetters(){return(0,ot.reduce)(n,((e,t,n)=>{const r=(0,ot.upperFirst)(n),o=`custom${r}`;return e[`set${r}`]=this.createSetColor(n,o),e}),{})}createSetColor(e,t){return n=>{const r=FS(this.props.colors,n);this.props.setAttributes({[e]:r&&r.slug?r.slug:void 0,[t]:r&&r.slug?void 0:n})}}static getDerivedStateFromProps({attributes:e,colors:t},r){return(0,ot.reduce)(n,((n,o,a)=>{const i=jS(t,e[a],e[`custom${(0,ot.upperFirst)(a)}`]),s=r[a];return(null==s?void 0:s.color)===i.color&&s?n[a]=s:n[a]={...i,class:VS(o,i.slug)},n}),{})}render(){return(0,et.createElement)(e,rt({},this.props,{colors:void 0},this.state,this.setters,{colorUtils:this.colorUtils}))}}])}function IN(...e){const t=ni((e=>t=>{const n=TL("color.palette")||DN;return(0,et.createElement)(e,rt({},t,{colors:n}))}),"withEditorColorPalette");return ni(BN(e,t),"withColors")}const PN=(0,et.createElement)(po,{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24"},(0,et.createElement)(co,{d:"M4 19.8h8.9v-1.5H4v1.5zm8.9-15.6H4v1.5h8.9V4.2zm-8.9 7v1.5h16v-1.5H4z"})),RN=(0,et.createElement)(po,{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24"},(0,et.createElement)(co,{d:"M16.4 4.2H7.6v1.5h8.9V4.2zM4 11.2v1.5h16v-1.5H4zm3.6 8.6h8.9v-1.5H7.6v1.5z"})),YN=(0,et.createElement)(po,{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24"},(0,et.createElement)(co,{d:"M11.1 19.8H20v-1.5h-8.9v1.5zm0-15.6v1.5H20V4.2h-8.9zM4 12.8h16v-1.5H4v1.5z"})),WN=[{icon:PN,title:Zn("Align text left"),align:"left"},{icon:RN,title:Zn("Align text center"),align:"center"},{icon:YN,title:Zn("Align text right"),align:"right"}],HN={position:"bottom right",isAlternate:!0};const qN=function({value:e,onChange:t,alignmentControls:n=WN,label:r=Zn("Align"),describedBy:o=Zn("Change text alignment"),isCollapsed:a=!0,isToolbar:i}){function s(n){return()=>t(e===n?void 0:n)}const l=(0,ot.find)(n,(t=>t.align===e)),c=i?Ng:HM,u=i?{isCollapsed:a}:{};return(0,et.createElement)(c,rt({icon:l?l.icon:nr()?YN:PN,label:r,toggleProps:{describedBy:o},popoverProps:HN,controls:n.map((t=>{const{align:n}=t,r=e===n;return{...t,isActive:r,role:a?"menuitemradio":void 0,onClick:s(n)}}))},u))};function jN(e){return(0,et.createElement)(qN,rt({},e,{isToolbar:!1}))}function FN(e){return(0,et.createElement)(qN,rt({},e,{isToolbar:!0}))}const VN=(0,et.createElement)(po,{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24"},(0,et.createElement)(co,{d:"M4.2 9h1.5V5.8H9V4.2H4.2V9zm14 9.2H15v1.5h4.8V15h-1.5v3.2zM15 4.2v1.5h3.2V9h1.5V4.2H15zM5.8 15H4.2v4.8H9v-1.5H5.8V15z"}));const XN=function({isActive:e,label:t=Zn("Toggle full height"),onToggle:n,isDisabled:r}){return(0,et.createElement)(Mg,{isActive:e,icon:VN,label:t,onClick:()=>n(!e),disabled:r})},UN=[["top left","top center","top right"],["center left","center center","center right"],["bottom left","bottom center","bottom right"]],$N={"top left":Zn("Top Left"),"top center":Zn("Top Center"),"top right":Zn("Top Right"),"center left":Zn("Center Left"),"center center":Zn("Center Center"),"center right":Zn("Center Right"),"bottom left":Zn("Bottom Left"),"bottom center":Zn("Bottom Center"),"bottom right":Zn("Bottom Right")},KN=(0,ot.flattenDeep)(UN);function GN(e){return("center"===e?"center center":e).replace("-"," ")}function JN(e,t){return`${e}-${GN(t).replace(" ","-")}`}var QN={name:"lp9rn7",styles:"border-radius:2px;box-sizing:border-box;display:grid;grid-template-columns:repeat( 3, 1fr );outline:none"};const ZN=()=>QN,eD=Jf("div",{target:"e1od1u4s3"})(ZN,";border:1px solid transparent;cursor:pointer;grid-template-columns:auto;",(({size:e=92})=>uk("grid-template-rows:repeat( 3, calc( ",e,"px / 3 ) );width:",e,"px;","")),";"),tD=Jf("div",{target:"e1od1u4s2"})({name:"1x5gbbj",styles:"box-sizing:border-box;display:grid;grid-template-columns:repeat( 3, 1fr )"}),nD=e=>uk("background:currentColor;box-sizing:border-box;display:grid;margin:auto;transition:all 120ms linear;",uC("transition")," ",(({isActive:e})=>uk("box-shadow:",e?`0 0 0 2px ${Ck.black}`:null,";color:",e?Ck.black:Ck.lightGray[800],";*:hover>&{color:",e?Ck.black:Ck.blue.medium.focus,";}",""))(e),";",""),rD=Jf("span",{target:"e1od1u4s1"})("height:6px;width:6px;",nD,";"),oD=Jf("span",{target:"e1od1u4s0"})({name:"rjf3ub",styles:"appearance:none;border:none;box-sizing:border-box;margin:0;display:flex;position:relative;outline:none;align-items:center;justify-content:center;padding:0"});function aD({isActive:e=!1,value:t,...n}){const r=$N[t];return(0,et.createElement)(Af,{text:r},(0,et.createElement)(hg,rt({as:oD,role:"gridcell"},n),(0,et.createElement)(eh,null,t),(0,et.createElement)(rD,{isActive:e,role:"presentation"})))}function iD(e){return(0,et.useState)(e)[0]}function sD(e){for(var t,n=[[]],r=function(){var e=t.value,r=n.find((function(t){return!t[0]||t[0].groupId===e.groupId}));r?r.push(e):n.push([e])},o=Ch(e);!(t=o()).done;)r();return n}function lD(e){for(var t,n=[],r=Ch(e);!(t=r()).done;){var o=t.value;n.push.apply(n,o)}return n}function cD(e){return e.slice().reverse()}function uD(e,t){if(t)return null==e?void 0:e.find((function(e){return e.id===t&&!e.disabled}))}function dD(e,t){return function(e){return"function"==typeof e}(e)?e(t):e}function pD(e,t){return Boolean(t.compareDocumentPosition(e)&Node.DOCUMENT_POSITION_PRECEDING)}function mD(e,t){return e.findIndex((function(e){return!(!e.ref.current||!t.ref.current)&&pD(t.ref.current,e.ref.current)}))}function fD(e){for(var t,n=0,r=Ch(e);!(t=r()).done;){var o=t.value.length;o>n&&(n=o)}return n}function hD(e){for(var t=sD(e),n=fD(t),r=[],o=0;oa&&(n=!0),-1):(ruk({gridTemplateRows:"repeat( 3, calc( 21px / 3))",padding:1.5,maxHeight:24,maxWidth:24},"","")),";",(({disablePointerEvents:e})=>uk({pointerEvents:e?"none":null},"","")),";"),WD=Jf("span",{target:"elqsdmc0"})("height:2px;width:2px;",nD,";",(({isActive:e})=>uk("box-shadow:",e?"0 0 0 1px currentColor":null,";color:currentColor;*:hover>&{color:currentColor;}","")),";"),HD=oD;function qD({className:e,id:t,label:n=Zn("Alignment Matrix Control"),defaultValue:r="center center",value:o,onChange:a=ot.noop,width:i=92,...s}){const[l]=(0,et.useState)(null!=o?o:r),c=function(e){const t=xk(qD,"alignment-matrix-control");return e||t}(t),u=JN(c,l),d=SD({baseId:c,currentId:u,rtl:nr()});(0,et.useEffect)((()=>{void 0!==o&&d.setCurrentId(JN(c,o))}),[o,d.setCurrentId]);const p=io()("component-alignment-matrix-control",e);return(0,et.createElement)(ID,rt({},s,d,{"aria-label":n,as:eD,className:p,role:"grid",width:i}),UN.map(((e,t)=>(0,et.createElement)(RD,rt({},d,{as:tD,role:"row",key:t}),e.map((e=>{const t=JN(c,e),n=d.currentId===t;return(0,et.createElement)(aD,rt({},d,{id:t,isActive:n,key:e,value:e,onFocus:()=>{a(e)},tabIndex:n?0:-1}))}))))))}qD.Icon=function({className:e,disablePointerEvents:t=!0,size:n=24,style:r={},value:o="center",...a}){const i=function(e="center"){const t=GN(e).replace("-"," "),n=KN.indexOf(t);return n>-1?n:void 0}(o),s=(n/24).toFixed(2),l=io()("component-alignment-matrix-control-icon",e),c={...r,transform:`scale(${s})`};return(0,et.createElement)(YD,rt({},a,{className:l,disablePointerEvents:t,role:"presentation",size:n,style:c}),KN.map(((e,t)=>{const n=i===t;return(0,et.createElement)(HD,{key:e},(0,et.createElement)(WD,{isActive:n}))})))};const jD=function(e){const{label:t=Zn("Change matrix alignment"),onChange:n=ot.noop,value:r="center",isDisabled:o}=e,a=(0,et.createElement)(qD.Icon,{value:r}),i="block-editor-block-alignment-matrix-control",s=`${i}__popover`;return(0,et.createElement)(Eg,{position:"bottom right",className:i,popoverProps:{className:s,isAlternate:!0},renderToggle:({onToggle:e,isOpen:n})=>(0,et.createElement)(Mg,{onClick:e,"aria-haspopup":"true","aria-expanded":n,onKeyDown:t=>{n||t.keyCode!==sm||(t.preventDefault(),e())},label:t,icon:a,showTooltip:!0,disabled:o}),renderContent:()=>(0,et.createElement)(qD,{hasFocusBorder:!1,onChange:n,value:r})})};function FD({clientId:e,tagName:t="div",wrapperProps:n,className:r}){const o="block-editor-block-content-overlay",[a,i]=(0,et.useState)(!0),[s,l]=(0,et.useState)(!1),{isParentSelected:c,hasChildSelected:u,isDraggingBlocks:d,isParentHighlighted:p}=Cl((t=>{const{isBlockSelected:n,hasSelectedInnerBlock:r,isDraggingBlocks:o,isBlockHighlighted:a}=t(DM);return{isParentSelected:n(e),hasChildSelected:r(e,!0),isDraggingBlocks:o(),isParentHighlighted:a(e)}}),[e]),m=io()(o,null==n?void 0:n.className,r,{"overlay-active":a,"parent-highlighted":p,"is-dragging-blocks":d});return(0,et.useEffect)((()=>{c||u||a||i(!0),c&&!s&&a&&i(!1),u&&a&&i(!1)}),[c,u,a,s]),(0,et.createElement)(t,rt({},n,{className:m,onMouseEnter:()=>l(!0),onMouseLeave:()=>l(!1)}),a&&(0,et.createElement)("div",{className:`${o}__overlay`,onMouseUp:()=>i(!1)}),null==n?void 0:n.children)}const VD=(0,et.createContext)({});function XD({value:e,children:t}){const n=(0,et.useContext)(VD),r=(0,et.useMemo)((()=>({...n,...e})),[n,e]);return(0,et.createElement)(VD.Provider,{value:r,children:t})}const UD=VD;function $D({icon:e,showColors:t=!1,className:n}){var r;"block-default"===(null===(r=e)||void 0===r?void 0:r.src)&&(e={src:mo});const o=(0,et.createElement)(Cf,{icon:e&&e.src?e.src:e}),a=t?{backgroundColor:e&&e.background,color:e&&e.foreground}:{};return(0,et.createElement)("span",{style:a,className:io()("block-editor-block-icon",n,{"has-colors":t})},o)}const KD=(0,et.createElement)(po,{viewBox:"0 0 24 24",xmlns:"http://www.w3.org/2000/svg"},(0,et.createElement)(co,{d:"M13.8 5.2H3v1.5h10.8V5.2zm-3.6 12v1.5H21v-1.5H10.2zm7.2-6H6.6v1.5h10.8v-1.5z"})),GD=(0,et.createContext)(),JD=GD.Provider;function QD({children:e}){const[t,n]=(0,et.useState)(),r=(0,et.useMemo)((()=>({lastFocusedElement:t,setLastFocusedElement:n})),[t]);return(0,et.createElement)(JD,{value:r},e)}function ZD(e){const t=zm.focusable.find(e);if(t&&t.length)return t.filter((t=>t.closest('[role="row"]')===e))}const eB=(0,et.forwardRef)((function({children:e,onExpandRow:t=(()=>{}),onCollapseRow:n=(()=>{}),...r},o){const a=(0,et.useCallback)((e=>{const{keyCode:r,metaKey:o,ctrlKey:a,altKey:i,shiftKey:s}=e;if(o||a||i||s||!(0,ot.includes)([am,sm,om,im],r))return;e.stopPropagation();const{activeElement:l}=document,{currentTarget:c}=e;if(!c.contains(l))return;const u=l.closest('[role="row"]'),d=ZD(u),p=d.indexOf(l);if((0,ot.includes)([om,im],r)){let o;if(o=r===om?Math.max(0,p-1):Math.min(p+1,d.length-1),o===p){if(r===om){var m,f,h;if("true"===(null==u?void 0:u.ariaExpanded))return n(u),void e.preventDefault();const t=Math.max(parseInt(null!==(m=null==u?void 0:u.ariaLevel)&&void 0!==m?m:1,10)-1,1),r=Array.from(c.querySelectorAll('[role="row"]'));let o=u;for(let e=r.indexOf(u);e>=0;e--)if(parseInt(r[e].ariaLevel,10)===t){o=r[e];break}null===(f=ZD(o))||void 0===f||null===(h=f[0])||void 0===h||h.focus()}else{if("false"===(null==u?void 0:u.ariaExpanded))return t(u),void e.preventDefault();const n=ZD(u);var g;if(n.length>0)null===(g=n[n.length-1])||void 0===g||g.focus()}return void e.preventDefault()}d[o].focus(),e.preventDefault()}else if((0,ot.includes)([am,sm],r)){const t=Array.from(c.querySelectorAll('[role="row"]')),n=t.indexOf(u);let o;if(o=r===am?Math.max(0,n-1):Math.min(n+1,t.length-1),o===n)return void e.preventDefault();const a=ZD(t[o]);if(!a||!a.length)return void e.preventDefault();a[Math.min(p,a.length-1)].focus(),e.preventDefault()}}),[]);return(0,et.createElement)(QD,null,(0,et.createElement)("table",rt({},r,{role:"treegrid",onKeyDown:a,ref:o}),(0,et.createElement)("tbody",null,e)))})),tB=(0,et.forwardRef)((function({children:e,as:t,...n},r){const o=(0,et.useRef)(),a=r||o,{lastFocusedElement:i,setLastFocusedElement:s}=(0,et.useContext)(GD);let l;i&&(l=i===a.current?0:-1);const c={ref:a,tabIndex:l,onFocus:e=>s(e.target),...n};return"function"==typeof e?e(c):(0,et.createElement)(t,c,e)})),nB=(0,et.forwardRef)((function({children:e,...t},n){return(0,et.createElement)(tB,rt({ref:n},t),e)})),rB=(0,et.forwardRef)((function({children:e,withoutGridItem:t=!1,...n},r){return(0,et.createElement)("td",rt({},n,{role:"gridcell"}),t?e:(0,et.createElement)(nB,{ref:r},e))}));const oB=(0,et.forwardRef)((function({children:e,info:t,className:n,icon:r,shortcut:o,isSelected:a,role:i="menuitem",...s},l){return n=io()("components-menu-item__button",n),t&&(e=(0,et.createElement)("span",{className:"components-menu-item__info-wrapper"},(0,et.createElement)("span",{className:"components-menu-item__item"},e),(0,et.createElement)("span",{className:"components-menu-item__info"},t))),r&&!(0,ot.isString)(r)&&(r=(0,et.cloneElement)(r,{className:"components-menu-items__item-icon"})),(0,et.createElement)(nh,rt({ref:l,"aria-checked":"menuitemcheckbox"===i||"menuitemradio"===i?a:void 0,role:i,className:n},s),(0,et.createElement)("span",{className:"components-menu-item__item"},e),(0,et.createElement)(_f,{className:"components-menu-item__shortcut",shortcut:o}),r&&(0,et.createElement)(Cf,{icon:r}))})),aB=(0,et.createElement)(po,{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24"},(0,et.createElement)(co,{d:"M13 19h-2v-2h2v2zm0-6h-2v-2h2v2zm0-6h-2V5h2v2z"}));var iB=n(8088);const sB=(0,et.forwardRef)((function({children:e,level:t,positionInSet:n,setSize:r,isExpanded:o,...a},i){return(0,et.createElement)("tr",rt({},a,{ref:i,role:"row","aria-level":t,"aria-posinset":n,"aria-setsize":r,"aria-expanded":o}),e)}));function lB(e){return ds(e.ownerDocument.defaultView),e.ownerDocument.defaultView.getComputedStyle(e)}function cB(e){if(e){if(e.scrollHeight>e.clientHeight){const{overflowY:t}=lB(e);if(/(auto|scroll)/.test(t))return e}return cB(e.parentNode)}}const uB=e=>e+1,dB=e=>({top:e.offsetTop,left:e.offsetLeft});const pB=function({isSelected:e,adjustScrolling:t,enableAnimation:n,triggerAnimationOnChange:r}){const o=(0,et.useRef)(),a=lA()||!n,[i,s]=(0,et.useReducer)(uB,0),[l,c]=(0,et.useReducer)(uB,0),[u,d]=(0,et.useState)({x:0,y:0}),p=(0,et.useMemo)((()=>o.current?dB(o.current):null),[r]),m=(0,et.useMemo)((()=>{if(!t||!o.current)return()=>{};const e=cB(o.current);if(!e)return()=>{};const n=o.current.getBoundingClientRect();return()=>{const t=o.current.getBoundingClientRect().top-n.top;t&&(e.scrollTop+=t)}}),[r,t]);function f({x:t,y:n}){t=Math.round(t),n=Math.round(n),t===f.x&&n===f.y||(!function({x:t,y:n}){if(!o.current)return;const r=0===t&&0===n;o.current.style.transformOrigin=r?"":"center",o.current.style.transform=r?"":`translate3d(${t}px,${n}px,0)`,o.current.style.zIndex=!e||r?"":"1",m()}({x:t,y:n}),f.x=t,f.y=n)}return(0,et.useLayoutEffect)((()=>{i&&c()}),[i]),(0,et.useLayoutEffect)((()=>{if(!p)return;if(a)return void m();o.current.style.transform="";const e=dB(o.current);s(),d({x:Math.round(p.left-e.left),y:Math.round(p.top-e.top)})}),[r]),f.x=0,f.y=0,(0,iB.q_)({from:{x:u.x,y:u.y},to:{x:0,y:0},reset:i!==l,config:{mass:5,tension:2e3,friction:200},immediate:a,onFrame:f}),o},mB=(0,iB.q)(sB);function fB({isSelected:e,position:t,level:n,rowCount:r,children:o,className:a,path:i,...s}){const l=pB({isSelected:e,adjustScrolling:!1,enableAnimation:!0,triggerAnimationOnChange:i.join("_")});return(0,et.createElement)(mB,rt({ref:l,className:io()("block-editor-list-view-leaf",a),level:n,positionInSet:t,setSize:r},s),o)}const hB=(0,et.createElement)(po,{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24"},(0,et.createElement)(co,{d:"M10.6 6L9.4 7l4.6 5-4.6 5 1.2 1 5.4-6z"})),gB=(0,et.createElement)(po,{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24"},(0,et.createElement)(co,{d:"M14.6 7l-1.2-1L8 12l5.4 6 1.2-1-4.6-5z"}));function bB(e,t,n,r,o,a,i){const s=n+1,l=e=>"up"===e?"horizontal"===i?nr()?"right":"left":"up":"down"===e?"horizontal"===i?nr()?"left":"right":"down":null;if(e>1)return function(e,t,n,r,o){const a=t+1;if(o<0&&n)return Zn("Blocks cannot be moved up as they are already at the top");if(o>0&&r)return Zn("Blocks cannot be moved down as they are already at the bottom");if(o<0&&!n)return dn(tr("Move %1$d block from position %2$d up by one place","Move %1$d blocks from position %2$d up by one place",e),e,a);if(o>0&&!r)return dn(tr("Move %1$d block from position %2$d down by one place","Move %1$d blocks from position %2$d down by one place",e),e,a)}(e,n,r,o,a);if(r&&o)return dn(Zn("Block %s is the only block, and cannot be moved"),t);if(a>0&&!o){const e=l("down");if("down"===e)return dn(Zn("Move %1$s block from position %2$d down to position %3$d"),t,s,s+1);if("left"===e)return dn(Zn("Move %1$s block from position %2$d left to position %3$d"),t,s,s+1);if("right"===e)return dn(Zn("Move %1$s block from position %2$d right to position %3$d"),t,s,s+1)}if(a>0&&o){const e=l("down");if("down"===e)return dn(Zn("Block %1$s is at the end of the content and can’t be moved down"),t);if("left"===e)return dn(Zn("Block %1$s is at the end of the content and can’t be moved left"),t);if("right"===e)return dn(Zn("Block %1$s is at the end of the content and can’t be moved right"),t)}if(a<0&&!r){const e=l("up");if("up"===e)return dn(Zn("Move %1$s block from position %2$d up to position %3$d"),t,s,s-1);if("left"===e)return dn(Zn("Move %1$s block from position %2$d left to position %3$d"),t,s,s-1);if("right"===e)return dn(Zn("Move %1$s block from position %2$d right to position %3$d"),t,s,s-1)}if(a<0&&r){const e=l("up");if("up"===e)return dn(Zn("Block %1$s is at the beginning of the content and can’t be moved up"),t);if("left"===e)return dn(Zn("Block %1$s is at the beginning of the content and can’t be moved left"),t);if("right"===e)return dn(Zn("Block %1$s is at the beginning of the content and can’t be moved right"),t)}}const vB=(e,t)=>"up"===e?"horizontal"===t?nr()?hB:gB:cA:"down"===e?"horizontal"===t?nr()?gB:hB:uA:null,yB=(e,t)=>"up"===e?"horizontal"===t?nr()?Zn("Move right"):Zn("Move left"):Zn("Move up"):"down"===e?"horizontal"===t?nr()?Zn("Move left"):Zn("Move right"):Zn("Move down"):null,_B=(0,et.forwardRef)((({clientIds:e,direction:t,orientation:n,...r},o)=>{const a=xk(_B),i=(0,ot.castArray)(e).length,{blockType:s,isDisabled:l,rootClientId:c,isFirst:u,isLast:d,firstIndex:p,orientation:m="vertical"}=Cl((r=>{const{getBlockIndex:o,getBlockRootClientId:a,getBlockOrder:i,getBlock:s,getBlockListSettings:l}=r(DM),c=(0,ot.castArray)(e),u=(0,ot.first)(c),d=a(u),p=o(u,d),m=o((0,ot.last)(c),d),f=i(d),h=s(u),g=0===p,b=m===f.length-1,{orientation:v}=l(d)||{};return{blockType:h?Do(h.name):null,isDisabled:"up"===t?g:b,rootClientId:d,firstIndex:p,isFirst:g,isLast:b,orientation:n||v}}),[e,t]),{moveBlocksDown:f,moveBlocksUp:h}=sd(DM),g="up"===t?h:f,b=`block-editor-block-mover-button__description-${a}`;return(0,et.createElement)(et.Fragment,null,(0,et.createElement)(nh,rt({ref:o,className:io()("block-editor-block-mover-button",`is-${t}-button`),icon:vB(t,m),label:yB(t,m),"aria-describedby":b},r,{onClick:l?null:t=>{g(e,c),r.onClick&&r.onClick(t)},"aria-disabled":l})),(0,et.createElement)("span",{id:b,className:"block-editor-block-mover-button__description"},bB(i,s&&s.title,p,u,d,"up"===t?-1:1,m)))})),MB=(0,et.forwardRef)(((e,t)=>(0,et.createElement)(_B,rt({direction:"up",ref:t},e)))),kB=(0,et.forwardRef)(((e,t)=>(0,et.createElement)(_B,rt({direction:"down",ref:t},e)))),wB=(0,et.createContext)({__experimentalFeatures:!1,__experimentalPersistentListViewFeatures:!1}),EB=()=>(0,et.useContext)(wB);function LB(e){return Cl((t=>{if(!e)return null;const{getBlockName:n,getBlockAttributes:r}=t(DM),{getBlockType:o,getActiveBlockVariation:a}=t(Kr),i=n(e),s=o(i);if(!s)return null;const l=r(e),c=a(i,l),u={title:s.title,icon:s.icon,description:s.description,anchor:null==l?void 0:l.anchor};return c?{title:c.title||s.title,icon:c.icon||s.icon,description:c.description||s.description}:u}),[e])}const AB=(e,t,n)=>dn(Zn("Block %1$d of %2$d, Level %3$d"),e,t,n),SB=(e,t)=>(0,ot.isArray)(t)&&t.length?-1!==t.indexOf(e):t===e;function CB({clientId:e}){const{attributes:t,name:n,reusableBlockTitle:r}=Cl((t=>{if(!e)return{};const{getBlockName:n,getBlockAttributes:r,__experimentalGetReusableBlockTitle:o}=t(DM),a=n(e);if(!a)return{};const i=Ro(Do(a));return{attributes:r(e),name:a,reusableBlockTitle:i&&o(r(e).ref)}}),[e]),o=LB(e);if(!n||!o)return null;const a=Do(n),i=r||_o(a,t);return i!==a.title?(0,ot.truncate)(i,{length:35}):o.title}const TB=(0,et.createElement)(po,{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24"},(0,et.createElement)(co,{d:"M10.8622 8.04053L14.2805 12.0286L10.8622 16.0167L9.72327 15.0405L12.3049 12.0286L9.72327 9.01672L10.8622 8.04053Z"}));function xB({onClick:e}){return(0,et.createElement)("span",{className:"block-editor-list-view__expander",onClick:t=>e(t,{forceToggle:!0}),"aria-hidden":"true"},(0,et.createElement)(AL,{icon:TB}))}const zB=(0,et.forwardRef)((function e({className:t,block:{clientId:n},isSelected:r,onClick:o,onToggleExpanded:a,position:i,siblingBlockCount:s,level:l,tabIndex:c,onFocus:u,onDragStart:d,onDragEnd:p,draggable:m},f){const h=LB(n),g=`list-view-block-select-button__${xk(e)}`,b=AB(i,s,l);return(0,et.createElement)(et.Fragment,null,(0,et.createElement)(nh,{className:io()("block-editor-list-view-block-select-button",t),onClick:o,"aria-describedby":g,ref:f,tabIndex:c,onFocus:u,onDragStart:d,onDragEnd:p,draggable:m},(0,et.createElement)(xB,{onClick:a}),(0,et.createElement)($D,{icon:null==h?void 0:h.icon,showColors:!0}),(0,et.createElement)(CB,{clientId:n}),(null==h?void 0:h.anchor)&&(0,et.createElement)("span",{className:"block-editor-list-view-block-select-button__anchor"},h.anchor),r&&(0,et.createElement)(eh,null,Zn("(selected block)"))),(0,et.createElement)("div",{className:"block-editor-list-view-block-select-button__description",id:g},b))})),OB=e=>`ListViewBlock-${e}`;const NB=(0,et.forwardRef)((function e(t,n){const{clientId:r}=t.block,{name:o}=Cl((e=>e(DM).getBlockName(r)),[r]),a=xk(e);return(0,et.createElement)(cf,{name:OB(r)},(e=>{if(!e.length)return(0,et.createElement)(zB,rt({ref:n},t));const{className:r,isSelected:i,position:s,siblingBlockCount:l,level:c,tabIndex:u,onFocus:d,onToggleExpanded:p}=t,m=Do(o),f=`list-view-block-slot__${a}`,h=AB(s,l,c),g={tabIndex:u,onFocus:d,ref:n,"aria-describedby":f};return(0,et.createElement)(et.Fragment,null,(0,et.createElement)("div",{className:io()("block-editor-list-view-block-slot",r)},(0,et.createElement)(xB,{onClick:p}),(0,et.createElement)($D,{icon:m.icon,showColors:!0}),et.Children.map(e,(e=>(0,et.cloneElement)(e,{...e.props,...g}))),i&&(0,et.createElement)(eh,null,Zn("(selected block)")),(0,et.createElement)("div",{className:"block-editor-list-view-block-slot__description",id:f},h)))}))})),DB="is-dragging-components-draggable";function BB({children:e,onDragStart:t,onDragOver:n,onDragEnd:r,cloneClassname:o,elementId:a,transferData:i,__experimentalTransferDataType:s="text",__experimentalDragComponent:l}){const c=(0,et.useRef)(null),u=(0,et.useRef)((()=>{}));return(0,et.useEffect)((()=>()=>{u.current()}),[]),(0,et.createElement)(et.Fragment,null,e({onDraggableStart:function(e){const{ownerDocument:r}=e.target;e.dataTransfer.setData(s,JSON.stringify(i));const l=r.createElement("div");l.style.top=0,l.style.left=0;const d=r.createElement("div");"function"==typeof e.dataTransfer.setDragImage&&(d.classList.add("components-draggable__invisible-drag-image"),r.body.appendChild(d),e.dataTransfer.setDragImage(d,0,0)),l.classList.add("components-draggable__clone"),o&&l.classList.add(o);let p=0,m=0;if(c.current){p=e.clientX,m=e.clientY,l.style.transform=`translate( ${p}px, ${m}px )`;const t=r.createElement("div");t.innerHTML=c.current.innerHTML,l.appendChild(t),r.body.appendChild(l)}else{const e=r.getElementById(a),t=e.getBoundingClientRect(),n=e.parentNode,o=parseInt(t.top,10),i=parseInt(t.left,10);l.style.width=`${t.width+0}px`;const s=e.cloneNode(!0);s.id=`clone-${a}`,p=i-0,m=o-0,l.style.transform=`translate( ${p}px, ${m}px )`,Array.from(s.querySelectorAll("iframe")).forEach((e=>e.parentNode.removeChild(e))),l.appendChild(s),n.appendChild(l)}let f=e.clientX,h=e.clientY;const g=(0,ot.throttle)((function(e){if(f===e.clientX&&h===e.clientY)return;const t=p+e.clientX-f,r=m+e.clientY-h;l.style.transform=`translate( ${t}px, ${r}px )`,f=e.clientX,h=e.clientY,p=t,m=r,n&&n(e)}),16);let b;r.addEventListener("dragover",g),r.body.classList.add(DB),e.persist(),t&&(b=setTimeout((()=>t(e)))),u.current=()=>{l&&l.parentNode&&l.parentNode.removeChild(l),d&&d.parentNode&&d.parentNode.removeChild(d),r.body.classList.remove(DB),r.removeEventListener("dragover",g),clearTimeout(b)}},onDraggableEnd:function(e){e.preventDefault(),u.current(),r&&r(e)}}),l&&(0,et.createElement)("div",{className:"components-draggable-drag-component-root",style:{display:"none"},ref:c},l))}const IB=(0,et.createElement)(po,{width:"18",height:"18",xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 18 18"},(0,et.createElement)(co,{d:"M5 4h2V2H5v2zm6-2v2h2V2h-2zm-6 8h2V8H5v2zm6 0h2V8h-2v2zm-6 6h2v-2H5v2zm6 0h2v-2h-2v2z"}));function PB({count:e,icon:t}){return(0,et.createElement)("div",{className:"block-editor-block-draggable-chip-wrapper"},(0,et.createElement)("div",{className:"block-editor-block-draggable-chip"},(0,et.createElement)(Hk,{justify:"center",className:"block-editor-block-draggable-chip__content"},(0,et.createElement)(Fk,null,t?(0,et.createElement)($D,{icon:t}):dn(tr("%d block","%d blocks",e),e)),(0,et.createElement)(Fk,null,(0,et.createElement)($D,{icon:IB})))))}const RB=({children:e,clientIds:t,cloneClassname:n,onDragStart:r,onDragEnd:o})=>{const{srcRootClientId:a,isDraggable:i,icon:s}=Cl((e=>{var n;const{getBlockRootClientId:r,getTemplateLock:o,getBlockName:a}=e(DM),i=r(t[0]);return{srcRootClientId:i,isDraggable:"all"!==(i?o(i):null),icon:null===(n=Do(a(t[0])))||void 0===n?void 0:n.icon}}),[t]),l=(0,et.useRef)(!1),[c,u,d]=function(){const e=(0,et.useRef)(null),t=(0,et.useRef)(null),n=(0,et.useRef)(null),r=(0,et.useRef)(null);return(0,et.useEffect)((()=>()=>{r.current&&(clearInterval(r.current),r.current=null)}),[]),[(0,et.useCallback)((o=>{e.current=o.clientY,n.current=cB(o.target),r.current=setInterval((()=>{if(n.current&&t.current){const e=n.current.scrollTop+t.current;n.current.scroll({top:e})}}),25)}),[]),(0,et.useCallback)((r=>{if(!n.current)return;const o=n.current.offsetHeight,a=e.current-n.current.offsetTop,i=r.clientY-n.current.offsetTop;if(r.clientY>a){const e=Math.max(o-a-50,0),n=Math.max(i-a-50,0)/e;t.current=25*n}else if(r.clientY{e.current=null,n.current=null,r.current&&(clearInterval(r.current),r.current=null)}]}(),{startDraggingBlocks:p,stopDraggingBlocks:m}=sd(DM);if((0,et.useEffect)((()=>()=>{l.current&&m()}),[]),!i)return e({isDraggable:!1});const f={type:"block",srcClientIds:t,srcRootClientId:a};return(0,et.createElement)(BB,{cloneClassname:n,__experimentalTransferDataType:"wp-blocks",transferData:f,onDragStart:e=>{p(t),l.current=!0,c(e),r&&r()},onDragOver:u,onDragEnd:()=>{m(),l.current=!1,d(),o&&o()},__experimentalDragComponent:(0,et.createElement)(PB,{count:t.length,icon:s})},(({onDraggableStart:t,onDraggableEnd:n})=>e({draggable:!0,onDragStart:t,onDragEnd:n})))},YB=(0,et.forwardRef)((({onClick:e,onToggleExpanded:t,block:n,isSelected:r,position:o,siblingBlockCount:a,level:i,...s},l)=>{const{__experimentalFeatures:c}=EB(),{clientId:u}=n,{blockMovingClientId:d,selectedBlockInBlockEditor:p}=Cl((e=>{const{getBlockRootClientId:t,hasBlockMovingClientId:n,getSelectedBlockClientId:r}=e(DM);return{rootClientId:t(u)||"",blockMovingClientId:n(),selectedBlockInBlockEditor:r()}}),[u]),m=d&&p===u,f=io()("block-editor-list-view-block-contents",{"is-dropping-before":m});return(0,et.createElement)(RB,{clientIds:[n.clientId]},(({draggable:u,onDragStart:d,onDragEnd:p})=>c?(0,et.createElement)(NB,rt({ref:l,className:f,block:n,onToggleExpanded:t,isSelected:r,position:o,siblingBlockCount:a,level:i,draggable:u&&c,onDragStart:d,onDragEnd:p},s)):(0,et.createElement)(zB,rt({ref:l,className:f,block:n,onClick:e,onToggleExpanded:t,isSelected:r,position:o,siblingBlockCount:a,level:i,draggable:u,onDragStart:d,onDragEnd:p},s))))}));const WB=function(e={},t){switch(t.type){case"REGISTER_SHORTCUT":return{...e,[t.name]:{category:t.category,keyCombination:t.keyCombination,aliases:t.aliases,description:t.description}};case"UNREGISTER_SHORTCUT":return(0,ot.omit)(e,t.name)}return e};function HB({name:e,category:t,description:n,keyCombination:r,aliases:o}){return{type:"REGISTER_SHORTCUT",name:e,category:t,keyCombination:r,aliases:o,description:n}}function qB(e){return{type:"UNREGISTER_SHORTCUT",name:e}}const jB=[],FB={display:gm,raw:fm,ariaLabel:bm};function VB(e,t){return e?e.modifier?FB[t][e.modifier](e.character):e.character:null}function XB(e,t){return e[t]?e[t].keyCombination:null}function UB(e,t,n="display"){return VB(XB(e,t),n)}function $B(e,t){return e[t]?e[t].description:null}function KB(e,t){return e[t]&&e[t].aliases?e[t].aliases:jB}const GB=hr(((e,t)=>(0,ot.compact)([XB(e,t),...KB(e,t)])),((e,t)=>[e[t]])),JB=hr(((e,t)=>GB(e,t).map((e=>VB(e,"raw")))),((e,t)=>[e[t]])),QB=hr(((e,t)=>Object.entries(e).filter((([,e])=>e.category===t)).map((([e])=>e))),(e=>[e])),ZB=Gt("core/keyboard-shortcuts",{reducer:WB,actions:b,selectors:v});on(ZB);const eI=function(e,t,n){const r=Cl((t=>t(ZB).getAllShortcutRawKeyCombinations(e)),[e]);BA(r,t,n)};var tI=n(2152),nI=n.n(tI);function rI(e){const t=(0,et.useRef)(e);return t.current=e,t}function oI(e,t){const n=rI(e),r=rI(t);return i_((e=>{const t=new(nI())(e,{text:()=>"function"==typeof n.current?n.current():n.current||""});return t.on("success",(({clearSelection:t})=>{t(),e.focus(),r.current&&r.current()})),()=>{t.destroy()}}),[])}function aI(e){ds(e.defaultView);const t=e.defaultView.getSelection();ds();const n=t.rangeCount?t.getRangeAt(0):null;return!!n&&!n.collapsed}function iI(e){return!!e&&"INPUT"===e.nodeName}function sI(e){return iI(e)&&e.type&&!["button","checkbox","hidden","file","radio","image","range","reset","submit","number"].includes(e.type)||"TEXTAREA"===e.nodeName||"true"===e.contentEditable}function lI(e){return iI(e)&&"number"===e.type&&!!e.valueAsNumber}function cI(e){return aI(e)||!!e.activeElement&&function(e){if(!sI(e)&&!lI(e))return!1;try{const{selectionStart:t,selectionEnd:n}=e;return null!==t&&t!==n}catch(e){return!1}}(e.activeElement)}const uI=(e=>t=>(n={},r)=>{const o=r[e];if(void 0===o)return n;const a=t(n[o],r);return a===n[o]?n:{...n,[o]:a}})("context")(((e=[],t)=>{switch(t.type){case"CREATE_NOTICE":return[...(0,ot.reject)(e,{id:t.notice.id}),t.notice];case"REMOVE_NOTICE":return(0,ot.reject)(e,{id:t.id})}return e})),dI="global";function pI(e="info",t,n={}){const{speak:r=!0,isDismissible:o=!0,context:a=dI,id:i=(0,ot.uniqueId)(a),actions:s=[],type:l="default",__unstableHTML:c,icon:u=null,explicitDismiss:d=!1,onDismiss:p}=n;return{type:"CREATE_NOTICE",context:a,notice:{id:i,status:e,content:t=String(t),spokenMessage:r?t:null,__unstableHTML:c,isDismissible:o,actions:s,type:l,icon:u,explicitDismiss:d,onDismiss:p}}}function mI(e,t){return pI("success",e,t)}function fI(e,t){return pI("info",e,t)}function hI(e,t){return pI("error",e,t)}function gI(e,t){return pI("warning",e,t)}function bI(e,t=dI){return{type:"REMOVE_NOTICE",id:e,context:t}}const vI=[];function yI(e,t=dI){return e[t]||vI}const _I=Gt("core/notices",{reducer:uI,actions:y,selectors:_});function MI(e){const t=Array.from(e.files);return Array.from(e.items).forEach((e=>{const n=e.getAsFile();n&&!t.find((({name:e,type:t,size:r})=>e===n.name&&t===n.type&&r===n.size))&&t.push(n)})),t}function kI(){const{getBlockName:e}=Cl(DM),{getBlockType:t}=Cl(Kr),{createSuccessNotice:n}=sd(_I);return(0,et.useCallback)(((r,o)=>{let a="";if(1===o.length){const n=o[0],{title:i}=t(e(n));a=dn(Zn("copy"===r?'Copied "%s" to clipboard.':'Moved "%s" to clipboard.'),i)}else a=dn("copy"===r?tr("Copied %d block to clipboard.","Copied %d blocks to clipboard.",o.length):tr("Moved %d block to clipboard.","Moved %d blocks to clipboard.",o.length),o.length);n(a,{type:"snackbar"})}),[])}function wI(){const{getBlocksByClientId:e,getSelectedBlockClientIds:t,hasMultiSelection:n,getSettings:r}=Cl(DM),{flashBlock:o,removeBlocks:a,replaceBlocks:i}=sd(DM),s=kI();return i_((l=>{function c(c){const u=t();if(0!==u.length){if(!n()){const{target:e}=c,{ownerDocument:t}=e;if("copy"===c.type||"cut"===c.type?cI(t):function(e){return!!e.activeElement&&(sI(e.activeElement)||lI(e.activeElement)||aI(e))}(t))return}if(l.contains(c.target.ownerDocument.activeElement)){if(c.preventDefault(),"copy"===c.type||"cut"===c.type){1===u.length&&o(u[0]),s(c.type,u);const t=hi(e(u));c.clipboardData.setData("text/plain",t),c.clipboardData.setData("text/html",t)}if("cut"===c.type)a(u);else if("paste"===c.type){const{__experimentalCanUserUseUnfilteredHTML:e}=r(),{plainText:t,html:n}=function({clipboardData:e}){let t="",n="";try{t=e.getData("text/plain"),n=e.getData("text/html")}catch(t){try{n=e.getData("Text")}catch(e){return}}const r=MI(e).filter((({type:e})=>/^image\/(?:jpe?g|png|gif)$/.test(e)));return r.length&&!n&&(n=r.map((e=>``)).join(""),t=""),{html:n,plainText:t}}(c),o=ul({HTML:n,plainText:t,mode:"BLOCKS",canUserUseUnfilteredHTML:e});i(u,o,o.length-1,-1)}}}}return l.ownerDocument.addEventListener("copy",c),l.ownerDocument.addEventListener("cut",c),l.ownerDocument.addEventListener("paste",c),()=>{l.ownerDocument.removeEventListener("copy",c),l.ownerDocument.removeEventListener("cut",c),l.ownerDocument.removeEventListener("paste",c)}}),[])}on(_I);function EI({clientIds:e,children:t,__experimentalUpdateSelection:n}){const{canInsertBlockType:r,getBlockRootClientId:o,getBlocksByClientId:a,getTemplateLock:i}=Cl((e=>e(DM)),[]),{getDefaultBlockName:s,getGroupingBlockName:l}=Cl((e=>e(Kr)),[]),c=a(e),u=o(e[0]),d=(0,ot.every)(c,(e=>!!e&&Po(e.name,"multiple",!0)&&r(e.name,u))),p=r(s(),u),{removeBlocks:m,replaceBlocks:f,duplicateBlocks:h,insertAfterBlock:g,insertBeforeBlock:b,flashBlock:v,setBlockMovingClientId:y,setNavigationMode:_,selectBlock:M}=sd(DM),k=kI();return t({canDuplicate:d,canInsertDefaultBlock:p,isLocked:!!i(u),rootClientId:u,blocks:c,onDuplicate:()=>h(e,n),onRemove:()=>m(e,n),onInsertBefore(){b((0,ot.first)((0,ot.castArray)(e)))},onInsertAfter(){g((0,ot.last)((0,ot.castArray)(e)))},onMoveTo(){_(!0),M(e[0]),y(e[0])},onGroup(){if(!c.length)return;const t=l(),n=Go(c,t);n&&f(e,n)},onUngroup(){if(!c.length)return;const t=c[0].innerBlocks;t.length&&f(e,t)},onCopy(){const e=c.map((({clientId:e})=>e));1===c.length&&v(e[0]),k("copy",e)}})}const LI=e=>ni((t=>TA((n=>{const r=Cl(((t,r)=>e(t,n,r)));return(0,et.createElement)(t,rt({},n,r))}))),"withSelect"),AI=(e,t)=>{const n=kl(),r=(0,et.useRef)(e);return gl((()=>{r.current=e})),(0,et.useMemo)((()=>{const e=r.current(n.dispatch,n);return(0,ot.mapValues)(e,((e,t)=>("function"!=typeof e&&console.warn(`Property ${t} returned from dispatchMap in useDispatchWithMap must be a function.`),(...e)=>r.current(n.dispatch,n)[t](...e))))}),[n,...t])},SI=e=>ni((t=>n=>{const r=AI(((t,r)=>e(t,n,r)),[]);return(0,et.createElement)(t,rt({},n,r))}),"withDispatch");const CI=WA([LI(((e,{clientId:t})=>{const{getBlock:n,getBlockMode:r,getSettings:o}=e(DM),a=n(t),i=o().codeEditingEnabled;return{mode:r(t),blockType:a?Do(a.name):null,isCodeEditingEnabled:i}})),SI(((e,{onToggle:t=ot.noop,clientId:n})=>({onToggleMode(){e(DM).toggleBlockMode(n),t()}})))])((function({blockType:e,mode:t,onToggleMode:n,small:r=!1,isCodeEditingEnabled:o=!0}){if(!Po(e,"html",!0)||!o)return null;const a=Zn("visual"===t?"Edit as HTML":"Edit visually");return(0,et.createElement)(oB,{onClick:n},!r&&a)}));const TI=WA(LI(((e,{clientId:t})=>{const n=e(DM).getBlock(t);return{block:n,shouldRender:n&&"core/html"===n.name}})),SI(((e,{block:t})=>({onClick:()=>e(DM).replaceBlocks(t.clientId,Os({HTML:di(t)}))}))))((function({shouldRender:e,onClick:t,small:n}){if(!e)return null;const r=Zn("Convert to Blocks");return(0,et.createElement)(oB,{onClick:t},!n&&r)})),{Fill:xI,Slot:zI}=df("__unstableBlockSettingsMenuFirstItem");xI.Slot=zI;const OI=xI;function NI({clientIds:e,isGroupable:t,isUngroupable:n,blocksSelection:r,groupingBlockName:o,onClose:a=(()=>{})}){const{replaceBlocks:i}=sd(DM);return t||n?(0,et.createElement)(et.Fragment,null,t&&(0,et.createElement)(oB,{onClick:()=>{(()=>{const t=Go(r,o);t&&i(e,t)})(),a()}},er("Group","verb")),n&&(0,et.createElement)(oB,{onClick:()=>{(()=>{const t=r[0].innerBlocks;t.length&&i(e,t)})(),a()}},er("Ungroup","Ungrouping blocks from within a Group block back into individual blocks within the Editor "))):null}const{Fill:DI,Slot:BI}=df("BlockSettingsMenuControls");function II({...e}){return(0,et.createElement)(Rp,{document},(0,et.createElement)(DI,e))}II.Slot=({fillProps:e,clientIds:t=null})=>{const n=Cl((e=>{const{getBlocksByClientId:n,getSelectedBlockClientIds:r}=e(DM),o=null!==t?t:r();return(0,ot.map)((0,ot.compact)(n(o)),(e=>e.name))}),[t]),r=function(){const{clientIds:e,isGroupable:t,isUngroupable:n,blocksSelection:r,groupingBlockName:o}=Cl((e=>{var t;const{getBlockRootClientId:n,getBlocksByClientId:r,canInsertBlockType:o,getSelectedBlockClientIds:a}=e(DM),{getGroupingBlockName:i}=e(Kr),s=a(),l=i(),c=o(l,null!=s&&s.length?n(s[0]):void 0),u=r(s),d=1===u.length&&(null===(t=u[0])||void 0===t?void 0:t.name)===l;return{clientIds:s,isGroupable:c&&u.length&&!d,isUngroupable:d&&!!u[0].innerBlocks.length,blocksSelection:u,groupingBlockName:l}}),[]);return{clientIds:e,isGroupable:t,isUngroupable:n,blocksSelection:r,groupingBlockName:o}}(),{isGroupable:o,isUngroupable:a}=r,i=o||a;return(0,et.createElement)(BI,{fillProps:{...e,selectedBlocks:n}},(t=>{if((null==t?void 0:t.length)>0||i)return(0,et.createElement)(aN,null,t,(0,et.createElement)(NI,rt({},r,{onClose:null==e?void 0:e.onClose})))}))};const PI=II,RI={className:"block-editor-block-settings-menu__popover",position:"bottom right",isAlternate:!0};function YI({blocks:e,onCopy:t}){const n=oI((()=>hi(e)),t);return(0,et.createElement)(oB,{ref:n},Zn("Copy"))}const WI=function({clientIds:e,__experimentalSelectBlock:t,children:n,...r}){const o=(0,ot.castArray)(e),a=o.length,i=o[0],s=Cl((e=>1===e(DM).getBlockCount()),[]),l=Cl((e=>{const{getShortcutRepresentation:t}=e(ZB);return{duplicate:t("core/block-editor/duplicate"),remove:t("core/block-editor/remove"),insertAfter:t("core/block-editor/insert-after"),insertBefore:t("core/block-editor/insert-before")}}),[]),c=(0,et.useCallback)(t?async e=>{const n=await e;n&&n[0]&&t(n[0])}:ot.noop,[t]),u=Zn(1===a?"Remove block":"Remove blocks");return(0,et.createElement)(EI,{clientIds:e,__experimentalUpdateSelection:!t},(({canDuplicate:t,canInsertDefaultBlock:o,isLocked:d,onDuplicate:p,onInsertAfter:m,onInsertBefore:f,onRemove:h,onCopy:g,onMoveTo:b,blocks:v})=>(0,et.createElement)(zg,rt({icon:aB,label:Zn("Options"),className:"block-editor-block-settings-menu",popoverProps:RI,noIcons:!0},r),(({onClose:r})=>(0,et.createElement)(et.Fragment,null,(0,et.createElement)(aN,null,(0,et.createElement)(OI.Slot,{fillProps:{onClose:r}}),1===a&&(0,et.createElement)(TI,{clientId:i}),(0,et.createElement)(YI,{blocks:v,onCopy:g}),t&&(0,et.createElement)(oB,{onClick:(0,ot.flow)(r,p,c),shortcut:l.duplicate},Zn("Duplicate")),o&&(0,et.createElement)(et.Fragment,null,(0,et.createElement)(oB,{onClick:(0,ot.flow)(r,f),shortcut:l.insertBefore},Zn("Insert before")),(0,et.createElement)(oB,{onClick:(0,ot.flow)(r,m),shortcut:l.insertAfter},Zn("Insert after"))),!d&&!s&&(0,et.createElement)(oB,{onClick:(0,ot.flow)(r,b)},Zn("Move to")),1===a&&(0,et.createElement)(CI,{clientId:i,onToggle:r})),(0,et.createElement)(PI.Slot,{fillProps:{onClose:r},clientIds:e}),"function"==typeof n?n({onClose:r}):et.Children.map((e=>(0,et.cloneElement)(e,{onClose:r}))),(0,et.createElement)(aN,null,!d&&(0,et.createElement)(oB,{onClick:(0,ot.flow)(r,h,c),shortcut:l.remove},u)))))))};function HI({block:e,isSelected:t,isBranchSelected:n,isLastOfSelectedBranch:r,onClick:o,onToggleExpanded:a,position:i,level:s,rowCount:l,siblingBlockCount:c,showBlockMovers:u,path:d,isExpanded:p}){const m=(0,et.useRef)(null),[f,h]=(0,et.useState)(!1),{clientId:g}=e,{isDragging:b,blockParents:v}=Cl((e=>{const{isBlockBeingDragged:t,isAncestorBeingDragged:n,getBlockParents:r}=e(DM);return{isDragging:t(g)||n(g),blockParents:r(g)}}),[g]),{selectBlock:y,toggleBlockHighlight:_}=sd(DM),M=u&&c>0,k=io()("block-editor-list-view-block__mover-cell",{"is-visible":f}),{__experimentalFeatures:w,__experimentalPersistentListViewFeatures:E,isTreeGridMounted:L}=EB(),A=io()("block-editor-list-view-block__menu-cell",{"is-visible":f});(0,et.useEffect)((()=>{E&&!L&&t&&m.current.focus()}),[]),(0,et.useEffect)((()=>{w&&t&&m.current.focus()}),[w,t]);const S=E?_:()=>{},C=()=>{h(!0),S(g,!0)},T=()=>{h(!1),S(g,!1)},x=io()({"is-selected":t,"is-branch-selected":E&&n,"is-last-of-selected-branch":E&&r,"is-dragging":b});return(0,et.createElement)(fB,{className:x,onMouseEnter:C,onMouseLeave:T,onFocus:C,onBlur:T,level:s,position:i,rowCount:l,path:d,id:`list-view-block-${g}`,"data-block":g,isExpanded:p},(0,et.createElement)(rB,{className:"block-editor-list-view-block__contents-cell",colSpan:M?void 0:2,ref:m},(({ref:n,tabIndex:r,onFocus:l})=>(0,et.createElement)("div",{className:"block-editor-list-view-block__contents-container"},(0,et.createElement)(YB,{block:e,onClick:o,onToggleExpanded:a,isSelected:t,position:i,siblingBlockCount:c,level:s,ref:n,tabIndex:r,onFocus:l})))),M&&(0,et.createElement)(et.Fragment,null,(0,et.createElement)(rB,{className:k,withoutGridItem:!0},(0,et.createElement)(nB,null,(({ref:e,tabIndex:t,onFocus:n})=>(0,et.createElement)(MB,{orientation:"vertical",clientIds:[g],ref:e,tabIndex:t,onFocus:n}))),(0,et.createElement)(nB,null,(({ref:e,tabIndex:t,onFocus:n})=>(0,et.createElement)(kB,{orientation:"vertical",clientIds:[g],ref:e,tabIndex:t,onFocus:n}))))),w&&(0,et.createElement)(rB,{className:A},(({ref:e,tabIndex:t,onFocus:n})=>(0,et.createElement)(WI,{clientIds:[g],icon:aB,toggleProps:{ref:e,tabIndex:t,onFocus:n},disableOpenOnArrowDown:!0,__experimentalSelectBlock:o},(({onClose:e})=>(0,et.createElement)(aN,null,(0,et.createElement)(oB,{onClick:async()=>{if(v.length)for(const e of v)await y(e);else await y(null);await y(g),e()}},Zn("Go to block"))))))))}const qI=e=>ni((t=>n=>e(n)?(0,et.createElement)(t,n):null),"ifCondition"),jI=(0,et.createElement)(po,{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24"},(0,et.createElement)(co,{d:"M12 13.06l3.712 3.713 1.061-1.06L13.061 12l3.712-3.712-1.06-1.06L12 10.938 8.288 7.227l-1.061 1.06L10.939 12l-3.712 3.712 1.06 1.061L12 13.061z"})),FI=(0,et.createElement)(po,{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24"},(0,et.createElement)(co,{d:"M13.5 6C10.5 6 8 8.5 8 11.5c0 1.1.3 2.1.9 3l-3.4 3 1 1.1 3.4-2.9c1 .9 2.2 1.4 3.6 1.4 3 0 5.5-2.5 5.5-5.5C19 8.5 16.5 6 13.5 6zm0 9.5c-2.2 0-4-1.8-4-4s1.8-4 4-4 4 1.8 4 4-1.8 4-4 4z"}));const VI=function e({className:t,onChange:n,value:r,label:o,placeholder:a=Zn("Search"),hideLabelFromVision:i=!0,help:s}){const l=xk(e),c=(0,et.useRef)(),u=`components-search-control-${l}`;return(0,et.createElement)(nA,{label:o,id:u,hideLabelFromVision:i,help:s,className:io()(t,"components-search-control")},(0,et.createElement)("div",{className:"components-search-control__input-wrapper"},(0,et.createElement)("input",{ref:c,className:"components-search-control__input",id:u,type:"search",placeholder:a,onChange:e=>n(e.target.value),autoComplete:"off",value:r||""}),(0,et.createElement)("div",{className:"components-search-control__icon"},!!r&&(0,et.createElement)(nh,{icon:jI,label:Zn("Reset search"),onClick:()=>{n(""),c.current.focus()}}),!r&&(0,et.createElement)(AL,{icon:FI}))))};let XI,UI,$I,KI;const GI=/<(\/)?(\w+)\s*(\/)?>/g;function JI(e,t,n,r,o){return{element:e,tokenStart:t,tokenLength:n,prevOffset:r,leadingTextStart:o,children:[]}}const QI=e=>{const t="object"==typeof e,n=t&&Object.values(e);return t&&n.length&&n.every((e=>(0,et.isValidElement)(e)))};function ZI(e){const t=function(){const e=GI.exec(XI);if(null===e)return["no-more-tokens"];const t=e.index,[n,r,o,a]=e,i=n.length;if(a)return["self-closed",o,t,i];if(r)return["closer",o,t,i];return["opener",o,t,i]}(),[n,r,o,a]=t,i=KI.length,s=o>UI?UI:null;if(!e[r])return eP(),!1;switch(n){case"no-more-tokens":if(0!==i){const{leadingTextStart:e,tokenStart:t}=KI.pop();$I.push(XI.substr(e,t))}return eP(),!1;case"self-closed":return 0===i?(null!==s&&$I.push(XI.substr(s,o-s)),$I.push(e[r]),UI=o+a,!0):(tP(JI(e[r],o,a)),UI=o+a,!0);case"opener":return KI.push(JI(e[r],o,a,o+a,s)),UI=o+a,!0;case"closer":if(1===i)return function(e){const{element:t,leadingTextStart:n,prevOffset:r,tokenStart:o,children:a}=KI.pop(),i=e?XI.substr(r,e-r):XI.substr(r);i&&a.push(i);null!==n&&$I.push(XI.substr(n,o-n));$I.push((0,et.cloneElement)(t,null,...a))}(o),UI=o+a,!0;const t=KI.pop(),n=XI.substr(t.prevOffset,o-t.prevOffset);t.children.push(n),t.prevOffset=o+a;const l=JI(t.element,t.tokenStart,t.tokenLength,o+a);return l.children=t.children,tP(l),UI=o+a,!0;default:return eP(),!1}}function eP(){const e=XI.length-UI;0!==e&&$I.push(XI.substr(UI,e))}function tP(e){const{element:t,tokenStart:n,tokenLength:r,prevOffset:o,children:a}=e,i=KI[KI.length-1],s=XI.substr(i.prevOffset,n-i.prevOffset);s&&i.children.push(s),i.children.push((0,et.cloneElement)(t,null,...a)),i.prevOffset=o||n+r}const nP=(e,t)=>{if(XI=e,UI=0,$I=[],KI=[],GI.lastIndex=0,!QI(t))throw new TypeError("The conversionMap provided is not valid. It must be an object with values that are WPElements");do{}while(ZI(t));return(0,et.createElement)(et.Fragment,null,...$I)};const rP=function(e){return(0,et.createElement)("div",{className:"components-tip"},(0,et.createElement)(po,{width:"24",height:"24",viewBox:"0 0 24 24"},(0,et.createElement)(co,{d:"M12 15.8c-3.7 0-6.8-3-6.8-6.8s3-6.8 6.8-6.8c3.7 0 6.8 3 6.8 6.8s-3.1 6.8-6.8 6.8zm0-12C9.1 3.8 6.8 6.1 6.8 9s2.4 5.2 5.2 5.2c2.9 0 5.2-2.4 5.2-5.2S14.9 3.8 12 3.8zM8 17.5h8V19H8zM10 20.5h4V22h-4z"})),(0,et.createElement)("p",null,e.children))},oP=[nP(Zn("While writing, you can press / to quickly insert new blocks."),{kbd:(0,et.createElement)("kbd",null)}),nP(Zn("Indent a list by pressing space at the beginning of a line."),{kbd:(0,et.createElement)("kbd",null)}),nP(Zn("Outdent a list by pressing backspace at the beginning of a line."),{kbd:(0,et.createElement)("kbd",null)}),Zn("Drag files into the editor to automatically insert media blocks."),Zn("Change a block's type by pressing the block icon on the toolbar.")];const aP=function(){const[e]=(0,et.useState)(Math.floor(Math.random()*oP.length));return(0,et.createElement)(rP,null,oP[e])};const iP=function({title:e,icon:t,description:n,blockType:r}){return r&&(Hp("`blockType` property in `BlockCard component`",{since:"5.7",alternative:"`title, icon and description` properties"}),({title:e,icon:t,description:n}=r)),(0,et.createElement)("div",{className:"block-editor-block-card"},(0,et.createElement)($D,{icon:t,showColors:!0}),(0,et.createElement)("div",{className:"block-editor-block-card__content"},(0,et.createElement)("h2",{className:"block-editor-block-card__title"},e),(0,et.createElement)("span",{className:"block-editor-block-card__description"},n)))},sP=ni((e=>t=>(0,et.createElement)(_l,null,(n=>(0,et.createElement)(e,rt({},t,{registry:n}))))),"withRegistry");function lP({clientId:e=null,value:t,selection:n,onChange:r=ot.noop,onInput:o=ot.noop}){const a=kl(),{resetBlocks:i,resetSelection:s,replaceInnerBlocks:l,setHasControlledInnerBlocks:c,__unstableMarkNextChangeAsNotPersistent:u}=a.dispatch(DM),{getBlockName:d,getBlocks:p}=a.select(DM),m=(0,et.useRef)({incoming:null,outgoing:[]}),f=(0,et.useRef)(!1),h=(0,et.useRef)(o),g=(0,et.useRef)(r);(0,et.useEffect)((()=>{h.current=o,g.current=r}),[o,r]),(0,et.useEffect)((()=>{m.current.outgoing.includes(t)?(0,ot.last)(m.current.outgoing)===t&&(m.current.outgoing=[]):p(e)!==t&&(m.current.outgoing=[],(()=>{if(t)if(u(),e){c(e,!0),u();const n=t.map((e=>jo(e)));f.current&&(m.current.incoming=n),l(e,n)}else f.current&&(m.current.incoming=t),i(t)})(),n&&s(n.selectionStart,n.selectionEnd,n.initialPosition))}),[t,e]),(0,et.useEffect)((()=>{const{getSelectionStart:t,getSelectionEnd:n,getSelectedBlocksInitialCaretPosition:r,isLastBlockChangePersistent:o,__unstableIsLastBlockChangeIgnored:i}=a.select(DM);let s=p(e),l=o(),c=!1;f.current=!0;const u=a.subscribe((()=>{if(null!==e&&null===d(e))return;const a=o(),u=p(e),f=u!==s;if(s=u,f&&(m.current.incoming||i()))return m.current.incoming=null,void(l=a);if(f||c&&!f&&a&&!l){l=a,m.current.outgoing.push(s);(l?g.current:h.current)(s,{selection:{selectionStart:t(),selectionEnd:n(),initialPosition:r()}})}c=f}));return()=>u()}),[a,e])}const cP=ni((e=>sP((({useSubRegistry:t=!0,registry:n,...r})=>{if(!t)return(0,et.createElement)(e,rt({registry:n},r));const[o,a]=(0,et.useState)(null);return(0,et.useEffect)((()=>{const e=Qt({},n);e.registerStore(T_,NM),a(e)}),[n]),o?(0,et.createElement)(Ml,{value:o},(0,et.createElement)(e,rt({registry:o},r))):null}))),"withRegistryProvider")((function(e){const{children:t,settings:n}=e,{updateSettings:r}=sd(DM);return(0,et.useEffect)((()=>{r(n)}),[n]),lP(e),(0,et.createElement)(_T,null,t)}));const uP=Jf("div",{target:"e1ac3xxk0"})({name:"u2jump",styles:"position:relative;pointer-events:none;&::after{content:'';position:absolute;top:0;right:0;bottom:0;left:0;}*{pointer-events:none;}"}),dP=(0,et.createContext)(!1),{Consumer:pP,Provider:mP}=dP,fP=["BUTTON","FIELDSET","INPUT","OPTGROUP","OPTION","SELECT","TEXTAREA"];function hP({className:e,children:t,isDisabled:n=!0,...r}){const o=(0,et.useRef)(null),a=()=>{o.current&&zm.focusable.find(o.current).forEach((e=>{(0,ot.includes)(fP,e.nodeName)&&e.setAttribute("disabled",""),"A"===e.nodeName&&e.setAttribute("tabindex","-1");const t=e.getAttribute("tabindex");null!==t&&"-1"!==t&&e.removeAttribute("tabindex"),e.hasAttribute("contenteditable")&&e.setAttribute("contenteditable","false")}))},i=(0,et.useCallback)((0,ot.debounce)(a,void 0,{leading:!0}),[]);return(0,et.useLayoutEffect)((()=>{if(!n)return;let e;return a(),o.current&&(e=new window.MutationObserver(i),e.observe(o.current,{childList:!0,attributes:!0,subtree:!0})),()=>{e&&e.disconnect(),i.cancel()}}),[]),n?(0,et.createElement)(mP,{value:!0},(0,et.createElement)(uP,rt({ref:o,className:io()(e,"components-disabled")},r),t)):(0,et.createElement)(mP,{value:!1},t)}hP.Context=dP,hP.Consumer=pP;const gP=hP;function bP(e){return ni((t=>{const n="core/with-filters/"+e;let r;class o extends et.Component{constructor(){super(...arguments),void 0===r&&(r=jn(e,t))}componentDidMount(){o.instances.push(this),1===o.instances.length&&(Dn("hookRemoved",n,i),Dn("hookAdded",n,i))}componentWillUnmount(){o.instances=(0,ot.without)(o.instances,this),0===o.instances.length&&(In("hookRemoved",n),In("hookAdded",n))}render(){return(0,et.createElement)(r,this.props)}}o.instances=[];const a=(0,ot.debounce)((()=>{r=jn(e,t),o.instances.forEach((e=>{e.forceUpdate()}))}),16);function i(t){t===e&&a()}return o}),"withFilters")}function vP(e){const{body:t}=document.implementation.createHTMLDocument("");t.innerHTML=e;const n=t.getElementsByTagName("*");let r=n.length;for(;r--;){const e=n[r];if("SCRIPT"===e.tagName)ms(e);else{let t=e.attributes.length;for(;t--;){const{name:n}=e.attributes[t];n.startsWith("on")&&e.removeAttribute(n)}}}return t.innerHTML}const yP={},_P=bP("editor.BlockEdit")((e=>{const{attributes:t={},name:n}=e,r=Do(n),o=(0,et.useContext)(UD),a=(0,et.useMemo)((()=>r&&r.usesContext?(0,ot.pick)(o,r.usesContext):yP),[r,o]);if(!r)return null;const i=r.edit||r.save;if(r.apiVersion>1||Po(r,"lightBlockWrapper",!1))return(0,et.createElement)(i,rt({},e,{context:a}));const s=Po(r,"className",!0)?si(n):null,l=io()(s,t.className);return(0,et.createElement)(i,rt({},e,{context:a,className:l}))}));function MP(e){const{name:t,isSelected:n,clientId:r}=e,o={name:t,isSelected:n,clientId:r};return(0,et.createElement)(Bg,{value:(0,et.useMemo)((()=>o),Object.values(o))},(0,et.createElement)(_P,e))}const kP=ni((e=>t=>{const[n,r]=(0,et.useState)(),o=(0,et.useCallback)((e=>r((()=>null!=e&&e.handleFocusOutside?e.handleFocusOutside.bind(e):void 0))),[]);return(0,et.createElement)("div",Im(n),(0,et.createElement)(e,rt({ref:o},t)))}),"withFocusOutside");function wP({overlayClassName:e,contentLabel:t,aria:{describedby:n,labelledby:r},children:o,className:a,role:i,style:s,focusOnMount:l,shouldCloseOnEsc:c,onRequestClose:u}){const d=Nm(l),p=Om(),m=Dm();return(0,et.createElement)("div",{className:io()("components-modal__screen-overlay",e),onKeyDown:function(e){c&&e.keyCode===rm&&!e.defaultPrevented&&(e.preventDefault(),u&&u(e))}},(0,et.createElement)("div",{className:io()("components-modal__frame",a),style:s,ref:Rm([p,m,d]),role:i,"aria-label":t,"aria-labelledby":t?null:r,"aria-describedby":n,tabIndex:"-1"},o))}class EP extends et.Component{constructor(){super(...arguments),this.handleFocusOutside=this.handleFocusOutside.bind(this)}handleFocusOutside(e){this.props.shouldCloseOnClickOutside&&this.props.onRequestClose&&this.props.onRequestClose(e)}render(){return(0,et.createElement)(wP,this.props)}}const LP=kP(EP),AP=({icon:e,title:t,onClose:n,closeLabel:r,headingId:o,isDismissible:a})=>{const i=r||Zn("Close dialog");return(0,et.createElement)("div",{className:"components-modal__header"},(0,et.createElement)("div",{className:"components-modal__header-heading-container"},e&&(0,et.createElement)("span",{className:"components-modal__icon-container","aria-hidden":!0},e),t&&(0,et.createElement)("h1",{id:o,className:"components-modal__header-heading"},t)),a&&(0,et.createElement)(nh,{onClick:n,icon:jI,label:i}))},SP=new Set(["alert","status","log","marquee","timer"]);let CP=[],TP=!1;function xP(e){if(TP)return;const t=document.body.children;(0,ot.forEach)(t,(t=>{t!==e&&function(e){const t=e.getAttribute("role");return!("SCRIPT"===e.tagName||e.hasAttribute("aria-hidden")||e.hasAttribute("aria-live")||SP.has(t))}(t)&&(t.setAttribute("aria-hidden","true"),CP.push(t))})),TP=!0}let zP,OP=0;class NP extends et.Component{constructor(e){super(e),this.prepareDOM()}componentDidMount(){OP++,1===OP&&this.openFirstModal()}componentWillUnmount(){OP--,0===OP&&this.closeLastModal(),this.cleanDOM()}prepareDOM(){zP||(zP=document.createElement("div"),document.body.appendChild(zP)),this.node=document.createElement("div"),zP.appendChild(this.node)}cleanDOM(){zP.removeChild(this.node)}openFirstModal(){xP(zP),document.body.classList.add(this.props.bodyOpenClassName)}closeLastModal(){document.body.classList.remove(this.props.bodyOpenClassName),TP&&((0,ot.forEach)(CP,(e=>{e.removeAttribute("aria-hidden")})),CP=[],TP=!1)}render(){const{onRequestClose:e,title:t,icon:n,closeButtonLabel:r,children:o,aria:a,instanceId:i,isDismissible:s,isDismissable:l,...c}=this.props,u=t?`components-modal-header-${i}`:a.labelledby;return l&&Hp("isDismissable prop of the Modal component",{since:"5.4",alternative:"isDismissible prop (renamed) of the Modal component"}),(0,nt.createPortal)((0,et.createElement)(LP,rt({onRequestClose:e,aria:{labelledby:u,describedby:a.describedby}},c),(0,et.createElement)("div",{className:"components-modal__content",role:"document"},(0,et.createElement)(AP,{closeLabel:r,headingId:t&&u,icon:n,isDismissible:s||l,onClose:e,title:t}),o)),this.node)}}NP.defaultProps={bodyOpenClassName:"modal-open",role:"dialog",title:null,focusOnMount:!0,shouldCloseOnEsc:!0,shouldCloseOnClickOutside:!0,isDismissible:!0,aria:{labelledby:null,describedby:null}};const DP=HA(NP),BP=(0,et.createElement)(po,{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24"},(0,et.createElement)(co,{d:"M11 13h2v-2h-2v2zm-6 0h2v-2H5v2zm12-2v2h2v-2h-2z"}));const IP=function({className:e,actions:t,children:n,secondaryActions:r}){return(0,et.createElement)("div",{className:io()(e,"block-editor-warning")},(0,et.createElement)("div",{className:"block-editor-warning__contents"},(0,et.createElement)("p",{className:"block-editor-warning__message"},n),(et.Children.count(t)>0||r)&&(0,et.createElement)("div",{className:"block-editor-warning__actions"},et.Children.count(t)>0&&et.Children.map(t,((e,t)=>(0,et.createElement)("span",{key:t,className:"block-editor-warning__action"},e))),r&&(0,et.createElement)(zg,{className:"block-editor-warning__secondary",icon:BP,label:Zn("More options"),popoverProps:{position:"bottom left",className:"block-editor-warning__dropdown"},noIcons:!0},(()=>(0,et.createElement)(aN,null,r.map(((e,t)=>(0,et.createElement)(oB,{onClick:e.onClick,key:t},e.title)))))))))};var PP=n(7630);function RP({title:e,rawContent:t,renderedContent:n,action:r,actionText:o,className:a}){return(0,et.createElement)("div",{className:a},(0,et.createElement)("div",{className:"block-editor-block-compare__content"},(0,et.createElement)("h2",{className:"block-editor-block-compare__heading"},e),(0,et.createElement)("div",{className:"block-editor-block-compare__html"},t),(0,et.createElement)("div",{className:"block-editor-block-compare__preview edit-post-visual-editor"},(0,et.createElement)(Ia,null,vP(n)))),(0,et.createElement)("div",{className:"block-editor-block-compare__action"},(0,et.createElement)(nh,{variant:"secondary",tabIndex:"0",onClick:r},o)))}const YP=function({block:e,onKeep:t,onConvert:n,convertor:r,convertButtonText:o}){const a=(i=r(e),(0,ot.castArray)(i).map((e=>ui(e.name,e.attributes,e.innerBlocks))).join(""));var i;const s=(l=e.originalContent,c=a,(0,PP.Kx)(l,c).map(((e,t)=>{const n=io()({"block-editor-block-compare__added":e.added,"block-editor-block-compare__removed":e.removed});return(0,et.createElement)("span",{key:t,className:n},e.value)})));var l,c;return(0,et.createElement)("div",{className:"block-editor-block-compare__wrapper"},(0,et.createElement)(RP,{title:Zn("Current"),className:"block-editor-block-compare__current",action:t,actionText:Zn("Convert to HTML"),rawContent:e.originalContent,renderedContent:e.originalContent}),(0,et.createElement)(RP,{title:Zn("After Conversion"),className:"block-editor-block-compare__converted",action:n,actionText:o,rawContent:s,renderedContent:a}))};const WP=e=>Os({HTML:e.originalContent}),HP=WA([LI(((e,{clientId:t})=>({block:e(DM).getBlock(t)}))),SI(((e,{block:t})=>{const{replaceBlock:n}=e(DM);return{convertToClassic(){n(t.clientId,(e=>Wo("core/freeform",{content:e.originalContent}))(t))},convertToHTML(){n(t.clientId,(e=>Wo("core/html",{content:e.originalContent}))(t))},convertToBlocks(){n(t.clientId,WP(t))},attemptBlockRecovery(){n(t.clientId,(({name:e,attributes:t,innerBlocks:n})=>Wo(e,t,n))(t))}}}))])((function({convertToHTML:e,convertToBlocks:t,convertToClassic:n,attemptBlockRecovery:r,block:o}){const a=!!Do("core/html"),[i,s]=(0,et.useState)(!1),l=(0,et.useCallback)((()=>s(!0)),[]),c=(0,et.useCallback)((()=>s(!1)),[]),u=(0,et.useMemo)((()=>[{title:er("Resolve","imperative verb"),onClick:l},a&&{title:Zn("Convert to HTML"),onClick:e},{title:Zn("Convert to Classic Block"),onClick:n}].filter(Boolean)),[l,e,n]);return(0,et.createElement)(et.Fragment,null,(0,et.createElement)(IP,{actions:[(0,et.createElement)(nh,{key:"recover",onClick:r,variant:"primary"},Zn("Attempt Block Recovery"))],secondaryActions:u},Zn("This block contains unexpected or invalid content.")),i&&(0,et.createElement)(DP,{title:Zn("Resolve Block"),onRequestClose:c,className:"block-editor-block-compare"},(0,et.createElement)(YP,{block:o,onKeep:e,onConvert:t,convertor:WP,convertButtonText:Zn("Convert to Blocks")})))})),qP=(0,et.createElement)(IP,{className:"block-editor-block-list__block-crash-warning"},Zn("This block has encountered an error and cannot be previewed.")),jP=()=>qP;class FP extends et.Component{constructor(){super(...arguments),this.state={hasError:!1}}componentDidCatch(){this.setState({hasError:!0})}render(){return this.state.hasError?this.props.fallback:this.props.children}}const VP=FP;var XP=n(4042);const UP=function({clientId:e}){const[t,n]=(0,et.useState)(""),r=Cl((t=>t(DM).getBlock(e)),[e]),{updateBlock:o}=sd(DM);return(0,et.useEffect)((()=>{n(di(r))}),[r]),(0,et.createElement)(XP.Z,{className:"block-editor-block-list__block-html-textarea",value:t,onBlur:()=>{const a=Do(r.name),i=Ki(a,t,r.attributes),s=t||ui(a,i),l=!t||function(e,t,n){const{isValid:r}=Pi(e,t,n,xa());return r}(a,i,s);o(e,{attributes:i,originalContent:s,isValid:l}),t||n({content:s})},onChange:e=>n(e.target.value)})};function $P(e,t,n,r){const o=r.style.zIndex,a=r.style.position,{position:i="static"}=lB(r);"static"===i&&(r.style.position="relative"),r.style.zIndex="10000";const s=function(e,t,n){if(e.caretRangeFromPoint)return e.caretRangeFromPoint(t,n);if(!e.caretPositionFromPoint)return null;const r=e.caretPositionFromPoint(t,n);if(!r)return null;const o=e.createRange();return o.setStart(r.offsetNode,r.offset),o.collapse(!0),o}(e,t,n);return r.style.zIndex=o,r.style.position=a,s}function KP(e){return"INPUT"===e.tagName||"TEXTAREA"===e.tagName}function GP(e){return"rtl"===lB(e).direction}function JP(e,t){const{ownerDocument:n}=e,r=GP(e)?!t:t,o=e.getBoundingClientRect();return $P(n,t?o.right-1:o.left+1,r?o.bottom-1:o.top+1,e)}function QP(e,t){if(!e)return;if(e.focus(),KP(e)){if("number"!=typeof e.selectionStart)return;return void(t?(e.selectionStart=e.value.length,e.selectionEnd=e.value.length):(e.selectionStart=0,e.selectionEnd=0))}if(!e.isContentEditable)return;let n=JP(e,t);if(!(n&&n.startContainer&&e.contains(n.startContainer)||(e.scrollIntoView(t),n=JP(e,t),n&&n.startContainer&&e.contains(n.startContainer))))return;const{ownerDocument:r}=e,{defaultView:o}=r;ds();const a=o.getSelection();ds(),a.removeAllRanges(),a.addRange(n)}const ZP=".block-editor-block-list__block",eR=".block-list-appender";function tR(e,t){return t.closest([ZP,eR].join(","))===e}function nR(e){const t=(0,et.useRef)(),n=function(e){return Cl((t=>{const{getSelectedBlocksInitialCaretPosition:n,isMultiSelecting:r,isNavigationMode:o,isBlockSelected:a}=t(DM);if(a(e)&&!r()&&!o())return n()}),[e])}(e);return(0,et.useEffect)((()=>{if(null==n)return;if(!t.current)return;const{ownerDocument:e}=t.current;if(t.current.contains(e.activeElement))return;const r=zm.tabbable.find(t.current).filter((e=>sI(e))),o=-1===n,a=(o?ot.last:ot.first)(r)||t.current;tR(t.current,a)?QP(a,o):t.current.focus()}),[n]),t}function rR(e){if(e.defaultPrevented)return;const t="mouseover"===e.type?"add":"remove";e.preventDefault(),e.currentTarget.classList[t]("is-hovered")}function oR(){const e=Cl((e=>{const{isNavigationMode:t,getSettings:n}=e(DM);return t()||n().outlineMode}),[]);return i_((t=>{if(e)return t.addEventListener("mouseout",rR),t.addEventListener("mouseover",rR),()=>{t.removeEventListener("mouseout",rR),t.removeEventListener("mouseover",rR),t.classList.remove("is-hovered")}}),[e])}function aR(e){return Cl((t=>{const{isBlockBeingDragged:n,isBlockHighlighted:r,isBlockSelected:o,isBlockMultiSelected:a,getBlockName:i,getSettings:s,hasSelectedInnerBlock:l,isTyping:c,__experimentalGetActiveBlockIdByBlockNames:u}=t(DM),{__experimentalSpotlightEntityBlocks:d,outlineMode:p}=s(),m=n(e),f=o(e),h=i(e),g=l(e,!0),b=u(d);return io()({"is-selected":f,"is-highlighted":r(e),"is-multi-selected":a(e),"is-reusable":Ro(Do(h)),"is-dragging":m,"has-child-selected":g,"has-active-entity":b,"is-active-entity":b===e,"remove-outline":f&&p&&c()})}),[e])}function iR(e){return Cl((t=>{const n=t(DM).getBlockName(e),r=Do(n);if(r.apiVersion>1||Po(r,"lightBlockWrapper",!1))return si(n)}),[e])}function sR(e){return Cl((t=>{const{getBlockName:n,getBlockAttributes:r}=t(DM),{className:o}=r(e);if(!o)return;const a=Do(n(e));return a.apiVersion>1||Po(a,"lightBlockWrapper",!1)?o:void 0}),[e])}function lR(e){return Cl((t=>{const{hasBlockMovingClientId:n,canInsertBlockType:r,getBlockName:o,getBlockRootClientId:a,isBlockSelected:i}=t(DM);if(!i(e))return;const s=n();return s?io()("is-block-moving-mode",{"can-insert-moving-block":r(o(s),a(e))}):void 0}),[e])}function cR(e){const{isBlockSelected:t}=Cl(DM),{selectBlock:n,selectionChange:r}=sd(DM);return i_((o=>{function a(a){t(e)?a.target.isContentEditable||r(e):tR(o,a.target)&&n(e)}return o.addEventListener("focusin",a),()=>{o.removeEventListener("focusin",a)}}),[t,n])}function uR(e){const t=Cl((t=>t(DM).isBlockSelected(e)),[e]),{getBlockRootClientId:n,getBlockIndex:r}=Cl(DM),{insertDefaultBlock:o,removeBlock:a}=sd(DM);return i_((i=>{if(t)return i.addEventListener("keydown",s),i.addEventListener("dragstart",l),()=>{i.removeEventListener("keydown",s),i.removeEventListener("dragstart",l)};function s(t){const{keyCode:s,target:l}=t;s!==nm&&s!==tm&&s!==lm||l!==i||sI(l)||(t.preventDefault(),s===nm?o({},n(e),r(e)+1):a(e))}function l(e){e.preventDefault()}}),[e,t,n,r,o,a])}function dR(e){const{isNavigationMode:t,isBlockSelected:n}=Cl(DM),{setNavigationMode:r,selectBlock:o}=sd(DM);return i_((a=>{function i(a){t()&&!a.defaultPrevented&&(a.preventDefault(),n(e)?r(!1):o(e))}return a.addEventListener("mousedown",i),()=>{a.addEventListener("mousedown",i)}}),[e,t,n,r])}var pR=n(4979),mR=n.n(pR);function fR(e){const t=(0,et.useRef)(),n=Cl((t=>{const{isBlockSelected:n,getBlockSelectionEnd:r}=t(DM);return n(e)||r()===e}),[e]);return(0,et.useEffect)((()=>{if(!n)return;const e=t.current;if(!e)return;if(e.contains(e.ownerDocument.activeElement))return;const r=cB(e)||e.ownerDocument.defaultView;r&&mR()(e,r,{onlyScrollIfNeeded:!0})}),[n]),t}function hR(e,t){Array.from(e.closest(".is-root-container").querySelectorAll(".rich-text")).forEach((e=>{t?e.setAttribute("contenteditable",!0):e.removeAttribute("contenteditable")}))}function gR(e){const{startMultiSelect:t,stopMultiSelect:n,multiSelect:r,selectBlock:o}=sd(DM),{isSelectionEnabled:a,isBlockSelected:i,getBlockParents:s,getBlockSelectionStart:l,hasMultiSelection:c}=Cl(DM);return i_((u=>{const{ownerDocument:d}=u,{defaultView:p}=d;let m,f;function h({isSelectionEnd:t}){const n=p.getSelection();if(!n.rangeCount||n.isCollapsed)return void hR(u,!0);const a=function(e){for(;e&&e.nodeType!==e.ELEMENT_NODE;)e=e.parentNode;if(!e)return;const t=e.closest(ZP);return t?t.id.slice("block-".length):void 0}(n.focusNode);if(e===a){if(o(e),t&&(hR(u,!0),n.rangeCount)){const{commonAncestorContainer:e}=n.getRangeAt(0);m.contains(e)&&m.focus()}}else{const t=[...s(e),e],n=[...s(a),a],o=Math.min(t.length,n.length)-1;r(t[o],n[o])}}function g(){d.removeEventListener("selectionchange",h),p.removeEventListener("mouseup",g),f=p.requestAnimationFrame((()=>{h({isSelectionEnd:!0}),n()}))}function b({buttons:n}){1===n&&a()&&i(e)&&(m=d.activeElement,t(),d.addEventListener("selectionchange",h),p.addEventListener("mouseup",g),hR(u,!1))}function v(t){if(a()&&0===t.button)if(t.shiftKey){const n=l();n!==e&&(hR(u,!1),r(n,e),t.preventDefault())}else c()&&o(e)}return u.addEventListener("mousedown",v),u.addEventListener("mouseleave",b),()=>{u.removeEventListener("mousedown",v),u.removeEventListener("mouseleave",b),d.removeEventListener("selectionchange",h),p.removeEventListener("mouseup",g),p.cancelAnimationFrame(f)}}),[e,t,n,r,o,a,i,s])}function bR(){const e=(0,et.useContext)(SY);return i_((t=>{if(e)return e.observe(t),()=>{e.unobserve(t)}}),[e])}function vR(e={},{__unstableIsHtml:t}={}){const{clientId:n,className:r,wrapperProps:o={},isAligned:a}=(0,et.useContext)(yR),{index:i,mode:s,name:l,blockTitle:c,isPartOfSelection:u,adjustScrolling:d,enableAnimation:p,lightBlockWrapper:m}=Cl((e=>{const{getBlockRootClientId:t,getBlockIndex:r,getBlockMode:o,getBlockName:a,isTyping:i,getGlobalBlockCount:s,isBlockSelected:l,isBlockMultiSelected:c,isAncestorMultiSelected:u,isFirstMultiSelectedBlock:d}=e(DM),p=l(n),m=c(n)||u(n),f=a(n),h=t(n),g=Do(f);return{index:r(n,h),mode:o(n),name:f,blockTitle:g.title,isPartOfSelection:p||m,adjustScrolling:p||d(n),enableAnimation:!i()&&s()<=200,lightBlockWrapper:g.apiVersion>1||Po(g,"lightBlockWrapper",!1)}}),[n]),f=dn(Zn("Block: %s"),c),h="html"!==s||t?"":"-visual",g=Rm([e.ref,nR(n),fR(n),MT(n),cR(n),gR(n),uR(n),dR(n),oR(),bR(),pB({isSelected:u,adjustScrolling:d,enableAnimation:p,triggerAnimationOnChange:i})]),b=Ig();return!m&&b.clientId,{...o,...e,ref:g,id:`block-${n}${h}`,tabIndex:0,role:"group","aria-label":f,"data-block":n,"data-type":l,"data-title":c,className:io()(io()("block-editor-block-list__block",{"wp-block":!a}),r,e.className,o.className,aR(n),iR(n),sR(n),lR(n)),style:{...o.style,...e.style}}}vR.save=function(e={}){const{blockType:t,attributes:n}=ci;return jn("blocks.getSaveContent.extraProps",{...e},t,n)};const yR=(0,et.createContext)();function _R({children:e,isHtml:t,...n}){return(0,et.createElement)("div",vR(n,{__unstableIsHtml:t}),e)}const MR=LI(((e,{clientId:t,rootClientId:n})=>{const{isBlockSelected:r,getBlockMode:o,isSelectionEnabled:a,getTemplateLock:i,__unstableGetBlockWithoutInnerBlocks:s}=e(DM),l=s(t),c=r(t),u=i(n),{name:d,attributes:p,isValid:m}=l||{};return{mode:o(t),isSelectionEnabled:a(),isLocked:!!u,block:l,name:d,attributes:p,isValid:m,isSelected:c}})),kR=SI(((e,t,{select:n})=>{const{updateBlockAttributes:r,insertBlocks:o,mergeBlocks:a,replaceBlocks:i,toggleSelection:s,__unstableMarkLastChangeAsPersistent:l}=e(DM);return{setAttributes(e){const{getMultiSelectedBlockClientIds:o}=n(DM),a=o(),{clientId:i}=t,s=a.length?a:[i];r(s,e)},onInsertBlocks(e,n){const{rootClientId:r}=t;o(e,n,r)},onInsertBlocksAfter(e){const{clientId:r,rootClientId:a}=t,{getBlockIndex:i}=n(DM),s=i(r,a);o(e,s+1,a)},onMerge(e){const{clientId:r}=t,{getPreviousBlockClientId:o,getNextBlockClientId:i}=n(DM);if(e){const e=i(r);e&&a(r,e)}else{const e=o(r);e&&a(e,r)}},onReplace(e,n,r){e.length&&!bo(e[e.length-1])&&l(),i([t.clientId],e,n,r)},toggleSelection(e){s(e)}}})),wR=WA(TA,MR,kR,qI((({block:e})=>!!e)),bP("editor.BlockListBlock"))((function({mode:e,isLocked:t,clientId:n,isSelected:r,isSelectionEnabled:o,className:a,name:i,isValid:s,attributes:l,wrapperProps:c,setAttributes:u,onReplace:d,onInsertBlocksAfter:p,onMerge:m,toggleSelection:f}){const{removeBlock:h}=sd(DM),g=(0,et.useCallback)((()=>h(n)),[n]);let b=(0,et.createElement)(MP,{name:i,isSelected:r,attributes:l,setAttributes:u,insertBlocksAfter:t?void 0:p,onReplace:t?void 0:d,onRemove:t?void 0:g,mergeBlocks:t?void 0:m,clientId:n,isSelectionEnabled:o,toggleSelection:f});const v=Do(i),y=v.apiVersion>1||Po(v,"lightBlockWrapper",!1);v.getEditWrapperProps&&(c=function(e,t){const n={...e,...t};return e&&t&&e.className&&t.className&&(n.className=io()(e.className,t.className)),e&&t&&e.style&&t.style&&(n.style={...e.style,...t.style}),n}(c,v.getEditWrapperProps(l)));const _=c&&!!c["data-align"];let M;if(_&&(b=(0,et.createElement)("div",{className:"wp-block","data-align":c["data-align"]},b)),s)M="html"===e?(0,et.createElement)(et.Fragment,null,(0,et.createElement)("div",{style:{display:"none"}},b),(0,et.createElement)(_R,{isHtml:!0},(0,et.createElement)(UP,{clientId:n}))):y?b:(0,et.createElement)(_R,c,b);else{const e=ui(v,l);M=(0,et.createElement)(_R,{className:"has-warning"},(0,et.createElement)(HP,{clientId:n}),(0,et.createElement)(Ia,null,vP(e)))}const k={clientId:n,className:a,wrapperProps:(0,ot.omit)(c,["data-align"]),isAligned:_},w=(0,et.useMemo)((()=>k),Object.values(k));return(0,et.createElement)(yR.Provider,{value:w},(0,et.createElement)(VP,{fallback:(0,et.createElement)(_R,{className:"has-warning"},(0,et.createElement)(jP,null))},M))}));const ER=WA(LI(((e,t)=>{const{getBlockCount:n,getBlockName:r,isBlockValid:o,getSettings:a,getTemplateLock:i}=e(DM),s=!n(t.rootClientId),l=r(t.lastBlockClientId)===No(),c=o(t.lastBlockClientId),{bodyPlaceholder:u}=a();return{isVisible:s||!l||!c,showPrompt:s,isLocked:!!i(t.rootClientId),placeholder:u}})),SI(((e,t)=>{const{insertDefaultBlock:n,startTyping:r}=e(DM);return{onAppend(){const{rootClientId:e}=t;n(void 0,e),r()}}})))((function({isLocked:e,isVisible:t,onAppend:n,showPrompt:r,placeholder:o,rootClientId:a}){if(e||!t)return null;const i=Ta(o)||Zn("Type / to choose a block");return(0,et.createElement)("div",{"data-root-client-id":a||"",className:io()("block-editor-default-block-appender",{"has-visible-prompt":r})},(0,et.createElement)("p",{tabIndex:"0",contentEditable:!0,suppressContentEditableWarning:!0,role:"button","aria-label":Zn("Add block"),className:"wp-block block-editor-default-block-appender__content",onFocus:n},r?i:"\ufeff"),(0,et.createElement)(OW,{rootClientId:a,position:"bottom right",isAppender:!0,__experimentalIsQuick:!0}))}));function LR({rootClientId:e,className:t,onFocus:n,tabIndex:r},o){return(0,et.createElement)(OW,{position:"bottom center",rootClientId:e,__experimentalIsQuick:!0,renderToggle:({onToggle:e,disabled:a,isOpen:i,blockTitle:s,hasSingleBlockType:l})=>{let c;c=l?dn(er("Add %s","directly add the only allowed block"),s):er("Add block","Generic label for block inserter button");const u=!l;let d=(0,et.createElement)(nh,{ref:o,onFocus:n,tabIndex:r,className:io()(t,"block-editor-button-block-appender"),onClick:e,"aria-haspopup":u?"true":void 0,"aria-expanded":u?i:void 0,disabled:a,label:c},!l&&(0,et.createElement)(eh,{as:"span"},c),(0,et.createElement)(AL,{icon:uS}));return(u||l)&&(d=(0,et.createElement)(Af,{text:c},d)),d},isAppender:!0})}(0,et.forwardRef)(((e,t)=>(Hp("wp.blockEditor.ButtonBlockerAppender",{alternative:"wp.blockEditor.ButtonBlockAppender"}),LR(e,t))));const AR=(0,et.forwardRef)(LR);const SR=LI(((e,{rootClientId:t})=>{const{getBlockOrder:n,canInsertBlockType:r,getTemplateLock:o,getSelectedBlockClientId:a}=e(DM);return{isLocked:!!o(t),blockClientIds:n(t),canInsertDefaultBlock:r(No(),t),selectedBlockClientId:a()}}))((function({blockClientIds:e,rootClientId:t,canInsertDefaultBlock:n,isLocked:r,renderAppender:o,className:a,selectedBlockClientId:i,tagName:s="div"}){if(r||!1===o)return null;let l;if(o)l=(0,et.createElement)(o,null);else{const r=!t,o=i===t,a=i&&!e.includes(i);if(!r&&!o&&(!i||a))return null;l=n?(0,et.createElement)(ER,{rootClientId:t,lastBlockClientId:(0,ot.last)(e)}):(0,et.createElement)(AR,{rootClientId:t,className:"block-list-appender__toggle"})}return(0,et.createElement)(s,{tabIndex:-1,className:io()("block-list-appender",a)},l)}));function CR(e,t,n){const r=ml((()=>(0,ot.throttle)(e,t,n)),[e,t,n]);return(0,et.useEffect)((()=>()=>r.cancel()),[r]),r}function TR(e){const t=(0,et.useRef)();return t.current=e,t}function xR({isDisabled:e,onDrop:t,onDragStart:n,onDragEnter:r,onDragLeave:o,onDragEnd:a,onDragOver:i}){const s=TR(t),l=TR(n),c=TR(r),u=TR(o),d=TR(a),p=TR(i);return i_((t=>{if(e)return;let n=!1;const{ownerDocument:r}=t;function o(e){n||(n=!0,r.removeEventListener("dragenter",o),r.addEventListener("dragend",h),r.addEventListener("mousemove",h),l.current&&l.current(e))}function a(e){e.preventDefault(),t.contains(e.relatedTarget)||c.current&&c.current(e)}function i(e){!e.defaultPrevented&&p.current&&p.current(e),e.preventDefault()}function m(e){(function(e){if(!e||!t.contains(e))return!1;do{if(e.dataset.isDropZone)return e===t}while(e=e.parentElement);return!1})(e.relatedTarget)||u.current&&u.current(e)}function f(e){e.defaultPrevented||(e.preventDefault(),e.dataTransfer&&e.dataTransfer.files.length,s.current&&s.current(e),h(e))}function h(e){n&&(n=!1,r.addEventListener("dragenter",o),r.removeEventListener("dragend",h),r.removeEventListener("mousemove",h),d.current&&d.current(e))}return t.dataset.isDropZone="true",t.addEventListener("drop",f),t.addEventListener("dragenter",a),t.addEventListener("dragover",i),t.addEventListener("dragleave",m),r.addEventListener("dragenter",o),()=>{delete t.dataset.isDropZone,t.removeEventListener("drop",f),t.removeEventListener("dragenter",a),t.removeEventListener("dragover",i),t.removeEventListener("dragleave",m),r.removeEventListener("dragend",h),r.removeEventListener("mousemove",h),r.addEventListener("dragenter",o)}}),[e])}function zR(e,t,n,r,o,a,i){return s=>{const{srcRootClientId:l,srcClientIds:c,type:u,blocks:d}=function(e){let t={srcRootClientId:null,srcClientIds:null,srcIndex:null,type:null,blocks:null};if(!e.dataTransfer)return t;try{t=Object.assign(t,JSON.parse(e.dataTransfer.getData("wp-blocks")))}catch(e){return t}return t}(s);if("inserter"===u&&(i(),a(d,t,e,!0,null)),"block"===u){const a=n(c[0],l);if(l===e&&a===t)return;if(c.includes(e)||r(c).some((t=>t===e)))return;const i=l===e,s=c.length;o(c,l,e,i&&ae(DM).getSettings().mediaUpload),[]),{canInsertBlockType:r,getBlockIndex:o,getClientIdsOfDescendants:a}=Cl(DM),{insertBlocks:i,moveBlocksToPosition:s,updateBlockAttributes:l,clearSelectedBlock:c}=sd(DM),u=zR(e,t,o,a,s,i,c),d=function(e,t,n,r,o,a){return i=>{if(!n)return;const s=$o(Ko("from"),(t=>"files"===t.type&&o(t.blockName,e)&&t.isMatch(i)));if(s){const n=s.transform(i,r);a(n,t,e)}}}(e,t,n,l,r,i),p=function(e,t,n){return r=>{const o=ul({HTML:r,mode:"BLOCKS"});o.length&&n(o,t,e)}}(e,t,i);return e=>{const t=MI(e.dataTransfer),n=e.dataTransfer.getData("text/html");t.length?d(t):n?p(n):u(e)}}function NR(e,t,n=["top","bottom","left","right"]){let r,o;return n.forEach((n=>{const a=function(e,t,n){const r="top"===n||"bottom"===n,{x:o,y:a}=e,i=r?o:a,s=r?a:o,l=r?t.left:t.top,c=r?t.right:t.bottom,u=t[n];let d;return d=i>=l&&i<=c?i:i{const{getTemplateLock:n}=t(DM);return"all"===n(e)}),[e]),{getBlockListSettings:o}=Cl(DM),{showInsertionPoint:a,hideInsertionPoint:i}=sd(DM),s=OR(e,t),l=CR((0,et.useCallback)(((t,r)=>{var i;const s=function(e,t,n){const r="horizontal"===n?["left","right"]:["top","bottom"],o=nr();let a,i;return e.forEach(((e,n)=>{const s=e.getBoundingClientRect(),[l,c]=NR(t,s,r);(void 0===i||le.classList.contains("wp-block"))),{x:t.clientX,y:t.clientY},null===(i=o(e))||void 0===i?void 0:i.orientation);n(void 0===s?0:s),null!==s&&a(e,s)}),[]),200);return xR({isDisabled:r,onDrop:s,onDragOver(e){l(e,e.currentTarget)},onDragLeave(){l.cancel(),i(),n(null)},onDragEnd(){l.cancel(),i(),n(null)}})}function BR(e){return i_((t=>{if(!e)return;function n(t){const{deltaX:n,deltaY:r}=t;e.current.scrollBy(n,r)}const r={passive:!0};return t.addEventListener("wheel",n,r),()=>{t.removeEventListener("wheel",n,r)}}),[e])}const IR=(0,et.createContext)();function PR({__unstablePopoverSlot:e,__unstableContentRef:t}){const{selectBlock:n}=sd(DM),r=(0,et.useContext)(IR),o=(0,et.useRef)(),{orientation:a,previousClientId:i,nextClientId:s,rootClientId:l,isInserterShown:c}=Cl((e=>{var t;const{getBlockOrder:n,getBlockListSettings:r,getBlockInsertionPoint:o,isBlockBeingDragged:a,getPreviousBlockClientId:i,getNextBlockClientId:s}=e(DM),l=o(),c=n(l.rootClientId);if(!c.length)return{};let u=c[l.index-1],d=c[l.index];for(;a(u);)u=i(u);for(;a(d);)d=s(d);return{previousClientId:u,nextClientId:d,orientation:(null===(t=r(l.rootClientId))||void 0===t?void 0:t.orientation)||"vertical",rootClientId:l.rootClientId,isInserterShown:null==l?void 0:l.__unstableWithInserter}}),[]),u=wT(i),d=wT(s),p=(0,et.useMemo)((()=>{if(!u&&!d)return{};const e=u?u.getBoundingClientRect():null,t=d?d.getBoundingClientRect():null;if("vertical"===a)return{width:u?u.offsetWidth:d.offsetWidth,height:t&&e?t.top-e.bottom:0};let n=0;return e&&t&&(n=nr()?e.left-t.right:t.left-e.right),{width:n,height:u?u.offsetHeight:d.offsetHeight}}),[u,d]),m=(0,et.useCallback)((()=>{if(!u&&!d)return{};const{ownerDocument:e}=u||d,t=u?u.getBoundingClientRect():null,n=d?d.getBoundingClientRect():null;return"vertical"===a?nr()?{top:t?t.bottom:n.top,left:t?t.right:n.right,right:t?t.left:n.left,bottom:n?n.top:t.bottom,ownerDocument:e}:{top:t?t.bottom:n.top,left:t?t.left:n.left,right:t?t.right:n.right,bottom:n?n.top:t.bottom,ownerDocument:e}:nr()?{top:t?t.top:n.top,left:t?t.left:n.right,right:n?n.right:t.left,bottom:t?t.bottom:n.bottom,ownerDocument:e}:{top:t?t.top:n.top,left:t?t.right:n.left,right:n?n.left:t.right,bottom:t?t.bottom:n.bottom,ownerDocument:e}}),[u,d]),f=BR(t),h=io()("block-editor-block-list__insertion-point","is-"+a);const g=u&&d&&c;return(0,et.createElement)(yf,{ref:f,noArrow:!0,animate:!1,getAnchorRect:m,focusOnMount:!1,className:"block-editor-block-list__insertion-point-popover",__unstableSlotName:e||null},(0,et.createElement)("div",{ref:o,tabIndex:-1,onClick:function(e){e.target===o.current&&s&&n(s,-1)},onFocus:function(e){e.target!==o.current&&(r.current=!0)},className:io()(h,{"is-with-inserter":g}),style:p},(0,et.createElement)("div",{className:"block-editor-block-list__insertion-point-indicator"}),g&&(0,et.createElement)("div",{className:io()("block-editor-block-list__insertion-point-inserter")},(0,et.createElement)(OW,{position:"bottom center",clientId:s,rootClientId:l,__experimentalIsQuick:!0,onToggle:e=>{r.current=e},onSelectOrClose:()=>{r.current=!1}}))))}function RR({children:e,__unstablePopoverSlot:t,__unstableContentRef:n}){const r=Cl((e=>e(DM).isBlockInsertionPointVisible()),[]);return(0,et.createElement)(IR.Provider,{value:(0,et.useRef)(!1)},r&&(0,et.createElement)(PR,{__unstablePopoverSlot:t,__unstableContentRef:n}),e)}function YR(){const e=(0,et.useContext)(IR),t=Cl((e=>e(DM).getSettings().hasReducedUI),[]),{getBlockListSettings:n,getBlockRootClientId:r,getBlockIndex:o,isBlockInsertionPointVisible:a,isMultiSelecting:i,getSelectedBlockClientIds:s,getTemplateLock:l}=Cl(DM),{showInsertionPoint:c,hideInsertionPoint:u}=sd(DM);return i_((r=>{if(!t)return r.addEventListener("mousemove",d),()=>{r.removeEventListener("mousemove",d)};function d(t){var r;if(e.current)return;if(i())return;if(!t.target.classList.contains("block-editor-block-list__layout"))return void(a()&&u());let d;if(!t.target.classList.contains("is-root-container")){d=(t.target.getAttribute("data-block")?t.target:t.target.closest("[data-block]")).getAttribute("data-block")}if(l(d))return;const p=(null===(r=n(d))||void 0===r?void 0:r.orientation)||"vertical",m=t.target.getBoundingClientRect(),f=t.clientY-m.top,h=t.clientX-m.left;let g=Array.from(t.target.children).find((e=>e.classList.contains("wp-block")&&"vertical"===p&&e.offsetTop>f||e.classList.contains("wp-block")&&"horizontal"===p&&e.offsetLeft>h));if(!g)return;if(!g.id&&(g=g.firstElementChild,!g))return;const b=g.id.slice("block-".length);if(!b)return;if(s().includes(b))return;const v=g.getBoundingClientRect();if("horizontal"===p&&(t.clientY>v.bottom||t.clientYv.right||t.clientX{setTimeout((()=>e(Date.now())),0)}:window.requestIdleCallback||window.requestAnimationFrame,HR="undefined"==typeof window?clearTimeout:window.cancelIdleCallback||window.cancelAnimationFrame;const qR=function({clientId:e,rootClientId:t,blockElement:n}){const r=LB(e),o=Cl((n=>{var r;const{__unstableGetBlockWithoutInnerBlocks:o,getBlockIndex:a,hasBlockMovingClientId:i,getBlockListSettings:s}=n(DM),l=a(e,t),{name:c,attributes:u}=o(e);return{index:l,name:c,attributes:u,blockMovingMode:i(),orientation:null===(r=s(t))||void 0===r?void 0:r.orientation}}),[e,t]),{index:a,name:i,attributes:s,blockMovingMode:l,orientation:c}=o,{setNavigationMode:u,removeBlock:d}=sd(DM),p=(0,et.useRef)();(0,et.useEffect)((()=>{p.current.focus(),window.navigator.platform.indexOf("Win")>-1&&Xv(L)}),[]);const{hasBlockMovingClientId:m,getBlockIndex:f,getBlockRootClientId:h,getClientIdsOfDescendants:g,getSelectedBlockClientId:b,getMultiSelectedBlocksEndClientId:v,getPreviousBlockClientId:y,getNextBlockClientId:_}=Cl(DM),{selectBlock:M,clearSelectedBlock:k,setBlockMovingClientId:w,moveBlockToPosition:E}=sd(DM),L=function(e,t,n,r="vertical"){const{title:o}=e,a=_o(e,t,"accessibility"),i=void 0!==n,s=a&&a!==o;return i&&"vertical"===r?s?dn(Zn("%1$s Block. Row %2$d. %3$s"),o,n,a):dn(Zn("%1$s Block. Row %2$d"),o,n):i&&"horizontal"===r?s?dn(Zn("%1$s Block. Column %2$d. %3$s"),o,n,a):dn(Zn("%1$s Block. Column %2$d"),o,n):s?dn(Zn("%1$s Block. %2$s"),o,a):dn(Zn("%s Block"),o)}(Do(i),s,a+1,c),A=io()("block-editor-block-list__block-selection-button",{"is-block-moving-mode":!!l}),S=Zn("Drag");return(0,et.createElement)("div",{className:A},(0,et.createElement)(Hk,{justify:"center",className:"block-editor-block-list__block-selection-button__content"},(0,et.createElement)(Fk,null,(0,et.createElement)($D,{icon:null==r?void 0:r.icon,showColors:!0})),(0,et.createElement)(Fk,null,(0,et.createElement)(RB,{clientIds:[e]},(e=>(0,et.createElement)(nh,rt({icon:IB,className:"block-selection-button_drag-handle","aria-hidden":"true",label:S,tabIndex:"-1"},e))))),(0,et.createElement)(Fk,null,(0,et.createElement)(nh,{ref:p,onClick:()=>u(!1),onKeyDown:function(t){const{keyCode:r}=t,o=r===am,a=r===sm,i=r===om,s=r===im,l=9===r,c=r===rm,u=r===nm,p=32===r,L=t.shiftKey;if(r===tm||r===lm)return d(e),void t.preventDefault();const A=b(),S=v(),C=y(S||A),T=_(S||A),x=l&&L||o,z=l&&!L||a,O=i,N=s;let D;if(x)D=C;else if(z)D=T;else if(O){var B;D=null!==(B=h(A))&&void 0!==B?B:A}else if(N){var I;D=null!==(I=g([A])[0])&&void 0!==I?I:A}const P=m();if(c&&P&&!t.defaultPrevented&&(w(null),t.preventDefault()),(u||p)&&P){const e=h(P),t=h(A),n=f(P,e);let r=f(A,t);n{!function(e){const[t]=zm.tabbable.find(e);t&&t.focus()}(e.current)}),[]);eI("core/block-editor/focus-toolbar",s,{bindGlobal:!0,eventName:"keydown"}),(0,et.useEffect)((()=>{a&&s()}),[n,a,s]),(0,et.useEffect)((()=>{let t=0;return i&&!a&&(t=window.requestAnimationFrame((()=>{const t=XR(e.current),n=i||0;t[n]&&function(e){return e.contains(e.ownerDocument.activeElement)}(e.current)&&t[n].focus()}))),()=>{if(window.cancelAnimationFrame(t),!o||!e.current)return;const n=XR(e.current).findIndex((e=>0===e.tabIndex));o(n)}}),[i,a])}const $R=function({children:e,focusOnMount:t,__experimentalInitialIndex:n,__experimentalOnIndexChange:r,...o}){const a=(0,et.useRef)(),i=function(e){const[t,n]=(0,et.useState)(!0),r=(0,et.useCallback)((()=>{const t=!zm.tabbable.find(e.current).some((e=>!("toolbarItem"in e.dataset)));t||Hp("Using custom components as toolbar controls",{since:"5.6",alternative:"ToolbarItem, ToolbarButton or ToolbarDropdownMenu components",link:"https://developer.wordpress.org/block-editor/components/toolbar-button/#inside-blockcontrols"}),n(t)}),[]);return(0,et.useLayoutEffect)((()=>{const t=new window.MutationObserver(r);return t.observe(e.current,{childList:!0,subtree:!0}),()=>t.disconnect()}),[t]),t}(a);return UR(a,t,i,n,r),i?(0,et.createElement)(VR,rt({label:o["aria-label"],ref:a},o),e):(0,et.createElement)(Tg,rt({orientation:"horizontal",role:"toolbar",ref:a},o),e)};const KR=LI(((e,{clientIds:t})=>{var n;const{getBlock:r,getBlockIndex:o,getBlockListSettings:a,getTemplateLock:i,getBlockOrder:s,getBlockRootClientId:l}=e(DM),c=(0,ot.castArray)(t),u=(0,ot.first)(c),d=r(u),p=l((0,ot.first)(c)),m=o(u,p),f=0===m,h=o((0,ot.last)(c),p)===s(p).length-1;return{blockType:d?Do(d.name):null,isLocked:"all"===i(p),rootClientId:p,firstIndex:m,isFirst:f,isLast:h,orientation:null===(n=a(p))||void 0===n?void 0:n.orientation}}))((function({isFirst:e,isLast:t,clientIds:n,isLocked:r,isHidden:o,rootClientId:a,orientation:i,hideDragHandle:s}){const[l,c]=(0,et.useState)(!1),u=()=>c(!0),d=()=>c(!1);if(r||e&&t&&!a)return null;const p=Zn("Drag");return(0,et.createElement)("div",{className:io()("block-editor-block-mover",{"is-visible":l||!o,"is-horizontal":"horizontal"===i})},!s&&(0,et.createElement)(RB,{clientIds:n,cloneClassname:"block-editor-block-mover__drag-clone"},(e=>(0,et.createElement)(nh,rt({icon:IB,className:"block-editor-block-mover__drag-handle","aria-hidden":"true",label:p,tabIndex:"-1"},e)))),(0,et.createElement)(Ng,{className:"block-editor-block-mover__move-button-container"},(0,et.createElement)(yg,{onFocus:u,onBlur:d},(e=>(0,et.createElement)(MB,rt({clientIds:n},e)))),(0,et.createElement)(yg,{onFocus:u,onBlur:d},(e=>(0,et.createElement)(kB,rt({clientIds:n},e))))))})),{clearTimeout:GR,setTimeout:JR}=window;function QR({ref:e,isFocused:t,debounceTimeout:n=200,onChange:r=ot.noop}){const[o,a]=(0,et.useState)(!1),i=(0,et.useRef)(),s=t=>{null!=e&&e.current&&a(t),r(t)},l=()=>{const n=(null==e?void 0:e.current)&&e.current.matches(":hover");return!t&&!n},c=()=>{const e=i.current;e&&GR&&GR(e)};return(0,et.useEffect)((()=>()=>c()),[]),{showMovers:o,debouncedShowMovers:e=>{e&&e.stopPropagation(),c(),o||s(!0)},debouncedHideMovers:e=>{e&&e.stopPropagation(),c(),i.current=JR((()=>{l()&&s(!1)}),n)}}}function ZR({ref:e,debounceTimeout:t=200,onChange:n=ot.noop}){const[r,o]=(0,et.useState)(!1),{showMovers:a,debouncedShowMovers:i,debouncedHideMovers:s}=QR({ref:e,debounceTimeout:t,isFocused:r,onChange:n}),l=(0,et.useRef)(!1),c=()=>(null==e?void 0:e.current)&&e.current.contains(e.current.ownerDocument.activeElement);return(0,et.useEffect)((()=>{const t=e.current,n=()=>{c()&&(o(!0),i())},r=()=>{c()||(o(!1),s())};return t&&!l.current&&(t.addEventListener("focus",n,!0),t.addEventListener("blur",r,!0),l.current=!0),()=>{t&&(t.removeEventListener("focus",n),t.removeEventListener("blur",r))}}),[e,l,o,i,s]),{showMovers:a,gestures:{onMouseMove:i,onMouseLeave:s}}}function eY(){const{selectBlock:e,toggleBlockHighlight:t}=sd(DM),{firstParentClientId:n,shouldHide:r,hasReducedUI:o}=Cl((e=>{const{getBlockName:t,getBlockParents:n,getSelectedBlockClientId:r,getSettings:o}=e(DM),{hasBlockSupport:a}=e(Kr),i=n(r()),s=i[i.length-1],l=Do(t(s)),c=o();return{firstParentClientId:s,shouldHide:!a(l,"__experimentalParentSelector",!0),hasReducedUI:c.hasReducedUI}}),[]),a=LB(n),i=(0,et.useRef)(),{gestures:s}=ZR({ref:i,onChange(e){e&&o||t(n,e)}});return r||void 0===n?null:(0,et.createElement)("div",rt({className:"block-editor-block-parent-selector",key:n,ref:i},s),(0,et.createElement)(Mg,{className:"block-editor-block-parent-selector__button",onClick:()=>e(n),label:dn(Zn("Select %s"),a.title),showTooltip:!0,icon:(0,et.createElement)($D,{icon:a.icon})}))}const tY=(0,et.createElement)(po,{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24"},(0,et.createElement)(co,{d:"M20.2 8v11c0 .7-.6 1.2-1.2 1.2H6v1.5h13c1.5 0 2.7-1.2 2.7-2.8V8zM18 16.4V4.6c0-.9-.7-1.6-1.6-1.6H4.6C3.7 3 3 3.7 3 4.6v11.8c0 .9.7 1.6 1.6 1.6h11.8c.9 0 1.6-.7 1.6-1.6zm-13.5 0V4.6c0-.1.1-.1.1-.1h11.8c.1 0 .1.1.1.1v11.8c0 .1-.1.1-.1.1H4.6l-.1-.1z"}));function nY({blocks:e}){return(0,et.createElement)("div",{className:"block-editor-block-switcher__popover__preview__parent"},(0,et.createElement)("div",{className:"block-editor-block-switcher__popover__preview__container"},(0,et.createElement)(yf,{className:"block-editor-block-switcher__preview__popover",position:"bottom right",focusOnMount:!1},(0,et.createElement)("div",{className:"block-editor-block-switcher__preview"},(0,et.createElement)("div",{className:"block-editor-block-switcher__preview-title"},Zn("Preview")),(0,et.createElement)(BY,{viewportWidth:500,blocks:e})))))}const rY=({className:e,possibleBlockTransformations:t,onSelect:n,blocks:r})=>{const[o,a]=(0,et.useState)();return(0,et.createElement)(aN,{label:Zn("Transform to"),className:e},o&&(0,et.createElement)(nY,{blocks:Go(r,o)}),t.map((e=>{const{name:t,icon:r,title:o,isDisabled:i}=e;return(0,et.createElement)(oB,{key:t,className:li(t),onClick:e=>{e.preventDefault(),n(t)},disabled:i,onMouseLeave:()=>a(null),onMouseEnter:()=>a(t)},(0,et.createElement)($D,{icon:r,showColors:!0}),o)})))};const oY={};function aY({genericPreviewBlock:e,style:t,isActive:n,onBlur:r,onHover:o,onSelect:a,styleClassName:i,itemRole:s}){const l=(0,et.useMemo)((()=>({...e,attributes:{...e.attributes,className:i}})),[e,i]);return(0,et.createElement)("div",{key:t.name,className:io()("block-editor-block-styles__item",{"is-active":n}),onClick:()=>a(),onKeyDown:e=>{nm!==e.keyCode&&32!==e.keyCode||(e.preventDefault(),a())},onMouseEnter:o,onMouseLeave:r,role:s||"button",tabIndex:"0","aria-label":t.label||t.name},(0,et.createElement)("div",{className:"block-editor-block-styles__item-preview"},(0,et.createElement)(BY,{viewportWidth:500,blocks:l})),(0,et.createElement)("div",{className:"block-editor-block-styles__item-label"},t.label||t.name))}const iY=function({clientId:e,onSwitch:t=ot.noop,onHoverClassName:n=ot.noop,itemRole:r}){const{styles:o,block:a,type:i,className:s}=Cl((t=>{const{getBlock:n}=t(DM),r=n(e);if(!r)return oY;const o=Do(r.name),{getBlockStyles:a}=t(Kr);return{block:r,type:o,styles:a(r.name),className:r.attributes.className||""}}),[e]),{updateBlockAttributes:l}=sd(DM),c=function(e,t){return(0,et.useMemo)((()=>{const n=null==t?void 0:t.example,r=null==t?void 0:t.name;return n&&r?Jo(r,{attributes:n.attributes,innerBlocks:n.innerBlocks}):e?jo(e):void 0}),[null!=t&&t.example?null==e?void 0:e.name:e,t])}(a,i);if(!o||0===o.length)return null;const u=(0,ot.find)(o,"isDefault")?o:[{name:"default",label:er("Default","block style"),isDefault:!0},...o],d=function(e,t){for(const n of new bz(t).values()){if(-1===n.indexOf("is-style-"))continue;const t=n.substring(9),r=(0,ot.find)(e,{name:t});if(r)return r}return(0,ot.find)(e,"isDefault")}(u,s);return(0,et.createElement)("div",{className:"block-editor-block-styles"},u.map((o=>{const a=function(e,t,n){const r=new bz(e);return t&&r.remove("is-style-"+t.name),r.add("is-style-"+n.name),r.value}(s,d,o);return(0,et.createElement)(aY,{genericPreviewBlock:c,className:s,isActive:d===o,key:o.name,onSelect:()=>{l(e,{className:a}),n(null),t()},onBlur:()=>n(null),onHover:()=>n(a),style:o,styleClassName:a,itemRole:r})})))};function sY({hoveredBlock:e,onSwitch:t}){const{name:n,clientId:r}=e,[o,a]=(0,et.useState)(),i=Cl((e=>e(Kr).getBlockType(n)),[n]);return(0,et.createElement)(aN,{label:Zn("Styles"),className:"block-editor-block-switcher__styles__menugroup"},o&&(0,et.createElement)(nY,{blocks:i.example?Jo(i.name,{attributes:{...i.example.attributes,className:o},innerBlocks:i.example.innerBlocks}):jo(e,{className:o})}),(0,et.createElement)(iY,{clientId:r,onSwitch:t,onHoverClassName:a,itemRole:"menuitem"}))}const lY=(e,t,n=new Set)=>{const{clientId:r,name:o,innerBlocks:a=[]}=e;if(!n.has(r)){if(o===t)return e;for(const e of a){const r=lY(e,t,n);if(r)return r}}},cY=(e,t)=>{const n=function(e,t){var n;const r=null===(n=Do(e))||void 0===n?void 0:n.attributes;if(!r)return[];const o=Object.keys(r);return t?o.filter((e=>{var n;return(null===(n=r[e])||void 0===n?void 0:n.__experimentalRole)===t})):o}(e,"content");return null!=n&&n.length?n.reduce(((e,n)=>(t[n]&&(e[n]=t[n]),e)),{}):t},uY=(e,t)=>{const n=cY(t.name,t.attributes);e.attributes={...e.attributes,...n}},dY=(e,t)=>(0,et.useMemo)((()=>e.reduce(((e,n)=>{const r=((e,t)=>{const n=t.map((e=>jo(e))),r=new Set;for(const t of e){let e=!1;for(const o of n){const n=lY(o,t.name,r);if(n){e=!0,r.add(n.clientId),uY(n,t);break}}if(!e)return}return n})(t,n.blocks);return r&&e.push({...n,transformedBlocks:r}),e}),[])),[e,t]);function pY({patterns:e,onSelect:t}){return(0,et.createElement)("div",{className:"block-editor-block-switcher__popover__preview__parent"},(0,et.createElement)("div",{className:"block-editor-block-switcher__popover__preview__container"},(0,et.createElement)(yf,{className:"block-editor-block-switcher__preview__popover",position:"bottom right"},(0,et.createElement)("div",{className:"block-editor-block-switcher__preview"},(0,et.createElement)("div",{className:"block-editor-block-switcher__preview-title"},Zn("Preview")),(0,et.createElement)(mY,{patterns:e,onSelect:t})))))}function mY({patterns:e,onSelect:t}){const n=SD();return(0,et.createElement)(ID,rt({},n,{role:"listbox",className:"block-editor-block-switcher__preview-patterns-container","aria-label":Zn("Patterns list")}),e.map((e=>(0,et.createElement)(fY,{key:e.name,pattern:e,onSelect:t,composite:n}))))}function fY({pattern:e,onSelect:t,composite:n}){const r="block-editor-block-switcher__preview-patterns-container",o=xk(fY,`${r}-list__item-description`);return(0,et.createElement)("div",{className:`${r}-list__list-item`,"aria-label":e.title,"aria-describedby":e.description?o:void 0},(0,et.createElement)(hg,rt({role:"option",as:"div"},n,{className:`${r}-list__item`,onClick:()=>t(e.transformedBlocks)}),(0,et.createElement)(BY,{blocks:e.transformedBlocks,viewportWidth:e.viewportWidth||500}),(0,et.createElement)("div",{className:`${r}-list__item-title`},e.title)),!!e.description&&(0,et.createElement)(eh,{id:o},e.description))}const hY=function({blocks:e,patterns:t,onSelect:n}){const[r,o]=(0,et.useState)(!1),a=dY(t,e);return a.length?(0,et.createElement)(aN,{className:"block-editor-block-switcher__pattern__transforms__menugroup"},r&&(0,et.createElement)(pY,{patterns:a,onSelect:n}),(0,et.createElement)(oB,{onClick:e=>{e.preventDefault(),o(!r)},icon:hB},Zn("Patterns"))):null},gY=({clientIds:e,blocks:t})=>{const{replaceBlocks:n}=sd(DM),r=LB(t[0].clientId),{possibleBlockTransformations:o,hasBlockStyles:a,icon:i,blockTitle:s,patterns:l}=Cl((n=>{const{getBlockRootClientId:o,getBlockTransformItems:a,__experimentalGetPatternTransformItems:i}=n(DM),{getBlockStyles:s,getBlockType:l}=n(Kr),c=o((0,ot.castArray)(e)[0]),[{name:u}]=t,d=1===t.length,p=d&&s(u);let m;if(d)m=null==r?void 0:r.icon;else{var f;m=1===(0,ot.uniq)(t.map((({name:e})=>e))).length?null===(f=l(u))||void 0===f?void 0:f.icon:tY}return{possibleBlockTransformations:a(t,c),hasBlockStyles:!(null==p||!p.length),icon:m,blockTitle:l(u).title,patterns:i(t,c)}}),[e,t,null==r?void 0:r.icon]),c=1===t.length&&Ro(t[0]),u=1===t.length&&"core/template-part"===t[0].name;const d=!!o.length,p=!(null==l||!l.length);if(!a&&!d)return(0,et.createElement)(Ng,null,(0,et.createElement)(Mg,{disabled:!0,className:"block-editor-block-switcher__no-switcher-icon",title:s,icon:(0,et.createElement)($D,{icon:i,showColors:!0})}));const m=s,f=1===t.length?dn(Zn("%s: Change block type or style"),s):dn(tr("Change type of %d block","Change type of %d blocks",t.length),t.length),h=a||d||p;return(0,et.createElement)(Ng,null,(0,et.createElement)(yg,null,(r=>(0,et.createElement)(zg,{className:"block-editor-block-switcher",label:m,popoverProps:{position:"bottom right",isAlternate:!0,className:"block-editor-block-switcher__popover"},icon:(0,et.createElement)(et.Fragment,null,(0,et.createElement)($D,{icon:i,className:"block-editor-block-switcher__toggle",showColors:!0}),(c||u)&&(0,et.createElement)("span",{className:"block-editor-block-switcher__toggle-text"},(0,et.createElement)(CB,{clientId:e}))),toggleProps:{describedBy:f,...r},menuProps:{orientation:"both"}},(({onClose:r})=>h&&(0,et.createElement)("div",{className:"block-editor-block-switcher__container"},p&&(0,et.createElement)(hY,{blocks:t,patterns:l,onSelect:t=>{(t=>{n(e,t)})(t),r()}}),d&&(0,et.createElement)(rY,{className:"block-editor-block-switcher__transforms__menugroup",possibleBlockTransformations:o,blocks:t,onSelect:o=>{(r=>{n(e,Go(t,r))})(o),r()}}),a&&(0,et.createElement)(sY,{hoveredBlock:t[0],onSwitch:r})))))))},bY=({clientIds:e})=>{const t=Cl((t=>t(DM).getBlocksByClientId(e)),[e]);return!t.length||t.some((e=>!e))?null:(0,et.createElement)(gY,{clientIds:e,blocks:t})};const vY=function({clientIds:e,...t}){return(0,et.createElement)(Ng,null,(0,et.createElement)(yg,null,(n=>(0,et.createElement)(WI,rt({clientIds:e,toggleProps:n},t)))))};function yY({hideDragHandle:e}){const{blockClientIds:t,blockClientId:n,blockType:r,hasFixedToolbar:o,hasReducedUI:a,isValid:i,isVisual:s}=Cl((e=>{const{getBlockName:t,getBlockMode:n,getSelectedBlockClientIds:r,isBlockValid:o,getBlockRootClientId:a,getSettings:i}=e(DM),s=r(),l=s[0],c=a(l),u=i();return{blockClientIds:s,blockClientId:l,blockType:l&&Do(t(l)),hasFixedToolbar:u.hasFixedToolbar,hasReducedUI:u.hasReducedUI,rootClientId:c,isValid:s.every((e=>o(e))),isVisual:s.every((e=>"visual"===n(e)))}}),[]),{toggleBlockHighlight:l}=sd(DM),c=(0,et.useRef)(),{showMovers:u,gestures:d}=ZR({ref:c,onChange(e){e&&a||l(n,e)}}),p=Gp("medium","<")||o;if(r&&!Po(r,"__experimentalToolbar",!0))return null;const m=p||u;if(0===t.length)return null;const f=i&&s,h=t.length>1,g=io()("block-editor-block-toolbar",m&&"is-showing-movers");return(0,et.createElement)("div",{className:g},!h&&!p&&(0,et.createElement)(eY,{clientIds:t}),(0,et.createElement)("div",rt({ref:c},d),(f||h)&&(0,et.createElement)(Ng,{className:"block-editor-block-toolbar__block-controls"},(0,et.createElement)(bY,{clientIds:t}),(0,et.createElement)(KR,{clientIds:t,hideDragHandle:e||a}))),f&&(0,et.createElement)(et.Fragment,null,(0,et.createElement)(WM.Slot,{group:"block",className:"block-editor-block-toolbar__slot"}),(0,et.createElement)(WM.Slot,{className:"block-editor-block-toolbar__slot"}),(0,et.createElement)(WM.Slot,{group:"inline",className:"block-editor-block-toolbar__slot"}),(0,et.createElement)(WM.Slot,{group:"other",className:"block-editor-block-toolbar__slot"})),(0,et.createElement)(vY,{clientIds:t}))}const _Y=function({focusOnMount:e,isFixed:t,...n}){const{blockType:r,hasParents:o,showParentSelector:a}=Cl((e=>{const{getBlockName:t,getBlockParents:n,getSelectedBlockClientIds:r}=e(DM),{getBlockType:o}=e(Kr),a=r()[0],i=n(a),s=o(t(i[i.length-1]));return{blockType:a&&o(t(a)),hasParents:i.length,showParentSelector:Po(s,"__experimentalParentSelector",!0)}}),[]);if(r&&!Po(r,"__experimentalToolbar",!0))return null;const i=io()("block-editor-block-contextual-toolbar",{"has-parent":o&&a,"is-fixed":t});return(0,et.createElement)($R,rt({focusOnMount:e,className:i,"aria-label":Zn("Block tools")},n),(0,et.createElement)(yY,{hideDragHandle:t}))};function MY(e){const{isNavigationMode:t,isMultiSelecting:n,hasMultiSelection:r,isTyping:o,isCaretWithinFormattedText:a,getSettings:i,getLastMultiSelectedBlockClientId:s}=e(DM);return{isNavigationMode:t(),isMultiSelecting:n(),isTyping:o(),isCaretWithinFormattedText:a(),hasMultiSelection:r(),hasFixedToolbar:i().hasFixedToolbar,lastClientId:s()}}function kY({clientId:e,rootClientId:t,isValid:n,isEmptyDefaultBlock:r,capturingClientId:o,__unstablePopoverSlot:a,__unstableContentRef:i}){const{isNavigationMode:s,isMultiSelecting:l,isTyping:c,isCaretWithinFormattedText:u,hasMultiSelection:d,hasFixedToolbar:p,lastClientId:m}=Cl(MY,[]),f=Cl((t=>{const{isBlockInsertionPointVisible:n,getBlockInsertionPoint:r,getBlockOrder:o}=t(DM);if(!n())return!1;const a=r();return o(a.rootClientId)[a.index]===e}),[e]),h=Gp("medium"),[g,b]=(0,et.useState)(!1),[v,y]=(0,et.useState)(!1),{stopTyping:_}=sd(DM),M=!c&&!s&&r&&n,k=s,w=!s&&!p&&h&&!M&&!l&&(!c||u),E=!(s||w||p||r);eI("core/block-editor/focus-toolbar",(0,et.useCallback)((()=>{b(!0),_(!0)}),[]),{bindGlobal:!0,eventName:"keydown",isDisabled:!E}),(0,et.useEffect)((()=>{w||b(!1)}),[w]);const L=(0,et.useRef)(),A=wT(e),S=wT(m),C=wT(o),T=BR(i);if(!(k||w||g||M))return null;let x=A;if(!x)return null;o&&(x=C);let z=x;if(d){if(!S)return null;z={top:x,bottom:S}}const O=M?"top left right":"top right left",{ownerDocument:N}=x,D=M?void 0:N.defaultView.frameElement||cB(x)||N.body;return(0,et.createElement)(yf,{ref:T,noArrow:!0,animate:!1,position:O,focusOnMount:!1,anchorRef:z,className:io()("block-editor-block-list__block-popover",{"is-insertion-point-visible":f}),__unstableStickyBoundaryElement:D,__unstableSlotName:a||null,__unstableBoundaryParent:!0,__unstableObserveElement:x,shouldAnchorIncludePadding:!0},(w||g)&&(0,et.createElement)("div",{onFocus:function(){y(!0)},onBlur:function(){y(!1)},tabIndex:-1,className:io()("block-editor-block-list__block-popover-inserter",{"is-visible":v})},(0,et.createElement)(OW,{clientId:e,rootClientId:t,__experimentalIsQuick:!0})),(w||g)&&(0,et.createElement)(_Y,{focusOnMount:g,__experimentalInitialIndex:L.current,__experimentalOnIndexChange:e=>{L.current=e},key:e}),k&&(0,et.createElement)(qR,{clientId:e,rootClientId:t,blockElement:x}),M&&(0,et.createElement)("div",{className:"block-editor-block-list__empty-block-inserter"},(0,et.createElement)(OW,{position:"bottom right",rootClientId:t,clientId:e,__experimentalIsQuick:!0})))}function wY(e){const{getSelectedBlockClientId:t,getFirstMultiSelectedBlockClientId:n,getBlockRootClientId:r,__unstableGetBlockWithoutInnerBlocks:o,getBlockParents:a,__experimentalGetBlockListSettingsForBlocks:i}=e(DM),s=t()||n();if(!s)return;const{name:l,attributes:c={},isValid:u}=o(s)||{},d=a(s),p=i(d),m=(0,ot.find)(d,(e=>{var t;return null===(t=p[e])||void 0===t?void 0:t.__experimentalCaptureToolbars}));return{clientId:s,rootClientId:r(s),name:l,isValid:u,isEmptyDefaultBlock:l&&bo({name:l,attributes:c}),capturingClientId:m}}function EY({__unstablePopoverSlot:e,__unstableContentRef:t}){const n=Cl(wY,[]);if(!n)return null;const{clientId:r,rootClientId:o,name:a,isValid:i,isEmptyDefaultBlock:s,capturingClientId:l}=n;return a?(0,et.createElement)(kY,{clientId:r,rootClientId:o,isValid:i,isEmptyDefaultBlock:s,capturingClientId:l,__unstablePopoverSlot:e,__unstableContentRef:t}):null}function LY({children:e}){const t=(0,et.useContext)(IR),n=(0,et.useContext)(gP.Context);return t||n?e:(Hp('wp.components.Popover.Slot name="block-toolbar"',{alternative:"wp.blockEditor.BlockTools"}),(0,et.createElement)(RR,{__unstablePopoverSlot:"block-toolbar"},(0,et.createElement)(EY,{__unstablePopoverSlot:"block-toolbar"}),e))}function AY(){const{hasSelectedBlock:e,hasMultiSelection:t}=Cl(DM),{clearSelectedBlock:n}=sd(DM);return i_((r=>{function o(o){(e()||t())&&o.target===r&&n()}return r.addEventListener("mousedown",o),()=>{r.removeEventListener("mousedown",o)}}),[e,t,n])}const SY=(0,et.createContext)();function CY({className:e,children:t}){const n=Gp("medium"),{isOutlineMode:r,isFocusMode:o,isNavigationMode:a}=Cl((e=>{const{getSettings:t,isNavigationMode:n}=e(DM),{outlineMode:r,focusMode:o}=t();return{isOutlineMode:r,isFocusMode:o,isNavigationMode:n()}}),[]);return(0,et.createElement)(fN,null,(0,et.createElement)("div",{ref:Rm([AY(),DR(),YR()]),className:io()("block-editor-block-list__layout is-root-container",e,{"is-outline-mode":r,"is-focus-mode":o&&n,"is-navigate-mode":a})},t))}function TY({className:e,...t}){return function(){const e=Cl((e=>e(DM).getSettings().__experimentalBlockPatterns),[]);(0,et.useEffect)((()=>{if(null==e||!e.length)return;let t,n=-1;const r=()=>{n++,n>=e.length||(en(DM).__experimentalGetParsedPattern(e[n].name),t=WR(r))};return t=WR(r),()=>HR(t)}),[e])}(),(0,et.createElement)(LY,null,(0,et.createElement)(CY,{className:e},(0,et.createElement)(zY,t)))}function xY({placeholder:e,rootClientId:t,renderAppender:n,__experimentalAppenderTagName:r,__experimentalLayout:o=OL}){const[a,i]=(0,et.useState)(new Set),s=(0,et.useMemo)((()=>{const{IntersectionObserver:e}=window;if(e)return new e((e=>{i((t=>{const n=new Set(t);for(const t of e){const e=t.target.getAttribute("data-block");n[t.isIntersecting?"add":"delete"](e)}return n}))}))}),[i]),{order:l,selectedBlocks:c}=Cl((e=>{const{getBlockOrder:n,getSelectedBlockClientIds:r}=e(DM);return{order:n(t),selectedBlocks:r()}}),[t]);return(0,et.createElement)(DL,{value:o},(0,et.createElement)(SY.Provider,{value:s},l.map((e=>(0,et.createElement)(Al,{key:e,value:!a.has(e)&&!c.includes(e)},(0,et.createElement)(wR,{rootClientId:t,clientId:e}))))),l.length<1&&e,(0,et.createElement)(SR,{tagName:r,rootClientId:t,renderAppender:n}))}function zY(e){return(0,et.createElement)(Al,{value:!1},(0,et.createElement)(xY,e))}function OY({onClick:e}){return(0,et.createElement)("div",{tabIndex:0,role:"button",onClick:e,onKeyPress:e},(0,et.createElement)(gP,null,(0,et.createElement)(TY,null)))}let NY;const DY=function({viewportWidth:e,__experimentalPadding:t}){const[n,{width:r}]=Zp(),[o,{height:a}]=Zp();NY=NY||TA(TY);const i=(r-2*t)/e;return(0,et.createElement)("div",{className:"block-editor-block-preview__container editor-styles-wrapper","aria-hidden":!0,style:{height:a*i+2*t}},n,(0,et.createElement)(gP,{style:{transform:`scale(${i})`,width:e,left:t,right:t,top:t},className:"block-editor-block-preview__content"},o,(0,et.createElement)(NY,null)))};const BY=(0,et.memo)((function({blocks:e,__experimentalPadding:t=0,viewportWidth:n=1200,__experimentalLive:r=!1,__experimentalOnClick:o}){const a=Cl((e=>e(DM).getSettings()),[]),i=(0,et.useMemo)((()=>{const e={...a};return e.__experimentalBlockPatterns=[],e}),[a]),s=(0,et.useMemo)((()=>(0,ot.castArray)(e)),[e]);return e&&0!==e.length?(0,et.createElement)(cP,{value:s,settings:i},r?(0,et.createElement)(OY,{onClick:o}):(0,et.createElement)(DY,{viewportWidth:n,__experimentalPadding:t})):null}));const IY=function({item:e}){var t,n;const{name:r,title:o,icon:a,description:i,initialAttributes:s}=e,l=Do(r),c=Ro(e);return(0,et.createElement)("div",{className:"block-editor-inserter__preview-container"},(0,et.createElement)("div",{className:"block-editor-inserter__preview"},c||l.example?(0,et.createElement)("div",{className:"block-editor-inserter__preview-content"},(0,et.createElement)(BY,{__experimentalPadding:16,viewportWidth:null!==(t=null===(n=l.example)||void 0===n?void 0:n.viewportWidth)&&void 0!==t?t:500,blocks:l.example?Jo(e.name,{attributes:{...l.example.attributes,...s},innerBlocks:l.example.innerBlocks}):Wo(r,s)})):(0,et.createElement)("div",{className:"block-editor-inserter__preview-content-missing"},Zn("No Preview Available."))),!c&&(0,et.createElement)(iP,{title:o,icon:a,description:i}))},PY=(0,et.createContext)();const RY=(0,et.forwardRef)((function({isFirst:e,as:t,children:n,...r},o){const a=(0,et.useContext)(PY);return(0,et.createElement)(hg,rt({ref:o,state:a,role:"option",focusable:!0},r),(r=>{const o={...r,tabIndex:e?0:r.tabIndex};return t?(0,et.createElement)(t,o,n):"function"==typeof n?n(o):(0,et.createElement)(nh,o,n)}))})),YY=({isEnabled:e,blocks:t,icon:n,children:r})=>{const o={type:"inserter",blocks:t};return(0,et.createElement)(BB,{__experimentalTransferDataType:"wp-blocks",transferData:o,__experimentalDragComponent:(0,et.createElement)(PB,{count:t.length,icon:n})},(({onDraggableStart:t,onDraggableEnd:n})=>r({draggable:e,onDragStart:e?t:void 0,onDragEnd:e?n:void 0})))};function WY(e=window){const{platform:t}=e.navigator;return-1!==t.indexOf("Mac")||["iPad","iPhone"].includes(t)}const HY=(0,et.memo)((function({className:e,isFirst:t,item:n,onSelect:r,onHover:o,isDraggable:a,...i}){const s=(0,et.useRef)(!1),l=n.icon?{backgroundColor:n.icon.background,color:n.icon.foreground}:{},c=(0,et.useMemo)((()=>[Wo(n.name,n.initialAttributes,Ho(n.innerBlocks))]),[n.name,n.initialAttributes,n.initialAttributes]);return(0,et.createElement)(YY,{isEnabled:a&&!n.disabled,blocks:c,icon:n.icon},(({draggable:a,onDragStart:c,onDragEnd:u})=>(0,et.createElement)("div",{className:"block-editor-block-types-list__list-item",draggable:a,onDragStart:e=>{s.current=!0,c&&(o(null),c(e))},onDragEnd:e=>{s.current=!1,u&&u(e)}},(0,et.createElement)(RY,rt({isFirst:t,className:io()("block-editor-block-types-list__item",e),disabled:n.isDisabled,onClick:e=>{e.preventDefault(),r(n,WY()?e.metaKey:e.ctrlKey),o(null)},onKeyDown:e=>{const{keyCode:t}=e;t===nm&&(e.preventDefault(),r(n,WY()?e.metaKey:e.ctrlKey),o(null))},onFocus:()=>{s.current||o(n)},onMouseEnter:()=>{s.current||o(n)},onMouseLeave:()=>o(null),onBlur:()=>o(null)},i),(0,et.createElement)("span",{className:"block-editor-block-types-list__item-icon",style:l},(0,et.createElement)($D,{icon:n.icon,showColors:!0})),(0,et.createElement)("span",{className:"block-editor-block-types-list__item-title"},n.title)))))}));const qY=(0,et.forwardRef)((function(e,t){const[n,r]=(0,et.useState)(!1);return(0,et.useEffect)((()=>{n&&Xv(Zn("Use left and right arrow keys to move through blocks"))}),[n]),(0,et.createElement)("div",rt({ref:t,role:"listbox","aria-orientation":"horizontal",onFocus:()=>{r(!0)},onBlur:e=>{!e.currentTarget.contains(e.relatedTarget)&&r(!1)}},e))}));const jY=(0,et.forwardRef)((function(e,t){const n=(0,et.useContext)(PY);return(0,et.createElement)(RD,rt({state:n,role:"presentation",ref:t},e))}));const FY=function({items:e=[],onSelect:t,onHover:n=(()=>{}),children:r,label:o,isDraggable:a=!0}){return(0,et.createElement)(qY,{className:"block-editor-block-types-list","aria-label":o},function(e,t){const n=[];for(let r=0,o=e.length;r(0,et.createElement)(jY,{key:r},e.map(((e,o)=>(0,et.createElement)(HY,{key:e.id,item:e,className:li(e.id),onSelect:t,onHover:n,isDraggable:a,isFirst:0===r&&0===o})))))),r)};const VY=function({title:e,icon:t,children:n}){return(0,et.createElement)(et.Fragment,null,(0,et.createElement)("div",{className:"block-editor-inserter__panel-header"},(0,et.createElement)("h2",{className:"block-editor-inserter__panel-title"},e),(0,et.createElement)(Cf,{icon:t})),(0,et.createElement)("div",{className:"block-editor-inserter__panel-content"},n))},XY=(e,t)=>{const{categories:n,collections:r,items:o}=Cl((t=>{const{getInserterItems:n}=t(DM),{getCategories:r,getCollections:o}=t(Kr);return{categories:r(),collections:o(),items:n(e)}}),[e]);return[o,n,r,(0,et.useCallback)((({name:e,initialAttributes:n,innerBlocks:r},o)=>{const a=Wo(e,n,Ho(r));t(a,void 0,o)}),[t])]};const UY=function({children:e}){const t=SD({shift:!0,wrap:"horizontal"});return(0,et.createElement)(PY.Provider,{value:t},e)};const $Y=function({rootClientId:e,onInsert:t,onHover:n,showMostUsedBlocks:r}){const[o,a,i,s]=XY(e,t),l=(0,et.useMemo)((()=>(0,ot.orderBy)(o,["frecency"],["desc"]).slice(0,6)),[o]),c=(0,et.useMemo)((()=>o.filter((e=>!e.category))),[o]),u=(0,et.useMemo)((()=>(0,ot.flow)((e=>e.filter((e=>e.category&&"reusable"!==e.category))),(e=>(0,ot.groupBy)(e,"category")))(o)),[o]),d=(0,et.useMemo)((()=>{const e={...i};return Object.keys(i).forEach((t=>{e[t]=o.filter((e=>(e=>e.name.split("/")[0])(e)===t)),0===e[t].length&&delete e[t]})),e}),[o,i]);return(0,et.useEffect)((()=>()=>n(null)),[]),(0,et.createElement)(UY,null,(0,et.createElement)("div",null,r&&!!l.length&&(0,et.createElement)(VY,{title:er("Most used","blocks")},(0,et.createElement)(FY,{items:l,onSelect:s,onHover:n,label:er("Most used","blocks")})),(0,ot.map)(a,(e=>{const t=u[e.slug];return t&&t.length?(0,et.createElement)(VY,{key:e.slug,title:e.title,icon:e.icon},(0,et.createElement)(FY,{items:t,onSelect:s,onHover:n,label:e.title})):null})),c.length>0&&(0,et.createElement)(VY,{className:"block-editor-inserter__uncategorized-blocks-panel",title:Zn("Uncategorized")},(0,et.createElement)(FY,{items:c,onSelect:s,onHover:n,label:Zn("Uncategorized")})),(0,ot.map)(i,((e,t)=>{const r=d[t];return r&&r.length?(0,et.createElement)(VY,{key:t,title:e.title,icon:e.icon},(0,et.createElement)(FY,{items:r,onSelect:s,onHover:n,label:e.title})):null}))))};const KY=function(e){const[t,n]=(0,et.useState)([]);return(0,et.useEffect)((()=>{const r=function(e,t){const n=[];for(let r=0;r()=>{e.length<=t||(n((n=>[...n,e[t]])),o.add({},a(t+1)))};return o.add({},a(r.length)),()=>o.reset()}),[e]),t};const GY=function({selectedCategory:e,patternCategories:t,onClickCategory:n,children:r}){return(0,et.createElement)(et.Fragment,null,(0,et.createElement)("div",{className:io()("block-editor-inserter__panel-header","block-editor-inserter__panel-header-patterns")},(0,et.createElement)(SS,{className:"block-editor-inserter__panel-dropdown",label:Zn("Filter patterns"),hideLabelFromVision:!0,value:e.name,onChange:e=>{n(t.find((t=>e===t.name)))},onBlur:e=>{null!=e&&e.relatedTarget||e.stopPropagation()},options:(()=>{const e=[];return t.map((t=>e.push({value:t.name,label:t.label}))),e})()})),(0,et.createElement)("div",{className:"block-editor-inserter__panel-content"},r))},JY=(e,t)=>{const{patternCategories:n,patterns:r}=Cl((e=>{const{__experimentalGetAllowedPatterns:n,getSettings:r}=e(DM);return{patterns:n(t),patternCategories:r().__experimentalBlockPatternCategories}}),[t]),{createSuccessNotice:o}=sd(_I);return[r,n,(0,et.useCallback)(((t,n)=>{e((0,ot.map)(n,(e=>jo(e))),t.name),o(dn(Zn('Block pattern "%s" inserted.'),t.title),{type:"snackbar"})}),[])]};function QY({isDraggable:e,pattern:t,onClick:n,composite:r}){const{name:o,viewportWidth:a}=t,{blocks:i}=Cl((e=>e(DM).__experimentalGetParsedPattern(o)),[o]),s=`block-editor-block-patterns-list__item-description-${xk(QY)}`;return(0,et.createElement)(YY,{isEnabled:e,blocks:i},(({draggable:e,onDragStart:o,onDragEnd:l})=>(0,et.createElement)("div",{className:"block-editor-block-patterns-list__list-item","aria-label":t.title,"aria-describedby":t.description?s:void 0,draggable:e,onDragStart:o,onDragEnd:l},(0,et.createElement)(hg,rt({role:"option",as:"div"},r,{className:"block-editor-block-patterns-list__item",onClick:()=>n(t,i)}),(0,et.createElement)(BY,{blocks:i,viewportWidth:a}),(0,et.createElement)("div",{className:"block-editor-block-patterns-list__item-title"},t.title),!!t.description&&(0,et.createElement)(eh,{id:s},t.description)))))}function ZY(){return(0,et.createElement)("div",{className:"block-editor-block-patterns-list__item is-placeholder"})}const eW=function({isDraggable:e,blockPatterns:t,shownPatterns:n,onClickPattern:r,orientation:o,label:a=Zn("Block Patterns")}){const i=SD({orientation:o});return(0,et.createElement)(ID,rt({},i,{role:"listbox",className:"block-editor-block-patterns-list","aria-label":a}),t.map((t=>n.includes(t)?(0,et.createElement)(QY,{key:t.name,pattern:t,onClick:r,isDraggable:e,composite:i}):(0,et.createElement)(ZY,{key:t.name}))))};function tW({rootClientId:e,onInsert:t,selectedCategory:n,onClickCategory:r}){const[o,a,i]=JY(t,e),s=(0,et.useMemo)((()=>a.filter((e=>o.some((t=>{var n;return null===(n=t.categories)||void 0===n?void 0:n.includes(e.name)}))))),[o,a]),l=n||s[0];(0,et.useEffect)((()=>{o.some((e=>c(e)===1/0))&&!s.find((e=>"uncategorized"===e.name))&&s.push({name:"uncategorized",label:er("Uncategorized")})}),[s,o]);const c=(0,et.useCallback)((e=>{if(!e.categories||!e.categories.length)return 1/0;const t=(0,ot.fromPairs)(s.map((({name:e},t)=>[e,t])));return Math.min(...e.categories.map((e=>void 0!==t[e]?t[e]:1/0)))}),[s]),u=(0,et.useMemo)((()=>o.filter((e=>"uncategorized"===l.name?c(e)===1/0:e.categories&&e.categories.includes(l.name)))),[o,l]),d=(0,et.useMemo)((()=>u.sort(((e,t)=>c(e)-c(t)))),[u,c]),p=KY(d);return(0,et.createElement)(et.Fragment,null,!!u.length&&(0,et.createElement)(GY,{selectedCategory:l,patternCategories:s,onClickCategory:r},(0,et.createElement)(eW,{shownPatterns:p,blockPatterns:u,onClickPattern:i,label:l.label,orientation:"vertical",isDraggable:!0})))}const nW=function({rootClientId:e,onInsert:t,onClickCategory:n,selectedCategory:r}){return(0,et.createElement)(tW,{rootClientId:e,selectedCategory:r,onInsert:t,onClickCategory:n})};const rW=function(){return(0,et.createElement)("div",{className:"block-editor-inserter__no-results"},(0,et.createElement)(AL,{className:"block-editor-inserter__no-results-icon",icon:mo}),(0,et.createElement)("p",null,Zn("No results found.")))};function oW({onHover:e,onInsert:t,rootClientId:n}){const[r,,,o]=XY(n,t),a=(0,et.useMemo)((()=>r.filter((({category:e})=>"reusable"===e))),[r]);return 0===a.length?(0,et.createElement)(rW,null):(0,et.createElement)(VY,{title:Zn("Reusable blocks")},(0,et.createElement)(FY,{items:a,onSelect:o,onHover:e,label:Zn("Reusable blocks")}))}const aW=function({rootClientId:e,onInsert:t,onHover:n}){return(0,et.createElement)(et.Fragment,null,(0,et.createElement)(oW,{onHover:n,onInsert:t,rootClientId:e}),(0,et.createElement)("div",{className:"block-editor-inserter__manage-reusable-blocks-container"},(0,et.createElement)("a",{className:"block-editor-inserter__manage-reusable-blocks",href:Il("edit.php",{post_type:"wp_block"})},Zn("Manage Reusable blocks"))))},{Fill:iW,Slot:sW}=df("__unstableInserterMenuExtension");iW.Slot=sW;const lW=iW;const cW=function({rootClientId:e="",insertionIndex:t,clientId:n,isAppender:r,onSelect:o,shouldFocusBlock:a=!0}){const{getSelectedBlock:i}=Cl(DM),{destinationRootClientId:s,destinationIndex:l}=Cl((o=>{const{getSelectedBlockClientId:a,getBlockRootClientId:i,getBlockIndex:s,getBlockOrder:l}=o(DM),c=a();let u,d=e;return void 0!==t?u=t:n?u=s(n,d):!r&&c?(d=i(c),u=s(c,d)+1):u=l(d).length,{destinationRootClientId:d,destinationIndex:u}}),[e,t,n,r]),{replaceBlocks:c,insertBlocks:u,showInsertionPoint:d,hideInsertionPoint:p}=sd(DM),m=(0,et.useCallback)(((e,t,n=!1)=>{const d=i();!r&&d&&bo(d)?c(d.clientId,e,null,a||n?0:null,t):u(e,l,s,!0,a||n?0:null,t);Xv(dn(tr("%d block added.","%d blocks added.",(0,ot.castArray)(e).length),(0,ot.castArray)(e).length)),o&&o()}),[r,i,c,u,s,l,o,a]),f=(0,et.useCallback)((e=>{e?d(s,l):p()}),[d,p,s,l]);return[s,m,f]},uW=e=>e.name||"",dW=e=>e.title,pW=e=>e.description||"",mW=e=>e.keywords||[],fW=e=>e.category,hW=()=>null;function gW(e=""){return e=(e=(e=(0,ot.deburr)(e)).replace(/^\//,"")).toLowerCase()}const bW=(e="")=>(0,ot.words)(gW(e)),vW=(e,t,n,r)=>{if(0===bW(r).length)return e;return yW(e,r,{getCategory:e=>{var n;return null===(n=(0,ot.find)(t,{slug:e.category}))||void 0===n?void 0:n.title},getCollection:e=>{var t;return null===(t=n[e.name.split("/")[0]])||void 0===t?void 0:t.title}})},yW=(e=[],t="",n={})=>{if(0===bW(t).length)return e;const r=e.map((e=>[e,_W(e,t,n)])).filter((([,e])=>e>0));return r.sort((([,e],[,t])=>t-e)),r.map((([e])=>e))};function _W(e,t,n={}){const{getName:r=uW,getTitle:o=dW,getDescription:a=pW,getKeywords:i=mW,getCategory:s=fW,getCollection:l=hW}=n,c=r(e),u=o(e),d=a(e),p=i(e),m=s(e),f=l(e),h=gW(t),g=gW(u);let b=0;if(h===g)b+=30;else if(g.startsWith(h))b+=20;else{const e=[c,u,d,...p,m,f].join(" ");0===((e,t)=>(0,ot.differenceWith)(e,bW(t),((e,t)=>t.includes(e))))((0,ot.words)(h),e).length&&(b+=10)}return 0!==b&&c.startsWith("core/")&&b++,b}const MW=function({filterValue:e,onSelect:t,onHover:n,rootClientId:r,clientId:o,isAppender:a,__experimentalInsertionIndex:i,maxBlockPatterns:s,maxBlockTypes:l,showBlockDirectory:c=!1,isDraggable:u=!0,shouldFocusBlock:d=!0}){const p=qp(Xv,500),[m,f]=cW({onSelect:t,rootClientId:r,clientId:o,isAppender:a,insertionIndex:i,shouldFocusBlock:d}),[h,g,b,v]=XY(m,f),[y,,_]=JY(f,m),M=(0,et.useMemo)((()=>{const t=vW((0,ot.orderBy)(h,["frecency"],["desc"]),g,b,e);return void 0!==l?t.slice(0,l):t}),[e,h,g,b,l]),k=(0,et.useMemo)((()=>{const t=yW(y,e);return void 0!==s?t.slice(0,s):t}),[e,y,s]);(0,et.useEffect)((()=>{if(!e)return;const t=M.length+k.length,n=dn(tr("%d result found.","%d results found.",t),t);p(n)}),[e,p]);const w=KY(k),E=!(0,ot.isEmpty)(M)||!(0,ot.isEmpty)(k);return(0,et.createElement)(UY,null,!c&&!E&&(0,et.createElement)(rW,null),!!M.length&&(0,et.createElement)(VY,{title:(0,et.createElement)(eh,null,Zn("Blocks"))},(0,et.createElement)(FY,{items:M,onSelect:v,onHover:n,label:Zn("Blocks"),isDraggable:u})),!!M.length&&!!k.length&&(0,et.createElement)("div",{className:"block-editor-inserter__quick-inserter-separator"}),!!k.length&&(0,et.createElement)(VY,{title:(0,et.createElement)(eh,null,Zn("Block Patterns"))},(0,et.createElement)("div",{className:"block-editor-inserter__quick-inserter-patterns"},(0,et.createElement)(eW,{shownPatterns:w,blockPatterns:k,onClickPattern:_,isDraggable:u}))),c&&(0,et.createElement)(lW.Slot,{fillProps:{onSelect:v,onHover:n,filterValue:e,hasItems:E,rootClientId:m}},(e=>e.length?e:E?null:(0,et.createElement)(rW,null))))},kW=({tabId:e,onClick:t,children:n,selected:r,...o})=>(0,et.createElement)(nh,rt({role:"tab",tabIndex:r?null:-1,"aria-selected":r,id:e,onClick:t},o),n);function wW({className:e,children:t,tabs:n,initialTabName:r,orientation:o="horizontal",activeClass:a="is-active",onSelect:i=ot.noop}){var s;const l=xk(wW,"tab-panel"),[c,u]=(0,et.useState)(null),d=e=>{u(e),i(e)},p=(0,ot.find)(n,{name:c}),m=`${l}-${null!==(s=null==p?void 0:p.name)&&void 0!==s?s:"none"}`;return(0,et.useEffect)((()=>{(0,ot.find)(n,{name:c})||u(r||(n.length>0?n[0].name:null))}),[n]),(0,et.createElement)("div",{className:e},(0,et.createElement)(Tg,{role:"tablist",orientation:o,onNavigate:(e,t)=>{t.click()},className:"components-tab-panel__tabs"},n.map((e=>(0,et.createElement)(kW,{className:io()("components-tab-panel__tabs-item",e.className,{[a]:e.name===c}),tabId:`${l}-${e.name}`,"aria-controls":`${l}-${e.name}-view`,selected:e.name===c,key:e.name,onClick:(0,ot.partial)(d,e.name)},e.title)))),p&&(0,et.createElement)("div",{key:m,"aria-labelledby":m,role:"tabpanel",id:`${m}-view`,className:"components-tab-panel__tab-content"},t(p)))}const EW={name:"blocks",title:Zn("Blocks")},LW={name:"patterns",title:Zn("Patterns")},AW={name:"reusable",title:Zn("Reusable")};const SW=function({children:e,showPatterns:t=!1,showReusableBlocks:n=!1,onSelect:r}){const o=(0,et.useMemo)((()=>{const e=[EW];return t&&e.push(LW),n&&e.push(AW),e}),[EW,t,LW,n,AW]);return(0,et.createElement)(wW,{className:"block-editor-inserter__tabs",tabs:o,onSelect:r},e)};const CW=function({rootClientId:e,clientId:t,isAppender:n,__experimentalInsertionIndex:r,onSelect:o,showInserterHelpPanel:a,showMostUsedBlocks:i,shouldFocusBlock:s=!0}){const[l,c]=(0,et.useState)(""),[u,d]=(0,et.useState)(null),[p,m]=(0,et.useState)(null),[f,h,g]=cW({rootClientId:e,clientId:t,isAppender:n,insertionIndex:r,shouldFocusBlock:s}),{showPatterns:b,hasReusableBlocks:v}=Cl((e=>{var t;const{__experimentalGetAllowedPatterns:n,getSettings:r}=e(DM);return{showPatterns:!!n(f).length,hasReusableBlocks:!(null===(t=r().__experimentalReusableBlocks)||void 0===t||!t.length)}}),[f]),y=(0,et.useCallback)(((e,t,n)=>{h(e,t,n),o()}),[h,o]),_=(0,et.useCallback)(((e,t)=>{h(e,{patternName:t}),o()}),[h,o]),M=(0,et.useCallback)((e=>{g(!!e),d(e)}),[g,d]),k=(0,et.useCallback)((e=>{m(e)}),[m]),w=(0,et.useMemo)((()=>(0,et.createElement)(et.Fragment,null,(0,et.createElement)("div",{className:"block-editor-inserter__block-list"},(0,et.createElement)($Y,{rootClientId:f,onInsert:y,onHover:M,showMostUsedBlocks:i})),a&&(0,et.createElement)("div",{className:"block-editor-inserter__tips"},(0,et.createElement)(eh,{as:"h2"},Zn("A tip for using the block editor")),(0,et.createElement)(aP,null)))),[f,y,M,l,i,a]),E=(0,et.useMemo)((()=>(0,et.createElement)(nW,{rootClientId:f,onInsert:_,onClickCategory:k,selectedCategory:p})),[f,_,k,p]),L=(0,et.useMemo)((()=>(0,et.createElement)(aW,{rootClientId:f,onInsert:y,onHover:M})),[f,y,M]),A=(0,et.useCallback)((e=>"blocks"===e.name?w:"patterns"===e.name?E:L),[w,E,L]);return(0,et.createElement)("div",{className:"block-editor-inserter__menu"},(0,et.createElement)("div",{className:"block-editor-inserter__main-area"},(0,et.createElement)("div",{className:"block-editor-inserter__content"},(0,et.createElement)(VI,{className:"block-editor-inserter__search",onChange:e=>{u&&d(null),c(e)},value:l,label:Zn("Search for blocks and patterns"),placeholder:Zn("Search")}),!!l&&(0,et.createElement)(MW,{filterValue:l,onSelect:o,onHover:M,rootClientId:e,clientId:t,isAppender:n,__experimentalInsertionIndex:r,showBlockDirectory:!0,shouldFocusBlock:s}),!l&&(b||v)&&(0,et.createElement)(SW,{showPatterns:b,showReusableBlocks:v},A),!l&&!b&&!v&&w)),a&&u&&(0,et.createElement)(IY,{item:u}))};function TW({onSelect:e,rootClientId:t,clientId:n,isAppender:r}){const[o,a]=(0,et.useState)(""),[i,s]=cW({onSelect:e,rootClientId:t,clientId:n,isAppender:r}),[l]=XY(i,s),[c]=JY(s,i),u=c.length&&!!o,d=u&&c.length>6||l.length>6,{setInserterIsOpened:p,insertionIndex:m}=Cl((e=>{const{getSettings:r,getBlockIndex:o,getBlockCount:a}=e(DM),i=o(n,t);return{setInserterIsOpened:r().__experimentalSetIsInserterOpened,insertionIndex:-1===i?a():i}}),[n,t]);(0,et.useEffect)((()=>{p&&p(!1)}),[p]);return(0,et.createElement)("div",{className:io()("block-editor-inserter__quick-inserter",{"has-search":d,"has-expand":p})},d&&(0,et.createElement)(VI,{className:"block-editor-inserter__search",value:o,onChange:e=>{a(e)},label:Zn("Search for blocks and patterns"),placeholder:Zn("Search")}),(0,et.createElement)("div",{className:"block-editor-inserter__quick-inserter-results"},(0,et.createElement)(MW,{filterValue:o,onSelect:e,rootClientId:t,clientId:n,isAppender:r,maxBlockPatterns:u?2:0,maxBlockTypes:6,isDraggable:!1})),p&&(0,et.createElement)(nh,{className:"block-editor-inserter__quick-inserter-expand",onClick:()=>{p({rootClientId:t,insertionIndex:m})},"aria-label":Zn("Browse all. This will open the main inserter panel in the editor toolbar.")},Zn("Browse all")))}const xW=({onToggle:e,disabled:t,isOpen:n,blockTitle:r,hasSingleBlockType:o,toggleProps:a={}})=>{let i;i=o?dn(er("Add %s","directly add the only allowed block"),r):er("Add block","Generic label for block inserter button");const{onClick:s,...l}=a;return(0,et.createElement)(nh,rt({icon:uS,label:i,tooltipPosition:"bottom",onClick:function(t){e&&e(t),s&&s(t)},className:"block-editor-inserter__toggle","aria-haspopup":!o&&"true","aria-expanded":!o&&n,disabled:t},l))};class zW extends et.Component{constructor(){super(...arguments),this.onToggle=this.onToggle.bind(this),this.renderToggle=this.renderToggle.bind(this),this.renderContent=this.renderContent.bind(this)}onToggle(e){const{onToggle:t}=this.props;t&&t(e)}renderToggle({onToggle:e,isOpen:t}){const{disabled:n,blockTitle:r,hasSingleBlockType:o,toggleProps:a,hasItems:i,renderToggle:s=xW}=this.props;return s({onToggle:e,isOpen:t,disabled:n||!i,blockTitle:r,hasSingleBlockType:o,toggleProps:a})}renderContent({onClose:e}){const{rootClientId:t,clientId:n,isAppender:r,showInserterHelpPanel:o,__experimentalIsQuick:a}=this.props;return a?(0,et.createElement)(TW,{onSelect:()=>{e()},rootClientId:t,clientId:n,isAppender:r}):(0,et.createElement)(CW,{onSelect:()=>{e()},rootClientId:t,clientId:n,isAppender:r,showInserterHelpPanel:o})}render(){const{position:e,hasSingleBlockType:t,insertOnlyAllowedBlock:n,__experimentalIsQuick:r,onSelectOrClose:o}=this.props;return t?this.renderToggle({onToggle:n}):(0,et.createElement)(Eg,{className:"block-editor-inserter",contentClassName:io()("block-editor-inserter__popover",{"is-quick":r}),position:e,onToggle:this.onToggle,expandOnMobile:!0,headerTitle:Zn("Add a block"),renderToggle:this.renderToggle,renderContent:this.renderContent,onClose:o})}}const OW=WA([LI(((e,{clientId:t,rootClientId:n})=>{const{getBlockRootClientId:r,hasInserterItems:o,__experimentalGetAllowedBlocks:a}=e(DM),{getBlockVariations:i}=e(Kr),s=a(n=n||r(t)||void 0),l=1===(0,ot.size)(s)&&0===(0,ot.size)(i(s[0].name,"inserter"));let c=!1;return l&&(c=s[0]),{hasItems:o(n),hasSingleBlockType:l,blockTitle:c?c.title:"",allowedBlockType:c,rootClientId:n}})),SI(((e,t,{select:n})=>({insertOnlyAllowedBlock(){const{rootClientId:r,clientId:o,isAppender:a,hasSingleBlockType:i,allowedBlockType:s,onSelectOrClose:l}=t;if(!i)return;const{insertBlock:c}=e(DM);c(Wo(s.name),function(){const{getBlockIndex:e,getBlockSelectionEnd:t,getBlockOrder:i,getBlockRootClientId:s}=n(DM);if(o)return e(o,r);const l=t();return!a&&l&&s(l)===r?e(l,r)+1:i(r).length}(),r),l&&l();Xv(dn(Zn("%s block added"),s.title))}}))),qI((({hasItems:e,isAppender:t,rootClientId:n,clientId:r})=>e||!t&&!n&&!r))])(zW);function NW({parentBlockClientId:e,position:t,level:n,rowCount:r,path:o}){const a=Cl((t=>{const{isBlockBeingDragged:n,isAncestorBeingDragged:r}=t(DM);return n(e)||r(e)}),[e]),i=`list-view-appender-row__description_${xk(NW)}`,s=dn(Zn("Add block at position %1$d, Level %2$d"),t,n);return(0,et.createElement)(fB,{className:io()({"is-dragging":a}),level:n,position:t,rowCount:r,path:o},(0,et.createElement)(rB,{className:"block-editor-list-view-appender__cell",colSpan:"3"},(({ref:t,tabIndex:n,onFocus:r})=>(0,et.createElement)("div",{className:"block-editor-list-view-appender__container"},(0,et.createElement)(OW,{rootClientId:e,__experimentalIsQuick:!0,"aria-describedby":i,toggleProps:{ref:t,tabIndex:n,onFocus:r}}),(0,et.createElement)("div",{className:"block-editor-list-view-appender__description",id:i},s)))))}function DW(e){const{blocks:t,selectBlock:n,selectedBlockClientIds:r,showAppender:o,showBlockMovers:a,showNestedBlocks:i,parentBlockClientId:s,level:l=1,terminatedLevels:c=[],path:u=[],isBranchSelected:d=!1,isLastOfBranch:p=!1}=e,m=!s,f=(0,ot.compact)(t),h=e=>o&&!m&&SB(e,r),g=h(s),b=f.length,v=g?b+1:b,y=v,{expandedState:_,expand:M,collapse:k}=EB();return(0,et.createElement)(et.Fragment,null,(0,ot.map)(f,((e,t)=>{var s;const{clientId:m,innerBlocks:f}=e,g=t+1,y=v===g?[...c,l]:c,w=[...u,g],E=i&&!!f&&!!f.length,L=h(m),A=E||L,S=SB(m,r),C=d||S&&A,T=t===b-1,x=S||p&&T,z=p&&!A&&T,O=A?null===(s=_[m])||void 0===s||s:void 0;return(0,et.createElement)(et.Fragment,{key:m},(0,et.createElement)(HI,{block:e,onClick:e=>{e.stopPropagation(),n(m)},onToggleExpanded:e=>{e.stopPropagation(),!0===O?k(m):!1===O&&M(m)},isSelected:S,isBranchSelected:C,isLastOfSelectedBranch:z,level:l,position:g,rowCount:v,siblingBlockCount:b,showBlockMovers:a,terminatedLevels:c,path:w,isExpanded:O}),A&&O&&(0,et.createElement)(DW,{blocks:f,selectedBlockClientIds:r,selectBlock:n,isBranchSelected:C,isLastOfBranch:x,showAppender:o,showBlockMovers:a,showNestedBlocks:i,parentBlockClientId:m,level:l+1,terminatedLevels:y,path:w}))})),g&&(0,et.createElement)(NW,{parentBlockClientId:s,position:v,rowCount:y,level:l,terminatedLevels:c,path:[...u,y]}))}function BW({listViewRef:e,blockDropTarget:t}){const{rootClientId:n,clientId:r,dropPosition:o}=t||{},[a,i]=(0,et.useMemo)((()=>{if(!e.current)return[];return[n?e.current.querySelector(`[data-block="${n}"]`):void 0,r?e.current.querySelector(`[data-block="${r}"]`):void 0]}),[n,r]),s=i||a,l=(0,et.useCallback)((()=>{if(!a)return 0;const e=s.getBoundingClientRect();return a.querySelector(".block-editor-block-icon").getBoundingClientRect().right-e.left}),[a,s]),c=(0,et.useMemo)((()=>{if(!s)return{};const e=l();return{width:s.offsetWidth-e}}),[l,s]),u=(0,et.useCallback)((()=>{if(!s)return{};const e=s.ownerDocument,t=s.getBoundingClientRect(),n=l(),r={left:t.left+n,right:t.right,width:0,height:t.height,ownerDocument:e};return"top"===o?{...r,top:t.top,bottom:t.top}:"bottom"===o||"inside"===o?{...r,top:t.bottom,bottom:t.bottom}:{}}),[s,o,l]);return s?(0,et.createElement)(yf,{noArrow:!0,animate:!1,getAnchorRect:u,focusOnMount:!1,className:"block-editor-list-view-drop-indicator"},(0,et.createElement)("div",{style:c,className:"block-editor-list-view-drop-indicator__line"})):null}DW.defaultProps={selectBlock:()=>{}};function IW(e,t,n){const r=(e=>Cl((t=>{const{getSelectedBlockClientId:n,getSelectedBlockClientIds:r}=t(DM);return e?r():n()}),[e]))(n);return{clientIdsTree:((e,t,n)=>Cl((r=>{const{getBlockHierarchyRootClientId:o,__unstableGetClientIdsTree:a,__unstableGetClientIdWithClientIdsTree:i}=r(DM);if(e)return e;const s=t&&!Array.isArray(t);if(!n||!s)return a();const l=i(o(t));return l&&(!SB(l.clientId,t)||l.innerBlocks&&0!==l.innerBlocks.length)?[l]:a()}),[e,t,n]))(e,r,t),selectedClientIds:r}}function PW(e,t){return t.left<=e.x&&t.right>=e.x&&t.top<=e.y&&t.bottom>=e.y}const RW=["top","bottom"];function YW(){const{getBlockRootClientId:e,getBlockIndex:t,getBlockCount:n,getDraggedBlockClientIds:r,canInsertBlocks:o}=Cl(DM),[a,i]=(0,et.useState)(),{rootClientId:s,blockIndex:l}=a||{},c=OR(s,l),u=r(),d=CR((0,et.useCallback)(((r,a)=>{const s={x:r.clientX,y:r.clientY},l=!(null==u||!u.length),c=function(e,t){let n,r,o,a;for(const i of e){if(i.isDraggedBlock)continue;const s=i.element.getBoundingClientRect(),[l,c]=NR(t,s,RW),u=PW(t,s);if(void 0===o||l0||function(e,t){const n=t.left+t.width/2;return e.x>n}(t,a)))return{rootClientId:r.clientId,blockIndex:0,dropPosition:"inside"};if(!r.canInsertDraggedBlocksAsSibling)return;const s=i?1:0;return{rootClientId:r.rootClientId,clientId:r.clientId,blockIndex:r.blockIndex+s,dropPosition:n}}(Array.from(a.querySelectorAll("[data-block]")).map((r=>{const a=r.dataset.block,i=e(a);return{clientId:a,rootClientId:i,blockIndex:t(a,i),element:r,isDraggedBlock:!!l&&u.includes(a),innerBlockCount:n(a),canInsertDraggedBlocksAsSibling:!l||o(u,i),canInsertDraggedBlocksAsChild:!l||o(u,a)}})),s);c&&i(c)}),[u]),200);return{ref:xR({onDrop:c,onDragOver(e){d(e,e.currentTarget)},onDragEnd(){d.cancel(),i(null)}}),target:a}}const WW=()=>{},HW=(e,t)=>{switch(t.type){case"expand":return{...e,[t.clientId]:!0};case"collapse":return{...e,[t.clientId]:!1};default:return e}};function qW({blocks:e,showOnlyCurrentHierarchy:t,onSelect:n=WW,__experimentalFeatures:r,__experimentalPersistentListViewFeatures:o,...a}){const{clientIdsTree:i,selectedClientIds:s}=IW(e,t,o),{selectBlock:l}=sd(DM),c=(0,et.useCallback)((e=>{l(e),n(e)}),[l,n]),[u,d]=(0,et.useReducer)(HW,{}),{ref:p,target:m}=YW(),f=(0,et.useRef)(),h=Rm([f,p]),g=(0,et.useRef)(!1);(0,et.useEffect)((()=>{g.current=!0}),[]);const b=e=>{e&&d({type:"expand",clientId:e})},v=e=>{e&&d({type:"collapse",clientId:e})},y=(0,et.useMemo)((()=>({__experimentalFeatures:r,__experimentalPersistentListViewFeatures:o,isTreeGridMounted:g.current,expandedState:u,expand:b,collapse:v})),[r,o,g.current,u,b,v]);return(0,et.createElement)(et.Fragment,null,(0,et.createElement)(BW,{listViewRef:f,blockDropTarget:m}),(0,et.createElement)(eB,{className:"block-editor-list-view-tree","aria-label":Zn("Block navigation structure"),ref:h,onCollapseRow:e=>{var t;v(null==e||null===(t=e.dataset)||void 0===t?void 0:t.block)},onExpandRow:e=>{var t;b(null==e||null===(t=e.dataset)||void 0===t?void 0:t.block)}},(0,et.createElement)(wB.Provider,{value:y},(0,et.createElement)(DW,rt({blocks:i,selectBlock:c,selectedBlockClientIds:s},a)))))}function jW({isEnabled:e,onToggle:t,isOpen:n,innerRef:r,...o}){return(0,et.createElement)(nh,rt({},o,{ref:r,icon:KD,"aria-expanded":n,"aria-haspopup":"true",onClick:e?t:void 0,label:Zn("List view"),className:"block-editor-block-navigation","aria-disabled":!e}))}const FW=(0,et.forwardRef)((function({isDisabled:e,__experimentalFeatures:t,...n},r){const o=Cl((e=>!!e(DM).getBlockCount()),[])&&!e;return(0,et.createElement)(Eg,{contentClassName:"block-editor-block-navigation__popover",position:"bottom right",renderToggle:({isOpen:e,onToggle:t})=>(0,et.createElement)(jW,rt({},n,{innerRef:r,isOpen:e,onToggle:t,isEnabled:o})),renderContent:()=>(0,et.createElement)("div",{className:"block-editor-block-navigation__container"},(0,et.createElement)("p",{className:"block-editor-block-navigation__label"},Zn("List view")),(0,et.createElement)(qW,{showNestedBlocks:!0,showOnlyCurrentHierarchy:!0,__experimentalFeatures:t}))})}));const VW=function({icon:e,children:t,label:n,instructions:r,className:o,notices:a,preview:i,isColumnLayout:s,...l}){const[c,{width:u}]=Zp();let d;"number"==typeof u&&(d={"is-large":u>=480,"is-medium":u>=160&&u<480,"is-small":u<160});const p=io()("components-placeholder",o,d),m=io()("components-placeholder__fieldset",{"is-column-layout":s});return(0,et.createElement)("div",rt({},l,{className:p}),c,a,i&&(0,et.createElement)("div",{className:"components-placeholder__preview"},i),(0,et.createElement)("div",{className:"components-placeholder__label"},(0,et.createElement)(Cf,{icon:e}),n),!!r&&(0,et.createElement)("div",{className:"components-placeholder__instructions"},r),(0,et.createElement)("div",{className:m},t))},XW=(0,et.createElement)(po,{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24"},(0,et.createElement)(co,{d:"M18 5.5H6a.5.5 0 00-.5.5v3h13V6a.5.5 0 00-.5-.5zm.5 5H10v8h8a.5.5 0 00.5-.5v-7.5zm-10 0h-3V18a.5.5 0 00.5.5h2.5v-8zM6 4h12a2 2 0 012 2v12a2 2 0 01-2 2H6a2 2 0 01-2-2V6a2 2 0 012-2z"}));const UW=function({icon:e=XW,label:t=Zn("Choose variation"),instructions:n=Zn("Select a variation to start with."),variations:r,onSelect:o,allowSkip:a}){const i=io()("block-editor-block-variation-picker",{"has-many-variations":r.length>4});return(0,et.createElement)(VW,{icon:e,label:t,instructions:n,className:i},(0,et.createElement)("ul",{className:"block-editor-block-variation-picker__variations",role:"list","aria-label":Zn("Block variations")},r.map((e=>(0,et.createElement)("li",{key:e.name},(0,et.createElement)(nh,{variant:"secondary",icon:e.icon,iconSize:48,onClick:()=>o(e),className:"block-editor-block-variation-picker__variation",label:e.description||e.title}),(0,et.createElement)("span",{className:"block-editor-block-variation-picker__variation-label",role:"presentation"},e.title))))),a&&(0,et.createElement)("div",{className:"block-editor-block-variation-picker__skip"},(0,et.createElement)(nh,{variant:"link",onClick:()=>o()},Zn("Skip"))))},$W=(0,et.createElement)(po,{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24"},(0,et.createElement)(co,{d:"M19 3H5c-1.1 0-2 .9-2 2v14c0 1.1.9 2 2 2h14c1.1 0 2-.9 2-2V5c0-1.1-.9-2-2-2zm-7.8 16.5H5c-.3 0-.5-.2-.5-.5v-6.2h6.8v6.7zm0-8.3H4.5V5c0-.3.2-.5.5-.5h6.2v6.7zm8.3 7.8c0 .3-.2.5-.5.5h-6.2v-6.8h6.8V19zm0-7.8h-6.8V4.5H19c.3 0 .5.2.5.5v6.2z",fillRule:"evenodd",clipRule:"evenodd"})),KW="carousel",GW="grid",JW=({onStartBlank:e,onBlockPatternSelect:t})=>(0,et.createElement)("div",{className:"block-editor-block-pattern-setup__actions"},(0,et.createElement)(nh,{onClick:e},Zn("Start blank")),(0,et.createElement)(nh,{variant:"primary",onClick:t},Zn("Choose"))),QW=({handlePrevious:e,handleNext:t,activeSlide:n,totalSlides:r})=>(0,et.createElement)("div",{className:"block-editor-block-pattern-setup__navigation"},(0,et.createElement)(nh,{icon:gB,label:Zn("Previous pattern"),onClick:e,disabled:0===n}),(0,et.createElement)(nh,{icon:hB,label:Zn("Next pattern"),onClick:t,disabled:n===r-1})),ZW=({viewMode:e,setViewMode:t,handlePrevious:n,handleNext:r,activeSlide:o,totalSlides:a,onBlockPatternSelect:i,onStartBlank:s})=>{const l=e===KW,c=(0,et.createElement)("div",{className:"block-editor-block-pattern-setup__display-controls"},(0,et.createElement)(nh,{icon:XM,label:Zn("Carousel view"),onClick:()=>t(KW),isPressed:l}),(0,et.createElement)(nh,{icon:$W,label:Zn("Grid view"),onClick:()=>t(GW),isPressed:e===GW}));return(0,et.createElement)("div",{className:"block-editor-block-pattern-setup__toolbar"},l&&(0,et.createElement)(QW,{handlePrevious:n,handleNext:r,activeSlide:o,totalSlides:a}),c,l&&(0,et.createElement)(JW,{onBlockPatternSelect:i,onStartBlank:s}))};const eH=function(e,t,n){return Cl((r=>{const{getBlockRootClientId:o,__experimentalGetPatternsByBlockTypes:a,__experimentalGetAllowedPatterns:i}=r(DM),s=o(e);return n?i(s).filter(n):a(t,s)}),[e,t,n])},tH=({viewMode:e,activeSlide:t,patterns:n,onBlockPatternSelect:r})=>{const o=SD(),a="block-editor-block-pattern-setup__container";if(e===KW){const e=new Map([[t,"active-slide"],[t-1,"previous-slide"],[t+1,"next-slide"]]);return(0,et.createElement)("div",{className:a},(0,et.createElement)("ul",{className:"carousel-container"},n.map(((t,n)=>(0,et.createElement)(rH,{className:e.get(n)||"",key:t.name,pattern:t})))))}return(0,et.createElement)(ID,rt({},o,{role:"listbox",className:a,"aria-label":Zn("Patterns list")}),n.map((e=>(0,et.createElement)(nH,{key:e.name,pattern:e,onSelect:r,composite:o}))))};function nH({pattern:e,onSelect:t,composite:n}){const r="block-editor-block-pattern-setup-list",{blocks:o,title:a,description:i,viewportWidth:s=700}=e,l=xk(nH,`${r}__item-description`);return(0,et.createElement)("div",{className:`${r}__list-item`,"aria-label":e.title,"aria-describedby":e.description?l:void 0},(0,et.createElement)(hg,rt({role:"option",as:"div"},n,{className:`${r}__item`,onClick:()=>t(o)}),(0,et.createElement)(BY,{blocks:o,viewportWidth:s}),(0,et.createElement)("div",{className:`${r}__item-title`},a)),!!i&&(0,et.createElement)(eh,{id:l},i))}function rH({className:e,pattern:t}){const{blocks:n,title:r,description:o}=t,a=xk(rH,"block-editor-block-pattern-setup-list__item-description");return(0,et.createElement)("li",{className:`pattern-slide ${e}`,"aria-label":r,"aria-describedby":o?a:void 0},(0,et.createElement)(BY,{blocks:n,__experimentalLive:!0}),!!o&&(0,et.createElement)(eh,{id:a},o))}const oH=({clientId:e,blockName:t,filterPatternsFn:n,startBlankComponent:r,onBlockPatternSelect:o})=>{const[a,i]=(0,et.useState)(KW),[s,l]=(0,et.useState)(0),[c,u]=(0,et.useState)(!1),{replaceBlock:d}=sd(DM),p=eH(e,t,n);if(null==p||!p.length||c)return r;const m=o||(t=>{const n=t.map((e=>jo(e)));d(e,n)});return(0,et.createElement)("div",{className:`block-editor-block-pattern-setup view-mode-${a}`},(0,et.createElement)(ZW,{viewMode:a,setViewMode:i,activeSlide:s,totalSlides:p.length,handleNext:()=>{l((e=>e+1))},handlePrevious:()=>{l((e=>e-1))},onBlockPatternSelect:()=>{m(p[s].blocks)},onStartBlank:()=>{u(!0)}}),(0,et.createElement)(tH,{viewMode:a,activeSlide:s,patterns:p,onBlockPatternSelect:m}))},aH=(0,et.createElement)(po,{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24"},(0,et.createElement)(co,{d:"M15 4H9v11h6V4zM4 18.5V20h16v-1.5H4z"})),iH=(0,et.createElement)(po,{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24"},(0,et.createElement)(co,{d:"M20 11h-5V4H9v7H4v1.5h5V20h6v-7.5h5z"})),sH={top:{icon:(0,et.createElement)(po,{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24"},(0,et.createElement)(co,{d:"M9 20h6V9H9v11zM4 4v1.5h16V4H4z"})),title:er("Align top","Block vertical alignment setting")},center:{icon:iH,title:er("Align middle","Block vertical alignment setting")},bottom:{icon:aH,title:er("Align bottom","Block vertical alignment setting")}},lH=["top","center","bottom"],cH={isAlternate:!0};const uH=function({value:e,onChange:t,controls:n=lH,isCollapsed:r=!0,isToolbar:o}){const a=sH[e],i=sH.top,s=o?Ng:HM,l=o?{isCollapsed:r}:{};return(0,et.createElement)(s,rt({popoverProps:cH,icon:a?a.icon:i.icon,label:er("Change vertical alignment","Block vertical alignment setting label"),controls:n.map((n=>{return{...sH[n],isActive:e===n,role:r?"menuitemradio":void 0,onClick:(o=n,()=>t(e===o?void 0:o))};var o}))},l))};function dH(e){return(0,et.createElement)(uH,rt({},e,{isToolbar:!1}))}function pH(e){return(0,et.createElement)(uH,rt({},e,{isToolbar:!0}))}const mH=ni((e=>t=>{const n=TL("color.palette"),r=!TL("color.custom"),o=void 0===t.colors?n:t.colors,a=void 0===t.disableCustomColors?r:t.disableCustomColors,i=!(0,ot.isEmpty)(o)||!a;return(0,et.createElement)(e,rt({},t,{colors:o,disableCustomColors:a,hasColorsToChoose:i}))}),"withColorContext")(nS);const fH=[25,50,75,100];function hH({imageWidth:e,imageHeight:t,imageSizeOptions:n=[],isResizable:r=!0,slug:o,width:a,height:i,onChange:s,onChangeImage:l=ot.noop}){const{currentHeight:c,currentWidth:u,updateDimension:d,updateDimensions:p}=function(e,t,n,r,o){var a,i;const[s,l]=(0,et.useState)(null!==(a=null!=t?t:r)&&void 0!==a?a:""),[c,u]=(0,et.useState)(null!==(i=null!=e?e:n)&&void 0!==i?i:"");return(0,et.useEffect)((()=>{void 0===t&&void 0!==r&&l(r),void 0===e&&void 0!==n&&u(n)}),[r,n]),{currentHeight:c,currentWidth:s,updateDimension:(e,t)=>{"width"===e?l(t):u(t),o({[e]:""===t?void 0:parseInt(t,10)})},updateDimensions:(e,t)=>{u(null!=e?e:n),l(null!=t?t:r),o({height:e,width:t})}}}(i,a,t,e,s);return(0,et.createElement)(et.Fragment,null,!(0,ot.isEmpty)(n)&&(0,et.createElement)(SS,{label:Zn("Image size"),value:o,options:n,onChange:l}),r&&(0,et.createElement)("div",{className:"block-editor-image-size-control"},(0,et.createElement)("p",{className:"block-editor-image-size-control__row"},Zn("Image dimensions")),(0,et.createElement)("div",{className:"block-editor-image-size-control__row"},(0,et.createElement)(rA,{type:"number",className:"block-editor-image-size-control__width",label:Zn("Width"),value:u,min:1,onChange:e=>d("width",e)}),(0,et.createElement)(rA,{type:"number",className:"block-editor-image-size-control__height",label:Zn("Height"),value:c,min:1,onChange:e=>d("height",e)})),(0,et.createElement)("div",{className:"block-editor-image-size-control__row"},(0,et.createElement)(CA,{"aria-label":Zn("Image size presets")},fH.map((n=>{const r=Math.round(e*(n/100)),o=Math.round(t*(n/100)),a=u===r&&c===o;return(0,et.createElement)(nh,{key:n,isSmall:!0,variant:a?"primary":void 0,isPressed:a,onClick:()=>p(o,r)},n,"%")}))),(0,et.createElement)(nh,{isSmall:!0,onClick:()=>p()},Zn("Reset")))))}const gH=ni((e=>t=>{const{clientId:n}=Ig();return(0,et.createElement)(e,rt({},t,{clientId:n}))}),"withClientId"),bH=gH((({clientId:e,showSeparator:t,isFloating:n,onAddBlock:r})=>(0,et.createElement)(AR,{rootClientId:e,showSeparator:t,isFloating:n,onAddBlock:r}))),vH=WA([gH,LI(((e,{clientId:t})=>{const{getBlockOrder:n}=e(DM),r=n(t);return{lastBlockClientId:(0,ot.last)(r)}}))])((({clientId:e,lastBlockClientId:t})=>(0,et.createElement)(ER,{rootClientId:e,lastBlockClientId:t})));const yH=new WeakMap;function _H(e){const{clientId:t,allowedBlocks:n,template:r,templateLock:o,wrapperRef:a,templateInsertUpdatesSelection:i,__experimentalCaptureToolbars:s,__experimentalAppenderTagName:l,renderAppender:c,orientation:u,placeholder:d,__experimentalLayout:p}=e;!function(e,t,n,r,o,a){const{updateBlockListSettings:i}=sd(DM),{blockListSettings:s,parentLock:l}=Cl((t=>{const n=t(DM).getBlockRootClientId(e);return{blockListSettings:t(DM).getBlockListSettings(e),parentLock:t(DM).getTemplateLock(n)}}),[e]),c=(0,et.useMemo)((()=>t),t);(0,et.useLayoutEffect)((()=>{const t={allowedBlocks:c,templateLock:void 0===n?l:n};if(void 0!==r&&(t.__experimentalCaptureToolbars=r),void 0!==o)t.orientation=o;else{const e=zL(null==a?void 0:a.type);t.orientation=e.getOrientation(a)}ti(s,t)||i(e,t)}),[e,s,c,n,l,r,o,i,a])}(t,n,o,s,u,p),function(e,t,n,r){const{getSelectedBlocksInitialCaretPosition:o}=Cl(DM),{replaceInnerBlocks:a}=sd(DM),i=Cl((t=>t(DM).getBlocks(e)),[e]),s=(0,et.useRef)(null);(0,et.useLayoutEffect)((()=>{if((0===i.length||"all"===n)&&!(0,ot.isEqual)(t,s.current)){s.current=t;const n=pl(i,t);(0,ot.isEqual)(n,i)||a(e,n,0===i.length&&r&&0!==n.length,o())}}),[i,t,n,e])}(t,r,o,i);const m=Cl((e=>{const n=e(DM).getBlock(t),r=Do(n.name);if(r&&r.providesContext)return function(e,t){yH.has(t)||yH.set(t,new WeakMap);const n=yH.get(t);if(!n.has(e)){const r=(0,ot.mapValues)(t.providesContext,(t=>e[t]));n.set(e,r)}return n.get(e)}(n.attributes,r)}),[t]);return(0,et.createElement)(XD,{value:m},(0,et.createElement)(zY,{rootClientId:t,renderAppender:c,__experimentalAppenderTagName:l,__experimentalLayout:p,wrapperRef:a,placeholder:d}))}function MH(e){return lP(e),(0,et.createElement)(_H,e)}const kH=(0,et.forwardRef)(((e,t)=>{const n=wH({ref:t},e);return(0,et.createElement)("div",{className:"block-editor-inner-blocks"},(0,et.createElement)("div",n))}));function wH(e={},t={}){const{clientId:n}=Ig(),r=Gp("medium","<"),o=Cl((e=>{const{getBlockName:t,isBlockSelected:o,hasSelectedInnerBlock:a,isNavigationMode:i}=e(DM),s=i()||r;return"core/template"!==t(n)&&!o(n)&&!a(n,!0)&&s}),[n,r]),a=Rm([e.ref,DR({rootClientId:n})]),i=t.value&&t.onChange?MH:_H;return{...e,ref:a,className:io()(e.className,"block-editor-block-list__layout",{"has-overlay":o}),children:(0,et.createElement)(i,rt({},t,{clientId:n}))}}kH.DefaultBlockAppender=vH,kH.ButtonBlockAppender=bH,kH.Content=ai((({BlockContent:e})=>(0,et.createElement)(e,null)));const EH=kH,LH=(0,et.createElement)(po,{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24"},(0,et.createElement)(co,{d:"M9 9v6h11V9H9zM4 20h1.5V4H4v16z"})),AH=(0,et.createElement)(po,{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24"},(0,et.createElement)(co,{d:"M20 9h-7.2V4h-1.6v5H4v6h7.2v5h1.6v-5H20z"})),SH=(0,et.createElement)(po,{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24"},(0,et.createElement)(co,{d:"M4 15h11V9H4v6zM18.5 4v16H20V4h-1.5z"})),CH=(0,et.createElement)(po,{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24"},(0,et.createElement)(co,{d:"M9 15h6V9H9v6zm-5 5h1.5V4H4v16zM18.5 4v16H20V4h-1.5z"})),TH={left:LH,center:AH,right:SH,"space-between":CH};const xH=function({allowedControls:e=["left","center","right","space-between"],isCollapsed:t=!0,onChange:n,value:r,popoverProps:o,isToolbar:a}){const i=e=>{n(e===r?void 0:e)},s=r?TH[r]:TH.left,l=[{name:"left",icon:LH,title:Zn("Justify items left"),isActive:"left"===r,onClick:()=>i("left")},{name:"center",icon:AH,title:Zn("Justify items center"),isActive:"center"===r,onClick:()=>i("center")},{name:"right",icon:SH,title:Zn("Justify items right"),isActive:"right"===r,onClick:()=>i("right")},{name:"space-between",icon:CH,title:Zn("Space between items"),isActive:"space-between"===r,onClick:()=>i("space-between")}],c=a?Ng:HM,u=a?{isCollapsed:t}:{};return(0,et.createElement)(c,rt({icon:s,popoverProps:o,label:Zn("Change items justification"),controls:l.filter((t=>e.includes(t.name)))},u))};function zH(e){return(0,et.createElement)(xH,rt({},e,{isToolbar:!1}))}function OH(e){return(0,et.createElement)(xH,rt({},e,{isToolbar:!0}))}const NH=(function(){var e=uk.apply(void 0,arguments),t="animation-"+e.name;return{name:t,styles:"@keyframes "+t+"{"+e.styles+"}",anim:1,toString:function(){return"_EMO_"+this.name+"_"+this.styles+"_EMO_"}}})` +(()=>{var e={1506:e=>{e.exports=function(e){if(void 0===e)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return e},e.exports.default=e.exports,e.exports.__esModule=!0},7154:e=>{function t(){return e.exports=t=Object.assign||function(e){for(var t=1;t{var r=n(9489);e.exports=function(e,t){e.prototype=Object.create(t.prototype),e.prototype.constructor=e,r(e,t)},e.exports.default=e.exports,e.exports.__esModule=!0},7316:e=>{e.exports=function(e,t){if(null==e)return{};var n,r,o={},a=Object.keys(e);for(r=0;r=0||(o[n]=e[n]);return o},e.exports.default=e.exports,e.exports.__esModule=!0},9489:e=>{function t(n,r){return e.exports=t=Object.setPrototypeOf||function(e,t){return e.__proto__=t,e},e.exports.default=e.exports,e.exports.__esModule=!0,t(n,r)}e.exports=t,e.exports.default=e.exports,e.exports.__esModule=!0},9733:e=>{"use strict";function t(){return null}function n(){return t}t.isRequired=t,e.exports={and:n,between:n,booleanSome:n,childrenHavePropXorChildren:n,childrenOf:n,childrenOfType:n,childrenSequenceOf:n,componentWithName:n,disallowedIf:n,elementType:n,empty:n,explicitNull:n,forbidExtraProps:Object,integer:n,keysOf:n,mutuallyExclusiveProps:n,mutuallyExclusiveTrueProps:n,nChildren:n,nonNegativeInteger:t,nonNegativeNumber:n,numericString:n,object:n,or:n,predicate:n,range:n,ref:n,requiredBy:n,restrictedProp:n,sequenceOf:n,shape:n,stringEndsWith:n,stringStartsWith:n,uniqueArray:n,uniqueArrayOf:n,valuesOf:n,withShape:n}},8341:(e,t,n)=>{e.exports=n(9733)},3535:(e,t,n)=>{"use strict";var r=n(7593),o=n(2130),a=n(4573),i=n(4467),s=n(7351),l=n(2747);e.exports=function(){var e=l(this),t=s(a(e,"length")),n=1;arguments.length>0&&void 0!==arguments[0]&&(n=i(arguments[0]));var c=r(e,0);return o(c,e,t,0,n),c}},6650:(e,t,n)=>{"use strict";var r=n(4289),o=n(5559),a=n(3535),i=n(8981),s=i(),l=n(2131),c=o(s);r(c,{getPolyfill:i,implementation:a,shim:l}),e.exports=c},8981:(e,t,n)=>{"use strict";var r=n(3535);e.exports=function(){return Array.prototype.flat||r}},2131:(e,t,n)=>{"use strict";var r=n(4289),o=n(8981);e.exports=function(){var e=o();return r(Array.prototype,{flat:e},{flat:function(){return Array.prototype.flat!==e}}),e}},9367:function(e,t){var n,r,o;r=[e,t],void 0===(o="function"==typeof(n=function(e,t){"use strict";var n="function"==typeof Map?new Map:function(){var e=[],t=[];return{has:function(t){return e.indexOf(t)>-1},get:function(n){return t[e.indexOf(n)]},set:function(n,r){-1===e.indexOf(n)&&(e.push(n),t.push(r))},delete:function(n){var r=e.indexOf(n);r>-1&&(e.splice(r,1),t.splice(r,1))}}}(),r=function(e){return new Event(e,{bubbles:!0})};try{new Event("test")}catch(e){r=function(e){var t=document.createEvent("Event");return t.initEvent(e,!0,!1),t}}function o(e){if(e&&e.nodeName&&"TEXTAREA"===e.nodeName&&!n.has(e)){var t=null,o=null,a=null,i=function(){e.clientWidth!==o&&p()},s=function(t){window.removeEventListener("resize",i,!1),e.removeEventListener("input",p,!1),e.removeEventListener("keyup",p,!1),e.removeEventListener("autosize:destroy",s,!1),e.removeEventListener("autosize:update",p,!1),Object.keys(t).forEach((function(n){e.style[n]=t[n]})),n.delete(e)}.bind(e,{height:e.style.height,resize:e.style.resize,overflowY:e.style.overflowY,overflowX:e.style.overflowX,wordWrap:e.style.wordWrap});e.addEventListener("autosize:destroy",s,!1),"onpropertychange"in e&&"oninput"in e&&e.addEventListener("keyup",p,!1),window.addEventListener("resize",i,!1),e.addEventListener("input",p,!1),e.addEventListener("autosize:update",p,!1),e.style.overflowX="hidden",e.style.wordWrap="break-word",n.set(e,{destroy:s,update:p}),l()}function l(){var n=window.getComputedStyle(e,null);"vertical"===n.resize?e.style.resize="none":"both"===n.resize&&(e.style.resize="horizontal"),t="content-box"===n.boxSizing?-(parseFloat(n.paddingTop)+parseFloat(n.paddingBottom)):parseFloat(n.borderTopWidth)+parseFloat(n.borderBottomWidth),isNaN(t)&&(t=0),p()}function c(t){var n=e.style.width;e.style.width="0px",e.offsetWidth,e.style.width=n,e.style.overflowY=t}function u(e){for(var t=[];e&&e.parentNode&&e.parentNode instanceof Element;)e.parentNode.scrollTop&&t.push({node:e.parentNode,scrollTop:e.parentNode.scrollTop}),e=e.parentNode;return t}function d(){if(0!==e.scrollHeight){var n=u(e),r=document.documentElement&&document.documentElement.scrollTop;e.style.height="",e.style.height=e.scrollHeight+t+"px",o=e.clientWidth,n.forEach((function(e){e.node.scrollTop=e.scrollTop})),r&&(document.documentElement.scrollTop=r)}}function p(){d();var t=Math.round(parseFloat(e.style.height)),n=window.getComputedStyle(e,null),o="content-box"===n.boxSizing?Math.round(parseFloat(n.height)):e.offsetHeight;if(o{"use strict";var r=n(210),o=n(5559),a=o(r("String.prototype.indexOf"));e.exports=function(e,t){var n=r(e,!!t);return"function"==typeof n&&a(e,".prototype.")>-1?o(n):n}},5559:(e,t,n)=>{"use strict";var r=n(8612),o=n(210),a=o("%Function.prototype.apply%"),i=o("%Function.prototype.call%"),s=o("%Reflect.apply%",!0)||r.call(i,a),l=o("%Object.getOwnPropertyDescriptor%",!0),c=o("%Object.defineProperty%",!0),u=o("%Math.max%");if(c)try{c({},"a",{value:1})}catch(e){c=null}e.exports=function(e){var t=s(r,i,arguments);if(l&&c){var n=l(t,"length");n.configurable&&c(t,"length",{value:1+u(0,e.length-(arguments.length-1))})}return t};var d=function(){return s(r,a,arguments)};c?c(e.exports,"apply",{value:d}):e.exports.apply=d},1991:(e,t)=>{var n;!function(){"use strict";var r=function(){function e(){}function t(e,t){for(var n=t.length,r=0;r{var n;!function(){"use strict";var r={}.hasOwnProperty;function o(){for(var e=[],t=0;t0&&void 0!==arguments[0]?arguments[0]:{};this.action=e.action,this.container=e.container,this.emitter=e.emitter,this.target=e.target,this.text=e.text,this.trigger=e.trigger,this.selectedText=""}},{key:"initSelection",value:function(){this.text?this.selectFake():this.target&&this.selectTarget()}},{key:"createFakeElement",value:function(){var e="rtl"===document.documentElement.getAttribute("dir");this.fakeElem=document.createElement("textarea"),this.fakeElem.style.fontSize="12pt",this.fakeElem.style.border="0",this.fakeElem.style.padding="0",this.fakeElem.style.margin="0",this.fakeElem.style.position="absolute",this.fakeElem.style[e?"right":"left"]="-9999px";var t=window.pageYOffset||document.documentElement.scrollTop;return this.fakeElem.style.top="".concat(t,"px"),this.fakeElem.setAttribute("readonly",""),this.fakeElem.value=this.text,this.fakeElem}},{key:"selectFake",value:function(){var e=this,t=this.createFakeElement();this.fakeHandlerCallback=function(){return e.removeFake()},this.fakeHandler=this.container.addEventListener("click",this.fakeHandlerCallback)||!0,this.container.appendChild(t),this.selectedText=l()(t),this.copyText(),this.removeFake()}},{key:"removeFake",value:function(){this.fakeHandler&&(this.container.removeEventListener("click",this.fakeHandlerCallback),this.fakeHandler=null,this.fakeHandlerCallback=null),this.fakeElem&&(this.container.removeChild(this.fakeElem),this.fakeElem=null)}},{key:"selectTarget",value:function(){this.selectedText=l()(this.target),this.copyText()}},{key:"copyText",value:function(){var e;try{e=document.execCommand(this.action)}catch(t){e=!1}this.handleResult(e)}},{key:"handleResult",value:function(e){this.emitter.emit(e?"success":"error",{action:this.action,text:this.selectedText,trigger:this.trigger,clearSelection:this.clearSelection.bind(this)})}},{key:"clearSelection",value:function(){this.trigger&&this.trigger.focus(),document.activeElement.blur(),window.getSelection().removeAllRanges()}},{key:"destroy",value:function(){this.removeFake()}},{key:"action",set:function(){var e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:"copy";if(this._action=e,"copy"!==this._action&&"cut"!==this._action)throw new Error('Invalid "action" value, use either "copy" or "cut"')},get:function(){return this._action}},{key:"target",set:function(e){if(void 0!==e){if(!e||"object"!==c(e)||1!==e.nodeType)throw new Error('Invalid "target" value, use a valid Element');if("copy"===this.action&&e.hasAttribute("disabled"))throw new Error('Invalid "target" attribute. Please use "readonly" instead of "disabled" attribute');if("cut"===this.action&&(e.hasAttribute("readonly")||e.hasAttribute("disabled")))throw new Error('Invalid "target" attribute. You can\'t cut text from elements with "readonly" or "disabled" attributes');this._target=e}},get:function(){return this._target}}])&&u(t.prototype,n),r&&u(t,r),e}();function p(e){return(p="function"==typeof Symbol&&"symbol"==typeof Symbol.iterator?function(e){return typeof e}:function(e){return e&&"function"==typeof Symbol&&e.constructor===Symbol&&e!==Symbol.prototype?"symbol":typeof e})(e)}function m(e,t){for(var n=0;n0&&void 0!==arguments[0]?arguments[0]:["copy","cut"],t="string"==typeof e?[e]:e,n=!!document.queryCommandSupported;return t.forEach((function(e){n=n&&!!document.queryCommandSupported(e)})),n}}],(n=[{key:"resolveOptions",value:function(){var e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{};this.action="function"==typeof e.action?e.action:this.defaultAction,this.target="function"==typeof e.target?e.target:this.defaultTarget,this.text="function"==typeof e.text?e.text:this.defaultText,this.container="object"===p(e.container)?e.container:document.body}},{key:"listenClick",value:function(e){var t=this;this.listener=i()(e,"click",(function(e){return t.onClick(e)}))}},{key:"onClick",value:function(e){var t=e.delegateTarget||e.currentTarget;this.clipboardAction&&(this.clipboardAction=null),this.clipboardAction=new d({action:this.action(t),target:this.target(t),text:this.text(t),container:this.container,trigger:t,emitter:this})}},{key:"defaultAction",value:function(e){return y("action",e)}},{key:"defaultTarget",value:function(e){var t=y("target",e);if(t)return document.querySelector(t)}},{key:"defaultText",value:function(e){return y("text",e)}},{key:"destroy",value:function(){this.listener.destroy(),this.clipboardAction&&(this.clipboardAction.destroy(),this.clipboardAction=null)}}])&&m(t.prototype,n),r&&m(t,r),a}(o())},828:function(e){if("undefined"!=typeof Element&&!Element.prototype.matches){var t=Element.prototype;t.matches=t.matchesSelector||t.mozMatchesSelector||t.msMatchesSelector||t.oMatchesSelector||t.webkitMatchesSelector}e.exports=function(e,t){for(;e&&9!==e.nodeType;){if("function"==typeof e.matches&&e.matches(t))return e;e=e.parentNode}}},438:function(e,t,n){var r=n(828);function o(e,t,n,r,o){var i=a.apply(this,arguments);return e.addEventListener(n,i,o),{destroy:function(){e.removeEventListener(n,i,o)}}}function a(e,t,n,o){return function(n){n.delegateTarget=r(n.target,t),n.delegateTarget&&o.call(e,n)}}e.exports=function(e,t,n,r,a){return"function"==typeof e.addEventListener?o.apply(null,arguments):"function"==typeof n?o.bind(null,document).apply(null,arguments):("string"==typeof e&&(e=document.querySelectorAll(e)),Array.prototype.map.call(e,(function(e){return o(e,t,n,r,a)})))}},879:function(e,t){t.node=function(e){return void 0!==e&&e instanceof HTMLElement&&1===e.nodeType},t.nodeList=function(e){var n=Object.prototype.toString.call(e);return void 0!==e&&("[object NodeList]"===n||"[object HTMLCollection]"===n)&&"length"in e&&(0===e.length||t.node(e[0]))},t.string=function(e){return"string"==typeof e||e instanceof String},t.fn=function(e){return"[object Function]"===Object.prototype.toString.call(e)}},370:function(e,t,n){var r=n(879),o=n(438);e.exports=function(e,t,n){if(!e&&!t&&!n)throw new Error("Missing required arguments");if(!r.string(t))throw new TypeError("Second argument must be a String");if(!r.fn(n))throw new TypeError("Third argument must be a Function");if(r.node(e))return function(e,t,n){return e.addEventListener(t,n),{destroy:function(){e.removeEventListener(t,n)}}}(e,t,n);if(r.nodeList(e))return function(e,t,n){return Array.prototype.forEach.call(e,(function(e){e.addEventListener(t,n)})),{destroy:function(){Array.prototype.forEach.call(e,(function(e){e.removeEventListener(t,n)}))}}}(e,t,n);if(r.string(e))return function(e,t,n){return o(document.body,e,t,n)}(e,t,n);throw new TypeError("First argument must be a String, HTMLElement, HTMLCollection, or NodeList")}},817:function(e){e.exports=function(e){var t;if("SELECT"===e.nodeName)e.focus(),t=e.value;else if("INPUT"===e.nodeName||"TEXTAREA"===e.nodeName){var n=e.hasAttribute("readonly");n||e.setAttribute("readonly",""),e.select(),e.setSelectionRange(0,e.value.length),n||e.removeAttribute("readonly"),t=e.value}else{e.hasAttribute("contenteditable")&&e.focus();var r=window.getSelection(),o=document.createRange();o.selectNodeContents(e),r.removeAllRanges(),r.addRange(o),t=r.toString()}return t}},279:function(e){function t(){}t.prototype={on:function(e,t,n){var r=this.e||(this.e={});return(r[e]||(r[e]=[])).push({fn:t,ctx:n}),this},once:function(e,t,n){var r=this;function o(){r.off(e,o),t.apply(n,arguments)}return o._=t,this.on(e,o,n)},emit:function(e){for(var t=[].slice.call(arguments,1),n=((this.e||(this.e={}))[e]||[]).slice(),r=0,o=n.length;r{e.exports=function(e,t,n){return((n=window.getComputedStyle)?n(e):e.currentStyle)[t.replace(/-(\w)/gi,(function(e,t){return t.toUpperCase()}))]}},7734:(e,t,n)=>{"use strict";n.r(t),n.d(t,{addEventListener:()=>c});var r=!("undefined"==typeof window||!window.document||!window.document.createElement);var o=void 0;function a(){return void 0===o&&(o=function(){if(!r)return!1;if(!window.addEventListener||!window.removeEventListener||!Object.defineProperty)return!1;var e=!1;try{var t=Object.defineProperty({},"passive",{get:function(){e=!0}}),n=function(){};window.addEventListener("testPassiveEventSupport",n,t),window.removeEventListener("testPassiveEventSupport",n,t)}catch(e){}return e}()),o}function i(e){e.handlers===e.nextHandlers&&(e.nextHandlers=e.handlers.slice())}function s(e){this.target=e,this.events={}}s.prototype.getEventHandlers=function(e,t){var n,r=String(e)+" "+String((n=t)?!0===n?100:(n.capture<<0)+(n.passive<<1)+(n.once<<2):0);return this.events[r]||(this.events[r]={handlers:[],handleEvent:void 0},this.events[r].nextHandlers=this.events[r].handlers),this.events[r]},s.prototype.handleEvent=function(e,t,n){var r=this.getEventHandlers(e,t);r.handlers=r.nextHandlers,r.handlers.forEach((function(e){e&&e(n)}))},s.prototype.add=function(e,t,n){var r=this,o=this.getEventHandlers(e,n);i(o),0===o.nextHandlers.length&&(o.handleEvent=this.handleEvent.bind(this,e,n),this.target.addEventListener(e,o.handleEvent,n)),o.nextHandlers.push(t);var a=!0;return function(){if(a){a=!1,i(o);var s=o.nextHandlers.indexOf(t);o.nextHandlers.splice(s,1),0===o.nextHandlers.length&&(r.target&&r.target.removeEventListener(e,o.handleEvent,n),o.handleEvent=void 0)}}};var l="__consolidated_events_handlers__";function c(e,t,n,r){e[l]||(e[l]=new s(e));var o=function(e){if(e)return a()?e:!!e.capture}(r);return e[l].add(t,n,o)}},9435:e=>{var t=1e3,n=60*t,r=60*n,o=24*r,a=7*o,i=365.25*o;function s(e,t,n,r){var o=t>=1.5*n;return Math.round(e/n)+" "+r+(o?"s":"")}e.exports=function(e,l){l=l||{};var c=typeof e;if("string"===c&&e.length>0)return function(e){if((e=String(e)).length>100)return;var s=/^(-?(?:\d+)?\.?\d+) *(milliseconds?|msecs?|ms|seconds?|secs?|s|minutes?|mins?|m|hours?|hrs?|h|days?|d|weeks?|w|years?|yrs?|y)?$/i.exec(e);if(!s)return;var l=parseFloat(s[1]);switch((s[2]||"ms").toLowerCase()){case"years":case"year":case"yrs":case"yr":case"y":return l*i;case"weeks":case"week":case"w":return l*a;case"days":case"day":case"d":return l*o;case"hours":case"hour":case"hrs":case"hr":case"h":return l*r;case"minutes":case"minute":case"mins":case"min":case"m":return l*n;case"seconds":case"second":case"secs":case"sec":case"s":return l*t;case"milliseconds":case"millisecond":case"msecs":case"msec":case"ms":return l;default:return}}(e);if("number"===c&&isFinite(e))return l.long?function(e){var a=Math.abs(e);if(a>=o)return s(e,a,o,"day");if(a>=r)return s(e,a,r,"hour");if(a>=n)return s(e,a,n,"minute");if(a>=t)return s(e,a,t,"second");return e+" ms"}(e):function(e){var a=Math.abs(e);if(a>=o)return Math.round(e/o)+"d";if(a>=r)return Math.round(e/r)+"h";if(a>=n)return Math.round(e/n)+"m";if(a>=t)return Math.round(e/t)+"s";return e+"ms"}(e);throw new Error("val is not a non-empty string or a valid number. val="+JSON.stringify(e))}},1227:(e,t,n)=>{t.formatArgs=function(t){if(t[0]=(this.useColors?"%c":"")+this.namespace+(this.useColors?" %c":" ")+t[0]+(this.useColors?"%c ":" ")+"+"+e.exports.humanize(this.diff),!this.useColors)return;const n="color: "+this.color;t.splice(1,0,n,"color: inherit");let r=0,o=0;t[0].replace(/%[a-zA-Z%]/g,(e=>{"%%"!==e&&(r++,"%c"===e&&(o=r))})),t.splice(o,0,n)},t.save=function(e){try{e?t.storage.setItem("debug",e):t.storage.removeItem("debug")}catch(e){}},t.load=function(){let e;try{e=t.storage.getItem("debug")}catch(e){}!e&&"undefined"!=typeof process&&"env"in process&&(e={NODE_ENV:"production"}.DEBUG);return e},t.useColors=function(){if("undefined"!=typeof window&&window.process&&("renderer"===window.process.type||window.process.__nwjs))return!0;if("undefined"!=typeof navigator&&navigator.userAgent&&navigator.userAgent.toLowerCase().match(/(edge|trident)\/(\d+)/))return!1;return"undefined"!=typeof document&&document.documentElement&&document.documentElement.style&&document.documentElement.style.WebkitAppearance||"undefined"!=typeof window&&window.console&&(window.console.firebug||window.console.exception&&window.console.table)||"undefined"!=typeof navigator&&navigator.userAgent&&navigator.userAgent.toLowerCase().match(/firefox\/(\d+)/)&&parseInt(RegExp.$1,10)>=31||"undefined"!=typeof navigator&&navigator.userAgent&&navigator.userAgent.toLowerCase().match(/applewebkit\/(\d+)/)},t.storage=function(){try{return localStorage}catch(e){}}(),t.destroy=(()=>{let e=!1;return()=>{e||(e=!0,console.warn("Instance method `debug.destroy()` is deprecated and no longer does anything. It will be removed in the next major version of `debug`."))}})(),t.colors=["#0000CC","#0000FF","#0033CC","#0033FF","#0066CC","#0066FF","#0099CC","#0099FF","#00CC00","#00CC33","#00CC66","#00CC99","#00CCCC","#00CCFF","#3300CC","#3300FF","#3333CC","#3333FF","#3366CC","#3366FF","#3399CC","#3399FF","#33CC00","#33CC33","#33CC66","#33CC99","#33CCCC","#33CCFF","#6600CC","#6600FF","#6633CC","#6633FF","#66CC00","#66CC33","#9900CC","#9900FF","#9933CC","#9933FF","#99CC00","#99CC33","#CC0000","#CC0033","#CC0066","#CC0099","#CC00CC","#CC00FF","#CC3300","#CC3333","#CC3366","#CC3399","#CC33CC","#CC33FF","#CC6600","#CC6633","#CC9900","#CC9933","#CCCC00","#CCCC33","#FF0000","#FF0033","#FF0066","#FF0099","#FF00CC","#FF00FF","#FF3300","#FF3333","#FF3366","#FF3399","#FF33CC","#FF33FF","#FF6600","#FF6633","#FF9900","#FF9933","#FFCC00","#FFCC33"],t.log=console.debug||console.log||(()=>{}),e.exports=n(2447)(t);const{formatters:r}=e.exports;r.j=function(e){try{return JSON.stringify(e)}catch(e){return"[UnexpectedJSONParseError]: "+e.message}}},2447:(e,t,n)=>{e.exports=function(e){function t(e){let n,o,a,i=null;function s(...e){if(!s.enabled)return;const r=s,o=Number(new Date),a=o-(n||o);r.diff=a,r.prev=n,r.curr=o,n=o,e[0]=t.coerce(e[0]),"string"!=typeof e[0]&&e.unshift("%O");let i=0;e[0]=e[0].replace(/%([a-zA-Z%])/g,((n,o)=>{if("%%"===n)return"%";i++;const a=t.formatters[o];if("function"==typeof a){const t=e[i];n=a.call(r,t),e.splice(i,1),i--}return n})),t.formatArgs.call(r,e);(r.log||t.log).apply(r,e)}return s.namespace=e,s.useColors=t.useColors(),s.color=t.selectColor(e),s.extend=r,s.destroy=t.destroy,Object.defineProperty(s,"enabled",{enumerable:!0,configurable:!1,get:()=>null!==i?i:(o!==t.namespaces&&(o=t.namespaces,a=t.enabled(e)),a),set:e=>{i=e}}),"function"==typeof t.init&&t.init(s),s}function r(e,n){const r=t(this.namespace+(void 0===n?":":n)+e);return r.log=this.log,r}function o(e){return e.toString().substring(2,e.toString().length-2).replace(/\.\*\?$/,"*")}return t.debug=t,t.default=t,t.coerce=function(e){if(e instanceof Error)return e.stack||e.message;return e},t.disable=function(){const e=[...t.names.map(o),...t.skips.map(o).map((e=>"-"+e))].join(",");return t.enable(""),e},t.enable=function(e){let n;t.save(e),t.namespaces=e,t.names=[],t.skips=[];const r=("string"==typeof e?e:"").split(/[\s,]+/),o=r.length;for(n=0;n{t[n]=e[n]})),t.names=[],t.skips=[],t.formatters={},t.selectColor=function(e){let n=0;for(let t=0;t{"use strict";var r=n(2215),o="function"==typeof Symbol&&"symbol"==typeof Symbol("foo"),a=Object.prototype.toString,i=Array.prototype.concat,s=Object.defineProperty,l=s&&function(){var e={};try{for(var t in s(e,"x",{enumerable:!1,value:e}),e)return!1;return e.x===e}catch(e){return!1}}(),c=function(e,t,n,r){var o;(!(t in e)||"function"==typeof(o=r)&&"[object Function]"===a.call(o)&&r())&&(l?s(e,t,{configurable:!0,enumerable:!1,value:n,writable:!0}):e[t]=n)},u=function(e,t){var n=arguments.length>2?arguments[2]:{},a=r(t);o&&(a=i.call(a,Object.getOwnPropertySymbols(t)));for(var s=0;s{"use strict";function n(){}function r(e,t,n,r,o){for(var a=0,i=t.length,s=0,l=0;ae.length?n:e})),c.value=e.join(d)}else c.value=e.join(n.slice(s,s+c.count));s+=c.count,c.added||(l+=c.count)}}var p=t[i-1];return i>1&&"string"==typeof p.value&&(p.added||p.removed)&&e.equals("",p.value)&&(t[i-2].value+=p.value,t.pop()),t}function o(e){return{newPos:e.newPos,components:e.components.slice(0)}}Object.defineProperty(t,"__esModule",{value:!0}),t.default=n,n.prototype={diff:function(e,t){var n=arguments.length>2&&void 0!==arguments[2]?arguments[2]:{},a=n.callback;"function"==typeof n&&(a=n,n={}),this.options=n;var i=this;function s(e){return a?(setTimeout((function(){a(void 0,e)}),0),!0):e}e=this.castInput(e),t=this.castInput(t),e=this.removeEmpty(this.tokenize(e));var l=(t=this.removeEmpty(this.tokenize(t))).length,c=e.length,u=1,d=l+c,p=[{newPos:-1,components:[]}],m=this.extractCommon(p[0],t,e,0);if(p[0].newPos+1>=l&&m+1>=c)return s([{value:this.join(t),count:t.length}]);function h(){for(var n=-1*u;n<=u;n+=2){var a=void 0,d=p[n-1],m=p[n+1],h=(m?m.newPos:0)-n;d&&(p[n-1]=void 0);var f=d&&d.newPos+1=l&&h+1>=c)return s(r(i,a.components,t,e,i.useLongestToken));p[n]=a}else p[n]=void 0}u++}if(a)!function e(){setTimeout((function(){if(u>d)return a();h()||e()}),0)}();else for(;u<=d;){var f=h();if(f)return f}},pushComponent:function(e,t,n){var r=e[e.length-1];r&&r.added===t&&r.removed===n?e[e.length-1]={count:r.count+1,added:t,removed:n}:e.push({count:1,added:t,removed:n})},extractCommon:function(e,t,n,r){for(var o=t.length,a=n.length,i=e.newPos,s=i-r,l=0;i+1{"use strict";var r;t.Kx=function(e,t,n){return o.diff(e,t,n)};var o=new(((r=n(5913))&&r.__esModule?r:{default:r}).default)},1676:e=>{"use strict";e.exports=function(e){if(arguments.length<1)throw new TypeError("1 argument is required");if("object"!=typeof e)throw new TypeError("Argument 1 (”other“) to Node.contains must be an instance of Node");var t=e;do{if(this===t)return!0;t&&(t=t.parentNode)}while(t);return!1}},2483:(e,t,n)=>{"use strict";var r=n(4289),o=n(1676),a=n(4356),i=a(),s=function(e,t){return i.apply(e,[t])};r(s,{getPolyfill:a,implementation:o,shim:n(1514)}),e.exports=s},4356:(e,t,n)=>{"use strict";var r=n(1676);e.exports=function(){if("undefined"!=typeof document){if(document.contains)return document.contains;if(document.body&&document.body.contains)try{if("boolean"==typeof document.body.contains.call(document,""))return document.body.contains}catch(e){}}return r}},1514:(e,t,n)=>{"use strict";var r=n(4289),o=n(4356);e.exports=function(){var e=o();return"undefined"!=typeof document&&(r(document,{contains:e},{contains:function(){return document.contains!==e}}),"undefined"!=typeof Element&&r(Element.prototype,{contains:e},{contains:function(){return Element.prototype.contains!==e}})),e}},9010:(e,t,n)=>{"use strict";var r=n(4657);e.exports=function(e,t,n){n=n||{},9===t.nodeType&&(t=r.getWindow(t));var o=n.allowHorizontalScroll,a=n.onlyScrollIfNeeded,i=n.alignWithTop,s=n.alignWithLeft,l=n.offsetTop||0,c=n.offsetLeft||0,u=n.offsetBottom||0,d=n.offsetRight||0;o=void 0===o||o;var p=r.isWindow(t),m=r.offset(e),h=r.outerHeight(e),f=r.outerWidth(e),g=void 0,b=void 0,y=void 0,v=void 0,_=void 0,M=void 0,k=void 0,w=void 0,E=void 0,L=void 0;p?(k=t,L=r.height(k),E=r.width(k),w={left:r.scrollLeft(k),top:r.scrollTop(k)},_={left:m.left-w.left-c,top:m.top-w.top-l},M={left:m.left+f-(w.left+E)+d,top:m.top+h-(w.top+L)+u},v=w):(g=r.offset(t),b=t.clientHeight,y=t.clientWidth,v={left:t.scrollLeft,top:t.scrollTop},_={left:m.left-(g.left+(parseFloat(r.css(t,"borderLeftWidth"))||0))-c,top:m.top-(g.top+(parseFloat(r.css(t,"borderTopWidth"))||0))-l},M={left:m.left+f-(g.left+y+(parseFloat(r.css(t,"borderRightWidth"))||0))+d,top:m.top+h-(g.top+b+(parseFloat(r.css(t,"borderBottomWidth"))||0))+u}),_.top<0||M.top>0?!0===i?r.scrollTop(t,v.top+_.top):!1===i?r.scrollTop(t,v.top+M.top):_.top<0?r.scrollTop(t,v.top+_.top):r.scrollTop(t,v.top+M.top):a||((i=void 0===i||!!i)?r.scrollTop(t,v.top+_.top):r.scrollTop(t,v.top+M.top)),o&&(_.left<0||M.left>0?!0===s?r.scrollLeft(t,v.left+_.left):!1===s?r.scrollLeft(t,v.left+M.left):_.left<0?r.scrollLeft(t,v.left+_.left):r.scrollLeft(t,v.left+M.left):a||((s=void 0===s||!!s)?r.scrollLeft(t,v.left+_.left):r.scrollLeft(t,v.left+M.left)))}},4979:(e,t,n)=>{"use strict";e.exports=n(9010)},4657:e=>{"use strict";var t=Object.assign||function(e){for(var t=1;t{"use strict";function t(e){return(t="function"==typeof Symbol&&"symbol"==typeof Symbol.iterator?function(e){return typeof e}:function(e){return e&&"function"==typeof Symbol&&e.constructor===Symbol&&e!==Symbol.prototype?"symbol":typeof e})(e)}function n(e,t){for(var n=0;n1&&void 0!==arguments[1]?arguments[1]:this;this._map.forEach((function(o,a){null!==a&&"object"===t(a)&&(o=o[1]),e.call(r,o,a,n)}))}},{key:"clear",value:function(){this._map=new Map,this._arrayTreeMap=new Map,this._objectTreeMap=new Map}},{key:"size",get:function(){return this._map.size}}])&&n(o.prototype,a),i&&n(o,i),e}();e.exports=o},1503:(e,t,n)=>{"use strict";var r="function"==typeof Symbol&&"symbol"==typeof Symbol.iterator,o=n(4149),a=n(5320),i=n(8923),s=n(2636),l=function(e,t){if(null==e)throw new TypeError("Cannot call method on "+e);if("string"!=typeof t||"number"!==t&&"string"!==t)throw new TypeError('hint must be "string" or "number"');var n,r,i,s="string"===t?["toString","valueOf"]:["valueOf","toString"];for(i=0;i1&&(arguments[1]===String?n="string":arguments[1]===Number&&(n="number")),r&&(Symbol.toPrimitive?t=c(e,Symbol.toPrimitive):s(e)&&(t=Symbol.prototype.valueOf)),void 0!==t){var a=t.call(e,n);if(o(a))return a;throw new TypeError("unable to convert exotic object to primitive")}return"default"===n&&(i(e)||s(e))&&(n="string"),l(e,"default"===n?"number":n)}},2116:(e,t,n)=>{"use strict";var r=Object.prototype.toString,o=n(4149),a=n(5320),i=function(e){var t;if((t=arguments.length>1?arguments[1]:"[object Date]"===r.call(e)?String:Number)===String||t===Number){var n,i,s=t===String?["toString","valueOf"]:["valueOf","toString"];for(i=0;i1?i(e,arguments[1]):i(e)}},4149:e=>{"use strict";e.exports=function(e){return null===e||"function"!=typeof e&&"object"!=typeof e}},7667:function(e){e.exports=function(){"use strict";function e(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}function t(e,t){for(var n=0;na?(l=o/a,i=c,s=Math.round(i/l)):(l=a/o,s=c,i=Math.round(s/l)),(i>o||s>a||ir?-1:n===r?0:1}))[0],5),m=p[0],h=p[1],f=p[2],g=p[3],b=p[4];return g?[Math.round(m/g),Math.round(h/g),Math.round(f/g),Math.round(g/b)]:[0,0,0,0]}},{key:"_bindImageEvents",value:function(e,t,n){var r=this,o=(n=n||{})&&n.data,a=this._getDefaultColor(n),i=function(){c(),t.call(e,r.getColor(e,n),o)},s=function(){c(),t.call(e,r._prepareResult(a,new Error("Image error")),o)},l=function(){c(),t.call(e,r._prepareResult(a,new Error("Image abort")),o)},c=function(){e.removeEventListener("load",i),e.removeEventListener("error",s),e.removeEventListener("abort",l)};e.addEventListener("load",i),e.addEventListener("error",s),e.addEventListener("abort",l)}},{key:"_prepareResult",value:function(e,t){var n=e.slice(0,3),r=[].concat(n,e[3]/255),o=this._isDark(e);return{error:t,value:e,rgb:"rgb("+n.join(",")+")",rgba:"rgba("+r.join(",")+")",hex:this._arrayToHex(n),hexa:this._arrayToHex(e),isDark:o,isLight:!o}}},{key:"_getOriginalSize",value:function(e){return e instanceof HTMLImageElement?{width:e.naturalWidth,height:e.naturalHeight}:e instanceof HTMLVideoElement?{width:e.videoWidth,height:e.videoHeight}:{width:e.width,height:e.height}}},{key:"_toHex",value:function(e){var t=e.toString(16);return 1===t.length?"0"+t:t}},{key:"_arrayToHex",value:function(e){return"#"+e.map(this._toHex).join("")}},{key:"_isDark",value:function(e){return(299*e[0]+587*e[1]+114*e[2])/1e3<128}},{key:"_makeCanvas",value:function(){return"undefined"==typeof window?new OffscreenCanvas(1,1):document.createElement("canvas")}}]),t}()}()},3316:e=>{function t(e,t,n,r){var o,a=null==(o=r)||"number"==typeof o||"boolean"==typeof o?r:n(r),i=t.get(a);return void 0===i&&(i=e.call(this,r),t.set(a,i)),i}function n(e,t,n){var r=Array.prototype.slice.call(arguments,3),o=n(r),a=t.get(o);return void 0===a&&(a=e.apply(this,r),t.set(o,a)),a}function r(e,t,n,r,o){return n.bind(t,e,r,o)}function o(e,o){return r(e,this,1===e.length?t:n,o.cache.create(),o.serializer)}function a(){return JSON.stringify(arguments)}function i(){this.cache=Object.create(null)}i.prototype.has=function(e){return e in this.cache},i.prototype.get=function(e){return this.cache[e]},i.prototype.set=function(e,t){this.cache[e]=t};var s={create:function(){return new i}};e.exports=function(e,t){var n=t&&t.cache?t.cache:s,r=t&&t.serializer?t.serializer:a;return(t&&t.strategy?t.strategy:o)(e,{cache:n,serializer:r})},e.exports.strategies={variadic:function(e,t){return r(e,this,n,t.cache.create(),t.serializer)},monadic:function(e,n){return r(e,this,t,n.cache.create(),n.serializer)}}},7648:e=>{"use strict";var t="Function.prototype.bind called on incompatible ",n=Array.prototype.slice,r=Object.prototype.toString,o="[object Function]";e.exports=function(e){var a=this;if("function"!=typeof a||r.call(a)!==o)throw new TypeError(t+a);for(var i,s=n.call(arguments,1),l=function(){if(this instanceof i){var t=a.apply(this,s.concat(n.call(arguments)));return Object(t)===t?t:this}return a.apply(e,s.concat(n.call(arguments)))},c=Math.max(0,a.length-s.length),u=[],d=0;d{"use strict";var r=n(7648);e.exports=Function.prototype.bind||r},210:(e,t,n)=>{"use strict";var r,o=SyntaxError,a=Function,i=TypeError,s=function(e){try{return a('"use strict"; return ('+e+").constructor;")()}catch(e){}},l=Object.getOwnPropertyDescriptor;if(l)try{l({},"")}catch(e){l=null}var c=function(){throw new i},u=l?function(){try{return c}catch(e){try{return l(arguments,"callee").get}catch(e){return c}}}():c,d=n(1405)(),p=Object.getPrototypeOf||function(e){return e.__proto__},m={},h="undefined"==typeof Uint8Array?r:p(Uint8Array),f={"%AggregateError%":"undefined"==typeof AggregateError?r:AggregateError,"%Array%":Array,"%ArrayBuffer%":"undefined"==typeof ArrayBuffer?r:ArrayBuffer,"%ArrayIteratorPrototype%":d?p([][Symbol.iterator]()):r,"%AsyncFromSyncIteratorPrototype%":r,"%AsyncFunction%":m,"%AsyncGenerator%":m,"%AsyncGeneratorFunction%":m,"%AsyncIteratorPrototype%":m,"%Atomics%":"undefined"==typeof Atomics?r:Atomics,"%BigInt%":"undefined"==typeof BigInt?r:BigInt,"%Boolean%":Boolean,"%DataView%":"undefined"==typeof DataView?r:DataView,"%Date%":Date,"%decodeURI%":decodeURI,"%decodeURIComponent%":decodeURIComponent,"%encodeURI%":encodeURI,"%encodeURIComponent%":encodeURIComponent,"%Error%":Error,"%eval%":eval,"%EvalError%":EvalError,"%Float32Array%":"undefined"==typeof Float32Array?r:Float32Array,"%Float64Array%":"undefined"==typeof Float64Array?r:Float64Array,"%FinalizationRegistry%":"undefined"==typeof FinalizationRegistry?r:FinalizationRegistry,"%Function%":a,"%GeneratorFunction%":m,"%Int8Array%":"undefined"==typeof Int8Array?r:Int8Array,"%Int16Array%":"undefined"==typeof Int16Array?r:Int16Array,"%Int32Array%":"undefined"==typeof Int32Array?r:Int32Array,"%isFinite%":isFinite,"%isNaN%":isNaN,"%IteratorPrototype%":d?p(p([][Symbol.iterator]())):r,"%JSON%":"object"==typeof JSON?JSON:r,"%Map%":"undefined"==typeof Map?r:Map,"%MapIteratorPrototype%":"undefined"!=typeof Map&&d?p((new Map)[Symbol.iterator]()):r,"%Math%":Math,"%Number%":Number,"%Object%":Object,"%parseFloat%":parseFloat,"%parseInt%":parseInt,"%Promise%":"undefined"==typeof Promise?r:Promise,"%Proxy%":"undefined"==typeof Proxy?r:Proxy,"%RangeError%":RangeError,"%ReferenceError%":ReferenceError,"%Reflect%":"undefined"==typeof Reflect?r:Reflect,"%RegExp%":RegExp,"%Set%":"undefined"==typeof Set?r:Set,"%SetIteratorPrototype%":"undefined"!=typeof Set&&d?p((new Set)[Symbol.iterator]()):r,"%SharedArrayBuffer%":"undefined"==typeof SharedArrayBuffer?r:SharedArrayBuffer,"%String%":String,"%StringIteratorPrototype%":d?p(""[Symbol.iterator]()):r,"%Symbol%":d?Symbol:r,"%SyntaxError%":o,"%ThrowTypeError%":u,"%TypedArray%":h,"%TypeError%":i,"%Uint8Array%":"undefined"==typeof Uint8Array?r:Uint8Array,"%Uint8ClampedArray%":"undefined"==typeof Uint8ClampedArray?r:Uint8ClampedArray,"%Uint16Array%":"undefined"==typeof Uint16Array?r:Uint16Array,"%Uint32Array%":"undefined"==typeof Uint32Array?r:Uint32Array,"%URIError%":URIError,"%WeakMap%":"undefined"==typeof WeakMap?r:WeakMap,"%WeakRef%":"undefined"==typeof WeakRef?r:WeakRef,"%WeakSet%":"undefined"==typeof WeakSet?r:WeakSet},g=function e(t){var n;if("%AsyncFunction%"===t)n=s("async function () {}");else if("%GeneratorFunction%"===t)n=s("function* () {}");else if("%AsyncGeneratorFunction%"===t)n=s("async function* () {}");else if("%AsyncGenerator%"===t){var r=e("%AsyncGeneratorFunction%");r&&(n=r.prototype)}else if("%AsyncIteratorPrototype%"===t){var o=e("%AsyncGenerator%");o&&(n=p(o.prototype))}return f[t]=n,n},b={"%ArrayBufferPrototype%":["ArrayBuffer","prototype"],"%ArrayPrototype%":["Array","prototype"],"%ArrayProto_entries%":["Array","prototype","entries"],"%ArrayProto_forEach%":["Array","prototype","forEach"],"%ArrayProto_keys%":["Array","prototype","keys"],"%ArrayProto_values%":["Array","prototype","values"],"%AsyncFunctionPrototype%":["AsyncFunction","prototype"],"%AsyncGenerator%":["AsyncGeneratorFunction","prototype"],"%AsyncGeneratorPrototype%":["AsyncGeneratorFunction","prototype","prototype"],"%BooleanPrototype%":["Boolean","prototype"],"%DataViewPrototype%":["DataView","prototype"],"%DatePrototype%":["Date","prototype"],"%ErrorPrototype%":["Error","prototype"],"%EvalErrorPrototype%":["EvalError","prototype"],"%Float32ArrayPrototype%":["Float32Array","prototype"],"%Float64ArrayPrototype%":["Float64Array","prototype"],"%FunctionPrototype%":["Function","prototype"],"%Generator%":["GeneratorFunction","prototype"],"%GeneratorPrototype%":["GeneratorFunction","prototype","prototype"],"%Int8ArrayPrototype%":["Int8Array","prototype"],"%Int16ArrayPrototype%":["Int16Array","prototype"],"%Int32ArrayPrototype%":["Int32Array","prototype"],"%JSONParse%":["JSON","parse"],"%JSONStringify%":["JSON","stringify"],"%MapPrototype%":["Map","prototype"],"%NumberPrototype%":["Number","prototype"],"%ObjectPrototype%":["Object","prototype"],"%ObjProto_toString%":["Object","prototype","toString"],"%ObjProto_valueOf%":["Object","prototype","valueOf"],"%PromisePrototype%":["Promise","prototype"],"%PromiseProto_then%":["Promise","prototype","then"],"%Promise_all%":["Promise","all"],"%Promise_reject%":["Promise","reject"],"%Promise_resolve%":["Promise","resolve"],"%RangeErrorPrototype%":["RangeError","prototype"],"%ReferenceErrorPrototype%":["ReferenceError","prototype"],"%RegExpPrototype%":["RegExp","prototype"],"%SetPrototype%":["Set","prototype"],"%SharedArrayBufferPrototype%":["SharedArrayBuffer","prototype"],"%StringPrototype%":["String","prototype"],"%SymbolPrototype%":["Symbol","prototype"],"%SyntaxErrorPrototype%":["SyntaxError","prototype"],"%TypedArrayPrototype%":["TypedArray","prototype"],"%TypeErrorPrototype%":["TypeError","prototype"],"%Uint8ArrayPrototype%":["Uint8Array","prototype"],"%Uint8ClampedArrayPrototype%":["Uint8ClampedArray","prototype"],"%Uint16ArrayPrototype%":["Uint16Array","prototype"],"%Uint32ArrayPrototype%":["Uint32Array","prototype"],"%URIErrorPrototype%":["URIError","prototype"],"%WeakMapPrototype%":["WeakMap","prototype"],"%WeakSetPrototype%":["WeakSet","prototype"]},y=n(8612),v=n(7642),_=y.call(Function.call,Array.prototype.concat),M=y.call(Function.apply,Array.prototype.splice),k=y.call(Function.call,String.prototype.replace),w=y.call(Function.call,String.prototype.slice),E=/[^%.[\]]+|\[(?:(-?\d+(?:\.\d+)?)|(["'])((?:(?!\2)[^\\]|\\.)*?)\2)\]|(?=(?:\.|\[\])(?:\.|\[\]|%$))/g,L=/\\(\\)?/g,A=function(e){var t=w(e,0,1),n=w(e,-1);if("%"===t&&"%"!==n)throw new o("invalid intrinsic syntax, expected closing `%`");if("%"===n&&"%"!==t)throw new o("invalid intrinsic syntax, expected opening `%`");var r=[];return k(e,E,(function(e,t,n,o){r[r.length]=n?k(o,L,"$1"):t||e})),r},S=function(e,t){var n,r=e;if(v(b,r)&&(r="%"+(n=b[r])[0]+"%"),v(f,r)){var a=f[r];if(a===m&&(a=g(r)),void 0===a&&!t)throw new i("intrinsic "+e+" exists, but is not available. Please file an issue!");return{alias:n,name:r,value:a}}throw new o("intrinsic "+e+" does not exist!")};e.exports=function(e,t){if("string"!=typeof e||0===e.length)throw new i("intrinsic name must be a non-empty string");if(arguments.length>1&&"boolean"!=typeof t)throw new i('"allowMissing" argument must be a boolean');var n=A(e),r=n.length>0?n[0]:"",a=S("%"+r+"%",t),s=a.name,c=a.value,u=!1,d=a.alias;d&&(r=d[0],M(n,_([0,1],d)));for(var p=1,m=!0;p=n.length){var y=l(c,h);c=(m=!!y)&&"get"in y&&!("originalValue"in y.get)?y.get:c[h]}else m=v(c,h),c=c[h];m&&!u&&(f[s]=c)}}return c}},1884:(e,t,n)=>{"use strict";var r=n(4289),o=n(2636),a="__ global cache key __";"function"==typeof Symbol&&o(Symbol("foo"))&&"function"==typeof Symbol.for&&(a=Symbol.for(a));var i=function(){return!0},s=function(){if(!n.g[a]){var e={};e[a]={};var t={};t[a]=i,r(n.g,e,t)}return n.g[a]},l=s(),c=function(e){return o(e)?Symbol.prototype.valueOf.call(e):typeof e+" | "+String(e)},u=function(e){if(!function(e){return null===e||"object"!=typeof e&&"function"!=typeof e}(e))throw new TypeError("key must not be an object")},d={clear:function(){delete n.g[a],l=s()},delete:function(e){return u(e),delete l[c(e)],!d.has(e)},get:function(e){return u(e),l[c(e)]},has:function(e){return u(e),c(e)in l},set:function(e,t){u(e);var n=c(e),o={};o[n]=t;var a={};return a[n]=i,r(l,o,a),d.has(e)},setIfMissingThenGet:function(e,t){if(d.has(e))return d.get(e);var n=t();return d.set(e,n),n}};e.exports=d},9948:(e,t)=>{var n={};n.parse=function(){var e=/^(\-(webkit|o|ms|moz)\-)?(linear\-gradient)/i,t=/^(\-(webkit|o|ms|moz)\-)?(repeating\-linear\-gradient)/i,n=/^(\-(webkit|o|ms|moz)\-)?(radial\-gradient)/i,r=/^(\-(webkit|o|ms|moz)\-)?(repeating\-radial\-gradient)/i,o=/^to (left (top|bottom)|right (top|bottom)|left|right|top|bottom)/i,a=/^(closest\-side|closest\-corner|farthest\-side|farthest\-corner|contain|cover)/,i=/^(left|center|right|top|bottom)/i,s=/^(-?(([0-9]*\.[0-9]+)|([0-9]+\.?)))px/,l=/^(-?(([0-9]*\.[0-9]+)|([0-9]+\.?)))\%/,c=/^(-?(([0-9]*\.[0-9]+)|([0-9]+\.?)))em/,u=/^(-?(([0-9]*\.[0-9]+)|([0-9]+\.?)))deg/,d=/^\(/,p=/^\)/,m=/^,/,h=/^\#([0-9a-fA-F]+)/,f=/^([a-zA-Z]+)/,g=/^rgb/i,b=/^rgba/i,y=/^(([0-9]*\.[0-9]+)|([0-9]+\.?))/,v="";function _(e){var t=new Error(v+": "+e);throw t.source=v,t}function M(){var e=x(k);return v.length>0&&_("Invalid input not EOF"),e}function k(){return w("linear-gradient",e,L)||w("repeating-linear-gradient",t,L)||w("radial-gradient",n,A)||w("repeating-radial-gradient",r,A)}function w(e,t,n){return E(t,(function(t){var r=n();return r&&(I(m)||_("Missing comma before color stops")),{type:e,orientation:r,colorStops:x(z)}}))}function E(e,t){var n=I(e);if(n)return I(d)||_("Missing ("),result=t(n),I(p)||_("Missing )"),result}function L(){return B("directional",o,1)||B("angular",u,1)}function A(){var e,t,n=S();return n&&((e=[]).push(n),t=v,I(m)&&((n=S())?e.push(n):v=t)),e}function S(){var e=function(){var e=B("shape",/^(circle)/i,0);e&&(e.style=D()||C());return e}()||function(){var e=B("shape",/^(ellipse)/i,0);e&&(e.style=N()||C());return e}();if(e)e.at=function(){if(B("position",/^at/,0)){var e=T();return e||_("Missing positioning value"),e}}();else{var t=T();t&&(e={type:"default-radial",at:t})}return e}function C(){return B("extent-keyword",a,1)}function T(){var e={x:N(),y:N()};if(e.x||e.y)return{type:"position",value:e}}function x(e){var t=e(),n=[];if(t)for(n.push(t);I(m);)(t=e())?n.push(t):_("One extra comma");return n}function z(){var e=B("hex",h,1)||E(b,(function(){return{type:"rgba",value:x(O)}}))||E(g,(function(){return{type:"rgb",value:x(O)}}))||B("literal",f,0);return e||_("Expected color definition"),e.length=N(),e}function O(){return I(y)[1]}function N(){return B("%",l,1)||B("position-keyword",i,1)||D()}function D(){return B("px",s,1)||B("em",c,1)}function B(e,t,n){var r=I(t);if(r)return{type:e,value:r[n]}}function I(e){var t,n;return(n=/^[\n\r\t\s]+/.exec(v))&&P(n[0].length),(t=e.exec(v))&&P(t[0].length),t}function P(e){v=v.substr(e)}return function(e){return v=e.toString(),M()}}(),t.parse=(n||{}).parse},1405:(e,t,n)=>{"use strict";var r="undefined"!=typeof Symbol&&Symbol,o=n(5419);e.exports=function(){return"function"==typeof r&&("function"==typeof Symbol&&("symbol"==typeof r("foo")&&("symbol"==typeof Symbol("bar")&&o())))}},5419:e=>{"use strict";e.exports=function(){if("function"!=typeof Symbol||"function"!=typeof Object.getOwnPropertySymbols)return!1;if("symbol"==typeof Symbol.iterator)return!0;var e={},t=Symbol("test"),n=Object(t);if("string"==typeof t)return!1;if("[object Symbol]"!==Object.prototype.toString.call(t))return!1;if("[object Symbol]"!==Object.prototype.toString.call(n))return!1;for(t in e[t]=42,e)return!1;if("function"==typeof Object.keys&&0!==Object.keys(e).length)return!1;if("function"==typeof Object.getOwnPropertyNames&&0!==Object.getOwnPropertyNames(e).length)return!1;var r=Object.getOwnPropertySymbols(e);if(1!==r.length||r[0]!==t)return!1;if(!Object.prototype.propertyIsEnumerable.call(e,t))return!1;if("function"==typeof Object.getOwnPropertyDescriptor){var o=Object.getOwnPropertyDescriptor(e,t);if(42!==o.value||!0!==o.enumerable)return!1}return!0}},6410:(e,t,n)=>{"use strict";var r=n(5419);e.exports=function(){return r()&&!!Symbol.toStringTag}},7642:(e,t,n)=>{"use strict";var r=n(8612);e.exports=r.call(Function.call,Object.prototype.hasOwnProperty)},6928:e=>{e.exports=function(e){var t={};function n(r){if(t[r])return t[r].exports;var o=t[r]={exports:{},id:r,loaded:!1};return e[r].call(o.exports,o,o.exports,n),o.loaded=!0,o.exports}return n.m=e,n.c=t,n.p="",n(0)}([function(e,t,n){e.exports=n(1)},function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0});var r=n(2);Object.defineProperty(t,"combineChunks",{enumerable:!0,get:function(){return r.combineChunks}}),Object.defineProperty(t,"fillInChunks",{enumerable:!0,get:function(){return r.fillInChunks}}),Object.defineProperty(t,"findAll",{enumerable:!0,get:function(){return r.findAll}}),Object.defineProperty(t,"findChunks",{enumerable:!0,get:function(){return r.findChunks}})},function(e,t){"use strict";Object.defineProperty(t,"__esModule",{value:!0});t.findAll=function(e){var t=e.autoEscape,a=e.caseSensitive,i=void 0!==a&&a,s=e.findChunks,l=void 0===s?r:s,c=e.sanitize,u=e.searchWords,d=e.textToHighlight;return o({chunksToHighlight:n({chunks:l({autoEscape:t,caseSensitive:i,sanitize:c,searchWords:u,textToHighlight:d})}),totalLength:d?d.length:0})};var n=t.combineChunks=function(e){var t=e.chunks;return t=t.sort((function(e,t){return e.start-t.start})).reduce((function(e,t){if(0===e.length)return[t];var n=e.pop();if(t.start<=n.end){var r=Math.max(n.end,t.end);e.push({highlight:!1,start:n.start,end:r})}else e.push(n,t);return e}),[])},r=function(e){var t=e.autoEscape,n=e.caseSensitive,r=e.sanitize,o=void 0===r?a:r,i=e.searchWords,s=e.textToHighlight;return s=o(s),i.filter((function(e){return e})).reduce((function(e,r){r=o(r),t&&(r=r.replace(/[\-\[\]\/\{\}\(\)\*\+\?\.\\\^\$\|]/g,"\\$&"));for(var a=new RegExp(r,n?"g":"gi"),i=void 0;i=a.exec(s);){var l=i.index,c=a.lastIndex;c>l&&e.push({highlight:!1,start:l,end:c}),i.index===a.lastIndex&&a.lastIndex++}return e}),[])};t.findChunks=r;var o=t.fillInChunks=function(e){var t=e.chunksToHighlight,n=e.totalLength,r=[],o=function(e,t,n){t-e>0&&r.push({start:e,end:t,highlight:n})};if(0===t.length)o(0,n,!1);else{var a=0;t.forEach((function(e){o(a,e.start,!1),o(e.start,e.end,!0),a=e.end})),o(a,n,!1)}return r};function a(e){return e}}])},8679:(e,t,n)=>{"use strict";var r=n(1296),o={childContextTypes:!0,contextType:!0,contextTypes:!0,defaultProps:!0,displayName:!0,getDefaultProps:!0,getDerivedStateFromError:!0,getDerivedStateFromProps:!0,mixins:!0,propTypes:!0,type:!0},a={name:!0,length:!0,prototype:!0,caller:!0,callee:!0,arguments:!0,arity:!0},i={$$typeof:!0,compare:!0,defaultProps:!0,displayName:!0,propTypes:!0,type:!0},s={};function l(e){return r.isMemo(e)?i:s[e.$$typeof]||o}s[r.ForwardRef]={$$typeof:!0,render:!0,defaultProps:!0,displayName:!0,propTypes:!0},s[r.Memo]=i;var c=Object.defineProperty,u=Object.getOwnPropertyNames,d=Object.getOwnPropertySymbols,p=Object.getOwnPropertyDescriptor,m=Object.getPrototypeOf,h=Object.prototype;e.exports=function e(t,n,r){if("string"!=typeof n){if(h){var o=m(n);o&&o!==h&&e(t,o,r)}var i=u(n);d&&(i=i.concat(d(n)));for(var s=l(t),f=l(n),g=0;g{"use strict";var n="function"==typeof Symbol&&Symbol.for,r=n?Symbol.for("react.element"):60103,o=n?Symbol.for("react.portal"):60106,a=n?Symbol.for("react.fragment"):60107,i=n?Symbol.for("react.strict_mode"):60108,s=n?Symbol.for("react.profiler"):60114,l=n?Symbol.for("react.provider"):60109,c=n?Symbol.for("react.context"):60110,u=n?Symbol.for("react.async_mode"):60111,d=n?Symbol.for("react.concurrent_mode"):60111,p=n?Symbol.for("react.forward_ref"):60112,m=n?Symbol.for("react.suspense"):60113,h=n?Symbol.for("react.suspense_list"):60120,f=n?Symbol.for("react.memo"):60115,g=n?Symbol.for("react.lazy"):60116,b=n?Symbol.for("react.block"):60121,y=n?Symbol.for("react.fundamental"):60117,v=n?Symbol.for("react.responder"):60118,_=n?Symbol.for("react.scope"):60119;function M(e){if("object"==typeof e&&null!==e){var t=e.$$typeof;switch(t){case r:switch(e=e.type){case u:case d:case a:case s:case i:case m:return e;default:switch(e=e&&e.$$typeof){case c:case p:case g:case f:case l:return e;default:return t}}case o:return t}}}function k(e){return M(e)===d}t.AsyncMode=u,t.ConcurrentMode=d,t.ContextConsumer=c,t.ContextProvider=l,t.Element=r,t.ForwardRef=p,t.Fragment=a,t.Lazy=g,t.Memo=f,t.Portal=o,t.Profiler=s,t.StrictMode=i,t.Suspense=m,t.isAsyncMode=function(e){return k(e)||M(e)===u},t.isConcurrentMode=k,t.isContextConsumer=function(e){return M(e)===c},t.isContextProvider=function(e){return M(e)===l},t.isElement=function(e){return"object"==typeof e&&null!==e&&e.$$typeof===r},t.isForwardRef=function(e){return M(e)===p},t.isFragment=function(e){return M(e)===a},t.isLazy=function(e){return M(e)===g},t.isMemo=function(e){return M(e)===f},t.isPortal=function(e){return M(e)===o},t.isProfiler=function(e){return M(e)===s},t.isStrictMode=function(e){return M(e)===i},t.isSuspense=function(e){return M(e)===m},t.isValidElementType=function(e){return"string"==typeof e||"function"==typeof e||e===a||e===d||e===s||e===i||e===m||e===h||"object"==typeof e&&null!==e&&(e.$$typeof===g||e.$$typeof===f||e.$$typeof===l||e.$$typeof===c||e.$$typeof===p||e.$$typeof===y||e.$$typeof===v||e.$$typeof===_||e.$$typeof===b)},t.typeOf=M},1296:(e,t,n)=>{"use strict";e.exports=n(6103)},5717:e=>{"function"==typeof Object.create?e.exports=function(e,t){t&&(e.super_=t,e.prototype=Object.create(t.prototype,{constructor:{value:e,enumerable:!1,writable:!0,configurable:!0}}))}:e.exports=function(e,t){if(t){e.super_=t;var n=function(){};n.prototype=t.prototype,e.prototype=new n,e.prototype.constructor=e}}},5320:e=>{"use strict";var t,n,r=Function.prototype.toString,o="object"==typeof Reflect&&null!==Reflect&&Reflect.apply;if("function"==typeof o&&"function"==typeof Object.defineProperty)try{t=Object.defineProperty({},"length",{get:function(){throw n}}),n={},o((function(){throw 42}),null,t)}catch(e){e!==n&&(o=null)}else o=null;var a=/^\s*class\b/,i=function(e){try{var t=r.call(e);return a.test(t)}catch(e){return!1}},s=Object.prototype.toString,l="function"==typeof Symbol&&!!Symbol.toStringTag,c="object"==typeof document&&void 0===document.all&&void 0!==document.all?document.all:{};e.exports=o?function(e){if(e===c)return!0;if(!e)return!1;if("function"!=typeof e&&"object"!=typeof e)return!1;if("function"==typeof e&&!e.prototype)return!0;try{o(e,null,t)}catch(e){if(e!==n)return!1}return!i(e)}:function(e){if(e===c)return!0;if(!e)return!1;if("function"!=typeof e&&"object"!=typeof e)return!1;if("function"==typeof e&&!e.prototype)return!0;if(l)return function(e){try{return!i(e)&&(r.call(e),!0)}catch(e){return!1}}(e);if(i(e))return!1;var t=s.call(e);return"[object Function]"===t||"[object GeneratorFunction]"===t}},8923:(e,t,n)=>{"use strict";var r=Date.prototype.getDay,o=Object.prototype.toString,a=n(6410)();e.exports=function(e){return"object"==typeof e&&null!==e&&(a?function(e){try{return r.call(e),!0}catch(e){return!1}}(e):"[object Date]"===o.call(e))}},8420:(e,t,n)=>{"use strict";var r,o,a,i,s=n(1924),l=n(6410)();if(l){r=s("Object.prototype.hasOwnProperty"),o=s("RegExp.prototype.exec"),a={};var c=function(){throw a};i={toString:c,valueOf:c},"symbol"==typeof Symbol.toPrimitive&&(i[Symbol.toPrimitive]=c)}var u=s("Object.prototype.toString"),d=Object.getOwnPropertyDescriptor;e.exports=l?function(e){if(!e||"object"!=typeof e)return!1;var t=d(e,"lastIndex");if(!(t&&r(t,"value")))return!1;try{o(e,i)}catch(e){return e===a}}:function(e){return!(!e||"object"!=typeof e&&"function"!=typeof e)&&"[object RegExp]"===u(e)}},2636:(e,t,n)=>{"use strict";var r=Object.prototype.toString;if(n(1405)()){var o=Symbol.prototype.toString,a=/^Symbol\(.*\)$/;e.exports=function(e){if("symbol"==typeof e)return!0;if("[object Symbol]"!==r.call(e))return!1;try{return function(e){return"symbol"==typeof e.valueOf()&&a.test(o.call(e))}(e)}catch(e){return!1}}}else e.exports=function(e){return!1}},1465:(e,t)=>{Object.defineProperty(t,"__esModule",{value:!0}),t.default=function(){return!("undefined"==typeof window||!("ontouchstart"in window||window.DocumentTouch&&"undefined"!=typeof document&&document instanceof window.DocumentTouch))||!("undefined"==typeof navigator||!navigator.maxTouchPoints&&!navigator.msMaxTouchPoints)},e.exports=t.default},8303:(e,t,n)=>{var r=n(1934);e.exports=function(e){var t=r(e,"line-height"),n=parseFloat(t,10);if(t===n+""){var o=e.style.lineHeight;e.style.lineHeight=t+"em",t=r(e,"line-height"),n=parseFloat(t,10),o?e.style.lineHeight=o:delete e.style.lineHeight}if(-1!==t.indexOf("pt")?(n*=4,n/=3):-1!==t.indexOf("mm")?(n*=96,n/=25.4):-1!==t.indexOf("cm")?(n*=96,n/=2.54):-1!==t.indexOf("in")?n*=96:-1!==t.indexOf("pc")&&(n*=16),n=Math.round(n),"normal"===t){var a=e.nodeName,i=document.createElement(a);i.innerHTML=" ","TEXTAREA"===a.toUpperCase()&&i.setAttribute("rows","1");var s=r(e,"font-size");i.style.fontSize=s,i.style.padding="0px",i.style.border="0px";var l=document.body;l.appendChild(i),n=i.offsetHeight,l.removeChild(i)}return n}},2705:(e,t,n)=>{var r=n(5639).Symbol;e.exports=r},4239:(e,t,n)=>{var r=n(2705),o=n(9607),a=n(2333),i=r?r.toStringTag:void 0;e.exports=function(e){return null==e?void 0===e?"[object Undefined]":"[object Null]":i&&i in Object(e)?o(e):a(e)}},7561:(e,t,n)=>{var r=n(7990),o=/^\s+/;e.exports=function(e){return e?e.slice(0,r(e)+1).replace(o,""):e}},1957:(e,t,n)=>{var r="object"==typeof n.g&&n.g&&n.g.Object===Object&&n.g;e.exports=r},9607:(e,t,n)=>{var r=n(2705),o=Object.prototype,a=o.hasOwnProperty,i=o.toString,s=r?r.toStringTag:void 0;e.exports=function(e){var t=a.call(e,s),n=e[s];try{e[s]=void 0;var r=!0}catch(e){}var o=i.call(e);return r&&(t?e[s]=n:delete e[s]),o}},2333:e=>{var t=Object.prototype.toString;e.exports=function(e){return t.call(e)}},5639:(e,t,n)=>{var r=n(1957),o="object"==typeof self&&self&&self.Object===Object&&self,a=r||o||Function("return this")();e.exports=a},7990:e=>{var t=/\s/;e.exports=function(e){for(var n=e.length;n--&&t.test(e.charAt(n)););return n}},3279:(e,t,n)=>{var r=n(3218),o=n(7771),a=n(4841),i=Math.max,s=Math.min;e.exports=function(e,t,n){var l,c,u,d,p,m,h=0,f=!1,g=!1,b=!0;if("function"!=typeof e)throw new TypeError("Expected a function");function y(t){var n=l,r=c;return l=c=void 0,h=t,d=e.apply(r,n)}function v(e){return h=e,p=setTimeout(M,t),f?y(e):d}function _(e){var n=e-m;return void 0===m||n>=t||n<0||g&&e-h>=u}function M(){var e=o();if(_(e))return k(e);p=setTimeout(M,function(e){var n=t-(e-m);return g?s(n,u-(e-h)):n}(e))}function k(e){return p=void 0,b&&l?y(e):(l=c=void 0,d)}function w(){var e=o(),n=_(e);if(l=arguments,c=this,m=e,n){if(void 0===p)return v(m);if(g)return clearTimeout(p),p=setTimeout(M,t),y(m)}return void 0===p&&(p=setTimeout(M,t)),d}return t=a(t)||0,r(n)&&(f=!!n.leading,u=(g="maxWait"in n)?i(a(n.maxWait)||0,t):u,b="trailing"in n?!!n.trailing:b),w.cancel=function(){void 0!==p&&clearTimeout(p),h=0,l=m=c=p=void 0},w.flush=function(){return void 0===p?d:k(o())},w}},3218:e=>{e.exports=function(e){var t=typeof e;return null!=e&&("object"==t||"function"==t)}},7005:e=>{e.exports=function(e){return null!=e&&"object"==typeof e}},3448:(e,t,n)=>{var r=n(4239),o=n(7005);e.exports=function(e){return"symbol"==typeof e||o(e)&&"[object Symbol]"==r(e)}},6486:function(e,t,n){var r;e=n.nmd(e),function(){var o,a="Expected a function",i="__lodash_hash_undefined__",s="__lodash_placeholder__",l=16,c=32,u=64,d=128,p=256,m=1/0,h=9007199254740991,f=NaN,g=4294967295,b=[["ary",d],["bind",1],["bindKey",2],["curry",8],["curryRight",l],["flip",512],["partial",c],["partialRight",u],["rearg",p]],y="[object Arguments]",v="[object Array]",_="[object Boolean]",M="[object Date]",k="[object Error]",w="[object Function]",E="[object GeneratorFunction]",L="[object Map]",A="[object Number]",S="[object Object]",C="[object Promise]",T="[object RegExp]",x="[object Set]",z="[object String]",O="[object Symbol]",N="[object WeakMap]",D="[object ArrayBuffer]",B="[object DataView]",I="[object Float32Array]",P="[object Float64Array]",R="[object Int8Array]",W="[object Int16Array]",Y="[object Int32Array]",H="[object Uint8Array]",q="[object Uint8ClampedArray]",j="[object Uint16Array]",F="[object Uint32Array]",V=/\b__p \+= '';/g,X=/\b(__p \+=) '' \+/g,U=/(__e\(.*?\)|\b__t\)) \+\n'';/g,$=/&(?:amp|lt|gt|quot|#39);/g,K=/[&<>"']/g,G=RegExp($.source),J=RegExp(K.source),Z=/<%-([\s\S]+?)%>/g,Q=/<%([\s\S]+?)%>/g,ee=/<%=([\s\S]+?)%>/g,te=/\.|\[(?:[^[\]]*|(["'])(?:(?!\1)[^\\]|\\.)*?\1)\]/,ne=/^\w*$/,re=/[^.[\]]+|\[(?:(-?\d+(?:\.\d+)?)|(["'])((?:(?!\2)[^\\]|\\.)*?)\2)\]|(?=(?:\.|\[\])(?:\.|\[\]|$))/g,oe=/[\\^$.*+?()[\]{}|]/g,ae=RegExp(oe.source),ie=/^\s+/,se=/\s/,le=/\{(?:\n\/\* \[wrapped with .+\] \*\/)?\n?/,ce=/\{\n\/\* \[wrapped with (.+)\] \*/,ue=/,? & /,de=/[^\x00-\x2f\x3a-\x40\x5b-\x60\x7b-\x7f]+/g,pe=/[()=,{}\[\]\/\s]/,me=/\\(\\)?/g,he=/\$\{([^\\}]*(?:\\.[^\\}]*)*)\}/g,fe=/\w*$/,ge=/^[-+]0x[0-9a-f]+$/i,be=/^0b[01]+$/i,ye=/^\[object .+?Constructor\]$/,ve=/^0o[0-7]+$/i,_e=/^(?:0|[1-9]\d*)$/,Me=/[\xc0-\xd6\xd8-\xf6\xf8-\xff\u0100-\u017f]/g,ke=/($^)/,we=/['\n\r\u2028\u2029\\]/g,Ee="\\u0300-\\u036f\\ufe20-\\ufe2f\\u20d0-\\u20ff",Le="\\u2700-\\u27bf",Ae="a-z\\xdf-\\xf6\\xf8-\\xff",Se="A-Z\\xc0-\\xd6\\xd8-\\xde",Ce="\\ufe0e\\ufe0f",Te="\\xac\\xb1\\xd7\\xf7\\x00-\\x2f\\x3a-\\x40\\x5b-\\x60\\x7b-\\xbf\\u2000-\\u206f \\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",xe="['’]",ze="[\\ud800-\\udfff]",Oe="["+Te+"]",Ne="["+Ee+"]",De="\\d+",Be="[\\u2700-\\u27bf]",Ie="["+Ae+"]",Pe="[^\\ud800-\\udfff"+Te+De+Le+Ae+Se+"]",Re="\\ud83c[\\udffb-\\udfff]",We="[^\\ud800-\\udfff]",Ye="(?:\\ud83c[\\udde6-\\uddff]){2}",He="[\\ud800-\\udbff][\\udc00-\\udfff]",qe="["+Se+"]",je="(?:"+Ie+"|"+Pe+")",Fe="(?:"+qe+"|"+Pe+")",Ve="(?:['’](?:d|ll|m|re|s|t|ve))?",Xe="(?:['’](?:D|LL|M|RE|S|T|VE))?",Ue="(?:"+Ne+"|"+Re+")"+"?",$e="[\\ufe0e\\ufe0f]?",Ke=$e+Ue+("(?:\\u200d(?:"+[We,Ye,He].join("|")+")"+$e+Ue+")*"),Ge="(?:"+[Be,Ye,He].join("|")+")"+Ke,Je="(?:"+[We+Ne+"?",Ne,Ye,He,ze].join("|")+")",Ze=RegExp(xe,"g"),Qe=RegExp(Ne,"g"),et=RegExp(Re+"(?="+Re+")|"+Je+Ke,"g"),tt=RegExp([qe+"?"+Ie+"+"+Ve+"(?="+[Oe,qe,"$"].join("|")+")",Fe+"+"+Xe+"(?="+[Oe,qe+je,"$"].join("|")+")",qe+"?"+je+"+"+Ve,qe+"+"+Xe,"\\d*(?:1ST|2ND|3RD|(?![123])\\dTH)(?=\\b|[a-z_])","\\d*(?:1st|2nd|3rd|(?![123])\\dth)(?=\\b|[A-Z_])",De,Ge].join("|"),"g"),nt=RegExp("[\\u200d\\ud800-\\udfff"+Ee+Ce+"]"),rt=/[a-z][A-Z]|[A-Z]{2}[a-z]|[0-9][a-zA-Z]|[a-zA-Z][0-9]|[^a-zA-Z0-9 ]/,ot=["Array","Buffer","DataView","Date","Error","Float32Array","Float64Array","Function","Int8Array","Int16Array","Int32Array","Map","Math","Object","Promise","RegExp","Set","String","Symbol","TypeError","Uint8Array","Uint8ClampedArray","Uint16Array","Uint32Array","WeakMap","_","clearTimeout","isFinite","parseInt","setTimeout"],at=-1,it={};it[I]=it[P]=it[R]=it[W]=it[Y]=it[H]=it[q]=it[j]=it[F]=!0,it[y]=it[v]=it[D]=it[_]=it[B]=it[M]=it[k]=it[w]=it[L]=it[A]=it[S]=it[T]=it[x]=it[z]=it[N]=!1;var st={};st[y]=st[v]=st[D]=st[B]=st[_]=st[M]=st[I]=st[P]=st[R]=st[W]=st[Y]=st[L]=st[A]=st[S]=st[T]=st[x]=st[z]=st[O]=st[H]=st[q]=st[j]=st[F]=!0,st[k]=st[w]=st[N]=!1;var lt={"\\":"\\","'":"'","\n":"n","\r":"r","\u2028":"u2028","\u2029":"u2029"},ct=parseFloat,ut=parseInt,dt="object"==typeof n.g&&n.g&&n.g.Object===Object&&n.g,pt="object"==typeof self&&self&&self.Object===Object&&self,mt=dt||pt||Function("return this")(),ht=t&&!t.nodeType&&t,ft=ht&&e&&!e.nodeType&&e,gt=ft&&ft.exports===ht,bt=gt&&dt.process,yt=function(){try{var e=ft&&ft.require&&ft.require("util").types;return e||bt&&bt.binding&&bt.binding("util")}catch(e){}}(),vt=yt&&yt.isArrayBuffer,_t=yt&&yt.isDate,Mt=yt&&yt.isMap,kt=yt&&yt.isRegExp,wt=yt&&yt.isSet,Et=yt&&yt.isTypedArray;function Lt(e,t,n){switch(n.length){case 0:return e.call(t);case 1:return e.call(t,n[0]);case 2:return e.call(t,n[0],n[1]);case 3:return e.call(t,n[0],n[1],n[2])}return e.apply(t,n)}function At(e,t,n,r){for(var o=-1,a=null==e?0:e.length;++o-1}function Ot(e,t,n){for(var r=-1,o=null==e?0:e.length;++r-1;);return n}function tn(e,t){for(var n=e.length;n--&&Ht(t,e[n],0)>-1;);return n}function nn(e,t){for(var n=e.length,r=0;n--;)e[n]===t&&++r;return r}var rn=Xt({À:"A",Á:"A",Â:"A",Ã:"A",Ä:"A",Å:"A",à:"a",á:"a",â:"a",ã:"a",ä:"a",å:"a",Ç:"C",ç:"c",Ð:"D",ð:"d",È:"E",É:"E",Ê:"E",Ë:"E",è:"e",é:"e",ê:"e",ë:"e",Ì:"I",Í:"I",Î:"I",Ï:"I",ì:"i",í:"i",î:"i",ï:"i",Ñ:"N",ñ:"n",Ò:"O",Ó:"O",Ô:"O",Õ:"O",Ö:"O",Ø:"O",ò:"o",ó:"o",ô:"o",õ:"o",ö:"o",ø:"o",Ù:"U",Ú:"U",Û:"U",Ü:"U",ù:"u",ú:"u",û:"u",ü:"u",Ý:"Y",ý:"y",ÿ:"y",Æ:"Ae",æ:"ae",Þ:"Th",þ:"th",ß:"ss",Ā:"A",Ă:"A",Ą:"A",ā:"a",ă:"a",ą:"a",Ć:"C",Ĉ:"C",Ċ:"C",Č:"C",ć:"c",ĉ:"c",ċ:"c",č:"c",Ď:"D",Đ:"D",ď:"d",đ:"d",Ē:"E",Ĕ:"E",Ė:"E",Ę:"E",Ě:"E",ē:"e",ĕ:"e",ė:"e",ę:"e",ě:"e",Ĝ:"G",Ğ:"G",Ġ:"G",Ģ:"G",ĝ:"g",ğ:"g",ġ:"g",ģ:"g",Ĥ:"H",Ħ:"H",ĥ:"h",ħ:"h",Ĩ:"I",Ī:"I",Ĭ:"I",Į:"I",İ:"I",ĩ:"i",ī:"i",ĭ:"i",į:"i",ı:"i",Ĵ:"J",ĵ:"j",Ķ:"K",ķ:"k",ĸ:"k",Ĺ:"L",Ļ:"L",Ľ:"L",Ŀ:"L",Ł:"L",ĺ:"l",ļ:"l",ľ:"l",ŀ:"l",ł:"l",Ń:"N",Ņ:"N",Ň:"N",Ŋ:"N",ń:"n",ņ:"n",ň:"n",ŋ:"n",Ō:"O",Ŏ:"O",Ő:"O",ō:"o",ŏ:"o",ő:"o",Ŕ:"R",Ŗ:"R",Ř:"R",ŕ:"r",ŗ:"r",ř:"r",Ś:"S",Ŝ:"S",Ş:"S",Š:"S",ś:"s",ŝ:"s",ş:"s",š:"s",Ţ:"T",Ť:"T",Ŧ:"T",ţ:"t",ť:"t",ŧ:"t",Ũ:"U",Ū:"U",Ŭ:"U",Ů:"U",Ű:"U",Ų:"U",ũ:"u",ū:"u",ŭ:"u",ů:"u",ű:"u",ų:"u",Ŵ:"W",ŵ:"w",Ŷ:"Y",ŷ:"y",Ÿ:"Y",Ź:"Z",Ż:"Z",Ž:"Z",ź:"z",ż:"z",ž:"z",IJ:"IJ",ij:"ij",Œ:"Oe",œ:"oe",ʼn:"'n",ſ:"s"}),on=Xt({"&":"&","<":"<",">":">",'"':""","'":"'"});function an(e){return"\\"+lt[e]}function sn(e){return nt.test(e)}function ln(e){var t=-1,n=Array(e.size);return e.forEach((function(e,r){n[++t]=[r,e]})),n}function cn(e,t){return function(n){return e(t(n))}}function un(e,t){for(var n=-1,r=e.length,o=0,a=[];++n",""":'"',"'":"'"});var bn=function e(t){var n,r=(t=null==t?mt:bn.defaults(mt.Object(),t,bn.pick(mt,ot))).Array,se=t.Date,Ee=t.Error,Le=t.Function,Ae=t.Math,Se=t.Object,Ce=t.RegExp,Te=t.String,xe=t.TypeError,ze=r.prototype,Oe=Le.prototype,Ne=Se.prototype,De=t["__core-js_shared__"],Be=Oe.toString,Ie=Ne.hasOwnProperty,Pe=0,Re=(n=/[^.]+$/.exec(De&&De.keys&&De.keys.IE_PROTO||""))?"Symbol(src)_1."+n:"",We=Ne.toString,Ye=Be.call(Se),He=mt._,qe=Ce("^"+Be.call(Ie).replace(oe,"\\$&").replace(/hasOwnProperty|(function).*?(?=\\\()| for .+?(?=\\\])/g,"$1.*?")+"$"),je=gt?t.Buffer:o,Fe=t.Symbol,Ve=t.Uint8Array,Xe=je?je.allocUnsafe:o,Ue=cn(Se.getPrototypeOf,Se),$e=Se.create,Ke=Ne.propertyIsEnumerable,Ge=ze.splice,Je=Fe?Fe.isConcatSpreadable:o,et=Fe?Fe.iterator:o,nt=Fe?Fe.toStringTag:o,lt=function(){try{var e=ha(Se,"defineProperty");return e({},"",{}),e}catch(e){}}(),dt=t.clearTimeout!==mt.clearTimeout&&t.clearTimeout,pt=se&&se.now!==mt.Date.now&&se.now,ht=t.setTimeout!==mt.setTimeout&&t.setTimeout,ft=Ae.ceil,bt=Ae.floor,yt=Se.getOwnPropertySymbols,Rt=je?je.isBuffer:o,Xt=t.isFinite,yn=ze.join,vn=cn(Se.keys,Se),_n=Ae.max,Mn=Ae.min,kn=se.now,wn=t.parseInt,En=Ae.random,Ln=ze.reverse,An=ha(t,"DataView"),Sn=ha(t,"Map"),Cn=ha(t,"Promise"),Tn=ha(t,"Set"),xn=ha(t,"WeakMap"),zn=ha(Se,"create"),On=xn&&new xn,Nn={},Dn=Ha(An),Bn=Ha(Sn),In=Ha(Cn),Pn=Ha(Tn),Rn=Ha(xn),Wn=Fe?Fe.prototype:o,Yn=Wn?Wn.valueOf:o,Hn=Wn?Wn.toString:o;function qn(e){if(os(e)&&!Ui(e)&&!(e instanceof Xn)){if(e instanceof Vn)return e;if(Ie.call(e,"__wrapped__"))return qa(e)}return new Vn(e)}var jn=function(){function e(){}return function(t){if(!rs(t))return{};if($e)return $e(t);e.prototype=t;var n=new e;return e.prototype=o,n}}();function Fn(){}function Vn(e,t){this.__wrapped__=e,this.__actions__=[],this.__chain__=!!t,this.__index__=0,this.__values__=o}function Xn(e){this.__wrapped__=e,this.__actions__=[],this.__dir__=1,this.__filtered__=!1,this.__iteratees__=[],this.__takeCount__=g,this.__views__=[]}function Un(e){var t=-1,n=null==e?0:e.length;for(this.clear();++t=t?e:t)),e}function ur(e,t,n,r,a,i){var s,l=1&t,c=2&t,u=4&t;if(n&&(s=a?n(e,r,a,i):n(e)),s!==o)return s;if(!rs(e))return e;var d=Ui(e);if(d){if(s=function(e){var t=e.length,n=new e.constructor(t);t&&"string"==typeof e[0]&&Ie.call(e,"index")&&(n.index=e.index,n.input=e.input);return n}(e),!l)return Oo(e,s)}else{var p=ba(e),m=p==w||p==E;if(Ji(e))return Ao(e,l);if(p==S||p==y||m&&!a){if(s=c||m?{}:va(e),!l)return c?function(e,t){return No(e,ga(e),t)}(e,function(e,t){return e&&No(t,Bs(t),e)}(s,e)):function(e,t){return No(e,fa(e),t)}(e,ir(s,e))}else{if(!st[p])return a?e:{};s=function(e,t,n){var r=e.constructor;switch(t){case D:return So(e);case _:case M:return new r(+e);case B:return function(e,t){var n=t?So(e.buffer):e.buffer;return new e.constructor(n,e.byteOffset,e.byteLength)}(e,n);case I:case P:case R:case W:case Y:case H:case q:case j:case F:return Co(e,n);case L:return new r;case A:case z:return new r(e);case T:return function(e){var t=new e.constructor(e.source,fe.exec(e));return t.lastIndex=e.lastIndex,t}(e);case x:return new r;case O:return o=e,Yn?Se(Yn.call(o)):{}}var o}(e,p,l)}}i||(i=new Jn);var h=i.get(e);if(h)return h;i.set(e,s),cs(e)?e.forEach((function(r){s.add(ur(r,t,n,r,e,i))})):as(e)&&e.forEach((function(r,o){s.set(o,ur(r,t,n,o,e,i))}));var f=d?o:(u?c?sa:ia:c?Bs:Ds)(e);return St(f||e,(function(r,o){f&&(r=e[o=r]),rr(s,o,ur(r,t,n,o,e,i))})),s}function dr(e,t,n){var r=n.length;if(null==e)return!r;for(e=Se(e);r--;){var a=n[r],i=t[a],s=e[a];if(s===o&&!(a in e)||!i(s))return!1}return!0}function pr(e,t,n){if("function"!=typeof e)throw new xe(a);return Da((function(){e.apply(o,n)}),t)}function mr(e,t,n,r){var o=-1,a=zt,i=!0,s=e.length,l=[],c=t.length;if(!s)return l;n&&(t=Nt(t,Jt(n))),r?(a=Ot,i=!1):t.length>=200&&(a=Qt,i=!1,t=new Gn(t));e:for(;++o-1},$n.prototype.set=function(e,t){var n=this.__data__,r=or(n,e);return r<0?(++this.size,n.push([e,t])):n[r][1]=t,this},Kn.prototype.clear=function(){this.size=0,this.__data__={hash:new Un,map:new(Sn||$n),string:new Un}},Kn.prototype.delete=function(e){var t=pa(this,e).delete(e);return this.size-=t?1:0,t},Kn.prototype.get=function(e){return pa(this,e).get(e)},Kn.prototype.has=function(e){return pa(this,e).has(e)},Kn.prototype.set=function(e,t){var n=pa(this,e),r=n.size;return n.set(e,t),this.size+=n.size==r?0:1,this},Gn.prototype.add=Gn.prototype.push=function(e){return this.__data__.set(e,i),this},Gn.prototype.has=function(e){return this.__data__.has(e)},Jn.prototype.clear=function(){this.__data__=new $n,this.size=0},Jn.prototype.delete=function(e){var t=this.__data__,n=t.delete(e);return this.size=t.size,n},Jn.prototype.get=function(e){return this.__data__.get(e)},Jn.prototype.has=function(e){return this.__data__.has(e)},Jn.prototype.set=function(e,t){var n=this.__data__;if(n instanceof $n){var r=n.__data__;if(!Sn||r.length<199)return r.push([e,t]),this.size=++n.size,this;n=this.__data__=new Kn(r)}return n.set(e,t),this.size=n.size,this};var hr=Io(kr),fr=Io(wr,!0);function gr(e,t){var n=!0;return hr(e,(function(e,r,o){return n=!!t(e,r,o)})),n}function br(e,t,n){for(var r=-1,a=e.length;++r0&&n(s)?t>1?vr(s,t-1,n,r,o):Dt(o,s):r||(o[o.length]=s)}return o}var _r=Po(),Mr=Po(!0);function kr(e,t){return e&&_r(e,t,Ds)}function wr(e,t){return e&&Mr(e,t,Ds)}function Er(e,t){return xt(t,(function(t){return es(e[t])}))}function Lr(e,t){for(var n=0,r=(t=ko(t,e)).length;null!=e&&nt}function Tr(e,t){return null!=e&&Ie.call(e,t)}function xr(e,t){return null!=e&&t in Se(e)}function zr(e,t,n){for(var a=n?Ot:zt,i=e[0].length,s=e.length,l=s,c=r(s),u=1/0,d=[];l--;){var p=e[l];l&&t&&(p=Nt(p,Jt(t))),u=Mn(p.length,u),c[l]=!n&&(t||i>=120&&p.length>=120)?new Gn(l&&p):o}p=e[0];var m=-1,h=c[0];e:for(;++m=s?l:l*("desc"==n[r]?-1:1)}return e.index-t.index}(e,t,n)}))}function Ur(e,t,n){for(var r=-1,o=t.length,a={};++r-1;)s!==e&&Ge.call(s,l,1),Ge.call(e,l,1);return e}function Kr(e,t){for(var n=e?t.length:0,r=n-1;n--;){var o=t[n];if(n==r||o!==a){var a=o;Ma(o)?Ge.call(e,o,1):ho(e,o)}}return e}function Gr(e,t){return e+bt(En()*(t-e+1))}function Jr(e,t){var n="";if(!e||t<1||t>h)return n;do{t%2&&(n+=e),(t=bt(t/2))&&(e+=e)}while(t);return n}function Zr(e,t){return Ba(Ta(e,t,il),e+"")}function Qr(e){return Qn(js(e))}function eo(e,t){var n=js(e);return Ra(n,cr(t,0,n.length))}function to(e,t,n,r){if(!rs(e))return e;for(var a=-1,i=(t=ko(t,e)).length,s=i-1,l=e;null!=l&&++aa?0:a+t),(n=n>a?a:n)<0&&(n+=a),a=t>n?0:n-t>>>0,t>>>=0;for(var i=r(a);++o>>1,i=e[a];null!==i&&!ds(i)&&(n?i<=t:i=200){var c=t?null:Zo(e);if(c)return dn(c);i=!1,o=Qt,l=new Gn}else l=t?[]:s;e:for(;++r=r?e:ao(e,t,n)}var Lo=dt||function(e){return mt.clearTimeout(e)};function Ao(e,t){if(t)return e.slice();var n=e.length,r=Xe?Xe(n):new e.constructor(n);return e.copy(r),r}function So(e){var t=new e.constructor(e.byteLength);return new Ve(t).set(new Ve(e)),t}function Co(e,t){var n=t?So(e.buffer):e.buffer;return new e.constructor(n,e.byteOffset,e.length)}function To(e,t){if(e!==t){var n=e!==o,r=null===e,a=e==e,i=ds(e),s=t!==o,l=null===t,c=t==t,u=ds(t);if(!l&&!u&&!i&&e>t||i&&s&&c&&!l&&!u||r&&s&&c||!n&&c||!a)return 1;if(!r&&!i&&!u&&e1?n[a-1]:o,s=a>2?n[2]:o;for(i=e.length>3&&"function"==typeof i?(a--,i):o,s&&ka(n[0],n[1],s)&&(i=a<3?o:i,a=1),t=Se(t);++r-1?a[i?t[s]:s]:o}}function qo(e){return aa((function(t){var n=t.length,r=n,i=Vn.prototype.thru;for(e&&t.reverse();r--;){var s=t[r];if("function"!=typeof s)throw new xe(a);if(i&&!l&&"wrapper"==ca(s))var l=new Vn([],!0)}for(r=l?r:n;++r1&&v.reverse(),m&&ul))return!1;var u=i.get(e),d=i.get(t);if(u&&d)return u==t&&d==e;var p=-1,m=!0,h=2&n?new Gn:o;for(i.set(e,t),i.set(t,e);++p-1&&e%1==0&&e1?"& ":"")+t[r],t=t.join(n>2?", ":" "),e.replace(le,"{\n/* [wrapped with "+t+"] */\n")}(r,function(e,t){return St(b,(function(n){var r="_."+n[0];t&n[1]&&!zt(e,r)&&e.push(r)})),e.sort()}(function(e){var t=e.match(ce);return t?t[1].split(ue):[]}(r),n)))}function Pa(e){var t=0,n=0;return function(){var r=kn(),a=16-(r-n);if(n=r,a>0){if(++t>=800)return arguments[0]}else t=0;return e.apply(o,arguments)}}function Ra(e,t){var n=-1,r=e.length,a=r-1;for(t=t===o?r:t;++n1?e[t-1]:o;return n="function"==typeof n?(e.pop(),n):o,li(e,n)}));function fi(e){var t=qn(e);return t.__chain__=!0,t}function gi(e,t){return t(e)}var bi=aa((function(e){var t=e.length,n=t?e[0]:0,r=this.__wrapped__,a=function(t){return lr(t,e)};return!(t>1||this.__actions__.length)&&r instanceof Xn&&Ma(n)?((r=r.slice(n,+n+(t?1:0))).__actions__.push({func:gi,args:[a],thisArg:o}),new Vn(r,this.__chain__).thru((function(e){return t&&!e.length&&e.push(o),e}))):this.thru(a)}));var yi=Do((function(e,t,n){Ie.call(e,n)?++e[n]:sr(e,n,1)}));var vi=Ho(Xa),_i=Ho(Ua);function Mi(e,t){return(Ui(e)?St:hr)(e,da(t,3))}function ki(e,t){return(Ui(e)?Ct:fr)(e,da(t,3))}var wi=Do((function(e,t,n){Ie.call(e,n)?e[n].push(t):sr(e,n,[t])}));var Ei=Zr((function(e,t,n){var o=-1,a="function"==typeof t,i=Ki(e)?r(e.length):[];return hr(e,(function(e){i[++o]=a?Lt(t,e,n):Or(e,t,n)})),i})),Li=Do((function(e,t,n){sr(e,n,t)}));function Ai(e,t){return(Ui(e)?Nt:Hr)(e,da(t,3))}var Si=Do((function(e,t,n){e[n?0:1].push(t)}),(function(){return[[],[]]}));var Ci=Zr((function(e,t){if(null==e)return[];var n=t.length;return n>1&&ka(e,t[0],t[1])?t=[]:n>2&&ka(t[0],t[1],t[2])&&(t=[t[0]]),Xr(e,vr(t,1),[])})),Ti=pt||function(){return mt.Date.now()};function xi(e,t,n){return t=n?o:t,t=e&&null==t?e.length:t,ea(e,d,o,o,o,o,t)}function zi(e,t){var n;if("function"!=typeof t)throw new xe(a);return e=bs(e),function(){return--e>0&&(n=t.apply(this,arguments)),e<=1&&(t=o),n}}var Oi=Zr((function(e,t,n){var r=1;if(n.length){var o=un(n,ua(Oi));r|=c}return ea(e,r,t,n,o)})),Ni=Zr((function(e,t,n){var r=3;if(n.length){var o=un(n,ua(Ni));r|=c}return ea(t,r,e,n,o)}));function Di(e,t,n){var r,i,s,l,c,u,d=0,p=!1,m=!1,h=!0;if("function"!=typeof e)throw new xe(a);function f(t){var n=r,a=i;return r=i=o,d=t,l=e.apply(a,n)}function g(e){return d=e,c=Da(y,t),p?f(e):l}function b(e){var n=e-u;return u===o||n>=t||n<0||m&&e-d>=s}function y(){var e=Ti();if(b(e))return v(e);c=Da(y,function(e){var n=t-(e-u);return m?Mn(n,s-(e-d)):n}(e))}function v(e){return c=o,h&&r?f(e):(r=i=o,l)}function _(){var e=Ti(),n=b(e);if(r=arguments,i=this,u=e,n){if(c===o)return g(u);if(m)return Lo(c),c=Da(y,t),f(u)}return c===o&&(c=Da(y,t)),l}return t=vs(t)||0,rs(n)&&(p=!!n.leading,s=(m="maxWait"in n)?_n(vs(n.maxWait)||0,t):s,h="trailing"in n?!!n.trailing:h),_.cancel=function(){c!==o&&Lo(c),d=0,r=u=i=c=o},_.flush=function(){return c===o?l:v(Ti())},_}var Bi=Zr((function(e,t){return pr(e,1,t)})),Ii=Zr((function(e,t,n){return pr(e,vs(t)||0,n)}));function Pi(e,t){if("function"!=typeof e||null!=t&&"function"!=typeof t)throw new xe(a);var n=function(){var r=arguments,o=t?t.apply(this,r):r[0],a=n.cache;if(a.has(o))return a.get(o);var i=e.apply(this,r);return n.cache=a.set(o,i)||a,i};return n.cache=new(Pi.Cache||Kn),n}function Ri(e){if("function"!=typeof e)throw new xe(a);return function(){var t=arguments;switch(t.length){case 0:return!e.call(this);case 1:return!e.call(this,t[0]);case 2:return!e.call(this,t[0],t[1]);case 3:return!e.call(this,t[0],t[1],t[2])}return!e.apply(this,t)}}Pi.Cache=Kn;var Wi=wo((function(e,t){var n=(t=1==t.length&&Ui(t[0])?Nt(t[0],Jt(da())):Nt(vr(t,1),Jt(da()))).length;return Zr((function(r){for(var o=-1,a=Mn(r.length,n);++o=t})),Xi=Nr(function(){return arguments}())?Nr:function(e){return os(e)&&Ie.call(e,"callee")&&!Ke.call(e,"callee")},Ui=r.isArray,$i=vt?Jt(vt):function(e){return os(e)&&Sr(e)==D};function Ki(e){return null!=e&&ns(e.length)&&!es(e)}function Gi(e){return os(e)&&Ki(e)}var Ji=Rt||vl,Zi=_t?Jt(_t):function(e){return os(e)&&Sr(e)==M};function Qi(e){if(!os(e))return!1;var t=Sr(e);return t==k||"[object DOMException]"==t||"string"==typeof e.message&&"string"==typeof e.name&&!ss(e)}function es(e){if(!rs(e))return!1;var t=Sr(e);return t==w||t==E||"[object AsyncFunction]"==t||"[object Proxy]"==t}function ts(e){return"number"==typeof e&&e==bs(e)}function ns(e){return"number"==typeof e&&e>-1&&e%1==0&&e<=h}function rs(e){var t=typeof e;return null!=e&&("object"==t||"function"==t)}function os(e){return null!=e&&"object"==typeof e}var as=Mt?Jt(Mt):function(e){return os(e)&&ba(e)==L};function is(e){return"number"==typeof e||os(e)&&Sr(e)==A}function ss(e){if(!os(e)||Sr(e)!=S)return!1;var t=Ue(e);if(null===t)return!0;var n=Ie.call(t,"constructor")&&t.constructor;return"function"==typeof n&&n instanceof n&&Be.call(n)==Ye}var ls=kt?Jt(kt):function(e){return os(e)&&Sr(e)==T};var cs=wt?Jt(wt):function(e){return os(e)&&ba(e)==x};function us(e){return"string"==typeof e||!Ui(e)&&os(e)&&Sr(e)==z}function ds(e){return"symbol"==typeof e||os(e)&&Sr(e)==O}var ps=Et?Jt(Et):function(e){return os(e)&&ns(e.length)&&!!it[Sr(e)]};var ms=Ko(Yr),hs=Ko((function(e,t){return e<=t}));function fs(e){if(!e)return[];if(Ki(e))return us(e)?hn(e):Oo(e);if(et&&e[et])return function(e){for(var t,n=[];!(t=e.next()).done;)n.push(t.value);return n}(e[et]());var t=ba(e);return(t==L?ln:t==x?dn:js)(e)}function gs(e){return e?(e=vs(e))===m||e===-1/0?17976931348623157e292*(e<0?-1:1):e==e?e:0:0===e?e:0}function bs(e){var t=gs(e),n=t%1;return t==t?n?t-n:t:0}function ys(e){return e?cr(bs(e),0,g):0}function vs(e){if("number"==typeof e)return e;if(ds(e))return f;if(rs(e)){var t="function"==typeof e.valueOf?e.valueOf():e;e=rs(t)?t+"":t}if("string"!=typeof e)return 0===e?e:+e;e=Gt(e);var n=be.test(e);return n||ve.test(e)?ut(e.slice(2),n?2:8):ge.test(e)?f:+e}function _s(e){return No(e,Bs(e))}function Ms(e){return null==e?"":po(e)}var ks=Bo((function(e,t){if(Aa(t)||Ki(t))No(t,Ds(t),e);else for(var n in t)Ie.call(t,n)&&rr(e,n,t[n])})),ws=Bo((function(e,t){No(t,Bs(t),e)})),Es=Bo((function(e,t,n,r){No(t,Bs(t),e,r)})),Ls=Bo((function(e,t,n,r){No(t,Ds(t),e,r)})),As=aa(lr);var Ss=Zr((function(e,t){e=Se(e);var n=-1,r=t.length,a=r>2?t[2]:o;for(a&&ka(t[0],t[1],a)&&(r=1);++n1),t})),No(e,sa(e),n),r&&(n=ur(n,7,ra));for(var o=t.length;o--;)ho(n,t[o]);return n}));var Ws=aa((function(e,t){return null==e?{}:function(e,t){return Ur(e,t,(function(t,n){return xs(e,n)}))}(e,t)}));function Ys(e,t){if(null==e)return{};var n=Nt(sa(e),(function(e){return[e]}));return t=da(t),Ur(e,n,(function(e,n){return t(e,n[0])}))}var Hs=Qo(Ds),qs=Qo(Bs);function js(e){return null==e?[]:Zt(e,Ds(e))}var Fs=Wo((function(e,t,n){return t=t.toLowerCase(),e+(n?Vs(t):t)}));function Vs(e){return Qs(Ms(e).toLowerCase())}function Xs(e){return(e=Ms(e))&&e.replace(Me,rn).replace(Qe,"")}var Us=Wo((function(e,t,n){return e+(n?"-":"")+t.toLowerCase()})),$s=Wo((function(e,t,n){return e+(n?" ":"")+t.toLowerCase()})),Ks=Ro("toLowerCase");var Gs=Wo((function(e,t,n){return e+(n?"_":"")+t.toLowerCase()}));var Js=Wo((function(e,t,n){return e+(n?" ":"")+Qs(t)}));var Zs=Wo((function(e,t,n){return e+(n?" ":"")+t.toUpperCase()})),Qs=Ro("toUpperCase");function el(e,t,n){return e=Ms(e),(t=n?o:t)===o?function(e){return rt.test(e)}(e)?function(e){return e.match(tt)||[]}(e):function(e){return e.match(de)||[]}(e):e.match(t)||[]}var tl=Zr((function(e,t){try{return Lt(e,o,t)}catch(e){return Qi(e)?e:new Ee(e)}})),nl=aa((function(e,t){return St(t,(function(t){t=Ya(t),sr(e,t,Oi(e[t],e))})),e}));function rl(e){return function(){return e}}var ol=qo(),al=qo(!0);function il(e){return e}function sl(e){return Pr("function"==typeof e?e:ur(e,1))}var ll=Zr((function(e,t){return function(n){return Or(n,e,t)}})),cl=Zr((function(e,t){return function(n){return Or(e,n,t)}}));function ul(e,t,n){var r=Ds(t),o=Er(t,r);null!=n||rs(t)&&(o.length||!r.length)||(n=t,t=e,e=this,o=Er(t,Ds(t)));var a=!(rs(n)&&"chain"in n&&!n.chain),i=es(e);return St(o,(function(n){var r=t[n];e[n]=r,i&&(e.prototype[n]=function(){var t=this.__chain__;if(a||t){var n=e(this.__wrapped__),o=n.__actions__=Oo(this.__actions__);return o.push({func:r,args:arguments,thisArg:e}),n.__chain__=t,n}return r.apply(e,Dt([this.value()],arguments))})})),e}function dl(){}var pl=Xo(Nt),ml=Xo(Tt),hl=Xo(Pt);function fl(e){return wa(e)?Vt(Ya(e)):function(e){return function(t){return Lr(t,e)}}(e)}var gl=$o(),bl=$o(!0);function yl(){return[]}function vl(){return!1}var _l=Vo((function(e,t){return e+t}),0),Ml=Jo("ceil"),kl=Vo((function(e,t){return e/t}),1),wl=Jo("floor");var El,Ll=Vo((function(e,t){return e*t}),1),Al=Jo("round"),Sl=Vo((function(e,t){return e-t}),0);return qn.after=function(e,t){if("function"!=typeof t)throw new xe(a);return e=bs(e),function(){if(--e<1)return t.apply(this,arguments)}},qn.ary=xi,qn.assign=ks,qn.assignIn=ws,qn.assignInWith=Es,qn.assignWith=Ls,qn.at=As,qn.before=zi,qn.bind=Oi,qn.bindAll=nl,qn.bindKey=Ni,qn.castArray=function(){if(!arguments.length)return[];var e=arguments[0];return Ui(e)?e:[e]},qn.chain=fi,qn.chunk=function(e,t,n){t=(n?ka(e,t,n):t===o)?1:_n(bs(t),0);var a=null==e?0:e.length;if(!a||t<1)return[];for(var i=0,s=0,l=r(ft(a/t));ia?0:a+n),(r=r===o||r>a?a:bs(r))<0&&(r+=a),r=n>r?0:ys(r);n>>0)?(e=Ms(e))&&("string"==typeof t||null!=t&&!ls(t))&&!(t=po(t))&&sn(e)?Eo(hn(e),0,n):e.split(t,n):[]},qn.spread=function(e,t){if("function"!=typeof e)throw new xe(a);return t=null==t?0:_n(bs(t),0),Zr((function(n){var r=n[t],o=Eo(n,0,t);return r&&Dt(o,r),Lt(e,this,o)}))},qn.tail=function(e){var t=null==e?0:e.length;return t?ao(e,1,t):[]},qn.take=function(e,t,n){return e&&e.length?ao(e,0,(t=n||t===o?1:bs(t))<0?0:t):[]},qn.takeRight=function(e,t,n){var r=null==e?0:e.length;return r?ao(e,(t=r-(t=n||t===o?1:bs(t)))<0?0:t,r):[]},qn.takeRightWhile=function(e,t){return e&&e.length?go(e,da(t,3),!1,!0):[]},qn.takeWhile=function(e,t){return e&&e.length?go(e,da(t,3)):[]},qn.tap=function(e,t){return t(e),e},qn.throttle=function(e,t,n){var r=!0,o=!0;if("function"!=typeof e)throw new xe(a);return rs(n)&&(r="leading"in n?!!n.leading:r,o="trailing"in n?!!n.trailing:o),Di(e,t,{leading:r,maxWait:t,trailing:o})},qn.thru=gi,qn.toArray=fs,qn.toPairs=Hs,qn.toPairsIn=qs,qn.toPath=function(e){return Ui(e)?Nt(e,Ya):ds(e)?[e]:Oo(Wa(Ms(e)))},qn.toPlainObject=_s,qn.transform=function(e,t,n){var r=Ui(e),o=r||Ji(e)||ps(e);if(t=da(t,4),null==n){var a=e&&e.constructor;n=o?r?new a:[]:rs(e)&&es(a)?jn(Ue(e)):{}}return(o?St:kr)(e,(function(e,r,o){return t(n,e,r,o)})),n},qn.unary=function(e){return xi(e,1)},qn.union=oi,qn.unionBy=ai,qn.unionWith=ii,qn.uniq=function(e){return e&&e.length?mo(e):[]},qn.uniqBy=function(e,t){return e&&e.length?mo(e,da(t,2)):[]},qn.uniqWith=function(e,t){return t="function"==typeof t?t:o,e&&e.length?mo(e,o,t):[]},qn.unset=function(e,t){return null==e||ho(e,t)},qn.unzip=si,qn.unzipWith=li,qn.update=function(e,t,n){return null==e?e:fo(e,t,Mo(n))},qn.updateWith=function(e,t,n,r){return r="function"==typeof r?r:o,null==e?e:fo(e,t,Mo(n),r)},qn.values=js,qn.valuesIn=function(e){return null==e?[]:Zt(e,Bs(e))},qn.without=ci,qn.words=el,qn.wrap=function(e,t){return Yi(Mo(t),e)},qn.xor=ui,qn.xorBy=di,qn.xorWith=pi,qn.zip=mi,qn.zipObject=function(e,t){return vo(e||[],t||[],rr)},qn.zipObjectDeep=function(e,t){return vo(e||[],t||[],to)},qn.zipWith=hi,qn.entries=Hs,qn.entriesIn=qs,qn.extend=ws,qn.extendWith=Es,ul(qn,qn),qn.add=_l,qn.attempt=tl,qn.camelCase=Fs,qn.capitalize=Vs,qn.ceil=Ml,qn.clamp=function(e,t,n){return n===o&&(n=t,t=o),n!==o&&(n=(n=vs(n))==n?n:0),t!==o&&(t=(t=vs(t))==t?t:0),cr(vs(e),t,n)},qn.clone=function(e){return ur(e,4)},qn.cloneDeep=function(e){return ur(e,5)},qn.cloneDeepWith=function(e,t){return ur(e,5,t="function"==typeof t?t:o)},qn.cloneWith=function(e,t){return ur(e,4,t="function"==typeof t?t:o)},qn.conformsTo=function(e,t){return null==t||dr(e,t,Ds(t))},qn.deburr=Xs,qn.defaultTo=function(e,t){return null==e||e!=e?t:e},qn.divide=kl,qn.endsWith=function(e,t,n){e=Ms(e),t=po(t);var r=e.length,a=n=n===o?r:cr(bs(n),0,r);return(n-=t.length)>=0&&e.slice(n,a)==t},qn.eq=ji,qn.escape=function(e){return(e=Ms(e))&&J.test(e)?e.replace(K,on):e},qn.escapeRegExp=function(e){return(e=Ms(e))&&ae.test(e)?e.replace(oe,"\\$&"):e},qn.every=function(e,t,n){var r=Ui(e)?Tt:gr;return n&&ka(e,t,n)&&(t=o),r(e,da(t,3))},qn.find=vi,qn.findIndex=Xa,qn.findKey=function(e,t){return Wt(e,da(t,3),kr)},qn.findLast=_i,qn.findLastIndex=Ua,qn.findLastKey=function(e,t){return Wt(e,da(t,3),wr)},qn.floor=wl,qn.forEach=Mi,qn.forEachRight=ki,qn.forIn=function(e,t){return null==e?e:_r(e,da(t,3),Bs)},qn.forInRight=function(e,t){return null==e?e:Mr(e,da(t,3),Bs)},qn.forOwn=function(e,t){return e&&kr(e,da(t,3))},qn.forOwnRight=function(e,t){return e&&wr(e,da(t,3))},qn.get=Ts,qn.gt=Fi,qn.gte=Vi,qn.has=function(e,t){return null!=e&&ya(e,t,Tr)},qn.hasIn=xs,qn.head=Ka,qn.identity=il,qn.includes=function(e,t,n,r){e=Ki(e)?e:js(e),n=n&&!r?bs(n):0;var o=e.length;return n<0&&(n=_n(o+n,0)),us(e)?n<=o&&e.indexOf(t,n)>-1:!!o&&Ht(e,t,n)>-1},qn.indexOf=function(e,t,n){var r=null==e?0:e.length;if(!r)return-1;var o=null==n?0:bs(n);return o<0&&(o=_n(r+o,0)),Ht(e,t,o)},qn.inRange=function(e,t,n){return t=gs(t),n===o?(n=t,t=0):n=gs(n),function(e,t,n){return e>=Mn(t,n)&&e<_n(t,n)}(e=vs(e),t,n)},qn.invoke=Ns,qn.isArguments=Xi,qn.isArray=Ui,qn.isArrayBuffer=$i,qn.isArrayLike=Ki,qn.isArrayLikeObject=Gi,qn.isBoolean=function(e){return!0===e||!1===e||os(e)&&Sr(e)==_},qn.isBuffer=Ji,qn.isDate=Zi,qn.isElement=function(e){return os(e)&&1===e.nodeType&&!ss(e)},qn.isEmpty=function(e){if(null==e)return!0;if(Ki(e)&&(Ui(e)||"string"==typeof e||"function"==typeof e.splice||Ji(e)||ps(e)||Xi(e)))return!e.length;var t=ba(e);if(t==L||t==x)return!e.size;if(Aa(e))return!Rr(e).length;for(var n in e)if(Ie.call(e,n))return!1;return!0},qn.isEqual=function(e,t){return Dr(e,t)},qn.isEqualWith=function(e,t,n){var r=(n="function"==typeof n?n:o)?n(e,t):o;return r===o?Dr(e,t,o,n):!!r},qn.isError=Qi,qn.isFinite=function(e){return"number"==typeof e&&Xt(e)},qn.isFunction=es,qn.isInteger=ts,qn.isLength=ns,qn.isMap=as,qn.isMatch=function(e,t){return e===t||Br(e,t,ma(t))},qn.isMatchWith=function(e,t,n){return n="function"==typeof n?n:o,Br(e,t,ma(t),n)},qn.isNaN=function(e){return is(e)&&e!=+e},qn.isNative=function(e){if(La(e))throw new Ee("Unsupported core-js use. Try https://npms.io/search?q=ponyfill.");return Ir(e)},qn.isNil=function(e){return null==e},qn.isNull=function(e){return null===e},qn.isNumber=is,qn.isObject=rs,qn.isObjectLike=os,qn.isPlainObject=ss,qn.isRegExp=ls,qn.isSafeInteger=function(e){return ts(e)&&e>=-9007199254740991&&e<=h},qn.isSet=cs,qn.isString=us,qn.isSymbol=ds,qn.isTypedArray=ps,qn.isUndefined=function(e){return e===o},qn.isWeakMap=function(e){return os(e)&&ba(e)==N},qn.isWeakSet=function(e){return os(e)&&"[object WeakSet]"==Sr(e)},qn.join=function(e,t){return null==e?"":yn.call(e,t)},qn.kebabCase=Us,qn.last=Qa,qn.lastIndexOf=function(e,t,n){var r=null==e?0:e.length;if(!r)return-1;var a=r;return n!==o&&(a=(a=bs(n))<0?_n(r+a,0):Mn(a,r-1)),t==t?function(e,t,n){for(var r=n+1;r--;)if(e[r]===t)return r;return r}(e,t,a):Yt(e,jt,a,!0)},qn.lowerCase=$s,qn.lowerFirst=Ks,qn.lt=ms,qn.lte=hs,qn.max=function(e){return e&&e.length?br(e,il,Cr):o},qn.maxBy=function(e,t){return e&&e.length?br(e,da(t,2),Cr):o},qn.mean=function(e){return Ft(e,il)},qn.meanBy=function(e,t){return Ft(e,da(t,2))},qn.min=function(e){return e&&e.length?br(e,il,Yr):o},qn.minBy=function(e,t){return e&&e.length?br(e,da(t,2),Yr):o},qn.stubArray=yl,qn.stubFalse=vl,qn.stubObject=function(){return{}},qn.stubString=function(){return""},qn.stubTrue=function(){return!0},qn.multiply=Ll,qn.nth=function(e,t){return e&&e.length?Vr(e,bs(t)):o},qn.noConflict=function(){return mt._===this&&(mt._=He),this},qn.noop=dl,qn.now=Ti,qn.pad=function(e,t,n){e=Ms(e);var r=(t=bs(t))?mn(e):0;if(!t||r>=t)return e;var o=(t-r)/2;return Uo(bt(o),n)+e+Uo(ft(o),n)},qn.padEnd=function(e,t,n){e=Ms(e);var r=(t=bs(t))?mn(e):0;return t&&rt){var r=e;e=t,t=r}if(n||e%1||t%1){var a=En();return Mn(e+a*(t-e+ct("1e-"+((a+"").length-1))),t)}return Gr(e,t)},qn.reduce=function(e,t,n){var r=Ui(e)?Bt:Ut,o=arguments.length<3;return r(e,da(t,4),n,o,hr)},qn.reduceRight=function(e,t,n){var r=Ui(e)?It:Ut,o=arguments.length<3;return r(e,da(t,4),n,o,fr)},qn.repeat=function(e,t,n){return t=(n?ka(e,t,n):t===o)?1:bs(t),Jr(Ms(e),t)},qn.replace=function(){var e=arguments,t=Ms(e[0]);return e.length<3?t:t.replace(e[1],e[2])},qn.result=function(e,t,n){var r=-1,a=(t=ko(t,e)).length;for(a||(a=1,e=o);++rh)return[];var n=g,r=Mn(e,g);t=da(t),e-=g;for(var o=Kt(r,t);++n=i)return e;var l=n-mn(r);if(l<1)return r;var c=s?Eo(s,0,l).join(""):e.slice(0,l);if(a===o)return c+r;if(s&&(l+=c.length-l),ls(a)){if(e.slice(l).search(a)){var u,d=c;for(a.global||(a=Ce(a.source,Ms(fe.exec(a))+"g")),a.lastIndex=0;u=a.exec(d);)var p=u.index;c=c.slice(0,p===o?l:p)}}else if(e.indexOf(po(a),l)!=l){var m=c.lastIndexOf(a);m>-1&&(c=c.slice(0,m))}return c+r},qn.unescape=function(e){return(e=Ms(e))&&G.test(e)?e.replace($,gn):e},qn.uniqueId=function(e){var t=++Pe;return Ms(e)+t},qn.upperCase=Zs,qn.upperFirst=Qs,qn.each=Mi,qn.eachRight=ki,qn.first=Ka,ul(qn,(El={},kr(qn,(function(e,t){Ie.call(qn.prototype,t)||(El[t]=e)})),El),{chain:!1}),qn.VERSION="4.17.21",St(["bind","bindKey","curry","curryRight","partial","partialRight"],(function(e){qn[e].placeholder=qn})),St(["drop","take"],(function(e,t){Xn.prototype[e]=function(n){n=n===o?1:_n(bs(n),0);var r=this.__filtered__&&!t?new Xn(this):this.clone();return r.__filtered__?r.__takeCount__=Mn(n,r.__takeCount__):r.__views__.push({size:Mn(n,g),type:e+(r.__dir__<0?"Right":"")}),r},Xn.prototype[e+"Right"]=function(t){return this.reverse()[e](t).reverse()}})),St(["filter","map","takeWhile"],(function(e,t){var n=t+1,r=1==n||3==n;Xn.prototype[e]=function(e){var t=this.clone();return t.__iteratees__.push({iteratee:da(e,3),type:n}),t.__filtered__=t.__filtered__||r,t}})),St(["head","last"],(function(e,t){var n="take"+(t?"Right":"");Xn.prototype[e]=function(){return this[n](1).value()[0]}})),St(["initial","tail"],(function(e,t){var n="drop"+(t?"":"Right");Xn.prototype[e]=function(){return this.__filtered__?new Xn(this):this[n](1)}})),Xn.prototype.compact=function(){return this.filter(il)},Xn.prototype.find=function(e){return this.filter(e).head()},Xn.prototype.findLast=function(e){return this.reverse().find(e)},Xn.prototype.invokeMap=Zr((function(e,t){return"function"==typeof e?new Xn(this):this.map((function(n){return Or(n,e,t)}))})),Xn.prototype.reject=function(e){return this.filter(Ri(da(e)))},Xn.prototype.slice=function(e,t){e=bs(e);var n=this;return n.__filtered__&&(e>0||t<0)?new Xn(n):(e<0?n=n.takeRight(-e):e&&(n=n.drop(e)),t!==o&&(n=(t=bs(t))<0?n.dropRight(-t):n.take(t-e)),n)},Xn.prototype.takeRightWhile=function(e){return this.reverse().takeWhile(e).reverse()},Xn.prototype.toArray=function(){return this.take(g)},kr(Xn.prototype,(function(e,t){var n=/^(?:filter|find|map|reject)|While$/.test(t),r=/^(?:head|last)$/.test(t),a=qn[r?"take"+("last"==t?"Right":""):t],i=r||/^find/.test(t);a&&(qn.prototype[t]=function(){var t=this.__wrapped__,s=r?[1]:arguments,l=t instanceof Xn,c=s[0],u=l||Ui(t),d=function(e){var t=a.apply(qn,Dt([e],s));return r&&p?t[0]:t};u&&n&&"function"==typeof c&&1!=c.length&&(l=u=!1);var p=this.__chain__,m=!!this.__actions__.length,h=i&&!p,f=l&&!m;if(!i&&u){t=f?t:new Xn(this);var g=e.apply(t,s);return g.__actions__.push({func:gi,args:[d],thisArg:o}),new Vn(g,p)}return h&&f?e.apply(this,s):(g=this.thru(d),h?r?g.value()[0]:g.value():g)})})),St(["pop","push","shift","sort","splice","unshift"],(function(e){var t=ze[e],n=/^(?:push|sort|unshift)$/.test(e)?"tap":"thru",r=/^(?:pop|shift)$/.test(e);qn.prototype[e]=function(){var e=arguments;if(r&&!this.__chain__){var o=this.value();return t.apply(Ui(o)?o:[],e)}return this[n]((function(n){return t.apply(Ui(n)?n:[],e)}))}})),kr(Xn.prototype,(function(e,t){var n=qn[t];if(n){var r=n.name+"";Ie.call(Nn,r)||(Nn[r]=[]),Nn[r].push({name:t,func:n})}})),Nn[jo(o,2).name]=[{name:"wrapper",func:o}],Xn.prototype.clone=function(){var e=new Xn(this.__wrapped__);return e.__actions__=Oo(this.__actions__),e.__dir__=this.__dir__,e.__filtered__=this.__filtered__,e.__iteratees__=Oo(this.__iteratees__),e.__takeCount__=this.__takeCount__,e.__views__=Oo(this.__views__),e},Xn.prototype.reverse=function(){if(this.__filtered__){var e=new Xn(this);e.__dir__=-1,e.__filtered__=!0}else(e=this.clone()).__dir__*=-1;return e},Xn.prototype.value=function(){var e=this.__wrapped__.value(),t=this.__dir__,n=Ui(e),r=t<0,o=n?e.length:0,a=function(e,t,n){var r=-1,o=n.length;for(;++r=this.__values__.length;return{done:e,value:e?o:this.__values__[this.__index__++]}},qn.prototype.plant=function(e){for(var t,n=this;n instanceof Fn;){var r=qa(n);r.__index__=0,r.__values__=o,t?a.__wrapped__=r:t=r;var a=r;n=n.__wrapped__}return a.__wrapped__=e,t},qn.prototype.reverse=function(){var e=this.__wrapped__;if(e instanceof Xn){var t=e;return this.__actions__.length&&(t=new Xn(this)),(t=t.reverse()).__actions__.push({func:gi,args:[ri],thisArg:o}),new Vn(t,this.__chain__)}return this.thru(ri)},qn.prototype.toJSON=qn.prototype.valueOf=qn.prototype.value=function(){return bo(this.__wrapped__,this.__actions__)},qn.prototype.first=qn.prototype.head,et&&(qn.prototype[et]=function(){return this}),qn}();mt._=bn,(r=function(){return bn}.call(t,n,t,e))===o||(e.exports=r)}.call(this)},7771:(e,t,n)=>{var r=n(5639);e.exports=function(){return r.Date.now()}},3493:(e,t,n)=>{var r=n(3279),o=n(3218);e.exports=function(e,t,n){var a=!0,i=!0;if("function"!=typeof e)throw new TypeError("Expected a function");return o(n)&&(a="leading"in n?!!n.leading:a,i="trailing"in n?!!n.trailing:i),r(e,t,{leading:a,maxWait:t,trailing:i})}},4841:(e,t,n)=>{var r=n(7561),o=n(3218),a=n(3448),i=/^[-+]0x[0-9a-f]+$/i,s=/^0b[01]+$/i,l=/^0o[0-7]+$/i,c=parseInt;e.exports=function(e){if("number"==typeof e)return e;if(a(e))return NaN;if(o(e)){var t="function"==typeof e.valueOf?e.valueOf():e;e=o(t)?t+"":t}if("string"!=typeof e)return 0===e?e:+e;e=r(e);var n=s.test(e);return n||l.test(e)?c(e.slice(2),n?2:8):i.test(e)?NaN:+e}},9588:e=>{e.exports=function(e,t){var n,r,o=0;function a(){var a,i,s=n,l=arguments.length;e:for(;s;){if(s.args.length===arguments.length){for(i=0;i{(e.exports=n(5177)).tz.load(n(1128))},5341:function(e,t,n){var r,o,a;!function(i,s){"use strict";e.exports?e.exports=s(n(8)):(o=[n(381)],void 0===(a="function"==typeof(r=s)?r.apply(t,o):r)||(e.exports=a))}(0,(function(e){"use strict";if(!e.tz)throw new Error("moment-timezone-utils.js must be loaded after moment-timezone.js");var t="0123456789abcdefghijklmnopqrstuvwxyzABCDEFGHIJKLMNOPQRSTUVWX";function n(e,n){for(var r="",o=Math.abs(e),a=Math.floor(o),i=function(e,n){for(var r,o=".",a="";n>0;)n-=1,e*=60,r=Math.floor(e+1e-6),o+=t[r],e-=r,r&&(a+=o,o="");return a}(o-a,Math.min(~~n,10));a>0;)r=t[a%60]+r,a=Math.floor(a/60);return e<0&&(r="-"+r),r&&i?r+i:(i||"-"!==r)&&(r||i)||"0"}function r(e){var t,r=[],o=0;for(t=0;ts.population||i.population===s.population&&r&&r[i.name]?l.unshift(i):l.push(i),u=!0);u||d.push([i])}for(o=0;on&&(o=t,t=n,n=o),o=0;on&&(i=Math.min(i,o+1)));return[a,i]}(e.untils,t,n),a=r.apply(e.untils,o);return a[a.length-1]=null,{name:e.name,abbrs:r.apply(e.abbrs,o),untils:a,offsets:r.apply(e.offsets,o),population:e.population,countries:e.countries}}return e.tz.pack=i,e.tz.packBase60=n,e.tz.createLinks=u,e.tz.filterYears=d,e.tz.filterLinkPack=function(e,t,n,r){var o,a,l=e.zones,c=[];for(o=0;o96?e-87:e>64?e-29:e-48}function d(e){var t=0,n=e.split("."),r=n[0],o=n[1]||"",a=1,i=0,s=1;for(45===e.charCodeAt(0)&&(t=1,s=-1);t3){var t=a[E(e)];if(t)return t;T("Moment Timezone found "+e+" from the Intl api, but did not have that data loaded.")}}catch(e){}var n,r,o,i=function(){var e,t,n,r=(new Date).getFullYear()-2,o=new b(new Date(r,0,1)),a=[o];for(n=1;n<48;n++)(t=new b(new Date(r,n,1))).offset!==o.offset&&(e=v(o,t),a.push(e),a.push(new b(new Date(e.at+6e4)))),o=t;for(n=0;n<4;n++)a.push(new b(new Date(r+n,0,1))),a.push(new b(new Date(r+n,6,1)));return a}(),s=i.length,l=k(i),c=[];for(r=0;r0?c[0].zone.name:void 0}function E(e){return(e||"").toLowerCase().replace(/\//g,"_")}function L(e){var t,r,o,i;for("string"==typeof e&&(e=[e]),t=0;t= 2.6.0. You are using Moment.js "+e.version+". See momentjs.com"),f.prototype={_set:function(e){this.name=e.name,this.abbrs=e.abbrs,this.untils=e.untils,this.offsets=e.offsets,this.population=e.population},_index:function(e){var t,n=+e,r=this.untils;for(t=0;tr&&x.moveInvalidForward&&(t=r),a0&&(this._z=null),z.apply(this,arguments)}),e.tz.setDefault=function(t){return(l<2||2===l&&c<9)&&T("Moment Timezone setDefault() requires Moment.js >= 2.9.0. You are using Moment.js "+e.version+"."),e.defaultZone=t?A(t):null,e};var B=e.momentProperties;return"[object Array]"===Object.prototype.toString.call(B)?(B.push("_z"),B.push("_a")):B&&(B._z=null),e}))},2786:function(e,t,n){!function(e){"use strict";e.defineLocale("af",{months:"Januarie_Februarie_Maart_April_Mei_Junie_Julie_Augustus_September_Oktober_November_Desember".split("_"),monthsShort:"Jan_Feb_Mrt_Apr_Mei_Jun_Jul_Aug_Sep_Okt_Nov_Des".split("_"),weekdays:"Sondag_Maandag_Dinsdag_Woensdag_Donderdag_Vrydag_Saterdag".split("_"),weekdaysShort:"Son_Maa_Din_Woe_Don_Vry_Sat".split("_"),weekdaysMin:"So_Ma_Di_Wo_Do_Vr_Sa".split("_"),meridiemParse:/vm|nm/i,isPM:function(e){return/^nm$/i.test(e)},meridiem:function(e,t,n){return e<12?n?"vm":"VM":n?"nm":"NM"},longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY HH:mm",LLLL:"dddd, D MMMM YYYY HH:mm"},calendar:{sameDay:"[Vandag om] LT",nextDay:"[Môre om] LT",nextWeek:"dddd [om] LT",lastDay:"[Gister om] LT",lastWeek:"[Laas] dddd [om] LT",sameElse:"L"},relativeTime:{future:"oor %s",past:"%s gelede",s:"'n paar sekondes",ss:"%d sekondes",m:"'n minuut",mm:"%d minute",h:"'n uur",hh:"%d ure",d:"'n dag",dd:"%d dae",M:"'n maand",MM:"%d maande",y:"'n jaar",yy:"%d jaar"},dayOfMonthOrdinalParse:/\d{1,2}(ste|de)/,ordinal:function(e){return e+(1===e||8===e||e>=20?"ste":"de")},week:{dow:1,doy:4}})}(n(381))},4130:function(e,t,n){!function(e){"use strict";var t=function(e){return 0===e?0:1===e?1:2===e?2:e%100>=3&&e%100<=10?3:e%100>=11?4:5},n={s:["أقل من ثانية","ثانية واحدة",["ثانيتان","ثانيتين"],"%d ثوان","%d ثانية","%d ثانية"],m:["أقل من دقيقة","دقيقة واحدة",["دقيقتان","دقيقتين"],"%d دقائق","%d دقيقة","%d دقيقة"],h:["أقل من ساعة","ساعة واحدة",["ساعتان","ساعتين"],"%d ساعات","%d ساعة","%d ساعة"],d:["أقل من يوم","يوم واحد",["يومان","يومين"],"%d أيام","%d يومًا","%d يوم"],M:["أقل من شهر","شهر واحد",["شهران","شهرين"],"%d أشهر","%d شهرا","%d شهر"],y:["أقل من عام","عام واحد",["عامان","عامين"],"%d أعوام","%d عامًا","%d عام"]},r=function(e){return function(r,o,a,i){var s=t(r),l=n[e][t(r)];return 2===s&&(l=l[o?0:1]),l.replace(/%d/i,r)}},o=["جانفي","فيفري","مارس","أفريل","ماي","جوان","جويلية","أوت","سبتمبر","أكتوبر","نوفمبر","ديسمبر"];e.defineLocale("ar-dz",{months:o,monthsShort:o,weekdays:"الأحد_الإثنين_الثلاثاء_الأربعاء_الخميس_الجمعة_السبت".split("_"),weekdaysShort:"أحد_إثنين_ثلاثاء_أربعاء_خميس_جمعة_سبت".split("_"),weekdaysMin:"ح_ن_ث_ر_خ_ج_س".split("_"),weekdaysParseExact:!0,longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"D/‏M/‏YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY HH:mm",LLLL:"dddd D MMMM YYYY HH:mm"},meridiemParse:/ص|م/,isPM:function(e){return"م"===e},meridiem:function(e,t,n){return e<12?"ص":"م"},calendar:{sameDay:"[اليوم عند الساعة] LT",nextDay:"[غدًا عند الساعة] LT",nextWeek:"dddd [عند الساعة] LT",lastDay:"[أمس عند الساعة] LT",lastWeek:"dddd [عند الساعة] LT",sameElse:"L"},relativeTime:{future:"بعد %s",past:"منذ %s",s:r("s"),ss:r("s"),m:r("m"),mm:r("m"),h:r("h"),hh:r("h"),d:r("d"),dd:r("d"),M:r("M"),MM:r("M"),y:r("y"),yy:r("y")},postformat:function(e){return e.replace(/,/g,"،")},week:{dow:0,doy:4}})}(n(381))},6135:function(e,t,n){!function(e){"use strict";e.defineLocale("ar-kw",{months:"يناير_فبراير_مارس_أبريل_ماي_يونيو_يوليوز_غشت_شتنبر_أكتوبر_نونبر_دجنبر".split("_"),monthsShort:"يناير_فبراير_مارس_أبريل_ماي_يونيو_يوليوز_غشت_شتنبر_أكتوبر_نونبر_دجنبر".split("_"),weekdays:"الأحد_الإتنين_الثلاثاء_الأربعاء_الخميس_الجمعة_السبت".split("_"),weekdaysShort:"احد_اتنين_ثلاثاء_اربعاء_خميس_جمعة_سبت".split("_"),weekdaysMin:"ح_ن_ث_ر_خ_ج_س".split("_"),weekdaysParseExact:!0,longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY HH:mm",LLLL:"dddd D MMMM YYYY HH:mm"},calendar:{sameDay:"[اليوم على الساعة] LT",nextDay:"[غدا على الساعة] LT",nextWeek:"dddd [على الساعة] LT",lastDay:"[أمس على الساعة] LT",lastWeek:"dddd [على الساعة] LT",sameElse:"L"},relativeTime:{future:"في %s",past:"منذ %s",s:"ثوان",ss:"%d ثانية",m:"دقيقة",mm:"%d دقائق",h:"ساعة",hh:"%d ساعات",d:"يوم",dd:"%d أيام",M:"شهر",MM:"%d أشهر",y:"سنة",yy:"%d سنوات"},week:{dow:0,doy:12}})}(n(381))},6440:function(e,t,n){!function(e){"use strict";var t={1:"1",2:"2",3:"3",4:"4",5:"5",6:"6",7:"7",8:"8",9:"9",0:"0"},n=function(e){return 0===e?0:1===e?1:2===e?2:e%100>=3&&e%100<=10?3:e%100>=11?4:5},r={s:["أقل من ثانية","ثانية واحدة",["ثانيتان","ثانيتين"],"%d ثوان","%d ثانية","%d ثانية"],m:["أقل من دقيقة","دقيقة واحدة",["دقيقتان","دقيقتين"],"%d دقائق","%d دقيقة","%d دقيقة"],h:["أقل من ساعة","ساعة واحدة",["ساعتان","ساعتين"],"%d ساعات","%d ساعة","%d ساعة"],d:["أقل من يوم","يوم واحد",["يومان","يومين"],"%d أيام","%d يومًا","%d يوم"],M:["أقل من شهر","شهر واحد",["شهران","شهرين"],"%d أشهر","%d شهرا","%d شهر"],y:["أقل من عام","عام واحد",["عامان","عامين"],"%d أعوام","%d عامًا","%d عام"]},o=function(e){return function(t,o,a,i){var s=n(t),l=r[e][n(t)];return 2===s&&(l=l[o?0:1]),l.replace(/%d/i,t)}},a=["يناير","فبراير","مارس","أبريل","مايو","يونيو","يوليو","أغسطس","سبتمبر","أكتوبر","نوفمبر","ديسمبر"];e.defineLocale("ar-ly",{months:a,monthsShort:a,weekdays:"الأحد_الإثنين_الثلاثاء_الأربعاء_الخميس_الجمعة_السبت".split("_"),weekdaysShort:"أحد_إثنين_ثلاثاء_أربعاء_خميس_جمعة_سبت".split("_"),weekdaysMin:"ح_ن_ث_ر_خ_ج_س".split("_"),weekdaysParseExact:!0,longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"D/‏M/‏YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY HH:mm",LLLL:"dddd D MMMM YYYY HH:mm"},meridiemParse:/ص|م/,isPM:function(e){return"م"===e},meridiem:function(e,t,n){return e<12?"ص":"م"},calendar:{sameDay:"[اليوم عند الساعة] LT",nextDay:"[غدًا عند الساعة] LT",nextWeek:"dddd [عند الساعة] LT",lastDay:"[أمس عند الساعة] LT",lastWeek:"dddd [عند الساعة] LT",sameElse:"L"},relativeTime:{future:"بعد %s",past:"منذ %s",s:o("s"),ss:o("s"),m:o("m"),mm:o("m"),h:o("h"),hh:o("h"),d:o("d"),dd:o("d"),M:o("M"),MM:o("M"),y:o("y"),yy:o("y")},preparse:function(e){return e.replace(/،/g,",")},postformat:function(e){return e.replace(/\d/g,(function(e){return t[e]})).replace(/,/g,"،")},week:{dow:6,doy:12}})}(n(381))},7702:function(e,t,n){!function(e){"use strict";e.defineLocale("ar-ma",{months:"يناير_فبراير_مارس_أبريل_ماي_يونيو_يوليوز_غشت_شتنبر_أكتوبر_نونبر_دجنبر".split("_"),monthsShort:"يناير_فبراير_مارس_أبريل_ماي_يونيو_يوليوز_غشت_شتنبر_أكتوبر_نونبر_دجنبر".split("_"),weekdays:"الأحد_الإثنين_الثلاثاء_الأربعاء_الخميس_الجمعة_السبت".split("_"),weekdaysShort:"احد_اثنين_ثلاثاء_اربعاء_خميس_جمعة_سبت".split("_"),weekdaysMin:"ح_ن_ث_ر_خ_ج_س".split("_"),weekdaysParseExact:!0,longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY HH:mm",LLLL:"dddd D MMMM YYYY HH:mm"},calendar:{sameDay:"[اليوم على الساعة] LT",nextDay:"[غدا على الساعة] LT",nextWeek:"dddd [على الساعة] LT",lastDay:"[أمس على الساعة] LT",lastWeek:"dddd [على الساعة] LT",sameElse:"L"},relativeTime:{future:"في %s",past:"منذ %s",s:"ثوان",ss:"%d ثانية",m:"دقيقة",mm:"%d دقائق",h:"ساعة",hh:"%d ساعات",d:"يوم",dd:"%d أيام",M:"شهر",MM:"%d أشهر",y:"سنة",yy:"%d سنوات"},week:{dow:1,doy:4}})}(n(381))},6040:function(e,t,n){!function(e){"use strict";var t={1:"١",2:"٢",3:"٣",4:"٤",5:"٥",6:"٦",7:"٧",8:"٨",9:"٩",0:"٠"},n={"١":"1","٢":"2","٣":"3","٤":"4","٥":"5","٦":"6","٧":"7","٨":"8","٩":"9","٠":"0"};e.defineLocale("ar-sa",{months:"يناير_فبراير_مارس_أبريل_مايو_يونيو_يوليو_أغسطس_سبتمبر_أكتوبر_نوفمبر_ديسمبر".split("_"),monthsShort:"يناير_فبراير_مارس_أبريل_مايو_يونيو_يوليو_أغسطس_سبتمبر_أكتوبر_نوفمبر_ديسمبر".split("_"),weekdays:"الأحد_الإثنين_الثلاثاء_الأربعاء_الخميس_الجمعة_السبت".split("_"),weekdaysShort:"أحد_إثنين_ثلاثاء_أربعاء_خميس_جمعة_سبت".split("_"),weekdaysMin:"ح_ن_ث_ر_خ_ج_س".split("_"),weekdaysParseExact:!0,longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY HH:mm",LLLL:"dddd D MMMM YYYY HH:mm"},meridiemParse:/ص|م/,isPM:function(e){return"م"===e},meridiem:function(e,t,n){return e<12?"ص":"م"},calendar:{sameDay:"[اليوم على الساعة] LT",nextDay:"[غدا على الساعة] LT",nextWeek:"dddd [على الساعة] LT",lastDay:"[أمس على الساعة] LT",lastWeek:"dddd [على الساعة] LT",sameElse:"L"},relativeTime:{future:"في %s",past:"منذ %s",s:"ثوان",ss:"%d ثانية",m:"دقيقة",mm:"%d دقائق",h:"ساعة",hh:"%d ساعات",d:"يوم",dd:"%d أيام",M:"شهر",MM:"%d أشهر",y:"سنة",yy:"%d سنوات"},preparse:function(e){return e.replace(/[١٢٣٤٥٦٧٨٩٠]/g,(function(e){return n[e]})).replace(/،/g,",")},postformat:function(e){return e.replace(/\d/g,(function(e){return t[e]})).replace(/,/g,"،")},week:{dow:0,doy:6}})}(n(381))},7100:function(e,t,n){!function(e){"use strict";e.defineLocale("ar-tn",{months:"جانفي_فيفري_مارس_أفريل_ماي_جوان_جويلية_أوت_سبتمبر_أكتوبر_نوفمبر_ديسمبر".split("_"),monthsShort:"جانفي_فيفري_مارس_أفريل_ماي_جوان_جويلية_أوت_سبتمبر_أكتوبر_نوفمبر_ديسمبر".split("_"),weekdays:"الأحد_الإثنين_الثلاثاء_الأربعاء_الخميس_الجمعة_السبت".split("_"),weekdaysShort:"أحد_إثنين_ثلاثاء_أربعاء_خميس_جمعة_سبت".split("_"),weekdaysMin:"ح_ن_ث_ر_خ_ج_س".split("_"),weekdaysParseExact:!0,longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY HH:mm",LLLL:"dddd D MMMM YYYY HH:mm"},calendar:{sameDay:"[اليوم على الساعة] LT",nextDay:"[غدا على الساعة] LT",nextWeek:"dddd [على الساعة] LT",lastDay:"[أمس على الساعة] LT",lastWeek:"dddd [على الساعة] LT",sameElse:"L"},relativeTime:{future:"في %s",past:"منذ %s",s:"ثوان",ss:"%d ثانية",m:"دقيقة",mm:"%d دقائق",h:"ساعة",hh:"%d ساعات",d:"يوم",dd:"%d أيام",M:"شهر",MM:"%d أشهر",y:"سنة",yy:"%d سنوات"},week:{dow:1,doy:4}})}(n(381))},867:function(e,t,n){!function(e){"use strict";var t={1:"١",2:"٢",3:"٣",4:"٤",5:"٥",6:"٦",7:"٧",8:"٨",9:"٩",0:"٠"},n={"١":"1","٢":"2","٣":"3","٤":"4","٥":"5","٦":"6","٧":"7","٨":"8","٩":"9","٠":"0"},r=function(e){return 0===e?0:1===e?1:2===e?2:e%100>=3&&e%100<=10?3:e%100>=11?4:5},o={s:["أقل من ثانية","ثانية واحدة",["ثانيتان","ثانيتين"],"%d ثوان","%d ثانية","%d ثانية"],m:["أقل من دقيقة","دقيقة واحدة",["دقيقتان","دقيقتين"],"%d دقائق","%d دقيقة","%d دقيقة"],h:["أقل من ساعة","ساعة واحدة",["ساعتان","ساعتين"],"%d ساعات","%d ساعة","%d ساعة"],d:["أقل من يوم","يوم واحد",["يومان","يومين"],"%d أيام","%d يومًا","%d يوم"],M:["أقل من شهر","شهر واحد",["شهران","شهرين"],"%d أشهر","%d شهرا","%d شهر"],y:["أقل من عام","عام واحد",["عامان","عامين"],"%d أعوام","%d عامًا","%d عام"]},a=function(e){return function(t,n,a,i){var s=r(t),l=o[e][r(t)];return 2===s&&(l=l[n?0:1]),l.replace(/%d/i,t)}},i=["يناير","فبراير","مارس","أبريل","مايو","يونيو","يوليو","أغسطس","سبتمبر","أكتوبر","نوفمبر","ديسمبر"];e.defineLocale("ar",{months:i,monthsShort:i,weekdays:"الأحد_الإثنين_الثلاثاء_الأربعاء_الخميس_الجمعة_السبت".split("_"),weekdaysShort:"أحد_إثنين_ثلاثاء_أربعاء_خميس_جمعة_سبت".split("_"),weekdaysMin:"ح_ن_ث_ر_خ_ج_س".split("_"),weekdaysParseExact:!0,longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"D/‏M/‏YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY HH:mm",LLLL:"dddd D MMMM YYYY HH:mm"},meridiemParse:/ص|م/,isPM:function(e){return"م"===e},meridiem:function(e,t,n){return e<12?"ص":"م"},calendar:{sameDay:"[اليوم عند الساعة] LT",nextDay:"[غدًا عند الساعة] LT",nextWeek:"dddd [عند الساعة] LT",lastDay:"[أمس عند الساعة] LT",lastWeek:"dddd [عند الساعة] LT",sameElse:"L"},relativeTime:{future:"بعد %s",past:"منذ %s",s:a("s"),ss:a("s"),m:a("m"),mm:a("m"),h:a("h"),hh:a("h"),d:a("d"),dd:a("d"),M:a("M"),MM:a("M"),y:a("y"),yy:a("y")},preparse:function(e){return e.replace(/[١٢٣٤٥٦٧٨٩٠]/g,(function(e){return n[e]})).replace(/،/g,",")},postformat:function(e){return e.replace(/\d/g,(function(e){return t[e]})).replace(/,/g,"،")},week:{dow:6,doy:12}})}(n(381))},1083:function(e,t,n){!function(e){"use strict";var t={1:"-inci",5:"-inci",8:"-inci",70:"-inci",80:"-inci",2:"-nci",7:"-nci",20:"-nci",50:"-nci",3:"-üncü",4:"-üncü",100:"-üncü",6:"-ncı",9:"-uncu",10:"-uncu",30:"-uncu",60:"-ıncı",90:"-ıncı"};e.defineLocale("az",{months:"yanvar_fevral_mart_aprel_may_iyun_iyul_avqust_sentyabr_oktyabr_noyabr_dekabr".split("_"),monthsShort:"yan_fev_mar_apr_may_iyn_iyl_avq_sen_okt_noy_dek".split("_"),weekdays:"Bazar_Bazar ertəsi_Çərşənbə axşamı_Çərşənbə_Cümə axşamı_Cümə_Şənbə".split("_"),weekdaysShort:"Baz_BzE_ÇAx_Çər_CAx_Cüm_Şən".split("_"),weekdaysMin:"Bz_BE_ÇA_Çə_CA_Cü_Şə".split("_"),weekdaysParseExact:!0,longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD.MM.YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY HH:mm",LLLL:"dddd, D MMMM YYYY HH:mm"},calendar:{sameDay:"[bugün saat] LT",nextDay:"[sabah saat] LT",nextWeek:"[gələn həftə] dddd [saat] LT",lastDay:"[dünən] LT",lastWeek:"[keçən həftə] dddd [saat] LT",sameElse:"L"},relativeTime:{future:"%s sonra",past:"%s əvvəl",s:"bir neçə saniyə",ss:"%d saniyə",m:"bir dəqiqə",mm:"%d dəqiqə",h:"bir saat",hh:"%d saat",d:"bir gün",dd:"%d gün",M:"bir ay",MM:"%d ay",y:"bir il",yy:"%d il"},meridiemParse:/gecə|səhər|gündüz|axşam/,isPM:function(e){return/^(gündüz|axşam)$/.test(e)},meridiem:function(e,t,n){return e<4?"gecə":e<12?"səhər":e<17?"gündüz":"axşam"},dayOfMonthOrdinalParse:/\d{1,2}-(ıncı|inci|nci|üncü|ncı|uncu)/,ordinal:function(e){if(0===e)return e+"-ıncı";var n=e%10,r=e%100-n,o=e>=100?100:null;return e+(t[n]||t[r]||t[o])},week:{dow:1,doy:7}})}(n(381))},9808:function(e,t,n){!function(e){"use strict";function t(e,t){var n=e.split("_");return t%10==1&&t%100!=11?n[0]:t%10>=2&&t%10<=4&&(t%100<10||t%100>=20)?n[1]:n[2]}function n(e,n,r){return"m"===r?n?"хвіліна":"хвіліну":"h"===r?n?"гадзіна":"гадзіну":e+" "+t({ss:n?"секунда_секунды_секунд":"секунду_секунды_секунд",mm:n?"хвіліна_хвіліны_хвілін":"хвіліну_хвіліны_хвілін",hh:n?"гадзіна_гадзіны_гадзін":"гадзіну_гадзіны_гадзін",dd:"дзень_дні_дзён",MM:"месяц_месяцы_месяцаў",yy:"год_гады_гадоў"}[r],+e)}e.defineLocale("be",{months:{format:"студзеня_лютага_сакавіка_красавіка_траўня_чэрвеня_ліпеня_жніўня_верасня_кастрычніка_лістапада_снежня".split("_"),standalone:"студзень_люты_сакавік_красавік_травень_чэрвень_ліпень_жнівень_верасень_кастрычнік_лістапад_снежань".split("_")},monthsShort:"студ_лют_сак_крас_трав_чэрв_ліп_жнів_вер_каст_ліст_снеж".split("_"),weekdays:{format:"нядзелю_панядзелак_аўторак_сераду_чацвер_пятніцу_суботу".split("_"),standalone:"нядзеля_панядзелак_аўторак_серада_чацвер_пятніца_субота".split("_"),isFormat:/\[ ?[Ууў] ?(?:мінулую|наступную)? ?\] ?dddd/},weekdaysShort:"нд_пн_ат_ср_чц_пт_сб".split("_"),weekdaysMin:"нд_пн_ат_ср_чц_пт_сб".split("_"),longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD.MM.YYYY",LL:"D MMMM YYYY г.",LLL:"D MMMM YYYY г., HH:mm",LLLL:"dddd, D MMMM YYYY г., HH:mm"},calendar:{sameDay:"[Сёння ў] LT",nextDay:"[Заўтра ў] LT",lastDay:"[Учора ў] LT",nextWeek:function(){return"[У] dddd [ў] LT"},lastWeek:function(){switch(this.day()){case 0:case 3:case 5:case 6:return"[У мінулую] dddd [ў] LT";case 1:case 2:case 4:return"[У мінулы] dddd [ў] LT"}},sameElse:"L"},relativeTime:{future:"праз %s",past:"%s таму",s:"некалькі секунд",m:n,mm:n,h:n,hh:n,d:"дзень",dd:n,M:"месяц",MM:n,y:"год",yy:n},meridiemParse:/ночы|раніцы|дня|вечара/,isPM:function(e){return/^(дня|вечара)$/.test(e)},meridiem:function(e,t,n){return e<4?"ночы":e<12?"раніцы":e<17?"дня":"вечара"},dayOfMonthOrdinalParse:/\d{1,2}-(і|ы|га)/,ordinal:function(e,t){switch(t){case"M":case"d":case"DDD":case"w":case"W":return e%10!=2&&e%10!=3||e%100==12||e%100==13?e+"-ы":e+"-і";case"D":return e+"-га";default:return e}},week:{dow:1,doy:7}})}(n(381))},8338:function(e,t,n){!function(e){"use strict";e.defineLocale("bg",{months:"януари_февруари_март_април_май_юни_юли_август_септември_октомври_ноември_декември".split("_"),monthsShort:"яну_фев_мар_апр_май_юни_юли_авг_сеп_окт_ное_дек".split("_"),weekdays:"неделя_понеделник_вторник_сряда_четвъртък_петък_събота".split("_"),weekdaysShort:"нед_пон_вто_сря_чет_пет_съб".split("_"),weekdaysMin:"нд_пн_вт_ср_чт_пт_сб".split("_"),longDateFormat:{LT:"H:mm",LTS:"H:mm:ss",L:"D.MM.YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY H:mm",LLLL:"dddd, D MMMM YYYY H:mm"},calendar:{sameDay:"[Днес в] LT",nextDay:"[Утре в] LT",nextWeek:"dddd [в] LT",lastDay:"[Вчера в] LT",lastWeek:function(){switch(this.day()){case 0:case 3:case 6:return"[Миналата] dddd [в] LT";case 1:case 2:case 4:case 5:return"[Миналия] dddd [в] LT"}},sameElse:"L"},relativeTime:{future:"след %s",past:"преди %s",s:"няколко секунди",ss:"%d секунди",m:"минута",mm:"%d минути",h:"час",hh:"%d часа",d:"ден",dd:"%d дена",w:"седмица",ww:"%d седмици",M:"месец",MM:"%d месеца",y:"година",yy:"%d години"},dayOfMonthOrdinalParse:/\d{1,2}-(ев|ен|ти|ви|ри|ми)/,ordinal:function(e){var t=e%10,n=e%100;return 0===e?e+"-ев":0===n?e+"-ен":n>10&&n<20?e+"-ти":1===t?e+"-ви":2===t?e+"-ри":7===t||8===t?e+"-ми":e+"-ти"},week:{dow:1,doy:7}})}(n(381))},7438:function(e,t,n){!function(e){"use strict";e.defineLocale("bm",{months:"Zanwuyekalo_Fewuruyekalo_Marisikalo_Awirilikalo_Mɛkalo_Zuwɛnkalo_Zuluyekalo_Utikalo_Sɛtanburukalo_ɔkutɔburukalo_Nowanburukalo_Desanburukalo".split("_"),monthsShort:"Zan_Few_Mar_Awi_Mɛ_Zuw_Zul_Uti_Sɛt_ɔku_Now_Des".split("_"),weekdays:"Kari_Ntɛnɛn_Tarata_Araba_Alamisa_Juma_Sibiri".split("_"),weekdaysShort:"Kar_Ntɛ_Tar_Ara_Ala_Jum_Sib".split("_"),weekdaysMin:"Ka_Nt_Ta_Ar_Al_Ju_Si".split("_"),longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD/MM/YYYY",LL:"MMMM [tile] D [san] YYYY",LLL:"MMMM [tile] D [san] YYYY [lɛrɛ] HH:mm",LLLL:"dddd MMMM [tile] D [san] YYYY [lɛrɛ] HH:mm"},calendar:{sameDay:"[Bi lɛrɛ] LT",nextDay:"[Sini lɛrɛ] LT",nextWeek:"dddd [don lɛrɛ] LT",lastDay:"[Kunu lɛrɛ] LT",lastWeek:"dddd [tɛmɛnen lɛrɛ] LT",sameElse:"L"},relativeTime:{future:"%s kɔnɔ",past:"a bɛ %s bɔ",s:"sanga dama dama",ss:"sekondi %d",m:"miniti kelen",mm:"miniti %d",h:"lɛrɛ kelen",hh:"lɛrɛ %d",d:"tile kelen",dd:"tile %d",M:"kalo kelen",MM:"kalo %d",y:"san kelen",yy:"san %d"},week:{dow:1,doy:4}})}(n(381))},6225:function(e,t,n){!function(e){"use strict";var t={1:"১",2:"২",3:"৩",4:"৪",5:"৫",6:"৬",7:"৭",8:"৮",9:"৯",0:"০"},n={"১":"1","২":"2","৩":"3","৪":"4","৫":"5","৬":"6","৭":"7","৮":"8","৯":"9","০":"0"};e.defineLocale("bn-bd",{months:"জানুয়ারি_ফেব্রুয়ারি_মার্চ_এপ্রিল_মে_জুন_জুলাই_আগস্ট_সেপ্টেম্বর_অক্টোবর_নভেম্বর_ডিসেম্বর".split("_"),monthsShort:"জানু_ফেব্রু_মার্চ_এপ্রিল_মে_জুন_জুলাই_আগস্ট_সেপ্ট_অক্টো_নভে_ডিসে".split("_"),weekdays:"রবিবার_সোমবার_মঙ্গলবার_বুধবার_বৃহস্পতিবার_শুক্রবার_শনিবার".split("_"),weekdaysShort:"রবি_সোম_মঙ্গল_বুধ_বৃহস্পতি_শুক্র_শনি".split("_"),weekdaysMin:"রবি_সোম_মঙ্গল_বুধ_বৃহ_শুক্র_শনি".split("_"),longDateFormat:{LT:"A h:mm সময়",LTS:"A h:mm:ss সময়",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY, A h:mm সময়",LLLL:"dddd, D MMMM YYYY, A h:mm সময়"},calendar:{sameDay:"[আজ] LT",nextDay:"[আগামীকাল] LT",nextWeek:"dddd, LT",lastDay:"[গতকাল] LT",lastWeek:"[গত] dddd, LT",sameElse:"L"},relativeTime:{future:"%s পরে",past:"%s আগে",s:"কয়েক সেকেন্ড",ss:"%d সেকেন্ড",m:"এক মিনিট",mm:"%d মিনিট",h:"এক ঘন্টা",hh:"%d ঘন্টা",d:"এক দিন",dd:"%d দিন",M:"এক মাস",MM:"%d মাস",y:"এক বছর",yy:"%d বছর"},preparse:function(e){return e.replace(/[১২৩৪৫৬৭৮৯০]/g,(function(e){return n[e]}))},postformat:function(e){return e.replace(/\d/g,(function(e){return t[e]}))},meridiemParse:/রাত|ভোর|সকাল|দুপুর|বিকাল|সন্ধ্যা|রাত/,meridiemHour:function(e,t){return 12===e&&(e=0),"রাত"===t?e<4?e:e+12:"ভোর"===t||"সকাল"===t?e:"দুপুর"===t?e>=3?e:e+12:"বিকাল"===t||"সন্ধ্যা"===t?e+12:void 0},meridiem:function(e,t,n){return e<4?"রাত":e<6?"ভোর":e<12?"সকাল":e<15?"দুপুর":e<18?"বিকাল":e<20?"সন্ধ্যা":"রাত"},week:{dow:0,doy:6}})}(n(381))},8905:function(e,t,n){!function(e){"use strict";var t={1:"১",2:"২",3:"৩",4:"৪",5:"৫",6:"৬",7:"৭",8:"৮",9:"৯",0:"০"},n={"১":"1","২":"2","৩":"3","৪":"4","৫":"5","৬":"6","৭":"7","৮":"8","৯":"9","০":"0"};e.defineLocale("bn",{months:"জানুয়ারি_ফেব্রুয়ারি_মার্চ_এপ্রিল_মে_জুন_জুলাই_আগস্ট_সেপ্টেম্বর_অক্টোবর_নভেম্বর_ডিসেম্বর".split("_"),monthsShort:"জানু_ফেব্রু_মার্চ_এপ্রিল_মে_জুন_জুলাই_আগস্ট_সেপ্ট_অক্টো_নভে_ডিসে".split("_"),weekdays:"রবিবার_সোমবার_মঙ্গলবার_বুধবার_বৃহস্পতিবার_শুক্রবার_শনিবার".split("_"),weekdaysShort:"রবি_সোম_মঙ্গল_বুধ_বৃহস্পতি_শুক্র_শনি".split("_"),weekdaysMin:"রবি_সোম_মঙ্গল_বুধ_বৃহ_শুক্র_শনি".split("_"),longDateFormat:{LT:"A h:mm সময়",LTS:"A h:mm:ss সময়",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY, A h:mm সময়",LLLL:"dddd, D MMMM YYYY, A h:mm সময়"},calendar:{sameDay:"[আজ] LT",nextDay:"[আগামীকাল] LT",nextWeek:"dddd, LT",lastDay:"[গতকাল] LT",lastWeek:"[গত] dddd, LT",sameElse:"L"},relativeTime:{future:"%s পরে",past:"%s আগে",s:"কয়েক সেকেন্ড",ss:"%d সেকেন্ড",m:"এক মিনিট",mm:"%d মিনিট",h:"এক ঘন্টা",hh:"%d ঘন্টা",d:"এক দিন",dd:"%d দিন",M:"এক মাস",MM:"%d মাস",y:"এক বছর",yy:"%d বছর"},preparse:function(e){return e.replace(/[১২৩৪৫৬৭৮৯০]/g,(function(e){return n[e]}))},postformat:function(e){return e.replace(/\d/g,(function(e){return t[e]}))},meridiemParse:/রাত|সকাল|দুপুর|বিকাল|রাত/,meridiemHour:function(e,t){return 12===e&&(e=0),"রাত"===t&&e>=4||"দুপুর"===t&&e<5||"বিকাল"===t?e+12:e},meridiem:function(e,t,n){return e<4?"রাত":e<10?"সকাল":e<17?"দুপুর":e<20?"বিকাল":"রাত"},week:{dow:0,doy:6}})}(n(381))},1560:function(e,t,n){!function(e){"use strict";var t={1:"༡",2:"༢",3:"༣",4:"༤",5:"༥",6:"༦",7:"༧",8:"༨",9:"༩",0:"༠"},n={"༡":"1","༢":"2","༣":"3","༤":"4","༥":"5","༦":"6","༧":"7","༨":"8","༩":"9","༠":"0"};e.defineLocale("bo",{months:"ཟླ་བ་དང་པོ_ཟླ་བ་གཉིས་པ_ཟླ་བ་གསུམ་པ_ཟླ་བ་བཞི་པ_ཟླ་བ་ལྔ་པ_ཟླ་བ་དྲུག་པ_ཟླ་བ་བདུན་པ_ཟླ་བ་བརྒྱད་པ_ཟླ་བ་དགུ་པ_ཟླ་བ་བཅུ་པ_ཟླ་བ་བཅུ་གཅིག་པ_ཟླ་བ་བཅུ་གཉིས་པ".split("_"),monthsShort:"ཟླ་1_ཟླ་2_ཟླ་3_ཟླ་4_ཟླ་5_ཟླ་6_ཟླ་7_ཟླ་8_ཟླ་9_ཟླ་10_ཟླ་11_ཟླ་12".split("_"),monthsShortRegex:/^(ཟླ་\d{1,2})/,monthsParseExact:!0,weekdays:"གཟའ་ཉི་མ་_གཟའ་ཟླ་བ་_གཟའ་མིག་དམར་_གཟའ་ལྷག་པ་_གཟའ་ཕུར་བུ_གཟའ་པ་སངས་_གཟའ་སྤེན་པ་".split("_"),weekdaysShort:"ཉི་མ་_ཟླ་བ་_མིག་དམར་_ལྷག་པ་_ཕུར་བུ_པ་སངས་_སྤེན་པ་".split("_"),weekdaysMin:"ཉི_ཟླ_མིག_ལྷག_ཕུར_སངས_སྤེན".split("_"),longDateFormat:{LT:"A h:mm",LTS:"A h:mm:ss",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY, A h:mm",LLLL:"dddd, D MMMM YYYY, A h:mm"},calendar:{sameDay:"[དི་རིང] LT",nextDay:"[སང་ཉིན] LT",nextWeek:"[བདུན་ཕྲག་རྗེས་མ], LT",lastDay:"[ཁ་སང] LT",lastWeek:"[བདུན་ཕྲག་མཐའ་མ] dddd, LT",sameElse:"L"},relativeTime:{future:"%s ལ་",past:"%s སྔན་ལ",s:"ལམ་སང",ss:"%d སྐར་ཆ།",m:"སྐར་མ་གཅིག",mm:"%d སྐར་མ",h:"ཆུ་ཚོད་གཅིག",hh:"%d ཆུ་ཚོད",d:"ཉིན་གཅིག",dd:"%d ཉིན་",M:"ཟླ་བ་གཅིག",MM:"%d ཟླ་བ",y:"ལོ་གཅིག",yy:"%d ལོ"},preparse:function(e){return e.replace(/[༡༢༣༤༥༦༧༨༩༠]/g,(function(e){return n[e]}))},postformat:function(e){return e.replace(/\d/g,(function(e){return t[e]}))},meridiemParse:/མཚན་མོ|ཞོགས་ཀས|ཉིན་གུང|དགོང་དག|མཚན་མོ/,meridiemHour:function(e,t){return 12===e&&(e=0),"མཚན་མོ"===t&&e>=4||"ཉིན་གུང"===t&&e<5||"དགོང་དག"===t?e+12:e},meridiem:function(e,t,n){return e<4?"མཚན་མོ":e<10?"ཞོགས་ཀས":e<17?"ཉིན་གུང":e<20?"དགོང་དག":"མཚན་མོ"},week:{dow:0,doy:6}})}(n(381))},1278:function(e,t,n){!function(e){"use strict";function t(e,t,n){return e+" "+o({mm:"munutenn",MM:"miz",dd:"devezh"}[n],e)}function n(e){switch(r(e)){case 1:case 3:case 4:case 5:case 9:return e+" bloaz";default:return e+" vloaz"}}function r(e){return e>9?r(e%10):e}function o(e,t){return 2===t?a(e):e}function a(e){var t={m:"v",b:"v",d:"z"};return void 0===t[e.charAt(0)]?e:t[e.charAt(0)]+e.substring(1)}var i=[/^gen/i,/^c[ʼ\']hwe/i,/^meu/i,/^ebr/i,/^mae/i,/^(mez|eve)/i,/^gou/i,/^eos/i,/^gwe/i,/^her/i,/^du/i,/^ker/i],s=/^(genver|c[ʼ\']hwevrer|meurzh|ebrel|mae|mezheven|gouere|eost|gwengolo|here|du|kerzu|gen|c[ʼ\']hwe|meu|ebr|mae|eve|gou|eos|gwe|her|du|ker)/i,l=/^(genver|c[ʼ\']hwevrer|meurzh|ebrel|mae|mezheven|gouere|eost|gwengolo|here|du|kerzu)/i,c=/^(gen|c[ʼ\']hwe|meu|ebr|mae|eve|gou|eos|gwe|her|du|ker)/i,u=[/^sul/i,/^lun/i,/^meurzh/i,/^merc[ʼ\']her/i,/^yaou/i,/^gwener/i,/^sadorn/i],d=[/^Sul/i,/^Lun/i,/^Meu/i,/^Mer/i,/^Yao/i,/^Gwe/i,/^Sad/i],p=[/^Su/i,/^Lu/i,/^Me([^r]|$)/i,/^Mer/i,/^Ya/i,/^Gw/i,/^Sa/i];e.defineLocale("br",{months:"Genver_Cʼhwevrer_Meurzh_Ebrel_Mae_Mezheven_Gouere_Eost_Gwengolo_Here_Du_Kerzu".split("_"),monthsShort:"Gen_Cʼhwe_Meu_Ebr_Mae_Eve_Gou_Eos_Gwe_Her_Du_Ker".split("_"),weekdays:"Sul_Lun_Meurzh_Mercʼher_Yaou_Gwener_Sadorn".split("_"),weekdaysShort:"Sul_Lun_Meu_Mer_Yao_Gwe_Sad".split("_"),weekdaysMin:"Su_Lu_Me_Mer_Ya_Gw_Sa".split("_"),weekdaysParse:p,fullWeekdaysParse:u,shortWeekdaysParse:d,minWeekdaysParse:p,monthsRegex:s,monthsShortRegex:s,monthsStrictRegex:l,monthsShortStrictRegex:c,monthsParse:i,longMonthsParse:i,shortMonthsParse:i,longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD/MM/YYYY",LL:"D [a viz] MMMM YYYY",LLL:"D [a viz] MMMM YYYY HH:mm",LLLL:"dddd, D [a viz] MMMM YYYY HH:mm"},calendar:{sameDay:"[Hiziv da] LT",nextDay:"[Warcʼhoazh da] LT",nextWeek:"dddd [da] LT",lastDay:"[Decʼh da] LT",lastWeek:"dddd [paset da] LT",sameElse:"L"},relativeTime:{future:"a-benn %s",past:"%s ʼzo",s:"un nebeud segondennoù",ss:"%d eilenn",m:"ur vunutenn",mm:t,h:"un eur",hh:"%d eur",d:"un devezh",dd:t,M:"ur miz",MM:t,y:"ur bloaz",yy:n},dayOfMonthOrdinalParse:/\d{1,2}(añ|vet)/,ordinal:function(e){return e+(1===e?"añ":"vet")},week:{dow:1,doy:4},meridiemParse:/a.m.|g.m./,isPM:function(e){return"g.m."===e},meridiem:function(e,t,n){return e<12?"a.m.":"g.m."}})}(n(381))},622:function(e,t,n){!function(e){"use strict";function t(e,t,n){var r=e+" ";switch(n){case"ss":return r+=1===e?"sekunda":2===e||3===e||4===e?"sekunde":"sekundi";case"m":return t?"jedna minuta":"jedne minute";case"mm":return r+=1===e?"minuta":2===e||3===e||4===e?"minute":"minuta";case"h":return t?"jedan sat":"jednog sata";case"hh":return r+=1===e?"sat":2===e||3===e||4===e?"sata":"sati";case"dd":return r+=1===e?"dan":"dana";case"MM":return r+=1===e?"mjesec":2===e||3===e||4===e?"mjeseca":"mjeseci";case"yy":return r+=1===e?"godina":2===e||3===e||4===e?"godine":"godina"}}e.defineLocale("bs",{months:"januar_februar_mart_april_maj_juni_juli_august_septembar_oktobar_novembar_decembar".split("_"),monthsShort:"jan._feb._mar._apr._maj._jun._jul._aug._sep._okt._nov._dec.".split("_"),monthsParseExact:!0,weekdays:"nedjelja_ponedjeljak_utorak_srijeda_četvrtak_petak_subota".split("_"),weekdaysShort:"ned._pon._uto._sri._čet._pet._sub.".split("_"),weekdaysMin:"ne_po_ut_sr_če_pe_su".split("_"),weekdaysParseExact:!0,longDateFormat:{LT:"H:mm",LTS:"H:mm:ss",L:"DD.MM.YYYY",LL:"D. MMMM YYYY",LLL:"D. MMMM YYYY H:mm",LLLL:"dddd, D. MMMM YYYY H:mm"},calendar:{sameDay:"[danas u] LT",nextDay:"[sutra u] LT",nextWeek:function(){switch(this.day()){case 0:return"[u] [nedjelju] [u] LT";case 3:return"[u] [srijedu] [u] LT";case 6:return"[u] [subotu] [u] LT";case 1:case 2:case 4:case 5:return"[u] dddd [u] LT"}},lastDay:"[jučer u] LT",lastWeek:function(){switch(this.day()){case 0:case 3:return"[prošlu] dddd [u] LT";case 6:return"[prošle] [subote] [u] LT";case 1:case 2:case 4:case 5:return"[prošli] dddd [u] LT"}},sameElse:"L"},relativeTime:{future:"za %s",past:"prije %s",s:"par sekundi",ss:t,m:t,mm:t,h:t,hh:t,d:"dan",dd:t,M:"mjesec",MM:t,y:"godinu",yy:t},dayOfMonthOrdinalParse:/\d{1,2}\./,ordinal:"%d.",week:{dow:1,doy:7}})}(n(381))},2468:function(e,t,n){!function(e){"use strict";e.defineLocale("ca",{months:{standalone:"gener_febrer_març_abril_maig_juny_juliol_agost_setembre_octubre_novembre_desembre".split("_"),format:"de gener_de febrer_de març_d'abril_de maig_de juny_de juliol_d'agost_de setembre_d'octubre_de novembre_de desembre".split("_"),isFormat:/D[oD]?(\s)+MMMM/},monthsShort:"gen._febr._març_abr._maig_juny_jul._ag._set._oct._nov._des.".split("_"),monthsParseExact:!0,weekdays:"diumenge_dilluns_dimarts_dimecres_dijous_divendres_dissabte".split("_"),weekdaysShort:"dg._dl._dt._dc._dj._dv._ds.".split("_"),weekdaysMin:"dg_dl_dt_dc_dj_dv_ds".split("_"),weekdaysParseExact:!0,longDateFormat:{LT:"H:mm",LTS:"H:mm:ss",L:"DD/MM/YYYY",LL:"D MMMM [de] YYYY",ll:"D MMM YYYY",LLL:"D MMMM [de] YYYY [a les] H:mm",lll:"D MMM YYYY, H:mm",LLLL:"dddd D MMMM [de] YYYY [a les] H:mm",llll:"ddd D MMM YYYY, H:mm"},calendar:{sameDay:function(){return"[avui a "+(1!==this.hours()?"les":"la")+"] LT"},nextDay:function(){return"[demà a "+(1!==this.hours()?"les":"la")+"] LT"},nextWeek:function(){return"dddd [a "+(1!==this.hours()?"les":"la")+"] LT"},lastDay:function(){return"[ahir a "+(1!==this.hours()?"les":"la")+"] LT"},lastWeek:function(){return"[el] dddd [passat a "+(1!==this.hours()?"les":"la")+"] LT"},sameElse:"L"},relativeTime:{future:"d'aquí %s",past:"fa %s",s:"uns segons",ss:"%d segons",m:"un minut",mm:"%d minuts",h:"una hora",hh:"%d hores",d:"un dia",dd:"%d dies",M:"un mes",MM:"%d mesos",y:"un any",yy:"%d anys"},dayOfMonthOrdinalParse:/\d{1,2}(r|n|t|è|a)/,ordinal:function(e,t){var n=1===e?"r":2===e?"n":3===e?"r":4===e?"t":"è";return"w"!==t&&"W"!==t||(n="a"),e+n},week:{dow:1,doy:4}})}(n(381))},5822:function(e,t,n){!function(e){"use strict";var t="leden_únor_březen_duben_květen_červen_červenec_srpen_září_říjen_listopad_prosinec".split("_"),n="led_úno_bře_dub_kvě_čvn_čvc_srp_zář_říj_lis_pro".split("_"),r=[/^led/i,/^úno/i,/^bře/i,/^dub/i,/^kvě/i,/^(čvn|červen$|června)/i,/^(čvc|červenec|července)/i,/^srp/i,/^zář/i,/^říj/i,/^lis/i,/^pro/i],o=/^(leden|únor|březen|duben|květen|červenec|července|červen|června|srpen|září|říjen|listopad|prosinec|led|úno|bře|dub|kvě|čvn|čvc|srp|zář|říj|lis|pro)/i;function a(e){return e>1&&e<5&&1!=~~(e/10)}function i(e,t,n,r){var o=e+" ";switch(n){case"s":return t||r?"pár sekund":"pár sekundami";case"ss":return t||r?o+(a(e)?"sekundy":"sekund"):o+"sekundami";case"m":return t?"minuta":r?"minutu":"minutou";case"mm":return t||r?o+(a(e)?"minuty":"minut"):o+"minutami";case"h":return t?"hodina":r?"hodinu":"hodinou";case"hh":return t||r?o+(a(e)?"hodiny":"hodin"):o+"hodinami";case"d":return t||r?"den":"dnem";case"dd":return t||r?o+(a(e)?"dny":"dní"):o+"dny";case"M":return t||r?"měsíc":"měsícem";case"MM":return t||r?o+(a(e)?"měsíce":"měsíců"):o+"měsíci";case"y":return t||r?"rok":"rokem";case"yy":return t||r?o+(a(e)?"roky":"let"):o+"lety"}}e.defineLocale("cs",{months:t,monthsShort:n,monthsRegex:o,monthsShortRegex:o,monthsStrictRegex:/^(leden|ledna|února|únor|březen|března|duben|dubna|květen|května|červenec|července|červen|června|srpen|srpna|září|říjen|října|listopadu|listopad|prosinec|prosince)/i,monthsShortStrictRegex:/^(led|úno|bře|dub|kvě|čvn|čvc|srp|zář|říj|lis|pro)/i,monthsParse:r,longMonthsParse:r,shortMonthsParse:r,weekdays:"neděle_pondělí_úterý_středa_čtvrtek_pátek_sobota".split("_"),weekdaysShort:"ne_po_út_st_čt_pá_so".split("_"),weekdaysMin:"ne_po_út_st_čt_pá_so".split("_"),longDateFormat:{LT:"H:mm",LTS:"H:mm:ss",L:"DD.MM.YYYY",LL:"D. MMMM YYYY",LLL:"D. MMMM YYYY H:mm",LLLL:"dddd D. MMMM YYYY H:mm",l:"D. M. YYYY"},calendar:{sameDay:"[dnes v] LT",nextDay:"[zítra v] LT",nextWeek:function(){switch(this.day()){case 0:return"[v neděli v] LT";case 1:case 2:return"[v] dddd [v] LT";case 3:return"[ve středu v] LT";case 4:return"[ve čtvrtek v] LT";case 5:return"[v pátek v] LT";case 6:return"[v sobotu v] LT"}},lastDay:"[včera v] LT",lastWeek:function(){switch(this.day()){case 0:return"[minulou neděli v] LT";case 1:case 2:return"[minulé] dddd [v] LT";case 3:return"[minulou středu v] LT";case 4:case 5:return"[minulý] dddd [v] LT";case 6:return"[minulou sobotu v] LT"}},sameElse:"L"},relativeTime:{future:"za %s",past:"před %s",s:i,ss:i,m:i,mm:i,h:i,hh:i,d:i,dd:i,M:i,MM:i,y:i,yy:i},dayOfMonthOrdinalParse:/\d{1,2}\./,ordinal:"%d.",week:{dow:1,doy:4}})}(n(381))},877:function(e,t,n){!function(e){"use strict";e.defineLocale("cv",{months:"кӑрлач_нарӑс_пуш_ака_май_ҫӗртме_утӑ_ҫурла_авӑн_юпа_чӳк_раштав".split("_"),monthsShort:"кӑр_нар_пуш_ака_май_ҫӗр_утӑ_ҫур_авн_юпа_чӳк_раш".split("_"),weekdays:"вырсарникун_тунтикун_ытларикун_юнкун_кӗҫнерникун_эрнекун_шӑматкун".split("_"),weekdaysShort:"выр_тун_ытл_юн_кӗҫ_эрн_шӑм".split("_"),weekdaysMin:"вр_тн_ыт_юн_кҫ_эр_шм".split("_"),longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD-MM-YYYY",LL:"YYYY [ҫулхи] MMMM [уйӑхӗн] D[-мӗшӗ]",LLL:"YYYY [ҫулхи] MMMM [уйӑхӗн] D[-мӗшӗ], HH:mm",LLLL:"dddd, YYYY [ҫулхи] MMMM [уйӑхӗн] D[-мӗшӗ], HH:mm"},calendar:{sameDay:"[Паян] LT [сехетре]",nextDay:"[Ыран] LT [сехетре]",lastDay:"[Ӗнер] LT [сехетре]",nextWeek:"[Ҫитес] dddd LT [сехетре]",lastWeek:"[Иртнӗ] dddd LT [сехетре]",sameElse:"L"},relativeTime:{future:function(e){return e+(/сехет$/i.exec(e)?"рен":/ҫул$/i.exec(e)?"тан":"ран")},past:"%s каялла",s:"пӗр-ик ҫеккунт",ss:"%d ҫеккунт",m:"пӗр минут",mm:"%d минут",h:"пӗр сехет",hh:"%d сехет",d:"пӗр кун",dd:"%d кун",M:"пӗр уйӑх",MM:"%d уйӑх",y:"пӗр ҫул",yy:"%d ҫул"},dayOfMonthOrdinalParse:/\d{1,2}-мӗш/,ordinal:"%d-мӗш",week:{dow:1,doy:7}})}(n(381))},7373:function(e,t,n){!function(e){"use strict";e.defineLocale("cy",{months:"Ionawr_Chwefror_Mawrth_Ebrill_Mai_Mehefin_Gorffennaf_Awst_Medi_Hydref_Tachwedd_Rhagfyr".split("_"),monthsShort:"Ion_Chwe_Maw_Ebr_Mai_Meh_Gor_Aws_Med_Hyd_Tach_Rhag".split("_"),weekdays:"Dydd Sul_Dydd Llun_Dydd Mawrth_Dydd Mercher_Dydd Iau_Dydd Gwener_Dydd Sadwrn".split("_"),weekdaysShort:"Sul_Llun_Maw_Mer_Iau_Gwe_Sad".split("_"),weekdaysMin:"Su_Ll_Ma_Me_Ia_Gw_Sa".split("_"),weekdaysParseExact:!0,longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY HH:mm",LLLL:"dddd, D MMMM YYYY HH:mm"},calendar:{sameDay:"[Heddiw am] LT",nextDay:"[Yfory am] LT",nextWeek:"dddd [am] LT",lastDay:"[Ddoe am] LT",lastWeek:"dddd [diwethaf am] LT",sameElse:"L"},relativeTime:{future:"mewn %s",past:"%s yn ôl",s:"ychydig eiliadau",ss:"%d eiliad",m:"munud",mm:"%d munud",h:"awr",hh:"%d awr",d:"diwrnod",dd:"%d diwrnod",M:"mis",MM:"%d mis",y:"blwyddyn",yy:"%d flynedd"},dayOfMonthOrdinalParse:/\d{1,2}(fed|ain|af|il|ydd|ed|eg)/,ordinal:function(e){var t="";return e>20?t=40===e||50===e||60===e||80===e||100===e?"fed":"ain":e>0&&(t=["","af","il","ydd","ydd","ed","ed","ed","fed","fed","fed","eg","fed","eg","eg","fed","eg","eg","fed","eg","fed"][e]),e+t},week:{dow:1,doy:4}})}(n(381))},4780:function(e,t,n){!function(e){"use strict";e.defineLocale("da",{months:"januar_februar_marts_april_maj_juni_juli_august_september_oktober_november_december".split("_"),monthsShort:"jan_feb_mar_apr_maj_jun_jul_aug_sep_okt_nov_dec".split("_"),weekdays:"søndag_mandag_tirsdag_onsdag_torsdag_fredag_lørdag".split("_"),weekdaysShort:"søn_man_tir_ons_tor_fre_lør".split("_"),weekdaysMin:"sø_ma_ti_on_to_fr_lø".split("_"),longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD.MM.YYYY",LL:"D. MMMM YYYY",LLL:"D. MMMM YYYY HH:mm",LLLL:"dddd [d.] D. MMMM YYYY [kl.] HH:mm"},calendar:{sameDay:"[i dag kl.] LT",nextDay:"[i morgen kl.] LT",nextWeek:"på dddd [kl.] LT",lastDay:"[i går kl.] LT",lastWeek:"[i] dddd[s kl.] LT",sameElse:"L"},relativeTime:{future:"om %s",past:"%s siden",s:"få sekunder",ss:"%d sekunder",m:"et minut",mm:"%d minutter",h:"en time",hh:"%d timer",d:"en dag",dd:"%d dage",M:"en måned",MM:"%d måneder",y:"et år",yy:"%d år"},dayOfMonthOrdinalParse:/\d{1,2}\./,ordinal:"%d.",week:{dow:1,doy:4}})}(n(381))},217:function(e,t,n){!function(e){"use strict";function t(e,t,n,r){var o={m:["eine Minute","einer Minute"],h:["eine Stunde","einer Stunde"],d:["ein Tag","einem Tag"],dd:[e+" Tage",e+" Tagen"],w:["eine Woche","einer Woche"],M:["ein Monat","einem Monat"],MM:[e+" Monate",e+" Monaten"],y:["ein Jahr","einem Jahr"],yy:[e+" Jahre",e+" Jahren"]};return t?o[n][0]:o[n][1]}e.defineLocale("de-at",{months:"Jänner_Februar_März_April_Mai_Juni_Juli_August_September_Oktober_November_Dezember".split("_"),monthsShort:"Jän._Feb._März_Apr._Mai_Juni_Juli_Aug._Sep._Okt._Nov._Dez.".split("_"),monthsParseExact:!0,weekdays:"Sonntag_Montag_Dienstag_Mittwoch_Donnerstag_Freitag_Samstag".split("_"),weekdaysShort:"So._Mo._Di._Mi._Do._Fr._Sa.".split("_"),weekdaysMin:"So_Mo_Di_Mi_Do_Fr_Sa".split("_"),weekdaysParseExact:!0,longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD.MM.YYYY",LL:"D. MMMM YYYY",LLL:"D. MMMM YYYY HH:mm",LLLL:"dddd, D. MMMM YYYY HH:mm"},calendar:{sameDay:"[heute um] LT [Uhr]",sameElse:"L",nextDay:"[morgen um] LT [Uhr]",nextWeek:"dddd [um] LT [Uhr]",lastDay:"[gestern um] LT [Uhr]",lastWeek:"[letzten] dddd [um] LT [Uhr]"},relativeTime:{future:"in %s",past:"vor %s",s:"ein paar Sekunden",ss:"%d Sekunden",m:t,mm:"%d Minuten",h:t,hh:"%d Stunden",d:t,dd:t,w:t,ww:"%d Wochen",M:t,MM:t,y:t,yy:t},dayOfMonthOrdinalParse:/\d{1,2}\./,ordinal:"%d.",week:{dow:1,doy:4}})}(n(381))},894:function(e,t,n){!function(e){"use strict";function t(e,t,n,r){var o={m:["eine Minute","einer Minute"],h:["eine Stunde","einer Stunde"],d:["ein Tag","einem Tag"],dd:[e+" Tage",e+" Tagen"],w:["eine Woche","einer Woche"],M:["ein Monat","einem Monat"],MM:[e+" Monate",e+" Monaten"],y:["ein Jahr","einem Jahr"],yy:[e+" Jahre",e+" Jahren"]};return t?o[n][0]:o[n][1]}e.defineLocale("de-ch",{months:"Januar_Februar_März_April_Mai_Juni_Juli_August_September_Oktober_November_Dezember".split("_"),monthsShort:"Jan._Feb._März_Apr._Mai_Juni_Juli_Aug._Sep._Okt._Nov._Dez.".split("_"),monthsParseExact:!0,weekdays:"Sonntag_Montag_Dienstag_Mittwoch_Donnerstag_Freitag_Samstag".split("_"),weekdaysShort:"So_Mo_Di_Mi_Do_Fr_Sa".split("_"),weekdaysMin:"So_Mo_Di_Mi_Do_Fr_Sa".split("_"),weekdaysParseExact:!0,longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD.MM.YYYY",LL:"D. MMMM YYYY",LLL:"D. MMMM YYYY HH:mm",LLLL:"dddd, D. MMMM YYYY HH:mm"},calendar:{sameDay:"[heute um] LT [Uhr]",sameElse:"L",nextDay:"[morgen um] LT [Uhr]",nextWeek:"dddd [um] LT [Uhr]",lastDay:"[gestern um] LT [Uhr]",lastWeek:"[letzten] dddd [um] LT [Uhr]"},relativeTime:{future:"in %s",past:"vor %s",s:"ein paar Sekunden",ss:"%d Sekunden",m:t,mm:"%d Minuten",h:t,hh:"%d Stunden",d:t,dd:t,w:t,ww:"%d Wochen",M:t,MM:t,y:t,yy:t},dayOfMonthOrdinalParse:/\d{1,2}\./,ordinal:"%d.",week:{dow:1,doy:4}})}(n(381))},9740:function(e,t,n){!function(e){"use strict";function t(e,t,n,r){var o={m:["eine Minute","einer Minute"],h:["eine Stunde","einer Stunde"],d:["ein Tag","einem Tag"],dd:[e+" Tage",e+" Tagen"],w:["eine Woche","einer Woche"],M:["ein Monat","einem Monat"],MM:[e+" Monate",e+" Monaten"],y:["ein Jahr","einem Jahr"],yy:[e+" Jahre",e+" Jahren"]};return t?o[n][0]:o[n][1]}e.defineLocale("de",{months:"Januar_Februar_März_April_Mai_Juni_Juli_August_September_Oktober_November_Dezember".split("_"),monthsShort:"Jan._Feb._März_Apr._Mai_Juni_Juli_Aug._Sep._Okt._Nov._Dez.".split("_"),monthsParseExact:!0,weekdays:"Sonntag_Montag_Dienstag_Mittwoch_Donnerstag_Freitag_Samstag".split("_"),weekdaysShort:"So._Mo._Di._Mi._Do._Fr._Sa.".split("_"),weekdaysMin:"So_Mo_Di_Mi_Do_Fr_Sa".split("_"),weekdaysParseExact:!0,longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD.MM.YYYY",LL:"D. MMMM YYYY",LLL:"D. MMMM YYYY HH:mm",LLLL:"dddd, D. MMMM YYYY HH:mm"},calendar:{sameDay:"[heute um] LT [Uhr]",sameElse:"L",nextDay:"[morgen um] LT [Uhr]",nextWeek:"dddd [um] LT [Uhr]",lastDay:"[gestern um] LT [Uhr]",lastWeek:"[letzten] dddd [um] LT [Uhr]"},relativeTime:{future:"in %s",past:"vor %s",s:"ein paar Sekunden",ss:"%d Sekunden",m:t,mm:"%d Minuten",h:t,hh:"%d Stunden",d:t,dd:t,w:t,ww:"%d Wochen",M:t,MM:t,y:t,yy:t},dayOfMonthOrdinalParse:/\d{1,2}\./,ordinal:"%d.",week:{dow:1,doy:4}})}(n(381))},5300:function(e,t,n){!function(e){"use strict";var t=["ޖެނުއަރީ","ފެބްރުއަރީ","މާރިޗު","އޭޕްރީލު","މޭ","ޖޫން","ޖުލައި","އޯގަސްޓު","ސެޕްޓެމްބަރު","އޮކްޓޯބަރު","ނޮވެމްބަރު","ޑިސެމްބަރު"],n=["އާދިއްތަ","ހޯމަ","އަންގާރަ","ބުދަ","ބުރާސްފަތި","ހުކުރު","ހޮނިހިރު"];e.defineLocale("dv",{months:t,monthsShort:t,weekdays:n,weekdaysShort:n,weekdaysMin:"އާދި_ހޯމަ_އަން_ބުދަ_ބުރާ_ހުކު_ހޮނި".split("_"),longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"D/M/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY HH:mm",LLLL:"dddd D MMMM YYYY HH:mm"},meridiemParse:/މކ|މފ/,isPM:function(e){return"މފ"===e},meridiem:function(e,t,n){return e<12?"މކ":"މފ"},calendar:{sameDay:"[މިއަދު] LT",nextDay:"[މާދަމާ] LT",nextWeek:"dddd LT",lastDay:"[އިއްޔެ] LT",lastWeek:"[ފާއިތުވި] dddd LT",sameElse:"L"},relativeTime:{future:"ތެރޭގައި %s",past:"ކުރިން %s",s:"ސިކުންތުކޮޅެއް",ss:"d% ސިކުންތު",m:"މިނިޓެއް",mm:"މިނިޓު %d",h:"ގަޑިއިރެއް",hh:"ގަޑިއިރު %d",d:"ދުވަހެއް",dd:"ދުވަސް %d",M:"މަހެއް",MM:"މަސް %d",y:"އަހަރެއް",yy:"އަހަރު %d"},preparse:function(e){return e.replace(/،/g,",")},postformat:function(e){return e.replace(/,/g,"،")},week:{dow:7,doy:12}})}(n(381))},837:function(e,t,n){!function(e){"use strict";function t(e){return"undefined"!=typeof Function&&e instanceof Function||"[object Function]"===Object.prototype.toString.call(e)}e.defineLocale("el",{monthsNominativeEl:"Ιανουάριος_Φεβρουάριος_Μάρτιος_Απρίλιος_Μάιος_Ιούνιος_Ιούλιος_Αύγουστος_Σεπτέμβριος_Οκτώβριος_Νοέμβριος_Δεκέμβριος".split("_"),monthsGenitiveEl:"Ιανουαρίου_Φεβρουαρίου_Μαρτίου_Απριλίου_Μαΐου_Ιουνίου_Ιουλίου_Αυγούστου_Σεπτεμβρίου_Οκτωβρίου_Νοεμβρίου_Δεκεμβρίου".split("_"),months:function(e,t){return e?"string"==typeof t&&/D/.test(t.substring(0,t.indexOf("MMMM")))?this._monthsGenitiveEl[e.month()]:this._monthsNominativeEl[e.month()]:this._monthsNominativeEl},monthsShort:"Ιαν_Φεβ_Μαρ_Απρ_Μαϊ_Ιουν_Ιουλ_Αυγ_Σεπ_Οκτ_Νοε_Δεκ".split("_"),weekdays:"Κυριακή_Δευτέρα_Τρίτη_Τετάρτη_Πέμπτη_Παρασκευή_Σάββατο".split("_"),weekdaysShort:"Κυρ_Δευ_Τρι_Τετ_Πεμ_Παρ_Σαβ".split("_"),weekdaysMin:"Κυ_Δε_Τρ_Τε_Πε_Πα_Σα".split("_"),meridiem:function(e,t,n){return e>11?n?"μμ":"ΜΜ":n?"πμ":"ΠΜ"},isPM:function(e){return"μ"===(e+"").toLowerCase()[0]},meridiemParse:/[ΠΜ]\.?Μ?\.?/i,longDateFormat:{LT:"h:mm A",LTS:"h:mm:ss A",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY h:mm A",LLLL:"dddd, D MMMM YYYY h:mm A"},calendarEl:{sameDay:"[Σήμερα {}] LT",nextDay:"[Αύριο {}] LT",nextWeek:"dddd [{}] LT",lastDay:"[Χθες {}] LT",lastWeek:function(){switch(this.day()){case 6:return"[το προηγούμενο] dddd [{}] LT";default:return"[την προηγούμενη] dddd [{}] LT"}},sameElse:"L"},calendar:function(e,n){var r=this._calendarEl[e],o=n&&n.hours();return t(r)&&(r=r.apply(n)),r.replace("{}",o%12==1?"στη":"στις")},relativeTime:{future:"σε %s",past:"%s πριν",s:"λίγα δευτερόλεπτα",ss:"%d δευτερόλεπτα",m:"ένα λεπτό",mm:"%d λεπτά",h:"μία ώρα",hh:"%d ώρες",d:"μία μέρα",dd:"%d μέρες",M:"ένας μήνας",MM:"%d μήνες",y:"ένας χρόνος",yy:"%d χρόνια"},dayOfMonthOrdinalParse:/\d{1,2}η/,ordinal:"%dη",week:{dow:1,doy:4}})}(n(381))},8348:function(e,t,n){!function(e){"use strict";e.defineLocale("en-au",{months:"January_February_March_April_May_June_July_August_September_October_November_December".split("_"),monthsShort:"Jan_Feb_Mar_Apr_May_Jun_Jul_Aug_Sep_Oct_Nov_Dec".split("_"),weekdays:"Sunday_Monday_Tuesday_Wednesday_Thursday_Friday_Saturday".split("_"),weekdaysShort:"Sun_Mon_Tue_Wed_Thu_Fri_Sat".split("_"),weekdaysMin:"Su_Mo_Tu_We_Th_Fr_Sa".split("_"),longDateFormat:{LT:"h:mm A",LTS:"h:mm:ss A",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY h:mm A",LLLL:"dddd, D MMMM YYYY h:mm A"},calendar:{sameDay:"[Today at] LT",nextDay:"[Tomorrow at] LT",nextWeek:"dddd [at] LT",lastDay:"[Yesterday at] LT",lastWeek:"[Last] dddd [at] LT",sameElse:"L"},relativeTime:{future:"in %s",past:"%s ago",s:"a few seconds",ss:"%d seconds",m:"a minute",mm:"%d minutes",h:"an hour",hh:"%d hours",d:"a day",dd:"%d days",M:"a month",MM:"%d months",y:"a year",yy:"%d years"},dayOfMonthOrdinalParse:/\d{1,2}(st|nd|rd|th)/,ordinal:function(e){var t=e%10;return e+(1==~~(e%100/10)?"th":1===t?"st":2===t?"nd":3===t?"rd":"th")},week:{dow:0,doy:4}})}(n(381))},7925:function(e,t,n){!function(e){"use strict";e.defineLocale("en-ca",{months:"January_February_March_April_May_June_July_August_September_October_November_December".split("_"),monthsShort:"Jan_Feb_Mar_Apr_May_Jun_Jul_Aug_Sep_Oct_Nov_Dec".split("_"),weekdays:"Sunday_Monday_Tuesday_Wednesday_Thursday_Friday_Saturday".split("_"),weekdaysShort:"Sun_Mon_Tue_Wed_Thu_Fri_Sat".split("_"),weekdaysMin:"Su_Mo_Tu_We_Th_Fr_Sa".split("_"),longDateFormat:{LT:"h:mm A",LTS:"h:mm:ss A",L:"YYYY-MM-DD",LL:"MMMM D, YYYY",LLL:"MMMM D, YYYY h:mm A",LLLL:"dddd, MMMM D, YYYY h:mm A"},calendar:{sameDay:"[Today at] LT",nextDay:"[Tomorrow at] LT",nextWeek:"dddd [at] LT",lastDay:"[Yesterday at] LT",lastWeek:"[Last] dddd [at] LT",sameElse:"L"},relativeTime:{future:"in %s",past:"%s ago",s:"a few seconds",ss:"%d seconds",m:"a minute",mm:"%d minutes",h:"an hour",hh:"%d hours",d:"a day",dd:"%d days",M:"a month",MM:"%d months",y:"a year",yy:"%d years"},dayOfMonthOrdinalParse:/\d{1,2}(st|nd|rd|th)/,ordinal:function(e){var t=e%10;return e+(1==~~(e%100/10)?"th":1===t?"st":2===t?"nd":3===t?"rd":"th")}})}(n(381))},2243:function(e,t,n){!function(e){"use strict";e.defineLocale("en-gb",{months:"January_February_March_April_May_June_July_August_September_October_November_December".split("_"),monthsShort:"Jan_Feb_Mar_Apr_May_Jun_Jul_Aug_Sep_Oct_Nov_Dec".split("_"),weekdays:"Sunday_Monday_Tuesday_Wednesday_Thursday_Friday_Saturday".split("_"),weekdaysShort:"Sun_Mon_Tue_Wed_Thu_Fri_Sat".split("_"),weekdaysMin:"Su_Mo_Tu_We_Th_Fr_Sa".split("_"),longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY HH:mm",LLLL:"dddd, D MMMM YYYY HH:mm"},calendar:{sameDay:"[Today at] LT",nextDay:"[Tomorrow at] LT",nextWeek:"dddd [at] LT",lastDay:"[Yesterday at] LT",lastWeek:"[Last] dddd [at] LT",sameElse:"L"},relativeTime:{future:"in %s",past:"%s ago",s:"a few seconds",ss:"%d seconds",m:"a minute",mm:"%d minutes",h:"an hour",hh:"%d hours",d:"a day",dd:"%d days",M:"a month",MM:"%d months",y:"a year",yy:"%d years"},dayOfMonthOrdinalParse:/\d{1,2}(st|nd|rd|th)/,ordinal:function(e){var t=e%10;return e+(1==~~(e%100/10)?"th":1===t?"st":2===t?"nd":3===t?"rd":"th")},week:{dow:1,doy:4}})}(n(381))},6436:function(e,t,n){!function(e){"use strict";e.defineLocale("en-ie",{months:"January_February_March_April_May_June_July_August_September_October_November_December".split("_"),monthsShort:"Jan_Feb_Mar_Apr_May_Jun_Jul_Aug_Sep_Oct_Nov_Dec".split("_"),weekdays:"Sunday_Monday_Tuesday_Wednesday_Thursday_Friday_Saturday".split("_"),weekdaysShort:"Sun_Mon_Tue_Wed_Thu_Fri_Sat".split("_"),weekdaysMin:"Su_Mo_Tu_We_Th_Fr_Sa".split("_"),longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY HH:mm",LLLL:"dddd D MMMM YYYY HH:mm"},calendar:{sameDay:"[Today at] LT",nextDay:"[Tomorrow at] LT",nextWeek:"dddd [at] LT",lastDay:"[Yesterday at] LT",lastWeek:"[Last] dddd [at] LT",sameElse:"L"},relativeTime:{future:"in %s",past:"%s ago",s:"a few seconds",ss:"%d seconds",m:"a minute",mm:"%d minutes",h:"an hour",hh:"%d hours",d:"a day",dd:"%d days",M:"a month",MM:"%d months",y:"a year",yy:"%d years"},dayOfMonthOrdinalParse:/\d{1,2}(st|nd|rd|th)/,ordinal:function(e){var t=e%10;return e+(1==~~(e%100/10)?"th":1===t?"st":2===t?"nd":3===t?"rd":"th")},week:{dow:1,doy:4}})}(n(381))},7207:function(e,t,n){!function(e){"use strict";e.defineLocale("en-il",{months:"January_February_March_April_May_June_July_August_September_October_November_December".split("_"),monthsShort:"Jan_Feb_Mar_Apr_May_Jun_Jul_Aug_Sep_Oct_Nov_Dec".split("_"),weekdays:"Sunday_Monday_Tuesday_Wednesday_Thursday_Friday_Saturday".split("_"),weekdaysShort:"Sun_Mon_Tue_Wed_Thu_Fri_Sat".split("_"),weekdaysMin:"Su_Mo_Tu_We_Th_Fr_Sa".split("_"),longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY HH:mm",LLLL:"dddd, D MMMM YYYY HH:mm"},calendar:{sameDay:"[Today at] LT",nextDay:"[Tomorrow at] LT",nextWeek:"dddd [at] LT",lastDay:"[Yesterday at] LT",lastWeek:"[Last] dddd [at] LT",sameElse:"L"},relativeTime:{future:"in %s",past:"%s ago",s:"a few seconds",ss:"%d seconds",m:"a minute",mm:"%d minutes",h:"an hour",hh:"%d hours",d:"a day",dd:"%d days",M:"a month",MM:"%d months",y:"a year",yy:"%d years"},dayOfMonthOrdinalParse:/\d{1,2}(st|nd|rd|th)/,ordinal:function(e){var t=e%10;return e+(1==~~(e%100/10)?"th":1===t?"st":2===t?"nd":3===t?"rd":"th")}})}(n(381))},4175:function(e,t,n){!function(e){"use strict";e.defineLocale("en-in",{months:"January_February_March_April_May_June_July_August_September_October_November_December".split("_"),monthsShort:"Jan_Feb_Mar_Apr_May_Jun_Jul_Aug_Sep_Oct_Nov_Dec".split("_"),weekdays:"Sunday_Monday_Tuesday_Wednesday_Thursday_Friday_Saturday".split("_"),weekdaysShort:"Sun_Mon_Tue_Wed_Thu_Fri_Sat".split("_"),weekdaysMin:"Su_Mo_Tu_We_Th_Fr_Sa".split("_"),longDateFormat:{LT:"h:mm A",LTS:"h:mm:ss A",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY h:mm A",LLLL:"dddd, D MMMM YYYY h:mm A"},calendar:{sameDay:"[Today at] LT",nextDay:"[Tomorrow at] LT",nextWeek:"dddd [at] LT",lastDay:"[Yesterday at] LT",lastWeek:"[Last] dddd [at] LT",sameElse:"L"},relativeTime:{future:"in %s",past:"%s ago",s:"a few seconds",ss:"%d seconds",m:"a minute",mm:"%d minutes",h:"an hour",hh:"%d hours",d:"a day",dd:"%d days",M:"a month",MM:"%d months",y:"a year",yy:"%d years"},dayOfMonthOrdinalParse:/\d{1,2}(st|nd|rd|th)/,ordinal:function(e){var t=e%10;return e+(1==~~(e%100/10)?"th":1===t?"st":2===t?"nd":3===t?"rd":"th")},week:{dow:0,doy:6}})}(n(381))},6319:function(e,t,n){!function(e){"use strict";e.defineLocale("en-nz",{months:"January_February_March_April_May_June_July_August_September_October_November_December".split("_"),monthsShort:"Jan_Feb_Mar_Apr_May_Jun_Jul_Aug_Sep_Oct_Nov_Dec".split("_"),weekdays:"Sunday_Monday_Tuesday_Wednesday_Thursday_Friday_Saturday".split("_"),weekdaysShort:"Sun_Mon_Tue_Wed_Thu_Fri_Sat".split("_"),weekdaysMin:"Su_Mo_Tu_We_Th_Fr_Sa".split("_"),longDateFormat:{LT:"h:mm A",LTS:"h:mm:ss A",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY h:mm A",LLLL:"dddd, D MMMM YYYY h:mm A"},calendar:{sameDay:"[Today at] LT",nextDay:"[Tomorrow at] LT",nextWeek:"dddd [at] LT",lastDay:"[Yesterday at] LT",lastWeek:"[Last] dddd [at] LT",sameElse:"L"},relativeTime:{future:"in %s",past:"%s ago",s:"a few seconds",ss:"%d seconds",m:"a minute",mm:"%d minutes",h:"an hour",hh:"%d hours",d:"a day",dd:"%d days",M:"a month",MM:"%d months",y:"a year",yy:"%d years"},dayOfMonthOrdinalParse:/\d{1,2}(st|nd|rd|th)/,ordinal:function(e){var t=e%10;return e+(1==~~(e%100/10)?"th":1===t?"st":2===t?"nd":3===t?"rd":"th")},week:{dow:1,doy:4}})}(n(381))},1662:function(e,t,n){!function(e){"use strict";e.defineLocale("en-sg",{months:"January_February_March_April_May_June_July_August_September_October_November_December".split("_"),monthsShort:"Jan_Feb_Mar_Apr_May_Jun_Jul_Aug_Sep_Oct_Nov_Dec".split("_"),weekdays:"Sunday_Monday_Tuesday_Wednesday_Thursday_Friday_Saturday".split("_"),weekdaysShort:"Sun_Mon_Tue_Wed_Thu_Fri_Sat".split("_"),weekdaysMin:"Su_Mo_Tu_We_Th_Fr_Sa".split("_"),longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY HH:mm",LLLL:"dddd, D MMMM YYYY HH:mm"},calendar:{sameDay:"[Today at] LT",nextDay:"[Tomorrow at] LT",nextWeek:"dddd [at] LT",lastDay:"[Yesterday at] LT",lastWeek:"[Last] dddd [at] LT",sameElse:"L"},relativeTime:{future:"in %s",past:"%s ago",s:"a few seconds",ss:"%d seconds",m:"a minute",mm:"%d minutes",h:"an hour",hh:"%d hours",d:"a day",dd:"%d days",M:"a month",MM:"%d months",y:"a year",yy:"%d years"},dayOfMonthOrdinalParse:/\d{1,2}(st|nd|rd|th)/,ordinal:function(e){var t=e%10;return e+(1==~~(e%100/10)?"th":1===t?"st":2===t?"nd":3===t?"rd":"th")},week:{dow:1,doy:4}})}(n(381))},2915:function(e,t,n){!function(e){"use strict";e.defineLocale("eo",{months:"januaro_februaro_marto_aprilo_majo_junio_julio_aŭgusto_septembro_oktobro_novembro_decembro".split("_"),monthsShort:"jan_feb_mart_apr_maj_jun_jul_aŭg_sept_okt_nov_dec".split("_"),weekdays:"dimanĉo_lundo_mardo_merkredo_ĵaŭdo_vendredo_sabato".split("_"),weekdaysShort:"dim_lun_mard_merk_ĵaŭ_ven_sab".split("_"),weekdaysMin:"di_lu_ma_me_ĵa_ve_sa".split("_"),longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"YYYY-MM-DD",LL:"[la] D[-an de] MMMM, YYYY",LLL:"[la] D[-an de] MMMM, YYYY HH:mm",LLLL:"dddd[n], [la] D[-an de] MMMM, YYYY HH:mm",llll:"ddd, [la] D[-an de] MMM, YYYY HH:mm"},meridiemParse:/[ap]\.t\.m/i,isPM:function(e){return"p"===e.charAt(0).toLowerCase()},meridiem:function(e,t,n){return e>11?n?"p.t.m.":"P.T.M.":n?"a.t.m.":"A.T.M."},calendar:{sameDay:"[Hodiaŭ je] LT",nextDay:"[Morgaŭ je] LT",nextWeek:"dddd[n je] LT",lastDay:"[Hieraŭ je] LT",lastWeek:"[pasintan] dddd[n je] LT",sameElse:"L"},relativeTime:{future:"post %s",past:"antaŭ %s",s:"kelkaj sekundoj",ss:"%d sekundoj",m:"unu minuto",mm:"%d minutoj",h:"unu horo",hh:"%d horoj",d:"unu tago",dd:"%d tagoj",M:"unu monato",MM:"%d monatoj",y:"unu jaro",yy:"%d jaroj"},dayOfMonthOrdinalParse:/\d{1,2}a/,ordinal:"%da",week:{dow:1,doy:7}})}(n(381))},5251:function(e,t,n){!function(e){"use strict";var t="ene._feb._mar._abr._may._jun._jul._ago._sep._oct._nov._dic.".split("_"),n="ene_feb_mar_abr_may_jun_jul_ago_sep_oct_nov_dic".split("_"),r=[/^ene/i,/^feb/i,/^mar/i,/^abr/i,/^may/i,/^jun/i,/^jul/i,/^ago/i,/^sep/i,/^oct/i,/^nov/i,/^dic/i],o=/^(enero|febrero|marzo|abril|mayo|junio|julio|agosto|septiembre|octubre|noviembre|diciembre|ene\.?|feb\.?|mar\.?|abr\.?|may\.?|jun\.?|jul\.?|ago\.?|sep\.?|oct\.?|nov\.?|dic\.?)/i;e.defineLocale("es-do",{months:"enero_febrero_marzo_abril_mayo_junio_julio_agosto_septiembre_octubre_noviembre_diciembre".split("_"),monthsShort:function(e,r){return e?/-MMM-/.test(r)?n[e.month()]:t[e.month()]:t},monthsRegex:o,monthsShortRegex:o,monthsStrictRegex:/^(enero|febrero|marzo|abril|mayo|junio|julio|agosto|septiembre|octubre|noviembre|diciembre)/i,monthsShortStrictRegex:/^(ene\.?|feb\.?|mar\.?|abr\.?|may\.?|jun\.?|jul\.?|ago\.?|sep\.?|oct\.?|nov\.?|dic\.?)/i,monthsParse:r,longMonthsParse:r,shortMonthsParse:r,weekdays:"domingo_lunes_martes_miércoles_jueves_viernes_sábado".split("_"),weekdaysShort:"dom._lun._mar._mié._jue._vie._sáb.".split("_"),weekdaysMin:"do_lu_ma_mi_ju_vi_sá".split("_"),weekdaysParseExact:!0,longDateFormat:{LT:"h:mm A",LTS:"h:mm:ss A",L:"DD/MM/YYYY",LL:"D [de] MMMM [de] YYYY",LLL:"D [de] MMMM [de] YYYY h:mm A",LLLL:"dddd, D [de] MMMM [de] YYYY h:mm A"},calendar:{sameDay:function(){return"[hoy a la"+(1!==this.hours()?"s":"")+"] LT"},nextDay:function(){return"[mañana a la"+(1!==this.hours()?"s":"")+"] LT"},nextWeek:function(){return"dddd [a la"+(1!==this.hours()?"s":"")+"] LT"},lastDay:function(){return"[ayer a la"+(1!==this.hours()?"s":"")+"] LT"},lastWeek:function(){return"[el] dddd [pasado a la"+(1!==this.hours()?"s":"")+"] LT"},sameElse:"L"},relativeTime:{future:"en %s",past:"hace %s",s:"unos segundos",ss:"%d segundos",m:"un minuto",mm:"%d minutos",h:"una hora",hh:"%d horas",d:"un día",dd:"%d días",w:"una semana",ww:"%d semanas",M:"un mes",MM:"%d meses",y:"un año",yy:"%d años"},dayOfMonthOrdinalParse:/\d{1,2}º/,ordinal:"%dº",week:{dow:1,doy:4}})}(n(381))},6112:function(e,t,n){!function(e){"use strict";var t="ene._feb._mar._abr._may._jun._jul._ago._sep._oct._nov._dic.".split("_"),n="ene_feb_mar_abr_may_jun_jul_ago_sep_oct_nov_dic".split("_"),r=[/^ene/i,/^feb/i,/^mar/i,/^abr/i,/^may/i,/^jun/i,/^jul/i,/^ago/i,/^sep/i,/^oct/i,/^nov/i,/^dic/i],o=/^(enero|febrero|marzo|abril|mayo|junio|julio|agosto|septiembre|octubre|noviembre|diciembre|ene\.?|feb\.?|mar\.?|abr\.?|may\.?|jun\.?|jul\.?|ago\.?|sep\.?|oct\.?|nov\.?|dic\.?)/i;e.defineLocale("es-mx",{months:"enero_febrero_marzo_abril_mayo_junio_julio_agosto_septiembre_octubre_noviembre_diciembre".split("_"),monthsShort:function(e,r){return e?/-MMM-/.test(r)?n[e.month()]:t[e.month()]:t},monthsRegex:o,monthsShortRegex:o,monthsStrictRegex:/^(enero|febrero|marzo|abril|mayo|junio|julio|agosto|septiembre|octubre|noviembre|diciembre)/i,monthsShortStrictRegex:/^(ene\.?|feb\.?|mar\.?|abr\.?|may\.?|jun\.?|jul\.?|ago\.?|sep\.?|oct\.?|nov\.?|dic\.?)/i,monthsParse:r,longMonthsParse:r,shortMonthsParse:r,weekdays:"domingo_lunes_martes_miércoles_jueves_viernes_sábado".split("_"),weekdaysShort:"dom._lun._mar._mié._jue._vie._sáb.".split("_"),weekdaysMin:"do_lu_ma_mi_ju_vi_sá".split("_"),weekdaysParseExact:!0,longDateFormat:{LT:"H:mm",LTS:"H:mm:ss",L:"DD/MM/YYYY",LL:"D [de] MMMM [de] YYYY",LLL:"D [de] MMMM [de] YYYY H:mm",LLLL:"dddd, D [de] MMMM [de] YYYY H:mm"},calendar:{sameDay:function(){return"[hoy a la"+(1!==this.hours()?"s":"")+"] LT"},nextDay:function(){return"[mañana a la"+(1!==this.hours()?"s":"")+"] LT"},nextWeek:function(){return"dddd [a la"+(1!==this.hours()?"s":"")+"] LT"},lastDay:function(){return"[ayer a la"+(1!==this.hours()?"s":"")+"] LT"},lastWeek:function(){return"[el] dddd [pasado a la"+(1!==this.hours()?"s":"")+"] LT"},sameElse:"L"},relativeTime:{future:"en %s",past:"hace %s",s:"unos segundos",ss:"%d segundos",m:"un minuto",mm:"%d minutos",h:"una hora",hh:"%d horas",d:"un día",dd:"%d días",w:"una semana",ww:"%d semanas",M:"un mes",MM:"%d meses",y:"un año",yy:"%d años"},dayOfMonthOrdinalParse:/\d{1,2}º/,ordinal:"%dº",week:{dow:0,doy:4},invalidDate:"Fecha inválida"})}(n(381))},1146:function(e,t,n){!function(e){"use strict";var t="ene._feb._mar._abr._may._jun._jul._ago._sep._oct._nov._dic.".split("_"),n="ene_feb_mar_abr_may_jun_jul_ago_sep_oct_nov_dic".split("_"),r=[/^ene/i,/^feb/i,/^mar/i,/^abr/i,/^may/i,/^jun/i,/^jul/i,/^ago/i,/^sep/i,/^oct/i,/^nov/i,/^dic/i],o=/^(enero|febrero|marzo|abril|mayo|junio|julio|agosto|septiembre|octubre|noviembre|diciembre|ene\.?|feb\.?|mar\.?|abr\.?|may\.?|jun\.?|jul\.?|ago\.?|sep\.?|oct\.?|nov\.?|dic\.?)/i;e.defineLocale("es-us",{months:"enero_febrero_marzo_abril_mayo_junio_julio_agosto_septiembre_octubre_noviembre_diciembre".split("_"),monthsShort:function(e,r){return e?/-MMM-/.test(r)?n[e.month()]:t[e.month()]:t},monthsRegex:o,monthsShortRegex:o,monthsStrictRegex:/^(enero|febrero|marzo|abril|mayo|junio|julio|agosto|septiembre|octubre|noviembre|diciembre)/i,monthsShortStrictRegex:/^(ene\.?|feb\.?|mar\.?|abr\.?|may\.?|jun\.?|jul\.?|ago\.?|sep\.?|oct\.?|nov\.?|dic\.?)/i,monthsParse:r,longMonthsParse:r,shortMonthsParse:r,weekdays:"domingo_lunes_martes_miércoles_jueves_viernes_sábado".split("_"),weekdaysShort:"dom._lun._mar._mié._jue._vie._sáb.".split("_"),weekdaysMin:"do_lu_ma_mi_ju_vi_sá".split("_"),weekdaysParseExact:!0,longDateFormat:{LT:"h:mm A",LTS:"h:mm:ss A",L:"MM/DD/YYYY",LL:"D [de] MMMM [de] YYYY",LLL:"D [de] MMMM [de] YYYY h:mm A",LLLL:"dddd, D [de] MMMM [de] YYYY h:mm A"},calendar:{sameDay:function(){return"[hoy a la"+(1!==this.hours()?"s":"")+"] LT"},nextDay:function(){return"[mañana a la"+(1!==this.hours()?"s":"")+"] LT"},nextWeek:function(){return"dddd [a la"+(1!==this.hours()?"s":"")+"] LT"},lastDay:function(){return"[ayer a la"+(1!==this.hours()?"s":"")+"] LT"},lastWeek:function(){return"[el] dddd [pasado a la"+(1!==this.hours()?"s":"")+"] LT"},sameElse:"L"},relativeTime:{future:"en %s",past:"hace %s",s:"unos segundos",ss:"%d segundos",m:"un minuto",mm:"%d minutos",h:"una hora",hh:"%d horas",d:"un día",dd:"%d días",w:"una semana",ww:"%d semanas",M:"un mes",MM:"%d meses",y:"un año",yy:"%d años"},dayOfMonthOrdinalParse:/\d{1,2}º/,ordinal:"%dº",week:{dow:0,doy:6}})}(n(381))},5655:function(e,t,n){!function(e){"use strict";var t="ene._feb._mar._abr._may._jun._jul._ago._sep._oct._nov._dic.".split("_"),n="ene_feb_mar_abr_may_jun_jul_ago_sep_oct_nov_dic".split("_"),r=[/^ene/i,/^feb/i,/^mar/i,/^abr/i,/^may/i,/^jun/i,/^jul/i,/^ago/i,/^sep/i,/^oct/i,/^nov/i,/^dic/i],o=/^(enero|febrero|marzo|abril|mayo|junio|julio|agosto|septiembre|octubre|noviembre|diciembre|ene\.?|feb\.?|mar\.?|abr\.?|may\.?|jun\.?|jul\.?|ago\.?|sep\.?|oct\.?|nov\.?|dic\.?)/i;e.defineLocale("es",{months:"enero_febrero_marzo_abril_mayo_junio_julio_agosto_septiembre_octubre_noviembre_diciembre".split("_"),monthsShort:function(e,r){return e?/-MMM-/.test(r)?n[e.month()]:t[e.month()]:t},monthsRegex:o,monthsShortRegex:o,monthsStrictRegex:/^(enero|febrero|marzo|abril|mayo|junio|julio|agosto|septiembre|octubre|noviembre|diciembre)/i,monthsShortStrictRegex:/^(ene\.?|feb\.?|mar\.?|abr\.?|may\.?|jun\.?|jul\.?|ago\.?|sep\.?|oct\.?|nov\.?|dic\.?)/i,monthsParse:r,longMonthsParse:r,shortMonthsParse:r,weekdays:"domingo_lunes_martes_miércoles_jueves_viernes_sábado".split("_"),weekdaysShort:"dom._lun._mar._mié._jue._vie._sáb.".split("_"),weekdaysMin:"do_lu_ma_mi_ju_vi_sá".split("_"),weekdaysParseExact:!0,longDateFormat:{LT:"H:mm",LTS:"H:mm:ss",L:"DD/MM/YYYY",LL:"D [de] MMMM [de] YYYY",LLL:"D [de] MMMM [de] YYYY H:mm",LLLL:"dddd, D [de] MMMM [de] YYYY H:mm"},calendar:{sameDay:function(){return"[hoy a la"+(1!==this.hours()?"s":"")+"] LT"},nextDay:function(){return"[mañana a la"+(1!==this.hours()?"s":"")+"] LT"},nextWeek:function(){return"dddd [a la"+(1!==this.hours()?"s":"")+"] LT"},lastDay:function(){return"[ayer a la"+(1!==this.hours()?"s":"")+"] LT"},lastWeek:function(){return"[el] dddd [pasado a la"+(1!==this.hours()?"s":"")+"] LT"},sameElse:"L"},relativeTime:{future:"en %s",past:"hace %s",s:"unos segundos",ss:"%d segundos",m:"un minuto",mm:"%d minutos",h:"una hora",hh:"%d horas",d:"un día",dd:"%d días",w:"una semana",ww:"%d semanas",M:"un mes",MM:"%d meses",y:"un año",yy:"%d años"},dayOfMonthOrdinalParse:/\d{1,2}º/,ordinal:"%dº",week:{dow:1,doy:4},invalidDate:"Fecha inválida"})}(n(381))},5603:function(e,t,n){!function(e){"use strict";function t(e,t,n,r){var o={s:["mõne sekundi","mõni sekund","paar sekundit"],ss:[e+"sekundi",e+"sekundit"],m:["ühe minuti","üks minut"],mm:[e+" minuti",e+" minutit"],h:["ühe tunni","tund aega","üks tund"],hh:[e+" tunni",e+" tundi"],d:["ühe päeva","üks päev"],M:["kuu aja","kuu aega","üks kuu"],MM:[e+" kuu",e+" kuud"],y:["ühe aasta","aasta","üks aasta"],yy:[e+" aasta",e+" aastat"]};return t?o[n][2]?o[n][2]:o[n][1]:r?o[n][0]:o[n][1]}e.defineLocale("et",{months:"jaanuar_veebruar_märts_aprill_mai_juuni_juuli_august_september_oktoober_november_detsember".split("_"),monthsShort:"jaan_veebr_märts_apr_mai_juuni_juuli_aug_sept_okt_nov_dets".split("_"),weekdays:"pühapäev_esmaspäev_teisipäev_kolmapäev_neljapäev_reede_laupäev".split("_"),weekdaysShort:"P_E_T_K_N_R_L".split("_"),weekdaysMin:"P_E_T_K_N_R_L".split("_"),longDateFormat:{LT:"H:mm",LTS:"H:mm:ss",L:"DD.MM.YYYY",LL:"D. MMMM YYYY",LLL:"D. MMMM YYYY H:mm",LLLL:"dddd, D. MMMM YYYY H:mm"},calendar:{sameDay:"[Täna,] LT",nextDay:"[Homme,] LT",nextWeek:"[Järgmine] dddd LT",lastDay:"[Eile,] LT",lastWeek:"[Eelmine] dddd LT",sameElse:"L"},relativeTime:{future:"%s pärast",past:"%s tagasi",s:t,ss:t,m:t,mm:t,h:t,hh:t,d:t,dd:"%d päeva",M:t,MM:t,y:t,yy:t},dayOfMonthOrdinalParse:/\d{1,2}\./,ordinal:"%d.",week:{dow:1,doy:4}})}(n(381))},7763:function(e,t,n){!function(e){"use strict";e.defineLocale("eu",{months:"urtarrila_otsaila_martxoa_apirila_maiatza_ekaina_uztaila_abuztua_iraila_urria_azaroa_abendua".split("_"),monthsShort:"urt._ots._mar._api._mai._eka._uzt._abu._ira._urr._aza._abe.".split("_"),monthsParseExact:!0,weekdays:"igandea_astelehena_asteartea_asteazkena_osteguna_ostirala_larunbata".split("_"),weekdaysShort:"ig._al._ar._az._og._ol._lr.".split("_"),weekdaysMin:"ig_al_ar_az_og_ol_lr".split("_"),weekdaysParseExact:!0,longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"YYYY-MM-DD",LL:"YYYY[ko] MMMM[ren] D[a]",LLL:"YYYY[ko] MMMM[ren] D[a] HH:mm",LLLL:"dddd, YYYY[ko] MMMM[ren] D[a] HH:mm",l:"YYYY-M-D",ll:"YYYY[ko] MMM D[a]",lll:"YYYY[ko] MMM D[a] HH:mm",llll:"ddd, YYYY[ko] MMM D[a] HH:mm"},calendar:{sameDay:"[gaur] LT[etan]",nextDay:"[bihar] LT[etan]",nextWeek:"dddd LT[etan]",lastDay:"[atzo] LT[etan]",lastWeek:"[aurreko] dddd LT[etan]",sameElse:"L"},relativeTime:{future:"%s barru",past:"duela %s",s:"segundo batzuk",ss:"%d segundo",m:"minutu bat",mm:"%d minutu",h:"ordu bat",hh:"%d ordu",d:"egun bat",dd:"%d egun",M:"hilabete bat",MM:"%d hilabete",y:"urte bat",yy:"%d urte"},dayOfMonthOrdinalParse:/\d{1,2}\./,ordinal:"%d.",week:{dow:1,doy:7}})}(n(381))},6959:function(e,t,n){!function(e){"use strict";var t={1:"۱",2:"۲",3:"۳",4:"۴",5:"۵",6:"۶",7:"۷",8:"۸",9:"۹",0:"۰"},n={"۱":"1","۲":"2","۳":"3","۴":"4","۵":"5","۶":"6","۷":"7","۸":"8","۹":"9","۰":"0"};e.defineLocale("fa",{months:"ژانویه_فوریه_مارس_آوریل_مه_ژوئن_ژوئیه_اوت_سپتامبر_اکتبر_نوامبر_دسامبر".split("_"),monthsShort:"ژانویه_فوریه_مارس_آوریل_مه_ژوئن_ژوئیه_اوت_سپتامبر_اکتبر_نوامبر_دسامبر".split("_"),weekdays:"یک‌شنبه_دوشنبه_سه‌شنبه_چهارشنبه_پنج‌شنبه_جمعه_شنبه".split("_"),weekdaysShort:"یک‌شنبه_دوشنبه_سه‌شنبه_چهارشنبه_پنج‌شنبه_جمعه_شنبه".split("_"),weekdaysMin:"ی_د_س_چ_پ_ج_ش".split("_"),weekdaysParseExact:!0,longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY HH:mm",LLLL:"dddd, D MMMM YYYY HH:mm"},meridiemParse:/قبل از ظهر|بعد از ظهر/,isPM:function(e){return/بعد از ظهر/.test(e)},meridiem:function(e,t,n){return e<12?"قبل از ظهر":"بعد از ظهر"},calendar:{sameDay:"[امروز ساعت] LT",nextDay:"[فردا ساعت] LT",nextWeek:"dddd [ساعت] LT",lastDay:"[دیروز ساعت] LT",lastWeek:"dddd [پیش] [ساعت] LT",sameElse:"L"},relativeTime:{future:"در %s",past:"%s پیش",s:"چند ثانیه",ss:"%d ثانیه",m:"یک دقیقه",mm:"%d دقیقه",h:"یک ساعت",hh:"%d ساعت",d:"یک روز",dd:"%d روز",M:"یک ماه",MM:"%d ماه",y:"یک سال",yy:"%d سال"},preparse:function(e){return e.replace(/[۰-۹]/g,(function(e){return n[e]})).replace(/،/g,",")},postformat:function(e){return e.replace(/\d/g,(function(e){return t[e]})).replace(/,/g,"،")},dayOfMonthOrdinalParse:/\d{1,2}م/,ordinal:"%dم",week:{dow:6,doy:12}})}(n(381))},1897:function(e,t,n){!function(e){"use strict";var t="nolla yksi kaksi kolme neljä viisi kuusi seitsemän kahdeksan yhdeksän".split(" "),n=["nolla","yhden","kahden","kolmen","neljän","viiden","kuuden",t[7],t[8],t[9]];function r(e,t,n,r){var a="";switch(n){case"s":return r?"muutaman sekunnin":"muutama sekunti";case"ss":a=r?"sekunnin":"sekuntia";break;case"m":return r?"minuutin":"minuutti";case"mm":a=r?"minuutin":"minuuttia";break;case"h":return r?"tunnin":"tunti";case"hh":a=r?"tunnin":"tuntia";break;case"d":return r?"päivän":"päivä";case"dd":a=r?"päivän":"päivää";break;case"M":return r?"kuukauden":"kuukausi";case"MM":a=r?"kuukauden":"kuukautta";break;case"y":return r?"vuoden":"vuosi";case"yy":a=r?"vuoden":"vuotta"}return a=o(e,r)+" "+a}function o(e,r){return e<10?r?n[e]:t[e]:e}e.defineLocale("fi",{months:"tammikuu_helmikuu_maaliskuu_huhtikuu_toukokuu_kesäkuu_heinäkuu_elokuu_syyskuu_lokakuu_marraskuu_joulukuu".split("_"),monthsShort:"tammi_helmi_maalis_huhti_touko_kesä_heinä_elo_syys_loka_marras_joulu".split("_"),weekdays:"sunnuntai_maanantai_tiistai_keskiviikko_torstai_perjantai_lauantai".split("_"),weekdaysShort:"su_ma_ti_ke_to_pe_la".split("_"),weekdaysMin:"su_ma_ti_ke_to_pe_la".split("_"),longDateFormat:{LT:"HH.mm",LTS:"HH.mm.ss",L:"DD.MM.YYYY",LL:"Do MMMM[ta] YYYY",LLL:"Do MMMM[ta] YYYY, [klo] HH.mm",LLLL:"dddd, Do MMMM[ta] YYYY, [klo] HH.mm",l:"D.M.YYYY",ll:"Do MMM YYYY",lll:"Do MMM YYYY, [klo] HH.mm",llll:"ddd, Do MMM YYYY, [klo] HH.mm"},calendar:{sameDay:"[tänään] [klo] LT",nextDay:"[huomenna] [klo] LT",nextWeek:"dddd [klo] LT",lastDay:"[eilen] [klo] LT",lastWeek:"[viime] dddd[na] [klo] LT",sameElse:"L"},relativeTime:{future:"%s päästä",past:"%s sitten",s:r,ss:r,m:r,mm:r,h:r,hh:r,d:r,dd:r,M:r,MM:r,y:r,yy:r},dayOfMonthOrdinalParse:/\d{1,2}\./,ordinal:"%d.",week:{dow:1,doy:4}})}(n(381))},2549:function(e,t,n){!function(e){"use strict";e.defineLocale("fil",{months:"Enero_Pebrero_Marso_Abril_Mayo_Hunyo_Hulyo_Agosto_Setyembre_Oktubre_Nobyembre_Disyembre".split("_"),monthsShort:"Ene_Peb_Mar_Abr_May_Hun_Hul_Ago_Set_Okt_Nob_Dis".split("_"),weekdays:"Linggo_Lunes_Martes_Miyerkules_Huwebes_Biyernes_Sabado".split("_"),weekdaysShort:"Lin_Lun_Mar_Miy_Huw_Biy_Sab".split("_"),weekdaysMin:"Li_Lu_Ma_Mi_Hu_Bi_Sab".split("_"),longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"MM/D/YYYY",LL:"MMMM D, YYYY",LLL:"MMMM D, YYYY HH:mm",LLLL:"dddd, MMMM DD, YYYY HH:mm"},calendar:{sameDay:"LT [ngayong araw]",nextDay:"[Bukas ng] LT",nextWeek:"LT [sa susunod na] dddd",lastDay:"LT [kahapon]",lastWeek:"LT [noong nakaraang] dddd",sameElse:"L"},relativeTime:{future:"sa loob ng %s",past:"%s ang nakalipas",s:"ilang segundo",ss:"%d segundo",m:"isang minuto",mm:"%d minuto",h:"isang oras",hh:"%d oras",d:"isang araw",dd:"%d araw",M:"isang buwan",MM:"%d buwan",y:"isang taon",yy:"%d taon"},dayOfMonthOrdinalParse:/\d{1,2}/,ordinal:function(e){return e},week:{dow:1,doy:4}})}(n(381))},4694:function(e,t,n){!function(e){"use strict";e.defineLocale("fo",{months:"januar_februar_mars_apríl_mai_juni_juli_august_september_oktober_november_desember".split("_"),monthsShort:"jan_feb_mar_apr_mai_jun_jul_aug_sep_okt_nov_des".split("_"),weekdays:"sunnudagur_mánadagur_týsdagur_mikudagur_hósdagur_fríggjadagur_leygardagur".split("_"),weekdaysShort:"sun_mán_týs_mik_hós_frí_ley".split("_"),weekdaysMin:"su_má_tý_mi_hó_fr_le".split("_"),longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY HH:mm",LLLL:"dddd D. MMMM, YYYY HH:mm"},calendar:{sameDay:"[Í dag kl.] LT",nextDay:"[Í morgin kl.] LT",nextWeek:"dddd [kl.] LT",lastDay:"[Í gjár kl.] LT",lastWeek:"[síðstu] dddd [kl] LT",sameElse:"L"},relativeTime:{future:"um %s",past:"%s síðani",s:"fá sekund",ss:"%d sekundir",m:"ein minuttur",mm:"%d minuttir",h:"ein tími",hh:"%d tímar",d:"ein dagur",dd:"%d dagar",M:"ein mánaður",MM:"%d mánaðir",y:"eitt ár",yy:"%d ár"},dayOfMonthOrdinalParse:/\d{1,2}\./,ordinal:"%d.",week:{dow:1,doy:4}})}(n(381))},3049:function(e,t,n){!function(e){"use strict";e.defineLocale("fr-ca",{months:"janvier_février_mars_avril_mai_juin_juillet_août_septembre_octobre_novembre_décembre".split("_"),monthsShort:"janv._févr._mars_avr._mai_juin_juil._août_sept._oct._nov._déc.".split("_"),monthsParseExact:!0,weekdays:"dimanche_lundi_mardi_mercredi_jeudi_vendredi_samedi".split("_"),weekdaysShort:"dim._lun._mar._mer._jeu._ven._sam.".split("_"),weekdaysMin:"di_lu_ma_me_je_ve_sa".split("_"),weekdaysParseExact:!0,longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"YYYY-MM-DD",LL:"D MMMM YYYY",LLL:"D MMMM YYYY HH:mm",LLLL:"dddd D MMMM YYYY HH:mm"},calendar:{sameDay:"[Aujourd’hui à] LT",nextDay:"[Demain à] LT",nextWeek:"dddd [à] LT",lastDay:"[Hier à] LT",lastWeek:"dddd [dernier à] LT",sameElse:"L"},relativeTime:{future:"dans %s",past:"il y a %s",s:"quelques secondes",ss:"%d secondes",m:"une minute",mm:"%d minutes",h:"une heure",hh:"%d heures",d:"un jour",dd:"%d jours",M:"un mois",MM:"%d mois",y:"un an",yy:"%d ans"},dayOfMonthOrdinalParse:/\d{1,2}(er|e)/,ordinal:function(e,t){switch(t){default:case"M":case"Q":case"D":case"DDD":case"d":return e+(1===e?"er":"e");case"w":case"W":return e+(1===e?"re":"e")}}})}(n(381))},2330:function(e,t,n){!function(e){"use strict";e.defineLocale("fr-ch",{months:"janvier_février_mars_avril_mai_juin_juillet_août_septembre_octobre_novembre_décembre".split("_"),monthsShort:"janv._févr._mars_avr._mai_juin_juil._août_sept._oct._nov._déc.".split("_"),monthsParseExact:!0,weekdays:"dimanche_lundi_mardi_mercredi_jeudi_vendredi_samedi".split("_"),weekdaysShort:"dim._lun._mar._mer._jeu._ven._sam.".split("_"),weekdaysMin:"di_lu_ma_me_je_ve_sa".split("_"),weekdaysParseExact:!0,longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD.MM.YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY HH:mm",LLLL:"dddd D MMMM YYYY HH:mm"},calendar:{sameDay:"[Aujourd’hui à] LT",nextDay:"[Demain à] LT",nextWeek:"dddd [à] LT",lastDay:"[Hier à] LT",lastWeek:"dddd [dernier à] LT",sameElse:"L"},relativeTime:{future:"dans %s",past:"il y a %s",s:"quelques secondes",ss:"%d secondes",m:"une minute",mm:"%d minutes",h:"une heure",hh:"%d heures",d:"un jour",dd:"%d jours",M:"un mois",MM:"%d mois",y:"un an",yy:"%d ans"},dayOfMonthOrdinalParse:/\d{1,2}(er|e)/,ordinal:function(e,t){switch(t){default:case"M":case"Q":case"D":case"DDD":case"d":return e+(1===e?"er":"e");case"w":case"W":return e+(1===e?"re":"e")}},week:{dow:1,doy:4}})}(n(381))},4470:function(e,t,n){!function(e){"use strict";var t=/^(janvier|février|mars|avril|mai|juin|juillet|août|septembre|octobre|novembre|décembre)/i,n=/(janv\.?|févr\.?|mars|avr\.?|mai|juin|juil\.?|août|sept\.?|oct\.?|nov\.?|déc\.?)/i,r=/(janv\.?|févr\.?|mars|avr\.?|mai|juin|juil\.?|août|sept\.?|oct\.?|nov\.?|déc\.?|janvier|février|mars|avril|mai|juin|juillet|août|septembre|octobre|novembre|décembre)/i,o=[/^janv/i,/^févr/i,/^mars/i,/^avr/i,/^mai/i,/^juin/i,/^juil/i,/^août/i,/^sept/i,/^oct/i,/^nov/i,/^déc/i];e.defineLocale("fr",{months:"janvier_février_mars_avril_mai_juin_juillet_août_septembre_octobre_novembre_décembre".split("_"),monthsShort:"janv._févr._mars_avr._mai_juin_juil._août_sept._oct._nov._déc.".split("_"),monthsRegex:r,monthsShortRegex:r,monthsStrictRegex:t,monthsShortStrictRegex:n,monthsParse:o,longMonthsParse:o,shortMonthsParse:o,weekdays:"dimanche_lundi_mardi_mercredi_jeudi_vendredi_samedi".split("_"),weekdaysShort:"dim._lun._mar._mer._jeu._ven._sam.".split("_"),weekdaysMin:"di_lu_ma_me_je_ve_sa".split("_"),weekdaysParseExact:!0,longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY HH:mm",LLLL:"dddd D MMMM YYYY HH:mm"},calendar:{sameDay:"[Aujourd’hui à] LT",nextDay:"[Demain à] LT",nextWeek:"dddd [à] LT",lastDay:"[Hier à] LT",lastWeek:"dddd [dernier à] LT",sameElse:"L"},relativeTime:{future:"dans %s",past:"il y a %s",s:"quelques secondes",ss:"%d secondes",m:"une minute",mm:"%d minutes",h:"une heure",hh:"%d heures",d:"un jour",dd:"%d jours",w:"une semaine",ww:"%d semaines",M:"un mois",MM:"%d mois",y:"un an",yy:"%d ans"},dayOfMonthOrdinalParse:/\d{1,2}(er|)/,ordinal:function(e,t){switch(t){case"D":return e+(1===e?"er":"");default:case"M":case"Q":case"DDD":case"d":return e+(1===e?"er":"e");case"w":case"W":return e+(1===e?"re":"e")}},week:{dow:1,doy:4}})}(n(381))},5044:function(e,t,n){!function(e){"use strict";var t="jan._feb._mrt._apr._mai_jun._jul._aug._sep._okt._nov._des.".split("_"),n="jan_feb_mrt_apr_mai_jun_jul_aug_sep_okt_nov_des".split("_");e.defineLocale("fy",{months:"jannewaris_febrewaris_maart_april_maaie_juny_july_augustus_septimber_oktober_novimber_desimber".split("_"),monthsShort:function(e,r){return e?/-MMM-/.test(r)?n[e.month()]:t[e.month()]:t},monthsParseExact:!0,weekdays:"snein_moandei_tiisdei_woansdei_tongersdei_freed_sneon".split("_"),weekdaysShort:"si._mo._ti._wo._to._fr._so.".split("_"),weekdaysMin:"Si_Mo_Ti_Wo_To_Fr_So".split("_"),weekdaysParseExact:!0,longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD-MM-YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY HH:mm",LLLL:"dddd D MMMM YYYY HH:mm"},calendar:{sameDay:"[hjoed om] LT",nextDay:"[moarn om] LT",nextWeek:"dddd [om] LT",lastDay:"[juster om] LT",lastWeek:"[ôfrûne] dddd [om] LT",sameElse:"L"},relativeTime:{future:"oer %s",past:"%s lyn",s:"in pear sekonden",ss:"%d sekonden",m:"ien minút",mm:"%d minuten",h:"ien oere",hh:"%d oeren",d:"ien dei",dd:"%d dagen",M:"ien moanne",MM:"%d moannen",y:"ien jier",yy:"%d jierren"},dayOfMonthOrdinalParse:/\d{1,2}(ste|de)/,ordinal:function(e){return e+(1===e||8===e||e>=20?"ste":"de")},week:{dow:1,doy:4}})}(n(381))},9295:function(e,t,n){!function(e){"use strict";var t=["Eanáir","Feabhra","Márta","Aibreán","Bealtaine","Meitheamh","Iúil","Lúnasa","Meán Fómhair","Deireadh Fómhair","Samhain","Nollaig"],n=["Ean","Feabh","Márt","Aib","Beal","Meith","Iúil","Lún","M.F.","D.F.","Samh","Noll"],r=["Dé Domhnaigh","Dé Luain","Dé Máirt","Dé Céadaoin","Déardaoin","Dé hAoine","Dé Sathairn"],o=["Domh","Luan","Máirt","Céad","Déar","Aoine","Sath"],a=["Do","Lu","Má","Cé","Dé","A","Sa"];e.defineLocale("ga",{months:t,monthsShort:n,monthsParseExact:!0,weekdays:r,weekdaysShort:o,weekdaysMin:a,longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY HH:mm",LLLL:"dddd, D MMMM YYYY HH:mm"},calendar:{sameDay:"[Inniu ag] LT",nextDay:"[Amárach ag] LT",nextWeek:"dddd [ag] LT",lastDay:"[Inné ag] LT",lastWeek:"dddd [seo caite] [ag] LT",sameElse:"L"},relativeTime:{future:"i %s",past:"%s ó shin",s:"cúpla soicind",ss:"%d soicind",m:"nóiméad",mm:"%d nóiméad",h:"uair an chloig",hh:"%d uair an chloig",d:"lá",dd:"%d lá",M:"mí",MM:"%d míonna",y:"bliain",yy:"%d bliain"},dayOfMonthOrdinalParse:/\d{1,2}(d|na|mh)/,ordinal:function(e){return e+(1===e?"d":e%10==2?"na":"mh")},week:{dow:1,doy:4}})}(n(381))},2101:function(e,t,n){!function(e){"use strict";var t=["Am Faoilleach","An Gearran","Am Màrt","An Giblean","An Cèitean","An t-Ògmhios","An t-Iuchar","An Lùnastal","An t-Sultain","An Dàmhair","An t-Samhain","An Dùbhlachd"],n=["Faoi","Gear","Màrt","Gibl","Cèit","Ògmh","Iuch","Lùn","Sult","Dàmh","Samh","Dùbh"],r=["Didòmhnaich","Diluain","Dimàirt","Diciadain","Diardaoin","Dihaoine","Disathairne"],o=["Did","Dil","Dim","Dic","Dia","Dih","Dis"],a=["Dò","Lu","Mà","Ci","Ar","Ha","Sa"];e.defineLocale("gd",{months:t,monthsShort:n,monthsParseExact:!0,weekdays:r,weekdaysShort:o,weekdaysMin:a,longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY HH:mm",LLLL:"dddd, D MMMM YYYY HH:mm"},calendar:{sameDay:"[An-diugh aig] LT",nextDay:"[A-màireach aig] LT",nextWeek:"dddd [aig] LT",lastDay:"[An-dè aig] LT",lastWeek:"dddd [seo chaidh] [aig] LT",sameElse:"L"},relativeTime:{future:"ann an %s",past:"bho chionn %s",s:"beagan diogan",ss:"%d diogan",m:"mionaid",mm:"%d mionaidean",h:"uair",hh:"%d uairean",d:"latha",dd:"%d latha",M:"mìos",MM:"%d mìosan",y:"bliadhna",yy:"%d bliadhna"},dayOfMonthOrdinalParse:/\d{1,2}(d|na|mh)/,ordinal:function(e){return e+(1===e?"d":e%10==2?"na":"mh")},week:{dow:1,doy:4}})}(n(381))},8794:function(e,t,n){!function(e){"use strict";e.defineLocale("gl",{months:"xaneiro_febreiro_marzo_abril_maio_xuño_xullo_agosto_setembro_outubro_novembro_decembro".split("_"),monthsShort:"xan._feb._mar._abr._mai._xuñ._xul._ago._set._out._nov._dec.".split("_"),monthsParseExact:!0,weekdays:"domingo_luns_martes_mércores_xoves_venres_sábado".split("_"),weekdaysShort:"dom._lun._mar._mér._xov._ven._sáb.".split("_"),weekdaysMin:"do_lu_ma_mé_xo_ve_sá".split("_"),weekdaysParseExact:!0,longDateFormat:{LT:"H:mm",LTS:"H:mm:ss",L:"DD/MM/YYYY",LL:"D [de] MMMM [de] YYYY",LLL:"D [de] MMMM [de] YYYY H:mm",LLLL:"dddd, D [de] MMMM [de] YYYY H:mm"},calendar:{sameDay:function(){return"[hoxe "+(1!==this.hours()?"ás":"á")+"] LT"},nextDay:function(){return"[mañá "+(1!==this.hours()?"ás":"á")+"] LT"},nextWeek:function(){return"dddd ["+(1!==this.hours()?"ás":"a")+"] LT"},lastDay:function(){return"[onte "+(1!==this.hours()?"á":"a")+"] LT"},lastWeek:function(){return"[o] dddd [pasado "+(1!==this.hours()?"ás":"a")+"] LT"},sameElse:"L"},relativeTime:{future:function(e){return 0===e.indexOf("un")?"n"+e:"en "+e},past:"hai %s",s:"uns segundos",ss:"%d segundos",m:"un minuto",mm:"%d minutos",h:"unha hora",hh:"%d horas",d:"un día",dd:"%d días",M:"un mes",MM:"%d meses",y:"un ano",yy:"%d anos"},dayOfMonthOrdinalParse:/\d{1,2}º/,ordinal:"%dº",week:{dow:1,doy:4}})}(n(381))},7884:function(e,t,n){!function(e){"use strict";function t(e,t,n,r){var o={s:["थोडया सॅकंडांनी","थोडे सॅकंड"],ss:[e+" सॅकंडांनी",e+" सॅकंड"],m:["एका मिणटान","एक मिनूट"],mm:[e+" मिणटांनी",e+" मिणटां"],h:["एका वरान","एक वर"],hh:[e+" वरांनी",e+" वरां"],d:["एका दिसान","एक दीस"],dd:[e+" दिसांनी",e+" दीस"],M:["एका म्हयन्यान","एक म्हयनो"],MM:[e+" म्हयन्यानी",e+" म्हयने"],y:["एका वर्सान","एक वर्स"],yy:[e+" वर्सांनी",e+" वर्सां"]};return r?o[n][0]:o[n][1]}e.defineLocale("gom-deva",{months:{standalone:"जानेवारी_फेब्रुवारी_मार्च_एप्रील_मे_जून_जुलय_ऑगस्ट_सप्टेंबर_ऑक्टोबर_नोव्हेंबर_डिसेंबर".split("_"),format:"जानेवारीच्या_फेब्रुवारीच्या_मार्चाच्या_एप्रीलाच्या_मेयाच्या_जूनाच्या_जुलयाच्या_ऑगस्टाच्या_सप्टेंबराच्या_ऑक्टोबराच्या_नोव्हेंबराच्या_डिसेंबराच्या".split("_"),isFormat:/MMMM(\s)+D[oD]?/},monthsShort:"जाने._फेब्रु._मार्च_एप्री._मे_जून_जुल._ऑग._सप्टें._ऑक्टो._नोव्हें._डिसें.".split("_"),monthsParseExact:!0,weekdays:"आयतार_सोमार_मंगळार_बुधवार_बिरेस्तार_सुक्रार_शेनवार".split("_"),weekdaysShort:"आयत._सोम._मंगळ._बुध._ब्रेस्त._सुक्र._शेन.".split("_"),weekdaysMin:"आ_सो_मं_बु_ब्रे_सु_शे".split("_"),weekdaysParseExact:!0,longDateFormat:{LT:"A h:mm [वाजतां]",LTS:"A h:mm:ss [वाजतां]",L:"DD-MM-YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY A h:mm [वाजतां]",LLLL:"dddd, MMMM Do, YYYY, A h:mm [वाजतां]",llll:"ddd, D MMM YYYY, A h:mm [वाजतां]"},calendar:{sameDay:"[आयज] LT",nextDay:"[फाल्यां] LT",nextWeek:"[फुडलो] dddd[,] LT",lastDay:"[काल] LT",lastWeek:"[फाटलो] dddd[,] LT",sameElse:"L"},relativeTime:{future:"%s",past:"%s आदीं",s:t,ss:t,m:t,mm:t,h:t,hh:t,d:t,dd:t,M:t,MM:t,y:t,yy:t},dayOfMonthOrdinalParse:/\d{1,2}(वेर)/,ordinal:function(e,t){switch(t){case"D":return e+"वेर";default:case"M":case"Q":case"DDD":case"d":case"w":case"W":return e}},week:{dow:0,doy:3},meridiemParse:/राती|सकाळीं|दनपारां|सांजे/,meridiemHour:function(e,t){return 12===e&&(e=0),"राती"===t?e<4?e:e+12:"सकाळीं"===t?e:"दनपारां"===t?e>12?e:e+12:"सांजे"===t?e+12:void 0},meridiem:function(e,t,n){return e<4?"राती":e<12?"सकाळीं":e<16?"दनपारां":e<20?"सांजे":"राती"}})}(n(381))},3168:function(e,t,n){!function(e){"use strict";function t(e,t,n,r){var o={s:["thoddea sekondamni","thodde sekond"],ss:[e+" sekondamni",e+" sekond"],m:["eka mintan","ek minut"],mm:[e+" mintamni",e+" mintam"],h:["eka voran","ek vor"],hh:[e+" voramni",e+" voram"],d:["eka disan","ek dis"],dd:[e+" disamni",e+" dis"],M:["eka mhoinean","ek mhoino"],MM:[e+" mhoineamni",e+" mhoine"],y:["eka vorsan","ek voros"],yy:[e+" vorsamni",e+" vorsam"]};return r?o[n][0]:o[n][1]}e.defineLocale("gom-latn",{months:{standalone:"Janer_Febrer_Mars_Abril_Mai_Jun_Julai_Agost_Setembr_Otubr_Novembr_Dezembr".split("_"),format:"Janerachea_Febrerachea_Marsachea_Abrilachea_Maiachea_Junachea_Julaiachea_Agostachea_Setembrachea_Otubrachea_Novembrachea_Dezembrachea".split("_"),isFormat:/MMMM(\s)+D[oD]?/},monthsShort:"Jan._Feb._Mars_Abr._Mai_Jun_Jul._Ago._Set._Otu._Nov._Dez.".split("_"),monthsParseExact:!0,weekdays:"Aitar_Somar_Mongllar_Budhvar_Birestar_Sukrar_Son'var".split("_"),weekdaysShort:"Ait._Som._Mon._Bud._Bre._Suk._Son.".split("_"),weekdaysMin:"Ai_Sm_Mo_Bu_Br_Su_Sn".split("_"),weekdaysParseExact:!0,longDateFormat:{LT:"A h:mm [vazta]",LTS:"A h:mm:ss [vazta]",L:"DD-MM-YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY A h:mm [vazta]",LLLL:"dddd, MMMM Do, YYYY, A h:mm [vazta]",llll:"ddd, D MMM YYYY, A h:mm [vazta]"},calendar:{sameDay:"[Aiz] LT",nextDay:"[Faleam] LT",nextWeek:"[Fuddlo] dddd[,] LT",lastDay:"[Kal] LT",lastWeek:"[Fattlo] dddd[,] LT",sameElse:"L"},relativeTime:{future:"%s",past:"%s adim",s:t,ss:t,m:t,mm:t,h:t,hh:t,d:t,dd:t,M:t,MM:t,y:t,yy:t},dayOfMonthOrdinalParse:/\d{1,2}(er)/,ordinal:function(e,t){switch(t){case"D":return e+"er";default:case"M":case"Q":case"DDD":case"d":case"w":case"W":return e}},week:{dow:0,doy:3},meridiemParse:/rati|sokallim|donparam|sanje/,meridiemHour:function(e,t){return 12===e&&(e=0),"rati"===t?e<4?e:e+12:"sokallim"===t?e:"donparam"===t?e>12?e:e+12:"sanje"===t?e+12:void 0},meridiem:function(e,t,n){return e<4?"rati":e<12?"sokallim":e<16?"donparam":e<20?"sanje":"rati"}})}(n(381))},5349:function(e,t,n){!function(e){"use strict";var t={1:"૧",2:"૨",3:"૩",4:"૪",5:"૫",6:"૬",7:"૭",8:"૮",9:"૯",0:"૦"},n={"૧":"1","૨":"2","૩":"3","૪":"4","૫":"5","૬":"6","૭":"7","૮":"8","૯":"9","૦":"0"};e.defineLocale("gu",{months:"જાન્યુઆરી_ફેબ્રુઆરી_માર્ચ_એપ્રિલ_મે_જૂન_જુલાઈ_ઑગસ્ટ_સપ્ટેમ્બર_ઑક્ટ્બર_નવેમ્બર_ડિસેમ્બર".split("_"),monthsShort:"જાન્યુ._ફેબ્રુ._માર્ચ_એપ્રિ._મે_જૂન_જુલા._ઑગ._સપ્ટે._ઑક્ટ્._નવે._ડિસે.".split("_"),monthsParseExact:!0,weekdays:"રવિવાર_સોમવાર_મંગળવાર_બુધ્વાર_ગુરુવાર_શુક્રવાર_શનિવાર".split("_"),weekdaysShort:"રવિ_સોમ_મંગળ_બુધ્_ગુરુ_શુક્ર_શનિ".split("_"),weekdaysMin:"ર_સો_મં_બુ_ગુ_શુ_શ".split("_"),longDateFormat:{LT:"A h:mm વાગ્યે",LTS:"A h:mm:ss વાગ્યે",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY, A h:mm વાગ્યે",LLLL:"dddd, D MMMM YYYY, A h:mm વાગ્યે"},calendar:{sameDay:"[આજ] LT",nextDay:"[કાલે] LT",nextWeek:"dddd, LT",lastDay:"[ગઇકાલે] LT",lastWeek:"[પાછલા] dddd, LT",sameElse:"L"},relativeTime:{future:"%s મા",past:"%s પહેલા",s:"અમુક પળો",ss:"%d સેકંડ",m:"એક મિનિટ",mm:"%d મિનિટ",h:"એક કલાક",hh:"%d કલાક",d:"એક દિવસ",dd:"%d દિવસ",M:"એક મહિનો",MM:"%d મહિનો",y:"એક વર્ષ",yy:"%d વર્ષ"},preparse:function(e){return e.replace(/[૧૨૩૪૫૬૭૮૯૦]/g,(function(e){return n[e]}))},postformat:function(e){return e.replace(/\d/g,(function(e){return t[e]}))},meridiemParse:/રાત|બપોર|સવાર|સાંજ/,meridiemHour:function(e,t){return 12===e&&(e=0),"રાત"===t?e<4?e:e+12:"સવાર"===t?e:"બપોર"===t?e>=10?e:e+12:"સાંજ"===t?e+12:void 0},meridiem:function(e,t,n){return e<4?"રાત":e<10?"સવાર":e<17?"બપોર":e<20?"સાંજ":"રાત"},week:{dow:0,doy:6}})}(n(381))},4206:function(e,t,n){!function(e){"use strict";e.defineLocale("he",{months:"ינואר_פברואר_מרץ_אפריל_מאי_יוני_יולי_אוגוסט_ספטמבר_אוקטובר_נובמבר_דצמבר".split("_"),monthsShort:"ינו׳_פבר׳_מרץ_אפר׳_מאי_יוני_יולי_אוג׳_ספט׳_אוק׳_נוב׳_דצמ׳".split("_"),weekdays:"ראשון_שני_שלישי_רביעי_חמישי_שישי_שבת".split("_"),weekdaysShort:"א׳_ב׳_ג׳_ד׳_ה׳_ו׳_ש׳".split("_"),weekdaysMin:"א_ב_ג_ד_ה_ו_ש".split("_"),longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD/MM/YYYY",LL:"D [ב]MMMM YYYY",LLL:"D [ב]MMMM YYYY HH:mm",LLLL:"dddd, D [ב]MMMM YYYY HH:mm",l:"D/M/YYYY",ll:"D MMM YYYY",lll:"D MMM YYYY HH:mm",llll:"ddd, D MMM YYYY HH:mm"},calendar:{sameDay:"[היום ב־]LT",nextDay:"[מחר ב־]LT",nextWeek:"dddd [בשעה] LT",lastDay:"[אתמול ב־]LT",lastWeek:"[ביום] dddd [האחרון בשעה] LT",sameElse:"L"},relativeTime:{future:"בעוד %s",past:"לפני %s",s:"מספר שניות",ss:"%d שניות",m:"דקה",mm:"%d דקות",h:"שעה",hh:function(e){return 2===e?"שעתיים":e+" שעות"},d:"יום",dd:function(e){return 2===e?"יומיים":e+" ימים"},M:"חודש",MM:function(e){return 2===e?"חודשיים":e+" חודשים"},y:"שנה",yy:function(e){return 2===e?"שנתיים":e%10==0&&10!==e?e+" שנה":e+" שנים"}},meridiemParse:/אחה"צ|לפנה"צ|אחרי הצהריים|לפני הצהריים|לפנות בוקר|בבוקר|בערב/i,isPM:function(e){return/^(אחה"צ|אחרי הצהריים|בערב)$/.test(e)},meridiem:function(e,t,n){return e<5?"לפנות בוקר":e<10?"בבוקר":e<12?n?'לפנה"צ':"לפני הצהריים":e<18?n?'אחה"צ':"אחרי הצהריים":"בערב"}})}(n(381))},94:function(e,t,n){!function(e){"use strict";var t={1:"१",2:"२",3:"३",4:"४",5:"५",6:"६",7:"७",8:"८",9:"९",0:"०"},n={"१":"1","२":"2","३":"3","४":"4","५":"5","६":"6","७":"7","८":"8","९":"9","०":"0"},r=[/^जन/i,/^फ़र|फर/i,/^मार्च/i,/^अप्रै/i,/^मई/i,/^जून/i,/^जुल/i,/^अग/i,/^सितं|सित/i,/^अक्टू/i,/^नव|नवं/i,/^दिसं|दिस/i],o=[/^जन/i,/^फ़र/i,/^मार्च/i,/^अप्रै/i,/^मई/i,/^जून/i,/^जुल/i,/^अग/i,/^सित/i,/^अक्टू/i,/^नव/i,/^दिस/i];e.defineLocale("hi",{months:{format:"जनवरी_फ़रवरी_मार्च_अप्रैल_मई_जून_जुलाई_अगस्त_सितम्बर_अक्टूबर_नवम्बर_दिसम्बर".split("_"),standalone:"जनवरी_फरवरी_मार्च_अप्रैल_मई_जून_जुलाई_अगस्त_सितंबर_अक्टूबर_नवंबर_दिसंबर".split("_")},monthsShort:"जन._फ़र._मार्च_अप्रै._मई_जून_जुल._अग._सित._अक्टू._नव._दिस.".split("_"),weekdays:"रविवार_सोमवार_मंगलवार_बुधवार_गुरूवार_शुक्रवार_शनिवार".split("_"),weekdaysShort:"रवि_सोम_मंगल_बुध_गुरू_शुक्र_शनि".split("_"),weekdaysMin:"र_सो_मं_बु_गु_शु_श".split("_"),longDateFormat:{LT:"A h:mm बजे",LTS:"A h:mm:ss बजे",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY, A h:mm बजे",LLLL:"dddd, D MMMM YYYY, A h:mm बजे"},monthsParse:r,longMonthsParse:r,shortMonthsParse:o,monthsRegex:/^(जनवरी|जन\.?|फ़रवरी|फरवरी|फ़र\.?|मार्च?|अप्रैल|अप्रै\.?|मई?|जून?|जुलाई|जुल\.?|अगस्त|अग\.?|सितम्बर|सितंबर|सित\.?|अक्टूबर|अक्टू\.?|नवम्बर|नवंबर|नव\.?|दिसम्बर|दिसंबर|दिस\.?)/i,monthsShortRegex:/^(जनवरी|जन\.?|फ़रवरी|फरवरी|फ़र\.?|मार्च?|अप्रैल|अप्रै\.?|मई?|जून?|जुलाई|जुल\.?|अगस्त|अग\.?|सितम्बर|सितंबर|सित\.?|अक्टूबर|अक्टू\.?|नवम्बर|नवंबर|नव\.?|दिसम्बर|दिसंबर|दिस\.?)/i,monthsStrictRegex:/^(जनवरी?|फ़रवरी|फरवरी?|मार्च?|अप्रैल?|मई?|जून?|जुलाई?|अगस्त?|सितम्बर|सितंबर|सित?\.?|अक्टूबर|अक्टू\.?|नवम्बर|नवंबर?|दिसम्बर|दिसंबर?)/i,monthsShortStrictRegex:/^(जन\.?|फ़र\.?|मार्च?|अप्रै\.?|मई?|जून?|जुल\.?|अग\.?|सित\.?|अक्टू\.?|नव\.?|दिस\.?)/i,calendar:{sameDay:"[आज] LT",nextDay:"[कल] LT",nextWeek:"dddd, LT",lastDay:"[कल] LT",lastWeek:"[पिछले] dddd, LT",sameElse:"L"},relativeTime:{future:"%s में",past:"%s पहले",s:"कुछ ही क्षण",ss:"%d सेकंड",m:"एक मिनट",mm:"%d मिनट",h:"एक घंटा",hh:"%d घंटे",d:"एक दिन",dd:"%d दिन",M:"एक महीने",MM:"%d महीने",y:"एक वर्ष",yy:"%d वर्ष"},preparse:function(e){return e.replace(/[१२३४५६७८९०]/g,(function(e){return n[e]}))},postformat:function(e){return e.replace(/\d/g,(function(e){return t[e]}))},meridiemParse:/रात|सुबह|दोपहर|शाम/,meridiemHour:function(e,t){return 12===e&&(e=0),"रात"===t?e<4?e:e+12:"सुबह"===t?e:"दोपहर"===t?e>=10?e:e+12:"शाम"===t?e+12:void 0},meridiem:function(e,t,n){return e<4?"रात":e<10?"सुबह":e<17?"दोपहर":e<20?"शाम":"रात"},week:{dow:0,doy:6}})}(n(381))},316:function(e,t,n){!function(e){"use strict";function t(e,t,n){var r=e+" ";switch(n){case"ss":return r+=1===e?"sekunda":2===e||3===e||4===e?"sekunde":"sekundi";case"m":return t?"jedna minuta":"jedne minute";case"mm":return r+=1===e?"minuta":2===e||3===e||4===e?"minute":"minuta";case"h":return t?"jedan sat":"jednog sata";case"hh":return r+=1===e?"sat":2===e||3===e||4===e?"sata":"sati";case"dd":return r+=1===e?"dan":"dana";case"MM":return r+=1===e?"mjesec":2===e||3===e||4===e?"mjeseca":"mjeseci";case"yy":return r+=1===e?"godina":2===e||3===e||4===e?"godine":"godina"}}e.defineLocale("hr",{months:{format:"siječnja_veljače_ožujka_travnja_svibnja_lipnja_srpnja_kolovoza_rujna_listopada_studenoga_prosinca".split("_"),standalone:"siječanj_veljača_ožujak_travanj_svibanj_lipanj_srpanj_kolovoz_rujan_listopad_studeni_prosinac".split("_")},monthsShort:"sij._velj._ožu._tra._svi._lip._srp._kol._ruj._lis._stu._pro.".split("_"),monthsParseExact:!0,weekdays:"nedjelja_ponedjeljak_utorak_srijeda_četvrtak_petak_subota".split("_"),weekdaysShort:"ned._pon._uto._sri._čet._pet._sub.".split("_"),weekdaysMin:"ne_po_ut_sr_če_pe_su".split("_"),weekdaysParseExact:!0,longDateFormat:{LT:"H:mm",LTS:"H:mm:ss",L:"DD.MM.YYYY",LL:"Do MMMM YYYY",LLL:"Do MMMM YYYY H:mm",LLLL:"dddd, Do MMMM YYYY H:mm"},calendar:{sameDay:"[danas u] LT",nextDay:"[sutra u] LT",nextWeek:function(){switch(this.day()){case 0:return"[u] [nedjelju] [u] LT";case 3:return"[u] [srijedu] [u] LT";case 6:return"[u] [subotu] [u] LT";case 1:case 2:case 4:case 5:return"[u] dddd [u] LT"}},lastDay:"[jučer u] LT",lastWeek:function(){switch(this.day()){case 0:return"[prošlu] [nedjelju] [u] LT";case 3:return"[prošlu] [srijedu] [u] LT";case 6:return"[prošle] [subote] [u] LT";case 1:case 2:case 4:case 5:return"[prošli] dddd [u] LT"}},sameElse:"L"},relativeTime:{future:"za %s",past:"prije %s",s:"par sekundi",ss:t,m:t,mm:t,h:t,hh:t,d:"dan",dd:t,M:"mjesec",MM:t,y:"godinu",yy:t},dayOfMonthOrdinalParse:/\d{1,2}\./,ordinal:"%d.",week:{dow:1,doy:7}})}(n(381))},2138:function(e,t,n){!function(e){"use strict";var t="vasárnap hétfőn kedden szerdán csütörtökön pénteken szombaton".split(" ");function n(e,t,n,r){var o=e;switch(n){case"s":return r||t?"néhány másodperc":"néhány másodperce";case"ss":return o+(r||t)?" másodperc":" másodperce";case"m":return"egy"+(r||t?" perc":" perce");case"mm":return o+(r||t?" perc":" perce");case"h":return"egy"+(r||t?" óra":" órája");case"hh":return o+(r||t?" óra":" órája");case"d":return"egy"+(r||t?" nap":" napja");case"dd":return o+(r||t?" nap":" napja");case"M":return"egy"+(r||t?" hónap":" hónapja");case"MM":return o+(r||t?" hónap":" hónapja");case"y":return"egy"+(r||t?" év":" éve");case"yy":return o+(r||t?" év":" éve")}return""}function r(e){return(e?"":"[múlt] ")+"["+t[this.day()]+"] LT[-kor]"}e.defineLocale("hu",{months:"január_február_március_április_május_június_július_augusztus_szeptember_október_november_december".split("_"),monthsShort:"jan._feb._márc._ápr._máj._jún._júl._aug._szept._okt._nov._dec.".split("_"),monthsParseExact:!0,weekdays:"vasárnap_hétfő_kedd_szerda_csütörtök_péntek_szombat".split("_"),weekdaysShort:"vas_hét_kedd_sze_csüt_pén_szo".split("_"),weekdaysMin:"v_h_k_sze_cs_p_szo".split("_"),longDateFormat:{LT:"H:mm",LTS:"H:mm:ss",L:"YYYY.MM.DD.",LL:"YYYY. MMMM D.",LLL:"YYYY. MMMM D. H:mm",LLLL:"YYYY. MMMM D., dddd H:mm"},meridiemParse:/de|du/i,isPM:function(e){return"u"===e.charAt(1).toLowerCase()},meridiem:function(e,t,n){return e<12?!0===n?"de":"DE":!0===n?"du":"DU"},calendar:{sameDay:"[ma] LT[-kor]",nextDay:"[holnap] LT[-kor]",nextWeek:function(){return r.call(this,!0)},lastDay:"[tegnap] LT[-kor]",lastWeek:function(){return r.call(this,!1)},sameElse:"L"},relativeTime:{future:"%s múlva",past:"%s",s:n,ss:n,m:n,mm:n,h:n,hh:n,d:n,dd:n,M:n,MM:n,y:n,yy:n},dayOfMonthOrdinalParse:/\d{1,2}\./,ordinal:"%d.",week:{dow:1,doy:4}})}(n(381))},1423:function(e,t,n){!function(e){"use strict";e.defineLocale("hy-am",{months:{format:"հունվարի_փետրվարի_մարտի_ապրիլի_մայիսի_հունիսի_հուլիսի_օգոստոսի_սեպտեմբերի_հոկտեմբերի_նոյեմբերի_դեկտեմբերի".split("_"),standalone:"հունվար_փետրվար_մարտ_ապրիլ_մայիս_հունիս_հուլիս_օգոստոս_սեպտեմբեր_հոկտեմբեր_նոյեմբեր_դեկտեմբեր".split("_")},monthsShort:"հնվ_փտր_մրտ_ապր_մյս_հնս_հլս_օգս_սպտ_հկտ_նմբ_դկտ".split("_"),weekdays:"կիրակի_երկուշաբթի_երեքշաբթի_չորեքշաբթի_հինգշաբթի_ուրբաթ_շաբաթ".split("_"),weekdaysShort:"կրկ_երկ_երք_չրք_հնգ_ուրբ_շբթ".split("_"),weekdaysMin:"կրկ_երկ_երք_չրք_հնգ_ուրբ_շբթ".split("_"),longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD.MM.YYYY",LL:"D MMMM YYYY թ.",LLL:"D MMMM YYYY թ., HH:mm",LLLL:"dddd, D MMMM YYYY թ., HH:mm"},calendar:{sameDay:"[այսօր] LT",nextDay:"[վաղը] LT",lastDay:"[երեկ] LT",nextWeek:function(){return"dddd [օրը ժամը] LT"},lastWeek:function(){return"[անցած] dddd [օրը ժամը] LT"},sameElse:"L"},relativeTime:{future:"%s հետո",past:"%s առաջ",s:"մի քանի վայրկյան",ss:"%d վայրկյան",m:"րոպե",mm:"%d րոպե",h:"ժամ",hh:"%d ժամ",d:"օր",dd:"%d օր",M:"ամիս",MM:"%d ամիս",y:"տարի",yy:"%d տարի"},meridiemParse:/գիշերվա|առավոտվա|ցերեկվա|երեկոյան/,isPM:function(e){return/^(ցերեկվա|երեկոյան)$/.test(e)},meridiem:function(e){return e<4?"գիշերվա":e<12?"առավոտվա":e<17?"ցերեկվա":"երեկոյան"},dayOfMonthOrdinalParse:/\d{1,2}|\d{1,2}-(ին|րդ)/,ordinal:function(e,t){switch(t){case"DDD":case"w":case"W":case"DDDo":return 1===e?e+"-ին":e+"-րդ";default:return e}},week:{dow:1,doy:7}})}(n(381))},9218:function(e,t,n){!function(e){"use strict";e.defineLocale("id",{months:"Januari_Februari_Maret_April_Mei_Juni_Juli_Agustus_September_Oktober_November_Desember".split("_"),monthsShort:"Jan_Feb_Mar_Apr_Mei_Jun_Jul_Agt_Sep_Okt_Nov_Des".split("_"),weekdays:"Minggu_Senin_Selasa_Rabu_Kamis_Jumat_Sabtu".split("_"),weekdaysShort:"Min_Sen_Sel_Rab_Kam_Jum_Sab".split("_"),weekdaysMin:"Mg_Sn_Sl_Rb_Km_Jm_Sb".split("_"),longDateFormat:{LT:"HH.mm",LTS:"HH.mm.ss",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY [pukul] HH.mm",LLLL:"dddd, D MMMM YYYY [pukul] HH.mm"},meridiemParse:/pagi|siang|sore|malam/,meridiemHour:function(e,t){return 12===e&&(e=0),"pagi"===t?e:"siang"===t?e>=11?e:e+12:"sore"===t||"malam"===t?e+12:void 0},meridiem:function(e,t,n){return e<11?"pagi":e<15?"siang":e<19?"sore":"malam"},calendar:{sameDay:"[Hari ini pukul] LT",nextDay:"[Besok pukul] LT",nextWeek:"dddd [pukul] LT",lastDay:"[Kemarin pukul] LT",lastWeek:"dddd [lalu pukul] LT",sameElse:"L"},relativeTime:{future:"dalam %s",past:"%s yang lalu",s:"beberapa detik",ss:"%d detik",m:"semenit",mm:"%d menit",h:"sejam",hh:"%d jam",d:"sehari",dd:"%d hari",M:"sebulan",MM:"%d bulan",y:"setahun",yy:"%d tahun"},week:{dow:0,doy:6}})}(n(381))},135:function(e,t,n){!function(e){"use strict";function t(e){return e%100==11||e%10!=1}function n(e,n,r,o){var a=e+" ";switch(r){case"s":return n||o?"nokkrar sekúndur":"nokkrum sekúndum";case"ss":return t(e)?a+(n||o?"sekúndur":"sekúndum"):a+"sekúnda";case"m":return n?"mínúta":"mínútu";case"mm":return t(e)?a+(n||o?"mínútur":"mínútum"):n?a+"mínúta":a+"mínútu";case"hh":return t(e)?a+(n||o?"klukkustundir":"klukkustundum"):a+"klukkustund";case"d":return n?"dagur":o?"dag":"degi";case"dd":return t(e)?n?a+"dagar":a+(o?"daga":"dögum"):n?a+"dagur":a+(o?"dag":"degi");case"M":return n?"mánuður":o?"mánuð":"mánuði";case"MM":return t(e)?n?a+"mánuðir":a+(o?"mánuði":"mánuðum"):n?a+"mánuður":a+(o?"mánuð":"mánuði");case"y":return n||o?"ár":"ári";case"yy":return t(e)?a+(n||o?"ár":"árum"):a+(n||o?"ár":"ári")}}e.defineLocale("is",{months:"janúar_febrúar_mars_apríl_maí_júní_júlí_ágúst_september_október_nóvember_desember".split("_"),monthsShort:"jan_feb_mar_apr_maí_jún_júl_ágú_sep_okt_nóv_des".split("_"),weekdays:"sunnudagur_mánudagur_þriðjudagur_miðvikudagur_fimmtudagur_föstudagur_laugardagur".split("_"),weekdaysShort:"sun_mán_þri_mið_fim_fös_lau".split("_"),weekdaysMin:"Su_Má_Þr_Mi_Fi_Fö_La".split("_"),longDateFormat:{LT:"H:mm",LTS:"H:mm:ss",L:"DD.MM.YYYY",LL:"D. MMMM YYYY",LLL:"D. MMMM YYYY [kl.] H:mm",LLLL:"dddd, D. MMMM YYYY [kl.] H:mm"},calendar:{sameDay:"[í dag kl.] LT",nextDay:"[á morgun kl.] LT",nextWeek:"dddd [kl.] LT",lastDay:"[í gær kl.] LT",lastWeek:"[síðasta] dddd [kl.] LT",sameElse:"L"},relativeTime:{future:"eftir %s",past:"fyrir %s síðan",s:n,ss:n,m:n,mm:n,h:"klukkustund",hh:n,d:n,dd:n,M:n,MM:n,y:n,yy:n},dayOfMonthOrdinalParse:/\d{1,2}\./,ordinal:"%d.",week:{dow:1,doy:4}})}(n(381))},150:function(e,t,n){!function(e){"use strict";e.defineLocale("it-ch",{months:"gennaio_febbraio_marzo_aprile_maggio_giugno_luglio_agosto_settembre_ottobre_novembre_dicembre".split("_"),monthsShort:"gen_feb_mar_apr_mag_giu_lug_ago_set_ott_nov_dic".split("_"),weekdays:"domenica_lunedì_martedì_mercoledì_giovedì_venerdì_sabato".split("_"),weekdaysShort:"dom_lun_mar_mer_gio_ven_sab".split("_"),weekdaysMin:"do_lu_ma_me_gi_ve_sa".split("_"),longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD.MM.YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY HH:mm",LLLL:"dddd D MMMM YYYY HH:mm"},calendar:{sameDay:"[Oggi alle] LT",nextDay:"[Domani alle] LT",nextWeek:"dddd [alle] LT",lastDay:"[Ieri alle] LT",lastWeek:function(){switch(this.day()){case 0:return"[la scorsa] dddd [alle] LT";default:return"[lo scorso] dddd [alle] LT"}},sameElse:"L"},relativeTime:{future:function(e){return(/^[0-9].+$/.test(e)?"tra":"in")+" "+e},past:"%s fa",s:"alcuni secondi",ss:"%d secondi",m:"un minuto",mm:"%d minuti",h:"un'ora",hh:"%d ore",d:"un giorno",dd:"%d giorni",M:"un mese",MM:"%d mesi",y:"un anno",yy:"%d anni"},dayOfMonthOrdinalParse:/\d{1,2}º/,ordinal:"%dº",week:{dow:1,doy:4}})}(n(381))},626:function(e,t,n){!function(e){"use strict";e.defineLocale("it",{months:"gennaio_febbraio_marzo_aprile_maggio_giugno_luglio_agosto_settembre_ottobre_novembre_dicembre".split("_"),monthsShort:"gen_feb_mar_apr_mag_giu_lug_ago_set_ott_nov_dic".split("_"),weekdays:"domenica_lunedì_martedì_mercoledì_giovedì_venerdì_sabato".split("_"),weekdaysShort:"dom_lun_mar_mer_gio_ven_sab".split("_"),weekdaysMin:"do_lu_ma_me_gi_ve_sa".split("_"),longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY HH:mm",LLLL:"dddd D MMMM YYYY HH:mm"},calendar:{sameDay:function(){return"[Oggi a"+(this.hours()>1?"lle ":0===this.hours()?" ":"ll'")+"]LT"},nextDay:function(){return"[Domani a"+(this.hours()>1?"lle ":0===this.hours()?" ":"ll'")+"]LT"},nextWeek:function(){return"dddd [a"+(this.hours()>1?"lle ":0===this.hours()?" ":"ll'")+"]LT"},lastDay:function(){return"[Ieri a"+(this.hours()>1?"lle ":0===this.hours()?" ":"ll'")+"]LT"},lastWeek:function(){switch(this.day()){case 0:return"[La scorsa] dddd [a"+(this.hours()>1?"lle ":0===this.hours()?" ":"ll'")+"]LT";default:return"[Lo scorso] dddd [a"+(this.hours()>1?"lle ":0===this.hours()?" ":"ll'")+"]LT"}},sameElse:"L"},relativeTime:{future:"tra %s",past:"%s fa",s:"alcuni secondi",ss:"%d secondi",m:"un minuto",mm:"%d minuti",h:"un'ora",hh:"%d ore",d:"un giorno",dd:"%d giorni",w:"una settimana",ww:"%d settimane",M:"un mese",MM:"%d mesi",y:"un anno",yy:"%d anni"},dayOfMonthOrdinalParse:/\d{1,2}º/,ordinal:"%dº",week:{dow:1,doy:4}})}(n(381))},9183:function(e,t,n){!function(e){"use strict";e.defineLocale("ja",{eras:[{since:"2019-05-01",offset:1,name:"令和",narrow:"㋿",abbr:"R"},{since:"1989-01-08",until:"2019-04-30",offset:1,name:"平成",narrow:"㍻",abbr:"H"},{since:"1926-12-25",until:"1989-01-07",offset:1,name:"昭和",narrow:"㍼",abbr:"S"},{since:"1912-07-30",until:"1926-12-24",offset:1,name:"大正",narrow:"㍽",abbr:"T"},{since:"1873-01-01",until:"1912-07-29",offset:6,name:"明治",narrow:"㍾",abbr:"M"},{since:"0001-01-01",until:"1873-12-31",offset:1,name:"西暦",narrow:"AD",abbr:"AD"},{since:"0000-12-31",until:-1/0,offset:1,name:"紀元前",narrow:"BC",abbr:"BC"}],eraYearOrdinalRegex:/(元|\d+)年/,eraYearOrdinalParse:function(e,t){return"元"===t[1]?1:parseInt(t[1]||e,10)},months:"1月_2月_3月_4月_5月_6月_7月_8月_9月_10月_11月_12月".split("_"),monthsShort:"1月_2月_3月_4月_5月_6月_7月_8月_9月_10月_11月_12月".split("_"),weekdays:"日曜日_月曜日_火曜日_水曜日_木曜日_金曜日_土曜日".split("_"),weekdaysShort:"日_月_火_水_木_金_土".split("_"),weekdaysMin:"日_月_火_水_木_金_土".split("_"),longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"YYYY/MM/DD",LL:"YYYY年M月D日",LLL:"YYYY年M月D日 HH:mm",LLLL:"YYYY年M月D日 dddd HH:mm",l:"YYYY/MM/DD",ll:"YYYY年M月D日",lll:"YYYY年M月D日 HH:mm",llll:"YYYY年M月D日(ddd) HH:mm"},meridiemParse:/午前|午後/i,isPM:function(e){return"午後"===e},meridiem:function(e,t,n){return e<12?"午前":"午後"},calendar:{sameDay:"[今日] LT",nextDay:"[明日] LT",nextWeek:function(e){return e.week()!==this.week()?"[来週]dddd LT":"dddd LT"},lastDay:"[昨日] LT",lastWeek:function(e){return this.week()!==e.week()?"[先週]dddd LT":"dddd LT"},sameElse:"L"},dayOfMonthOrdinalParse:/\d{1,2}日/,ordinal:function(e,t){switch(t){case"y":return 1===e?"元年":e+"年";case"d":case"D":case"DDD":return e+"日";default:return e}},relativeTime:{future:"%s後",past:"%s前",s:"数秒",ss:"%d秒",m:"1分",mm:"%d分",h:"1時間",hh:"%d時間",d:"1日",dd:"%d日",M:"1ヶ月",MM:"%dヶ月",y:"1年",yy:"%d年"}})}(n(381))},4286:function(e,t,n){!function(e){"use strict";e.defineLocale("jv",{months:"Januari_Februari_Maret_April_Mei_Juni_Juli_Agustus_September_Oktober_Nopember_Desember".split("_"),monthsShort:"Jan_Feb_Mar_Apr_Mei_Jun_Jul_Ags_Sep_Okt_Nop_Des".split("_"),weekdays:"Minggu_Senen_Seloso_Rebu_Kemis_Jemuwah_Septu".split("_"),weekdaysShort:"Min_Sen_Sel_Reb_Kem_Jem_Sep".split("_"),weekdaysMin:"Mg_Sn_Sl_Rb_Km_Jm_Sp".split("_"),longDateFormat:{LT:"HH.mm",LTS:"HH.mm.ss",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY [pukul] HH.mm",LLLL:"dddd, D MMMM YYYY [pukul] HH.mm"},meridiemParse:/enjing|siyang|sonten|ndalu/,meridiemHour:function(e,t){return 12===e&&(e=0),"enjing"===t?e:"siyang"===t?e>=11?e:e+12:"sonten"===t||"ndalu"===t?e+12:void 0},meridiem:function(e,t,n){return e<11?"enjing":e<15?"siyang":e<19?"sonten":"ndalu"},calendar:{sameDay:"[Dinten puniko pukul] LT",nextDay:"[Mbenjang pukul] LT",nextWeek:"dddd [pukul] LT",lastDay:"[Kala wingi pukul] LT",lastWeek:"dddd [kepengker pukul] LT",sameElse:"L"},relativeTime:{future:"wonten ing %s",past:"%s ingkang kepengker",s:"sawetawis detik",ss:"%d detik",m:"setunggal menit",mm:"%d menit",h:"setunggal jam",hh:"%d jam",d:"sedinten",dd:"%d dinten",M:"sewulan",MM:"%d wulan",y:"setaun",yy:"%d taun"},week:{dow:1,doy:7}})}(n(381))},2105:function(e,t,n){!function(e){"use strict";e.defineLocale("ka",{months:"იანვარი_თებერვალი_მარტი_აპრილი_მაისი_ივნისი_ივლისი_აგვისტო_სექტემბერი_ოქტომბერი_ნოემბერი_დეკემბერი".split("_"),monthsShort:"იან_თებ_მარ_აპრ_მაი_ივნ_ივლ_აგვ_სექ_ოქტ_ნოე_დეკ".split("_"),weekdays:{standalone:"კვირა_ორშაბათი_სამშაბათი_ოთხშაბათი_ხუთშაბათი_პარასკევი_შაბათი".split("_"),format:"კვირას_ორშაბათს_სამშაბათს_ოთხშაბათს_ხუთშაბათს_პარასკევს_შაბათს".split("_"),isFormat:/(წინა|შემდეგ)/},weekdaysShort:"კვი_ორშ_სამ_ოთხ_ხუთ_პარ_შაბ".split("_"),weekdaysMin:"კვ_ორ_სა_ოთ_ხუ_პა_შა".split("_"),longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY HH:mm",LLLL:"dddd, D MMMM YYYY HH:mm"},calendar:{sameDay:"[დღეს] LT[-ზე]",nextDay:"[ხვალ] LT[-ზე]",lastDay:"[გუშინ] LT[-ზე]",nextWeek:"[შემდეგ] dddd LT[-ზე]",lastWeek:"[წინა] dddd LT-ზე",sameElse:"L"},relativeTime:{future:function(e){return e.replace(/(წამ|წუთ|საათ|წელ|დღ|თვ)(ი|ე)/,(function(e,t,n){return"ი"===n?t+"ში":t+n+"ში"}))},past:function(e){return/(წამი|წუთი|საათი|დღე|თვე)/.test(e)?e.replace(/(ი|ე)$/,"ის წინ"):/წელი/.test(e)?e.replace(/წელი$/,"წლის წინ"):e},s:"რამდენიმე წამი",ss:"%d წამი",m:"წუთი",mm:"%d წუთი",h:"საათი",hh:"%d საათი",d:"დღე",dd:"%d დღე",M:"თვე",MM:"%d თვე",y:"წელი",yy:"%d წელი"},dayOfMonthOrdinalParse:/0|1-ლი|მე-\d{1,2}|\d{1,2}-ე/,ordinal:function(e){return 0===e?e:1===e?e+"-ლი":e<20||e<=100&&e%20==0||e%100==0?"მე-"+e:e+"-ე"},week:{dow:1,doy:7}})}(n(381))},7772:function(e,t,n){!function(e){"use strict";var t={0:"-ші",1:"-ші",2:"-ші",3:"-ші",4:"-ші",5:"-ші",6:"-шы",7:"-ші",8:"-ші",9:"-шы",10:"-шы",20:"-шы",30:"-шы",40:"-шы",50:"-ші",60:"-шы",70:"-ші",80:"-ші",90:"-шы",100:"-ші"};e.defineLocale("kk",{months:"қаңтар_ақпан_наурыз_сәуір_мамыр_маусым_шілде_тамыз_қыркүйек_қазан_қараша_желтоқсан".split("_"),monthsShort:"қаң_ақп_нау_сәу_мам_мау_шіл_там_қыр_қаз_қар_жел".split("_"),weekdays:"жексенбі_дүйсенбі_сейсенбі_сәрсенбі_бейсенбі_жұма_сенбі".split("_"),weekdaysShort:"жек_дүй_сей_сәр_бей_жұм_сен".split("_"),weekdaysMin:"жк_дй_сй_ср_бй_жм_сн".split("_"),longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD.MM.YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY HH:mm",LLLL:"dddd, D MMMM YYYY HH:mm"},calendar:{sameDay:"[Бүгін сағат] LT",nextDay:"[Ертең сағат] LT",nextWeek:"dddd [сағат] LT",lastDay:"[Кеше сағат] LT",lastWeek:"[Өткен аптаның] dddd [сағат] LT",sameElse:"L"},relativeTime:{future:"%s ішінде",past:"%s бұрын",s:"бірнеше секунд",ss:"%d секунд",m:"бір минут",mm:"%d минут",h:"бір сағат",hh:"%d сағат",d:"бір күн",dd:"%d күн",M:"бір ай",MM:"%d ай",y:"бір жыл",yy:"%d жыл"},dayOfMonthOrdinalParse:/\d{1,2}-(ші|шы)/,ordinal:function(e){var n=e%10,r=e>=100?100:null;return e+(t[e]||t[n]||t[r])},week:{dow:1,doy:7}})}(n(381))},8758:function(e,t,n){!function(e){"use strict";var t={1:"១",2:"២",3:"៣",4:"៤",5:"៥",6:"៦",7:"៧",8:"៨",9:"៩",0:"០"},n={"១":"1","២":"2","៣":"3","៤":"4","៥":"5","៦":"6","៧":"7","៨":"8","៩":"9","០":"0"};e.defineLocale("km",{months:"មករា_កុម្ភៈ_មីនា_មេសា_ឧសភា_មិថុនា_កក្កដា_សីហា_កញ្ញា_តុលា_វិច្ឆិកា_ធ្នូ".split("_"),monthsShort:"មករា_កុម្ភៈ_មីនា_មេសា_ឧសភា_មិថុនា_កក្កដា_សីហា_កញ្ញា_តុលា_វិច្ឆិកា_ធ្នូ".split("_"),weekdays:"អាទិត្យ_ច័ន្ទ_អង្គារ_ពុធ_ព្រហស្បតិ៍_សុក្រ_សៅរ៍".split("_"),weekdaysShort:"អា_ច_អ_ព_ព្រ_សុ_ស".split("_"),weekdaysMin:"អា_ច_អ_ព_ព្រ_សុ_ស".split("_"),weekdaysParseExact:!0,longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY HH:mm",LLLL:"dddd, D MMMM YYYY HH:mm"},meridiemParse:/ព្រឹក|ល្ងាច/,isPM:function(e){return"ល្ងាច"===e},meridiem:function(e,t,n){return e<12?"ព្រឹក":"ល្ងាច"},calendar:{sameDay:"[ថ្ងៃនេះ ម៉ោង] LT",nextDay:"[ស្អែក ម៉ោង] LT",nextWeek:"dddd [ម៉ោង] LT",lastDay:"[ម្សិលមិញ ម៉ោង] LT",lastWeek:"dddd [សប្តាហ៍មុន] [ម៉ោង] LT",sameElse:"L"},relativeTime:{future:"%sទៀត",past:"%sមុន",s:"ប៉ុន្មានវិនាទី",ss:"%d វិនាទី",m:"មួយនាទី",mm:"%d នាទី",h:"មួយម៉ោង",hh:"%d ម៉ោង",d:"មួយថ្ងៃ",dd:"%d ថ្ងៃ",M:"មួយខែ",MM:"%d ខែ",y:"មួយឆ្នាំ",yy:"%d ឆ្នាំ"},dayOfMonthOrdinalParse:/ទី\d{1,2}/,ordinal:"ទី%d",preparse:function(e){return e.replace(/[១២៣៤៥៦៧៨៩០]/g,(function(e){return n[e]}))},postformat:function(e){return e.replace(/\d/g,(function(e){return t[e]}))},week:{dow:1,doy:4}})}(n(381))},9282:function(e,t,n){!function(e){"use strict";var t={1:"೧",2:"೨",3:"೩",4:"೪",5:"೫",6:"೬",7:"೭",8:"೮",9:"೯",0:"೦"},n={"೧":"1","೨":"2","೩":"3","೪":"4","೫":"5","೬":"6","೭":"7","೮":"8","೯":"9","೦":"0"};e.defineLocale("kn",{months:"ಜನವರಿ_ಫೆಬ್ರವರಿ_ಮಾರ್ಚ್_ಏಪ್ರಿಲ್_ಮೇ_ಜೂನ್_ಜುಲೈ_ಆಗಸ್ಟ್_ಸೆಪ್ಟೆಂಬರ್_ಅಕ್ಟೋಬರ್_ನವೆಂಬರ್_ಡಿಸೆಂಬರ್".split("_"),monthsShort:"ಜನ_ಫೆಬ್ರ_ಮಾರ್ಚ್_ಏಪ್ರಿಲ್_ಮೇ_ಜೂನ್_ಜುಲೈ_ಆಗಸ್ಟ್_ಸೆಪ್ಟೆಂ_ಅಕ್ಟೋ_ನವೆಂ_ಡಿಸೆಂ".split("_"),monthsParseExact:!0,weekdays:"ಭಾನುವಾರ_ಸೋಮವಾರ_ಮಂಗಳವಾರ_ಬುಧವಾರ_ಗುರುವಾರ_ಶುಕ್ರವಾರ_ಶನಿವಾರ".split("_"),weekdaysShort:"ಭಾನು_ಸೋಮ_ಮಂಗಳ_ಬುಧ_ಗುರು_ಶುಕ್ರ_ಶನಿ".split("_"),weekdaysMin:"ಭಾ_ಸೋ_ಮಂ_ಬು_ಗು_ಶು_ಶ".split("_"),longDateFormat:{LT:"A h:mm",LTS:"A h:mm:ss",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY, A h:mm",LLLL:"dddd, D MMMM YYYY, A h:mm"},calendar:{sameDay:"[ಇಂದು] LT",nextDay:"[ನಾಳೆ] LT",nextWeek:"dddd, LT",lastDay:"[ನಿನ್ನೆ] LT",lastWeek:"[ಕೊನೆಯ] dddd, LT",sameElse:"L"},relativeTime:{future:"%s ನಂತರ",past:"%s ಹಿಂದೆ",s:"ಕೆಲವು ಕ್ಷಣಗಳು",ss:"%d ಸೆಕೆಂಡುಗಳು",m:"ಒಂದು ನಿಮಿಷ",mm:"%d ನಿಮಿಷ",h:"ಒಂದು ಗಂಟೆ",hh:"%d ಗಂಟೆ",d:"ಒಂದು ದಿನ",dd:"%d ದಿನ",M:"ಒಂದು ತಿಂಗಳು",MM:"%d ತಿಂಗಳು",y:"ಒಂದು ವರ್ಷ",yy:"%d ವರ್ಷ"},preparse:function(e){return e.replace(/[೧೨೩೪೫೬೭೮೯೦]/g,(function(e){return n[e]}))},postformat:function(e){return e.replace(/\d/g,(function(e){return t[e]}))},meridiemParse:/ರಾತ್ರಿ|ಬೆಳಿಗ್ಗೆ|ಮಧ್ಯಾಹ್ನ|ಸಂಜೆ/,meridiemHour:function(e,t){return 12===e&&(e=0),"ರಾತ್ರಿ"===t?e<4?e:e+12:"ಬೆಳಿಗ್ಗೆ"===t?e:"ಮಧ್ಯಾಹ್ನ"===t?e>=10?e:e+12:"ಸಂಜೆ"===t?e+12:void 0},meridiem:function(e,t,n){return e<4?"ರಾತ್ರಿ":e<10?"ಬೆಳಿಗ್ಗೆ":e<17?"ಮಧ್ಯಾಹ್ನ":e<20?"ಸಂಜೆ":"ರಾತ್ರಿ"},dayOfMonthOrdinalParse:/\d{1,2}(ನೇ)/,ordinal:function(e){return e+"ನೇ"},week:{dow:0,doy:6}})}(n(381))},3730:function(e,t,n){!function(e){"use strict";e.defineLocale("ko",{months:"1월_2월_3월_4월_5월_6월_7월_8월_9월_10월_11월_12월".split("_"),monthsShort:"1월_2월_3월_4월_5월_6월_7월_8월_9월_10월_11월_12월".split("_"),weekdays:"일요일_월요일_화요일_수요일_목요일_금요일_토요일".split("_"),weekdaysShort:"일_월_화_수_목_금_토".split("_"),weekdaysMin:"일_월_화_수_목_금_토".split("_"),longDateFormat:{LT:"A h:mm",LTS:"A h:mm:ss",L:"YYYY.MM.DD.",LL:"YYYY년 MMMM D일",LLL:"YYYY년 MMMM D일 A h:mm",LLLL:"YYYY년 MMMM D일 dddd A h:mm",l:"YYYY.MM.DD.",ll:"YYYY년 MMMM D일",lll:"YYYY년 MMMM D일 A h:mm",llll:"YYYY년 MMMM D일 dddd A h:mm"},calendar:{sameDay:"오늘 LT",nextDay:"내일 LT",nextWeek:"dddd LT",lastDay:"어제 LT",lastWeek:"지난주 dddd LT",sameElse:"L"},relativeTime:{future:"%s 후",past:"%s 전",s:"몇 초",ss:"%d초",m:"1분",mm:"%d분",h:"한 시간",hh:"%d시간",d:"하루",dd:"%d일",M:"한 달",MM:"%d달",y:"일 년",yy:"%d년"},dayOfMonthOrdinalParse:/\d{1,2}(일|월|주)/,ordinal:function(e,t){switch(t){case"d":case"D":case"DDD":return e+"일";case"M":return e+"월";case"w":case"W":return e+"주";default:return e}},meridiemParse:/오전|오후/,isPM:function(e){return"오후"===e},meridiem:function(e,t,n){return e<12?"오전":"오후"}})}(n(381))},1408:function(e,t,n){!function(e){"use strict";var t={1:"١",2:"٢",3:"٣",4:"٤",5:"٥",6:"٦",7:"٧",8:"٨",9:"٩",0:"٠"},n={"١":"1","٢":"2","٣":"3","٤":"4","٥":"5","٦":"6","٧":"7","٨":"8","٩":"9","٠":"0"},r=["کانونی دووەم","شوبات","ئازار","نیسان","ئایار","حوزەیران","تەمموز","ئاب","ئەیلوول","تشرینی یەكەم","تشرینی دووەم","كانونی یەکەم"];e.defineLocale("ku",{months:r,monthsShort:r,weekdays:"یه‌كشه‌ممه‌_دووشه‌ممه‌_سێشه‌ممه‌_چوارشه‌ممه‌_پێنجشه‌ممه‌_هه‌ینی_شه‌ممه‌".split("_"),weekdaysShort:"یه‌كشه‌م_دووشه‌م_سێشه‌م_چوارشه‌م_پێنجشه‌م_هه‌ینی_شه‌ممه‌".split("_"),weekdaysMin:"ی_د_س_چ_پ_ه_ش".split("_"),weekdaysParseExact:!0,longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY HH:mm",LLLL:"dddd, D MMMM YYYY HH:mm"},meridiemParse:/ئێواره‌|به‌یانی/,isPM:function(e){return/ئێواره‌/.test(e)},meridiem:function(e,t,n){return e<12?"به‌یانی":"ئێواره‌"},calendar:{sameDay:"[ئه‌مرۆ كاتژمێر] LT",nextDay:"[به‌یانی كاتژمێر] LT",nextWeek:"dddd [كاتژمێر] LT",lastDay:"[دوێنێ كاتژمێر] LT",lastWeek:"dddd [كاتژمێر] LT",sameElse:"L"},relativeTime:{future:"له‌ %s",past:"%s",s:"چه‌ند چركه‌یه‌ك",ss:"چركه‌ %d",m:"یه‌ك خوله‌ك",mm:"%d خوله‌ك",h:"یه‌ك كاتژمێر",hh:"%d كاتژمێر",d:"یه‌ك ڕۆژ",dd:"%d ڕۆژ",M:"یه‌ك مانگ",MM:"%d مانگ",y:"یه‌ك ساڵ",yy:"%d ساڵ"},preparse:function(e){return e.replace(/[١٢٣٤٥٦٧٨٩٠]/g,(function(e){return n[e]})).replace(/،/g,",")},postformat:function(e){return e.replace(/\d/g,(function(e){return t[e]})).replace(/,/g,"،")},week:{dow:6,doy:12}})}(n(381))},3291:function(e,t,n){!function(e){"use strict";var t={0:"-чү",1:"-чи",2:"-чи",3:"-чү",4:"-чү",5:"-чи",6:"-чы",7:"-чи",8:"-чи",9:"-чу",10:"-чу",20:"-чы",30:"-чу",40:"-чы",50:"-чү",60:"-чы",70:"-чи",80:"-чи",90:"-чу",100:"-чү"};e.defineLocale("ky",{months:"январь_февраль_март_апрель_май_июнь_июль_август_сентябрь_октябрь_ноябрь_декабрь".split("_"),monthsShort:"янв_фев_март_апр_май_июнь_июль_авг_сен_окт_ноя_дек".split("_"),weekdays:"Жекшемби_Дүйшөмбү_Шейшемби_Шаршемби_Бейшемби_Жума_Ишемби".split("_"),weekdaysShort:"Жек_Дүй_Шей_Шар_Бей_Жум_Ише".split("_"),weekdaysMin:"Жк_Дй_Шй_Шр_Бй_Жм_Иш".split("_"),longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD.MM.YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY HH:mm",LLLL:"dddd, D MMMM YYYY HH:mm"},calendar:{sameDay:"[Бүгүн саат] LT",nextDay:"[Эртең саат] LT",nextWeek:"dddd [саат] LT",lastDay:"[Кечээ саат] LT",lastWeek:"[Өткөн аптанын] dddd [күнү] [саат] LT",sameElse:"L"},relativeTime:{future:"%s ичинде",past:"%s мурун",s:"бирнече секунд",ss:"%d секунд",m:"бир мүнөт",mm:"%d мүнөт",h:"бир саат",hh:"%d саат",d:"бир күн",dd:"%d күн",M:"бир ай",MM:"%d ай",y:"бир жыл",yy:"%d жыл"},dayOfMonthOrdinalParse:/\d{1,2}-(чи|чы|чү|чу)/,ordinal:function(e){var n=e%10,r=e>=100?100:null;return e+(t[e]||t[n]||t[r])},week:{dow:1,doy:7}})}(n(381))},6841:function(e,t,n){!function(e){"use strict";function t(e,t,n,r){var o={m:["eng Minutt","enger Minutt"],h:["eng Stonn","enger Stonn"],d:["een Dag","engem Dag"],M:["ee Mount","engem Mount"],y:["ee Joer","engem Joer"]};return t?o[n][0]:o[n][1]}function n(e){return o(e.substr(0,e.indexOf(" ")))?"a "+e:"an "+e}function r(e){return o(e.substr(0,e.indexOf(" ")))?"viru "+e:"virun "+e}function o(e){if(e=parseInt(e,10),isNaN(e))return!1;if(e<0)return!0;if(e<10)return 4<=e&&e<=7;if(e<100){var t=e%10;return o(0===t?e/10:t)}if(e<1e4){for(;e>=10;)e/=10;return o(e)}return o(e/=1e3)}e.defineLocale("lb",{months:"Januar_Februar_Mäerz_Abrëll_Mee_Juni_Juli_August_September_Oktober_November_Dezember".split("_"),monthsShort:"Jan._Febr._Mrz._Abr._Mee_Jun._Jul._Aug._Sept._Okt._Nov._Dez.".split("_"),monthsParseExact:!0,weekdays:"Sonndeg_Méindeg_Dënschdeg_Mëttwoch_Donneschdeg_Freideg_Samschdeg".split("_"),weekdaysShort:"So._Mé._Dë._Më._Do._Fr._Sa.".split("_"),weekdaysMin:"So_Mé_Dë_Më_Do_Fr_Sa".split("_"),weekdaysParseExact:!0,longDateFormat:{LT:"H:mm [Auer]",LTS:"H:mm:ss [Auer]",L:"DD.MM.YYYY",LL:"D. MMMM YYYY",LLL:"D. MMMM YYYY H:mm [Auer]",LLLL:"dddd, D. MMMM YYYY H:mm [Auer]"},calendar:{sameDay:"[Haut um] LT",sameElse:"L",nextDay:"[Muer um] LT",nextWeek:"dddd [um] LT",lastDay:"[Gëschter um] LT",lastWeek:function(){switch(this.day()){case 2:case 4:return"[Leschten] dddd [um] LT";default:return"[Leschte] dddd [um] LT"}}},relativeTime:{future:n,past:r,s:"e puer Sekonnen",ss:"%d Sekonnen",m:t,mm:"%d Minutten",h:t,hh:"%d Stonnen",d:t,dd:"%d Deeg",M:t,MM:"%d Méint",y:t,yy:"%d Joer"},dayOfMonthOrdinalParse:/\d{1,2}\./,ordinal:"%d.",week:{dow:1,doy:4}})}(n(381))},5466:function(e,t,n){!function(e){"use strict";e.defineLocale("lo",{months:"ມັງກອນ_ກຸມພາ_ມີນາ_ເມສາ_ພຶດສະພາ_ມິຖຸນາ_ກໍລະກົດ_ສິງຫາ_ກັນຍາ_ຕຸລາ_ພະຈິກ_ທັນວາ".split("_"),monthsShort:"ມັງກອນ_ກຸມພາ_ມີນາ_ເມສາ_ພຶດສະພາ_ມິຖຸນາ_ກໍລະກົດ_ສິງຫາ_ກັນຍາ_ຕຸລາ_ພະຈິກ_ທັນວາ".split("_"),weekdays:"ອາທິດ_ຈັນ_ອັງຄານ_ພຸດ_ພະຫັດ_ສຸກ_ເສົາ".split("_"),weekdaysShort:"ທິດ_ຈັນ_ອັງຄານ_ພຸດ_ພະຫັດ_ສຸກ_ເສົາ".split("_"),weekdaysMin:"ທ_ຈ_ອຄ_ພ_ພຫ_ສກ_ສ".split("_"),weekdaysParseExact:!0,longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY HH:mm",LLLL:"ວັນdddd D MMMM YYYY HH:mm"},meridiemParse:/ຕອນເຊົ້າ|ຕອນແລງ/,isPM:function(e){return"ຕອນແລງ"===e},meridiem:function(e,t,n){return e<12?"ຕອນເຊົ້າ":"ຕອນແລງ"},calendar:{sameDay:"[ມື້ນີ້ເວລາ] LT",nextDay:"[ມື້ອື່ນເວລາ] LT",nextWeek:"[ວັນ]dddd[ໜ້າເວລາ] LT",lastDay:"[ມື້ວານນີ້ເວລາ] LT",lastWeek:"[ວັນ]dddd[ແລ້ວນີ້ເວລາ] LT",sameElse:"L"},relativeTime:{future:"ອີກ %s",past:"%sຜ່ານມາ",s:"ບໍ່ເທົ່າໃດວິນາທີ",ss:"%d ວິນາທີ",m:"1 ນາທີ",mm:"%d ນາທີ",h:"1 ຊົ່ວໂມງ",hh:"%d ຊົ່ວໂມງ",d:"1 ມື້",dd:"%d ມື້",M:"1 ເດືອນ",MM:"%d ເດືອນ",y:"1 ປີ",yy:"%d ປີ"},dayOfMonthOrdinalParse:/(ທີ່)\d{1,2}/,ordinal:function(e){return"ທີ່"+e}})}(n(381))},7010:function(e,t,n){!function(e){"use strict";var t={ss:"sekundė_sekundžių_sekundes",m:"minutė_minutės_minutę",mm:"minutės_minučių_minutes",h:"valanda_valandos_valandą",hh:"valandos_valandų_valandas",d:"diena_dienos_dieną",dd:"dienos_dienų_dienas",M:"mėnuo_mėnesio_mėnesį",MM:"mėnesiai_mėnesių_mėnesius",y:"metai_metų_metus",yy:"metai_metų_metus"};function n(e,t,n,r){return t?"kelios sekundės":r?"kelių sekundžių":"kelias sekundes"}function r(e,t,n,r){return t?a(n)[0]:r?a(n)[1]:a(n)[2]}function o(e){return e%10==0||e>10&&e<20}function a(e){return t[e].split("_")}function i(e,t,n,i){var s=e+" ";return 1===e?s+r(e,t,n[0],i):t?s+(o(e)?a(n)[1]:a(n)[0]):i?s+a(n)[1]:s+(o(e)?a(n)[1]:a(n)[2])}e.defineLocale("lt",{months:{format:"sausio_vasario_kovo_balandžio_gegužės_birželio_liepos_rugpjūčio_rugsėjo_spalio_lapkričio_gruodžio".split("_"),standalone:"sausis_vasaris_kovas_balandis_gegužė_birželis_liepa_rugpjūtis_rugsėjis_spalis_lapkritis_gruodis".split("_"),isFormat:/D[oD]?(\[[^\[\]]*\]|\s)+MMMM?|MMMM?(\[[^\[\]]*\]|\s)+D[oD]?/},monthsShort:"sau_vas_kov_bal_geg_bir_lie_rgp_rgs_spa_lap_grd".split("_"),weekdays:{format:"sekmadienį_pirmadienį_antradienį_trečiadienį_ketvirtadienį_penktadienį_šeštadienį".split("_"),standalone:"sekmadienis_pirmadienis_antradienis_trečiadienis_ketvirtadienis_penktadienis_šeštadienis".split("_"),isFormat:/dddd HH:mm/},weekdaysShort:"Sek_Pir_Ant_Tre_Ket_Pen_Šeš".split("_"),weekdaysMin:"S_P_A_T_K_Pn_Š".split("_"),weekdaysParseExact:!0,longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"YYYY-MM-DD",LL:"YYYY [m.] MMMM D [d.]",LLL:"YYYY [m.] MMMM D [d.], HH:mm [val.]",LLLL:"YYYY [m.] MMMM D [d.], dddd, HH:mm [val.]",l:"YYYY-MM-DD",ll:"YYYY [m.] MMMM D [d.]",lll:"YYYY [m.] MMMM D [d.], HH:mm [val.]",llll:"YYYY [m.] MMMM D [d.], ddd, HH:mm [val.]"},calendar:{sameDay:"[Šiandien] LT",nextDay:"[Rytoj] LT",nextWeek:"dddd LT",lastDay:"[Vakar] LT",lastWeek:"[Praėjusį] dddd LT",sameElse:"L"},relativeTime:{future:"po %s",past:"prieš %s",s:n,ss:i,m:r,mm:i,h:r,hh:i,d:r,dd:i,M:r,MM:i,y:r,yy:i},dayOfMonthOrdinalParse:/\d{1,2}-oji/,ordinal:function(e){return e+"-oji"},week:{dow:1,doy:4}})}(n(381))},7595:function(e,t,n){!function(e){"use strict";var t={ss:"sekundes_sekundēm_sekunde_sekundes".split("_"),m:"minūtes_minūtēm_minūte_minūtes".split("_"),mm:"minūtes_minūtēm_minūte_minūtes".split("_"),h:"stundas_stundām_stunda_stundas".split("_"),hh:"stundas_stundām_stunda_stundas".split("_"),d:"dienas_dienām_diena_dienas".split("_"),dd:"dienas_dienām_diena_dienas".split("_"),M:"mēneša_mēnešiem_mēnesis_mēneši".split("_"),MM:"mēneša_mēnešiem_mēnesis_mēneši".split("_"),y:"gada_gadiem_gads_gadi".split("_"),yy:"gada_gadiem_gads_gadi".split("_")};function n(e,t,n){return n?t%10==1&&t%100!=11?e[2]:e[3]:t%10==1&&t%100!=11?e[0]:e[1]}function r(e,r,o){return e+" "+n(t[o],e,r)}function o(e,r,o){return n(t[o],e,r)}function a(e,t){return t?"dažas sekundes":"dažām sekundēm"}e.defineLocale("lv",{months:"janvāris_februāris_marts_aprīlis_maijs_jūnijs_jūlijs_augusts_septembris_oktobris_novembris_decembris".split("_"),monthsShort:"jan_feb_mar_apr_mai_jūn_jūl_aug_sep_okt_nov_dec".split("_"),weekdays:"svētdiena_pirmdiena_otrdiena_trešdiena_ceturtdiena_piektdiena_sestdiena".split("_"),weekdaysShort:"Sv_P_O_T_C_Pk_S".split("_"),weekdaysMin:"Sv_P_O_T_C_Pk_S".split("_"),weekdaysParseExact:!0,longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD.MM.YYYY.",LL:"YYYY. [gada] D. MMMM",LLL:"YYYY. [gada] D. MMMM, HH:mm",LLLL:"YYYY. [gada] D. MMMM, dddd, HH:mm"},calendar:{sameDay:"[Šodien pulksten] LT",nextDay:"[Rīt pulksten] LT",nextWeek:"dddd [pulksten] LT",lastDay:"[Vakar pulksten] LT",lastWeek:"[Pagājušā] dddd [pulksten] LT",sameElse:"L"},relativeTime:{future:"pēc %s",past:"pirms %s",s:a,ss:r,m:o,mm:r,h:o,hh:r,d:o,dd:r,M:o,MM:r,y:o,yy:r},dayOfMonthOrdinalParse:/\d{1,2}\./,ordinal:"%d.",week:{dow:1,doy:4}})}(n(381))},9861:function(e,t,n){!function(e){"use strict";var t={words:{ss:["sekund","sekunda","sekundi"],m:["jedan minut","jednog minuta"],mm:["minut","minuta","minuta"],h:["jedan sat","jednog sata"],hh:["sat","sata","sati"],dd:["dan","dana","dana"],MM:["mjesec","mjeseca","mjeseci"],yy:["godina","godine","godina"]},correctGrammaticalCase:function(e,t){return 1===e?t[0]:e>=2&&e<=4?t[1]:t[2]},translate:function(e,n,r){var o=t.words[r];return 1===r.length?n?o[0]:o[1]:e+" "+t.correctGrammaticalCase(e,o)}};e.defineLocale("me",{months:"januar_februar_mart_april_maj_jun_jul_avgust_septembar_oktobar_novembar_decembar".split("_"),monthsShort:"jan._feb._mar._apr._maj_jun_jul_avg._sep._okt._nov._dec.".split("_"),monthsParseExact:!0,weekdays:"nedjelja_ponedjeljak_utorak_srijeda_četvrtak_petak_subota".split("_"),weekdaysShort:"ned._pon._uto._sri._čet._pet._sub.".split("_"),weekdaysMin:"ne_po_ut_sr_če_pe_su".split("_"),weekdaysParseExact:!0,longDateFormat:{LT:"H:mm",LTS:"H:mm:ss",L:"DD.MM.YYYY",LL:"D. MMMM YYYY",LLL:"D. MMMM YYYY H:mm",LLLL:"dddd, D. MMMM YYYY H:mm"},calendar:{sameDay:"[danas u] LT",nextDay:"[sjutra u] LT",nextWeek:function(){switch(this.day()){case 0:return"[u] [nedjelju] [u] LT";case 3:return"[u] [srijedu] [u] LT";case 6:return"[u] [subotu] [u] LT";case 1:case 2:case 4:case 5:return"[u] dddd [u] LT"}},lastDay:"[juče u] LT",lastWeek:function(){return["[prošle] [nedjelje] [u] LT","[prošlog] [ponedjeljka] [u] LT","[prošlog] [utorka] [u] LT","[prošle] [srijede] [u] LT","[prošlog] [četvrtka] [u] LT","[prošlog] [petka] [u] LT","[prošle] [subote] [u] LT"][this.day()]},sameElse:"L"},relativeTime:{future:"za %s",past:"prije %s",s:"nekoliko sekundi",ss:t.translate,m:t.translate,mm:t.translate,h:t.translate,hh:t.translate,d:"dan",dd:t.translate,M:"mjesec",MM:t.translate,y:"godinu",yy:t.translate},dayOfMonthOrdinalParse:/\d{1,2}\./,ordinal:"%d.",week:{dow:1,doy:7}})}(n(381))},5493:function(e,t,n){!function(e){"use strict";e.defineLocale("mi",{months:"Kohi-tāte_Hui-tanguru_Poutū-te-rangi_Paenga-whāwhā_Haratua_Pipiri_Hōngoingoi_Here-turi-kōkā_Mahuru_Whiringa-ā-nuku_Whiringa-ā-rangi_Hakihea".split("_"),monthsShort:"Kohi_Hui_Pou_Pae_Hara_Pipi_Hōngoi_Here_Mahu_Whi-nu_Whi-ra_Haki".split("_"),monthsRegex:/(?:['a-z\u0101\u014D\u016B]+\-?){1,3}/i,monthsStrictRegex:/(?:['a-z\u0101\u014D\u016B]+\-?){1,3}/i,monthsShortRegex:/(?:['a-z\u0101\u014D\u016B]+\-?){1,3}/i,monthsShortStrictRegex:/(?:['a-z\u0101\u014D\u016B]+\-?){1,2}/i,weekdays:"Rātapu_Mane_Tūrei_Wenerei_Tāite_Paraire_Hātarei".split("_"),weekdaysShort:"Ta_Ma_Tū_We_Tāi_Pa_Hā".split("_"),weekdaysMin:"Ta_Ma_Tū_We_Tāi_Pa_Hā".split("_"),longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY [i] HH:mm",LLLL:"dddd, D MMMM YYYY [i] HH:mm"},calendar:{sameDay:"[i teie mahana, i] LT",nextDay:"[apopo i] LT",nextWeek:"dddd [i] LT",lastDay:"[inanahi i] LT",lastWeek:"dddd [whakamutunga i] LT",sameElse:"L"},relativeTime:{future:"i roto i %s",past:"%s i mua",s:"te hēkona ruarua",ss:"%d hēkona",m:"he meneti",mm:"%d meneti",h:"te haora",hh:"%d haora",d:"he ra",dd:"%d ra",M:"he marama",MM:"%d marama",y:"he tau",yy:"%d tau"},dayOfMonthOrdinalParse:/\d{1,2}º/,ordinal:"%dº",week:{dow:1,doy:4}})}(n(381))},5966:function(e,t,n){!function(e){"use strict";e.defineLocale("mk",{months:"јануари_февруари_март_април_мај_јуни_јули_август_септември_октомври_ноември_декември".split("_"),monthsShort:"јан_фев_мар_апр_мај_јун_јул_авг_сеп_окт_ное_дек".split("_"),weekdays:"недела_понеделник_вторник_среда_четврток_петок_сабота".split("_"),weekdaysShort:"нед_пон_вто_сре_чет_пет_саб".split("_"),weekdaysMin:"нe_пo_вт_ср_че_пе_сa".split("_"),longDateFormat:{LT:"H:mm",LTS:"H:mm:ss",L:"D.MM.YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY H:mm",LLLL:"dddd, D MMMM YYYY H:mm"},calendar:{sameDay:"[Денес во] LT",nextDay:"[Утре во] LT",nextWeek:"[Во] dddd [во] LT",lastDay:"[Вчера во] LT",lastWeek:function(){switch(this.day()){case 0:case 3:case 6:return"[Изминатата] dddd [во] LT";case 1:case 2:case 4:case 5:return"[Изминатиот] dddd [во] LT"}},sameElse:"L"},relativeTime:{future:"за %s",past:"пред %s",s:"неколку секунди",ss:"%d секунди",m:"една минута",mm:"%d минути",h:"еден час",hh:"%d часа",d:"еден ден",dd:"%d дена",M:"еден месец",MM:"%d месеци",y:"една година",yy:"%d години"},dayOfMonthOrdinalParse:/\d{1,2}-(ев|ен|ти|ви|ри|ми)/,ordinal:function(e){var t=e%10,n=e%100;return 0===e?e+"-ев":0===n?e+"-ен":n>10&&n<20?e+"-ти":1===t?e+"-ви":2===t?e+"-ри":7===t||8===t?e+"-ми":e+"-ти"},week:{dow:1,doy:7}})}(n(381))},7341:function(e,t,n){!function(e){"use strict";e.defineLocale("ml",{months:"ജനുവരി_ഫെബ്രുവരി_മാർച്ച്_ഏപ്രിൽ_മേയ്_ജൂൺ_ജൂലൈ_ഓഗസ്റ്റ്_സെപ്റ്റംബർ_ഒക്ടോബർ_നവംബർ_ഡിസംബർ".split("_"),monthsShort:"ജനു._ഫെബ്രു._മാർ._ഏപ്രി._മേയ്_ജൂൺ_ജൂലൈ._ഓഗ._സെപ്റ്റ._ഒക്ടോ._നവം._ഡിസം.".split("_"),monthsParseExact:!0,weekdays:"ഞായറാഴ്ച_തിങ്കളാഴ്ച_ചൊവ്വാഴ്ച_ബുധനാഴ്ച_വ്യാഴാഴ്ച_വെള്ളിയാഴ്ച_ശനിയാഴ്ച".split("_"),weekdaysShort:"ഞായർ_തിങ്കൾ_ചൊവ്വ_ബുധൻ_വ്യാഴം_വെള്ളി_ശനി".split("_"),weekdaysMin:"ഞാ_തി_ചൊ_ബു_വ്യാ_വെ_ശ".split("_"),longDateFormat:{LT:"A h:mm -നു",LTS:"A h:mm:ss -നു",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY, A h:mm -നു",LLLL:"dddd, D MMMM YYYY, A h:mm -നു"},calendar:{sameDay:"[ഇന്ന്] LT",nextDay:"[നാളെ] LT",nextWeek:"dddd, LT",lastDay:"[ഇന്നലെ] LT",lastWeek:"[കഴിഞ്ഞ] dddd, LT",sameElse:"L"},relativeTime:{future:"%s കഴിഞ്ഞ്",past:"%s മുൻപ്",s:"അൽപ നിമിഷങ്ങൾ",ss:"%d സെക്കൻഡ്",m:"ഒരു മിനിറ്റ്",mm:"%d മിനിറ്റ്",h:"ഒരു മണിക്കൂർ",hh:"%d മണിക്കൂർ",d:"ഒരു ദിവസം",dd:"%d ദിവസം",M:"ഒരു മാസം",MM:"%d മാസം",y:"ഒരു വർഷം",yy:"%d വർഷം"},meridiemParse:/രാത്രി|രാവിലെ|ഉച്ച കഴിഞ്ഞ്|വൈകുന്നേരം|രാത്രി/i,meridiemHour:function(e,t){return 12===e&&(e=0),"രാത്രി"===t&&e>=4||"ഉച്ച കഴിഞ്ഞ്"===t||"വൈകുന്നേരം"===t?e+12:e},meridiem:function(e,t,n){return e<4?"രാത്രി":e<12?"രാവിലെ":e<17?"ഉച്ച കഴിഞ്ഞ്":e<20?"വൈകുന്നേരം":"രാത്രി"}})}(n(381))},5115:function(e,t,n){!function(e){"use strict";function t(e,t,n,r){switch(n){case"s":return t?"хэдхэн секунд":"хэдхэн секундын";case"ss":return e+(t?" секунд":" секундын");case"m":case"mm":return e+(t?" минут":" минутын");case"h":case"hh":return e+(t?" цаг":" цагийн");case"d":case"dd":return e+(t?" өдөр":" өдрийн");case"M":case"MM":return e+(t?" сар":" сарын");case"y":case"yy":return e+(t?" жил":" жилийн");default:return e}}e.defineLocale("mn",{months:"Нэгдүгээр сар_Хоёрдугаар сар_Гуравдугаар сар_Дөрөвдүгээр сар_Тавдугаар сар_Зургадугаар сар_Долдугаар сар_Наймдугаар сар_Есдүгээр сар_Аравдугаар сар_Арван нэгдүгээр сар_Арван хоёрдугаар сар".split("_"),monthsShort:"1 сар_2 сар_3 сар_4 сар_5 сар_6 сар_7 сар_8 сар_9 сар_10 сар_11 сар_12 сар".split("_"),monthsParseExact:!0,weekdays:"Ням_Даваа_Мягмар_Лхагва_Пүрэв_Баасан_Бямба".split("_"),weekdaysShort:"Ням_Дав_Мяг_Лха_Пүр_Баа_Бям".split("_"),weekdaysMin:"Ня_Да_Мя_Лх_Пү_Ба_Бя".split("_"),weekdaysParseExact:!0,longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"YYYY-MM-DD",LL:"YYYY оны MMMMын D",LLL:"YYYY оны MMMMын D HH:mm",LLLL:"dddd, YYYY оны MMMMын D HH:mm"},meridiemParse:/ҮӨ|ҮХ/i,isPM:function(e){return"ҮХ"===e},meridiem:function(e,t,n){return e<12?"ҮӨ":"ҮХ"},calendar:{sameDay:"[Өнөөдөр] LT",nextDay:"[Маргааш] LT",nextWeek:"[Ирэх] dddd LT",lastDay:"[Өчигдөр] LT",lastWeek:"[Өнгөрсөн] dddd LT",sameElse:"L"},relativeTime:{future:"%s дараа",past:"%s өмнө",s:t,ss:t,m:t,mm:t,h:t,hh:t,d:t,dd:t,M:t,MM:t,y:t,yy:t},dayOfMonthOrdinalParse:/\d{1,2} өдөр/,ordinal:function(e,t){switch(t){case"d":case"D":case"DDD":return e+" өдөр";default:return e}}})}(n(381))},370:function(e,t,n){!function(e){"use strict";var t={1:"१",2:"२",3:"३",4:"४",5:"५",6:"६",7:"७",8:"८",9:"९",0:"०"},n={"१":"1","२":"2","३":"3","४":"4","५":"5","६":"6","७":"7","८":"8","९":"9","०":"0"};function r(e,t,n,r){var o="";if(t)switch(n){case"s":o="काही सेकंद";break;case"ss":o="%d सेकंद";break;case"m":o="एक मिनिट";break;case"mm":o="%d मिनिटे";break;case"h":o="एक तास";break;case"hh":o="%d तास";break;case"d":o="एक दिवस";break;case"dd":o="%d दिवस";break;case"M":o="एक महिना";break;case"MM":o="%d महिने";break;case"y":o="एक वर्ष";break;case"yy":o="%d वर्षे"}else switch(n){case"s":o="काही सेकंदां";break;case"ss":o="%d सेकंदां";break;case"m":o="एका मिनिटा";break;case"mm":o="%d मिनिटां";break;case"h":o="एका तासा";break;case"hh":o="%d तासां";break;case"d":o="एका दिवसा";break;case"dd":o="%d दिवसां";break;case"M":o="एका महिन्या";break;case"MM":o="%d महिन्यां";break;case"y":o="एका वर्षा";break;case"yy":o="%d वर्षां"}return o.replace(/%d/i,e)}e.defineLocale("mr",{months:"जानेवारी_फेब्रुवारी_मार्च_एप्रिल_मे_जून_जुलै_ऑगस्ट_सप्टेंबर_ऑक्टोबर_नोव्हेंबर_डिसेंबर".split("_"),monthsShort:"जाने._फेब्रु._मार्च._एप्रि._मे._जून._जुलै._ऑग._सप्टें._ऑक्टो._नोव्हें._डिसें.".split("_"),monthsParseExact:!0,weekdays:"रविवार_सोमवार_मंगळवार_बुधवार_गुरूवार_शुक्रवार_शनिवार".split("_"),weekdaysShort:"रवि_सोम_मंगळ_बुध_गुरू_शुक्र_शनि".split("_"),weekdaysMin:"र_सो_मं_बु_गु_शु_श".split("_"),longDateFormat:{LT:"A h:mm वाजता",LTS:"A h:mm:ss वाजता",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY, A h:mm वाजता",LLLL:"dddd, D MMMM YYYY, A h:mm वाजता"},calendar:{sameDay:"[आज] LT",nextDay:"[उद्या] LT",nextWeek:"dddd, LT",lastDay:"[काल] LT",lastWeek:"[मागील] dddd, LT",sameElse:"L"},relativeTime:{future:"%sमध्ये",past:"%sपूर्वी",s:r,ss:r,m:r,mm:r,h:r,hh:r,d:r,dd:r,M:r,MM:r,y:r,yy:r},preparse:function(e){return e.replace(/[१२३४५६७८९०]/g,(function(e){return n[e]}))},postformat:function(e){return e.replace(/\d/g,(function(e){return t[e]}))},meridiemParse:/पहाटे|सकाळी|दुपारी|सायंकाळी|रात्री/,meridiemHour:function(e,t){return 12===e&&(e=0),"पहाटे"===t||"सकाळी"===t?e:"दुपारी"===t||"सायंकाळी"===t||"रात्री"===t?e>=12?e:e+12:void 0},meridiem:function(e,t,n){return e>=0&&e<6?"पहाटे":e<12?"सकाळी":e<17?"दुपारी":e<20?"सायंकाळी":"रात्री"},week:{dow:0,doy:6}})}(n(381))},1237:function(e,t,n){!function(e){"use strict";e.defineLocale("ms-my",{months:"Januari_Februari_Mac_April_Mei_Jun_Julai_Ogos_September_Oktober_November_Disember".split("_"),monthsShort:"Jan_Feb_Mac_Apr_Mei_Jun_Jul_Ogs_Sep_Okt_Nov_Dis".split("_"),weekdays:"Ahad_Isnin_Selasa_Rabu_Khamis_Jumaat_Sabtu".split("_"),weekdaysShort:"Ahd_Isn_Sel_Rab_Kha_Jum_Sab".split("_"),weekdaysMin:"Ah_Is_Sl_Rb_Km_Jm_Sb".split("_"),longDateFormat:{LT:"HH.mm",LTS:"HH.mm.ss",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY [pukul] HH.mm",LLLL:"dddd, D MMMM YYYY [pukul] HH.mm"},meridiemParse:/pagi|tengahari|petang|malam/,meridiemHour:function(e,t){return 12===e&&(e=0),"pagi"===t?e:"tengahari"===t?e>=11?e:e+12:"petang"===t||"malam"===t?e+12:void 0},meridiem:function(e,t,n){return e<11?"pagi":e<15?"tengahari":e<19?"petang":"malam"},calendar:{sameDay:"[Hari ini pukul] LT",nextDay:"[Esok pukul] LT",nextWeek:"dddd [pukul] LT",lastDay:"[Kelmarin pukul] LT",lastWeek:"dddd [lepas pukul] LT",sameElse:"L"},relativeTime:{future:"dalam %s",past:"%s yang lepas",s:"beberapa saat",ss:"%d saat",m:"seminit",mm:"%d minit",h:"sejam",hh:"%d jam",d:"sehari",dd:"%d hari",M:"sebulan",MM:"%d bulan",y:"setahun",yy:"%d tahun"},week:{dow:1,doy:7}})}(n(381))},9847:function(e,t,n){!function(e){"use strict";e.defineLocale("ms",{months:"Januari_Februari_Mac_April_Mei_Jun_Julai_Ogos_September_Oktober_November_Disember".split("_"),monthsShort:"Jan_Feb_Mac_Apr_Mei_Jun_Jul_Ogs_Sep_Okt_Nov_Dis".split("_"),weekdays:"Ahad_Isnin_Selasa_Rabu_Khamis_Jumaat_Sabtu".split("_"),weekdaysShort:"Ahd_Isn_Sel_Rab_Kha_Jum_Sab".split("_"),weekdaysMin:"Ah_Is_Sl_Rb_Km_Jm_Sb".split("_"),longDateFormat:{LT:"HH.mm",LTS:"HH.mm.ss",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY [pukul] HH.mm",LLLL:"dddd, D MMMM YYYY [pukul] HH.mm"},meridiemParse:/pagi|tengahari|petang|malam/,meridiemHour:function(e,t){return 12===e&&(e=0),"pagi"===t?e:"tengahari"===t?e>=11?e:e+12:"petang"===t||"malam"===t?e+12:void 0},meridiem:function(e,t,n){return e<11?"pagi":e<15?"tengahari":e<19?"petang":"malam"},calendar:{sameDay:"[Hari ini pukul] LT",nextDay:"[Esok pukul] LT",nextWeek:"dddd [pukul] LT",lastDay:"[Kelmarin pukul] LT",lastWeek:"dddd [lepas pukul] LT",sameElse:"L"},relativeTime:{future:"dalam %s",past:"%s yang lepas",s:"beberapa saat",ss:"%d saat",m:"seminit",mm:"%d minit",h:"sejam",hh:"%d jam",d:"sehari",dd:"%d hari",M:"sebulan",MM:"%d bulan",y:"setahun",yy:"%d tahun"},week:{dow:1,doy:7}})}(n(381))},2126:function(e,t,n){!function(e){"use strict";e.defineLocale("mt",{months:"Jannar_Frar_Marzu_April_Mejju_Ġunju_Lulju_Awwissu_Settembru_Ottubru_Novembru_Diċembru".split("_"),monthsShort:"Jan_Fra_Mar_Apr_Mej_Ġun_Lul_Aww_Set_Ott_Nov_Diċ".split("_"),weekdays:"Il-Ħadd_It-Tnejn_It-Tlieta_L-Erbgħa_Il-Ħamis_Il-Ġimgħa_Is-Sibt".split("_"),weekdaysShort:"Ħad_Tne_Tli_Erb_Ħam_Ġim_Sib".split("_"),weekdaysMin:"Ħa_Tn_Tl_Er_Ħa_Ġi_Si".split("_"),longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY HH:mm",LLLL:"dddd, D MMMM YYYY HH:mm"},calendar:{sameDay:"[Illum fil-]LT",nextDay:"[Għada fil-]LT",nextWeek:"dddd [fil-]LT",lastDay:"[Il-bieraħ fil-]LT",lastWeek:"dddd [li għadda] [fil-]LT",sameElse:"L"},relativeTime:{future:"f’ %s",past:"%s ilu",s:"ftit sekondi",ss:"%d sekondi",m:"minuta",mm:"%d minuti",h:"siegħa",hh:"%d siegħat",d:"ġurnata",dd:"%d ġranet",M:"xahar",MM:"%d xhur",y:"sena",yy:"%d sni"},dayOfMonthOrdinalParse:/\d{1,2}º/,ordinal:"%dº",week:{dow:1,doy:4}})}(n(381))},6165:function(e,t,n){!function(e){"use strict";var t={1:"၁",2:"၂",3:"၃",4:"၄",5:"၅",6:"၆",7:"၇",8:"၈",9:"၉",0:"၀"},n={"၁":"1","၂":"2","၃":"3","၄":"4","၅":"5","၆":"6","၇":"7","၈":"8","၉":"9","၀":"0"};e.defineLocale("my",{months:"ဇန်နဝါရီ_ဖေဖော်ဝါရီ_မတ်_ဧပြီ_မေ_ဇွန်_ဇူလိုင်_သြဂုတ်_စက်တင်ဘာ_အောက်တိုဘာ_နိုဝင်ဘာ_ဒီဇင်ဘာ".split("_"),monthsShort:"ဇန်_ဖေ_မတ်_ပြီ_မေ_ဇွန်_လိုင်_သြ_စက်_အောက်_နို_ဒီ".split("_"),weekdays:"တနင်္ဂနွေ_တနင်္လာ_အင်္ဂါ_ဗုဒ္ဓဟူး_ကြာသပတေး_သောကြာ_စနေ".split("_"),weekdaysShort:"နွေ_လာ_ဂါ_ဟူး_ကြာ_သော_နေ".split("_"),weekdaysMin:"နွေ_လာ_ဂါ_ဟူး_ကြာ_သော_နေ".split("_"),longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY HH:mm",LLLL:"dddd D MMMM YYYY HH:mm"},calendar:{sameDay:"[ယနေ.] LT [မှာ]",nextDay:"[မနက်ဖြန်] LT [မှာ]",nextWeek:"dddd LT [မှာ]",lastDay:"[မနေ.က] LT [မှာ]",lastWeek:"[ပြီးခဲ့သော] dddd LT [မှာ]",sameElse:"L"},relativeTime:{future:"လာမည့် %s မှာ",past:"လွန်ခဲ့သော %s က",s:"စက္ကန်.အနည်းငယ်",ss:"%d စက္ကန့်",m:"တစ်မိနစ်",mm:"%d မိနစ်",h:"တစ်နာရီ",hh:"%d နာရီ",d:"တစ်ရက်",dd:"%d ရက်",M:"တစ်လ",MM:"%d လ",y:"တစ်နှစ်",yy:"%d နှစ်"},preparse:function(e){return e.replace(/[၁၂၃၄၅၆၇၈၉၀]/g,(function(e){return n[e]}))},postformat:function(e){return e.replace(/\d/g,(function(e){return t[e]}))},week:{dow:1,doy:4}})}(n(381))},4924:function(e,t,n){!function(e){"use strict";e.defineLocale("nb",{months:"januar_februar_mars_april_mai_juni_juli_august_september_oktober_november_desember".split("_"),monthsShort:"jan._feb._mars_apr._mai_juni_juli_aug._sep._okt._nov._des.".split("_"),monthsParseExact:!0,weekdays:"søndag_mandag_tirsdag_onsdag_torsdag_fredag_lørdag".split("_"),weekdaysShort:"sø._ma._ti._on._to._fr._lø.".split("_"),weekdaysMin:"sø_ma_ti_on_to_fr_lø".split("_"),weekdaysParseExact:!0,longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD.MM.YYYY",LL:"D. MMMM YYYY",LLL:"D. MMMM YYYY [kl.] HH:mm",LLLL:"dddd D. MMMM YYYY [kl.] HH:mm"},calendar:{sameDay:"[i dag kl.] LT",nextDay:"[i morgen kl.] LT",nextWeek:"dddd [kl.] LT",lastDay:"[i går kl.] LT",lastWeek:"[forrige] dddd [kl.] LT",sameElse:"L"},relativeTime:{future:"om %s",past:"%s siden",s:"noen sekunder",ss:"%d sekunder",m:"ett minutt",mm:"%d minutter",h:"en time",hh:"%d timer",d:"en dag",dd:"%d dager",w:"en uke",ww:"%d uker",M:"en måned",MM:"%d måneder",y:"ett år",yy:"%d år"},dayOfMonthOrdinalParse:/\d{1,2}\./,ordinal:"%d.",week:{dow:1,doy:4}})}(n(381))},6744:function(e,t,n){!function(e){"use strict";var t={1:"१",2:"२",3:"३",4:"४",5:"५",6:"६",7:"७",8:"८",9:"९",0:"०"},n={"१":"1","२":"2","३":"3","४":"4","५":"5","६":"6","७":"7","८":"8","९":"9","०":"0"};e.defineLocale("ne",{months:"जनवरी_फेब्रुवरी_मार्च_अप्रिल_मई_जुन_जुलाई_अगष्ट_सेप्टेम्बर_अक्टोबर_नोभेम्बर_डिसेम्बर".split("_"),monthsShort:"जन._फेब्रु._मार्च_अप्रि._मई_जुन_जुलाई._अग._सेप्ट._अक्टो._नोभे._डिसे.".split("_"),monthsParseExact:!0,weekdays:"आइतबार_सोमबार_मङ्गलबार_बुधबार_बिहिबार_शुक्रबार_शनिबार".split("_"),weekdaysShort:"आइत._सोम._मङ्गल._बुध._बिहि._शुक्र._शनि.".split("_"),weekdaysMin:"आ._सो._मं._बु._बि._शु._श.".split("_"),weekdaysParseExact:!0,longDateFormat:{LT:"Aको h:mm बजे",LTS:"Aको h:mm:ss बजे",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY, Aको h:mm बजे",LLLL:"dddd, D MMMM YYYY, Aको h:mm बजे"},preparse:function(e){return e.replace(/[१२३४५६७८९०]/g,(function(e){return n[e]}))},postformat:function(e){return e.replace(/\d/g,(function(e){return t[e]}))},meridiemParse:/राति|बिहान|दिउँसो|साँझ/,meridiemHour:function(e,t){return 12===e&&(e=0),"राति"===t?e<4?e:e+12:"बिहान"===t?e:"दिउँसो"===t?e>=10?e:e+12:"साँझ"===t?e+12:void 0},meridiem:function(e,t,n){return e<3?"राति":e<12?"बिहान":e<16?"दिउँसो":e<20?"साँझ":"राति"},calendar:{sameDay:"[आज] LT",nextDay:"[भोलि] LT",nextWeek:"[आउँदो] dddd[,] LT",lastDay:"[हिजो] LT",lastWeek:"[गएको] dddd[,] LT",sameElse:"L"},relativeTime:{future:"%sमा",past:"%s अगाडि",s:"केही क्षण",ss:"%d सेकेण्ड",m:"एक मिनेट",mm:"%d मिनेट",h:"एक घण्टा",hh:"%d घण्टा",d:"एक दिन",dd:"%d दिन",M:"एक महिना",MM:"%d महिना",y:"एक बर्ष",yy:"%d बर्ष"},week:{dow:0,doy:6}})}(n(381))},9814:function(e,t,n){!function(e){"use strict";var t="jan._feb._mrt._apr._mei_jun._jul._aug._sep._okt._nov._dec.".split("_"),n="jan_feb_mrt_apr_mei_jun_jul_aug_sep_okt_nov_dec".split("_"),r=[/^jan/i,/^feb/i,/^maart|mrt.?$/i,/^apr/i,/^mei$/i,/^jun[i.]?$/i,/^jul[i.]?$/i,/^aug/i,/^sep/i,/^okt/i,/^nov/i,/^dec/i],o=/^(januari|februari|maart|april|mei|ju[nl]i|augustus|september|oktober|november|december|jan\.?|feb\.?|mrt\.?|apr\.?|ju[nl]\.?|aug\.?|sep\.?|okt\.?|nov\.?|dec\.?)/i;e.defineLocale("nl-be",{months:"januari_februari_maart_april_mei_juni_juli_augustus_september_oktober_november_december".split("_"),monthsShort:function(e,r){return e?/-MMM-/.test(r)?n[e.month()]:t[e.month()]:t},monthsRegex:o,monthsShortRegex:o,monthsStrictRegex:/^(januari|februari|maart|april|mei|ju[nl]i|augustus|september|oktober|november|december)/i,monthsShortStrictRegex:/^(jan\.?|feb\.?|mrt\.?|apr\.?|mei|ju[nl]\.?|aug\.?|sep\.?|okt\.?|nov\.?|dec\.?)/i,monthsParse:r,longMonthsParse:r,shortMonthsParse:r,weekdays:"zondag_maandag_dinsdag_woensdag_donderdag_vrijdag_zaterdag".split("_"),weekdaysShort:"zo._ma._di._wo._do._vr._za.".split("_"),weekdaysMin:"zo_ma_di_wo_do_vr_za".split("_"),weekdaysParseExact:!0,longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY HH:mm",LLLL:"dddd D MMMM YYYY HH:mm"},calendar:{sameDay:"[vandaag om] LT",nextDay:"[morgen om] LT",nextWeek:"dddd [om] LT",lastDay:"[gisteren om] LT",lastWeek:"[afgelopen] dddd [om] LT",sameElse:"L"},relativeTime:{future:"over %s",past:"%s geleden",s:"een paar seconden",ss:"%d seconden",m:"één minuut",mm:"%d minuten",h:"één uur",hh:"%d uur",d:"één dag",dd:"%d dagen",M:"één maand",MM:"%d maanden",y:"één jaar",yy:"%d jaar"},dayOfMonthOrdinalParse:/\d{1,2}(ste|de)/,ordinal:function(e){return e+(1===e||8===e||e>=20?"ste":"de")},week:{dow:1,doy:4}})}(n(381))},3901:function(e,t,n){!function(e){"use strict";var t="jan._feb._mrt._apr._mei_jun._jul._aug._sep._okt._nov._dec.".split("_"),n="jan_feb_mrt_apr_mei_jun_jul_aug_sep_okt_nov_dec".split("_"),r=[/^jan/i,/^feb/i,/^maart|mrt.?$/i,/^apr/i,/^mei$/i,/^jun[i.]?$/i,/^jul[i.]?$/i,/^aug/i,/^sep/i,/^okt/i,/^nov/i,/^dec/i],o=/^(januari|februari|maart|april|mei|ju[nl]i|augustus|september|oktober|november|december|jan\.?|feb\.?|mrt\.?|apr\.?|ju[nl]\.?|aug\.?|sep\.?|okt\.?|nov\.?|dec\.?)/i;e.defineLocale("nl",{months:"januari_februari_maart_april_mei_juni_juli_augustus_september_oktober_november_december".split("_"),monthsShort:function(e,r){return e?/-MMM-/.test(r)?n[e.month()]:t[e.month()]:t},monthsRegex:o,monthsShortRegex:o,monthsStrictRegex:/^(januari|februari|maart|april|mei|ju[nl]i|augustus|september|oktober|november|december)/i,monthsShortStrictRegex:/^(jan\.?|feb\.?|mrt\.?|apr\.?|mei|ju[nl]\.?|aug\.?|sep\.?|okt\.?|nov\.?|dec\.?)/i,monthsParse:r,longMonthsParse:r,shortMonthsParse:r,weekdays:"zondag_maandag_dinsdag_woensdag_donderdag_vrijdag_zaterdag".split("_"),weekdaysShort:"zo._ma._di._wo._do._vr._za.".split("_"),weekdaysMin:"zo_ma_di_wo_do_vr_za".split("_"),weekdaysParseExact:!0,longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD-MM-YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY HH:mm",LLLL:"dddd D MMMM YYYY HH:mm"},calendar:{sameDay:"[vandaag om] LT",nextDay:"[morgen om] LT",nextWeek:"dddd [om] LT",lastDay:"[gisteren om] LT",lastWeek:"[afgelopen] dddd [om] LT",sameElse:"L"},relativeTime:{future:"over %s",past:"%s geleden",s:"een paar seconden",ss:"%d seconden",m:"één minuut",mm:"%d minuten",h:"één uur",hh:"%d uur",d:"één dag",dd:"%d dagen",w:"één week",ww:"%d weken",M:"één maand",MM:"%d maanden",y:"één jaar",yy:"%d jaar"},dayOfMonthOrdinalParse:/\d{1,2}(ste|de)/,ordinal:function(e){return e+(1===e||8===e||e>=20?"ste":"de")},week:{dow:1,doy:4}})}(n(381))},3877:function(e,t,n){!function(e){"use strict";e.defineLocale("nn",{months:"januar_februar_mars_april_mai_juni_juli_august_september_oktober_november_desember".split("_"),monthsShort:"jan._feb._mars_apr._mai_juni_juli_aug._sep._okt._nov._des.".split("_"),monthsParseExact:!0,weekdays:"sundag_måndag_tysdag_onsdag_torsdag_fredag_laurdag".split("_"),weekdaysShort:"su._må._ty._on._to._fr._lau.".split("_"),weekdaysMin:"su_må_ty_on_to_fr_la".split("_"),weekdaysParseExact:!0,longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD.MM.YYYY",LL:"D. MMMM YYYY",LLL:"D. MMMM YYYY [kl.] H:mm",LLLL:"dddd D. MMMM YYYY [kl.] HH:mm"},calendar:{sameDay:"[I dag klokka] LT",nextDay:"[I morgon klokka] LT",nextWeek:"dddd [klokka] LT",lastDay:"[I går klokka] LT",lastWeek:"[Føregåande] dddd [klokka] LT",sameElse:"L"},relativeTime:{future:"om %s",past:"%s sidan",s:"nokre sekund",ss:"%d sekund",m:"eit minutt",mm:"%d minutt",h:"ein time",hh:"%d timar",d:"ein dag",dd:"%d dagar",w:"ei veke",ww:"%d veker",M:"ein månad",MM:"%d månader",y:"eit år",yy:"%d år"},dayOfMonthOrdinalParse:/\d{1,2}\./,ordinal:"%d.",week:{dow:1,doy:4}})}(n(381))},2135:function(e,t,n){!function(e){"use strict";e.defineLocale("oc-lnc",{months:{standalone:"genièr_febrièr_març_abril_mai_junh_julhet_agost_setembre_octòbre_novembre_decembre".split("_"),format:"de genièr_de febrièr_de març_d'abril_de mai_de junh_de julhet_d'agost_de setembre_d'octòbre_de novembre_de decembre".split("_"),isFormat:/D[oD]?(\s)+MMMM/},monthsShort:"gen._febr._març_abr._mai_junh_julh._ago._set._oct._nov._dec.".split("_"),monthsParseExact:!0,weekdays:"dimenge_diluns_dimars_dimècres_dijòus_divendres_dissabte".split("_"),weekdaysShort:"dg._dl._dm._dc._dj._dv._ds.".split("_"),weekdaysMin:"dg_dl_dm_dc_dj_dv_ds".split("_"),weekdaysParseExact:!0,longDateFormat:{LT:"H:mm",LTS:"H:mm:ss",L:"DD/MM/YYYY",LL:"D MMMM [de] YYYY",ll:"D MMM YYYY",LLL:"D MMMM [de] YYYY [a] H:mm",lll:"D MMM YYYY, H:mm",LLLL:"dddd D MMMM [de] YYYY [a] H:mm",llll:"ddd D MMM YYYY, H:mm"},calendar:{sameDay:"[uèi a] LT",nextDay:"[deman a] LT",nextWeek:"dddd [a] LT",lastDay:"[ièr a] LT",lastWeek:"dddd [passat a] LT",sameElse:"L"},relativeTime:{future:"d'aquí %s",past:"fa %s",s:"unas segondas",ss:"%d segondas",m:"una minuta",mm:"%d minutas",h:"una ora",hh:"%d oras",d:"un jorn",dd:"%d jorns",M:"un mes",MM:"%d meses",y:"un an",yy:"%d ans"},dayOfMonthOrdinalParse:/\d{1,2}(r|n|t|è|a)/,ordinal:function(e,t){var n=1===e?"r":2===e?"n":3===e?"r":4===e?"t":"è";return"w"!==t&&"W"!==t||(n="a"),e+n},week:{dow:1,doy:4}})}(n(381))},5858:function(e,t,n){!function(e){"use strict";var t={1:"੧",2:"੨",3:"੩",4:"੪",5:"੫",6:"੬",7:"੭",8:"੮",9:"੯",0:"੦"},n={"੧":"1","੨":"2","੩":"3","੪":"4","੫":"5","੬":"6","੭":"7","੮":"8","੯":"9","੦":"0"};e.defineLocale("pa-in",{months:"ਜਨਵਰੀ_ਫ਼ਰਵਰੀ_ਮਾਰਚ_ਅਪ੍ਰੈਲ_ਮਈ_ਜੂਨ_ਜੁਲਾਈ_ਅਗਸਤ_ਸਤੰਬਰ_ਅਕਤੂਬਰ_ਨਵੰਬਰ_ਦਸੰਬਰ".split("_"),monthsShort:"ਜਨਵਰੀ_ਫ਼ਰਵਰੀ_ਮਾਰਚ_ਅਪ੍ਰੈਲ_ਮਈ_ਜੂਨ_ਜੁਲਾਈ_ਅਗਸਤ_ਸਤੰਬਰ_ਅਕਤੂਬਰ_ਨਵੰਬਰ_ਦਸੰਬਰ".split("_"),weekdays:"ਐਤਵਾਰ_ਸੋਮਵਾਰ_ਮੰਗਲਵਾਰ_ਬੁਧਵਾਰ_ਵੀਰਵਾਰ_ਸ਼ੁੱਕਰਵਾਰ_ਸ਼ਨੀਚਰਵਾਰ".split("_"),weekdaysShort:"ਐਤ_ਸੋਮ_ਮੰਗਲ_ਬੁਧ_ਵੀਰ_ਸ਼ੁਕਰ_ਸ਼ਨੀ".split("_"),weekdaysMin:"ਐਤ_ਸੋਮ_ਮੰਗਲ_ਬੁਧ_ਵੀਰ_ਸ਼ੁਕਰ_ਸ਼ਨੀ".split("_"),longDateFormat:{LT:"A h:mm ਵਜੇ",LTS:"A h:mm:ss ਵਜੇ",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY, A h:mm ਵਜੇ",LLLL:"dddd, D MMMM YYYY, A h:mm ਵਜੇ"},calendar:{sameDay:"[ਅਜ] LT",nextDay:"[ਕਲ] LT",nextWeek:"[ਅਗਲਾ] dddd, LT",lastDay:"[ਕਲ] LT",lastWeek:"[ਪਿਛਲੇ] dddd, LT",sameElse:"L"},relativeTime:{future:"%s ਵਿੱਚ",past:"%s ਪਿਛਲੇ",s:"ਕੁਝ ਸਕਿੰਟ",ss:"%d ਸਕਿੰਟ",m:"ਇਕ ਮਿੰਟ",mm:"%d ਮਿੰਟ",h:"ਇੱਕ ਘੰਟਾ",hh:"%d ਘੰਟੇ",d:"ਇੱਕ ਦਿਨ",dd:"%d ਦਿਨ",M:"ਇੱਕ ਮਹੀਨਾ",MM:"%d ਮਹੀਨੇ",y:"ਇੱਕ ਸਾਲ",yy:"%d ਸਾਲ"},preparse:function(e){return e.replace(/[੧੨੩੪੫੬੭੮੯੦]/g,(function(e){return n[e]}))},postformat:function(e){return e.replace(/\d/g,(function(e){return t[e]}))},meridiemParse:/ਰਾਤ|ਸਵੇਰ|ਦੁਪਹਿਰ|ਸ਼ਾਮ/,meridiemHour:function(e,t){return 12===e&&(e=0),"ਰਾਤ"===t?e<4?e:e+12:"ਸਵੇਰ"===t?e:"ਦੁਪਹਿਰ"===t?e>=10?e:e+12:"ਸ਼ਾਮ"===t?e+12:void 0},meridiem:function(e,t,n){return e<4?"ਰਾਤ":e<10?"ਸਵੇਰ":e<17?"ਦੁਪਹਿਰ":e<20?"ਸ਼ਾਮ":"ਰਾਤ"},week:{dow:0,doy:6}})}(n(381))},4495:function(e,t,n){!function(e){"use strict";var t="styczeń_luty_marzec_kwiecień_maj_czerwiec_lipiec_sierpień_wrzesień_październik_listopad_grudzień".split("_"),n="stycznia_lutego_marca_kwietnia_maja_czerwca_lipca_sierpnia_września_października_listopada_grudnia".split("_"),r=[/^sty/i,/^lut/i,/^mar/i,/^kwi/i,/^maj/i,/^cze/i,/^lip/i,/^sie/i,/^wrz/i,/^paź/i,/^lis/i,/^gru/i];function o(e){return e%10<5&&e%10>1&&~~(e/10)%10!=1}function a(e,t,n){var r=e+" ";switch(n){case"ss":return r+(o(e)?"sekundy":"sekund");case"m":return t?"minuta":"minutę";case"mm":return r+(o(e)?"minuty":"minut");case"h":return t?"godzina":"godzinę";case"hh":return r+(o(e)?"godziny":"godzin");case"ww":return r+(o(e)?"tygodnie":"tygodni");case"MM":return r+(o(e)?"miesiące":"miesięcy");case"yy":return r+(o(e)?"lata":"lat")}}e.defineLocale("pl",{months:function(e,r){return e?/D MMMM/.test(r)?n[e.month()]:t[e.month()]:t},monthsShort:"sty_lut_mar_kwi_maj_cze_lip_sie_wrz_paź_lis_gru".split("_"),monthsParse:r,longMonthsParse:r,shortMonthsParse:r,weekdays:"niedziela_poniedziałek_wtorek_środa_czwartek_piątek_sobota".split("_"),weekdaysShort:"ndz_pon_wt_śr_czw_pt_sob".split("_"),weekdaysMin:"Nd_Pn_Wt_Śr_Cz_Pt_So".split("_"),longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD.MM.YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY HH:mm",LLLL:"dddd, D MMMM YYYY HH:mm"},calendar:{sameDay:"[Dziś o] LT",nextDay:"[Jutro o] LT",nextWeek:function(){switch(this.day()){case 0:return"[W niedzielę o] LT";case 2:return"[We wtorek o] LT";case 3:return"[W środę o] LT";case 6:return"[W sobotę o] LT";default:return"[W] dddd [o] LT"}},lastDay:"[Wczoraj o] LT",lastWeek:function(){switch(this.day()){case 0:return"[W zeszłą niedzielę o] LT";case 3:return"[W zeszłą środę o] LT";case 6:return"[W zeszłą sobotę o] LT";default:return"[W zeszły] dddd [o] LT"}},sameElse:"L"},relativeTime:{future:"za %s",past:"%s temu",s:"kilka sekund",ss:a,m:a,mm:a,h:a,hh:a,d:"1 dzień",dd:"%d dni",w:"tydzień",ww:a,M:"miesiąc",MM:a,y:"rok",yy:a},dayOfMonthOrdinalParse:/\d{1,2}\./,ordinal:"%d.",week:{dow:1,doy:4}})}(n(381))},7971:function(e,t,n){!function(e){"use strict";e.defineLocale("pt-br",{months:"janeiro_fevereiro_março_abril_maio_junho_julho_agosto_setembro_outubro_novembro_dezembro".split("_"),monthsShort:"jan_fev_mar_abr_mai_jun_jul_ago_set_out_nov_dez".split("_"),weekdays:"domingo_segunda-feira_terça-feira_quarta-feira_quinta-feira_sexta-feira_sábado".split("_"),weekdaysShort:"dom_seg_ter_qua_qui_sex_sáb".split("_"),weekdaysMin:"do_2ª_3ª_4ª_5ª_6ª_sá".split("_"),weekdaysParseExact:!0,longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD/MM/YYYY",LL:"D [de] MMMM [de] YYYY",LLL:"D [de] MMMM [de] YYYY [às] HH:mm",LLLL:"dddd, D [de] MMMM [de] YYYY [às] HH:mm"},calendar:{sameDay:"[Hoje às] LT",nextDay:"[Amanhã às] LT",nextWeek:"dddd [às] LT",lastDay:"[Ontem às] LT",lastWeek:function(){return 0===this.day()||6===this.day()?"[Último] dddd [às] LT":"[Última] dddd [às] LT"},sameElse:"L"},relativeTime:{future:"em %s",past:"há %s",s:"poucos segundos",ss:"%d segundos",m:"um minuto",mm:"%d minutos",h:"uma hora",hh:"%d horas",d:"um dia",dd:"%d dias",M:"um mês",MM:"%d meses",y:"um ano",yy:"%d anos"},dayOfMonthOrdinalParse:/\d{1,2}º/,ordinal:"%dº",invalidDate:"Data inválida"})}(n(381))},9520:function(e,t,n){!function(e){"use strict";e.defineLocale("pt",{months:"janeiro_fevereiro_março_abril_maio_junho_julho_agosto_setembro_outubro_novembro_dezembro".split("_"),monthsShort:"jan_fev_mar_abr_mai_jun_jul_ago_set_out_nov_dez".split("_"),weekdays:"Domingo_Segunda-feira_Terça-feira_Quarta-feira_Quinta-feira_Sexta-feira_Sábado".split("_"),weekdaysShort:"Dom_Seg_Ter_Qua_Qui_Sex_Sáb".split("_"),weekdaysMin:"Do_2ª_3ª_4ª_5ª_6ª_Sá".split("_"),weekdaysParseExact:!0,longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD/MM/YYYY",LL:"D [de] MMMM [de] YYYY",LLL:"D [de] MMMM [de] YYYY HH:mm",LLLL:"dddd, D [de] MMMM [de] YYYY HH:mm"},calendar:{sameDay:"[Hoje às] LT",nextDay:"[Amanhã às] LT",nextWeek:"dddd [às] LT",lastDay:"[Ontem às] LT",lastWeek:function(){return 0===this.day()||6===this.day()?"[Último] dddd [às] LT":"[Última] dddd [às] LT"},sameElse:"L"},relativeTime:{future:"em %s",past:"há %s",s:"segundos",ss:"%d segundos",m:"um minuto",mm:"%d minutos",h:"uma hora",hh:"%d horas",d:"um dia",dd:"%d dias",w:"uma semana",ww:"%d semanas",M:"um mês",MM:"%d meses",y:"um ano",yy:"%d anos"},dayOfMonthOrdinalParse:/\d{1,2}º/,ordinal:"%dº",week:{dow:1,doy:4}})}(n(381))},6459:function(e,t,n){!function(e){"use strict";function t(e,t,n){var r=" ";return(e%100>=20||e>=100&&e%100==0)&&(r=" de "),e+r+{ss:"secunde",mm:"minute",hh:"ore",dd:"zile",ww:"săptămâni",MM:"luni",yy:"ani"}[n]}e.defineLocale("ro",{months:"ianuarie_februarie_martie_aprilie_mai_iunie_iulie_august_septembrie_octombrie_noiembrie_decembrie".split("_"),monthsShort:"ian._feb._mart._apr._mai_iun._iul._aug._sept._oct._nov._dec.".split("_"),monthsParseExact:!0,weekdays:"duminică_luni_marți_miercuri_joi_vineri_sâmbătă".split("_"),weekdaysShort:"Dum_Lun_Mar_Mie_Joi_Vin_Sâm".split("_"),weekdaysMin:"Du_Lu_Ma_Mi_Jo_Vi_Sâ".split("_"),longDateFormat:{LT:"H:mm",LTS:"H:mm:ss",L:"DD.MM.YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY H:mm",LLLL:"dddd, D MMMM YYYY H:mm"},calendar:{sameDay:"[azi la] LT",nextDay:"[mâine la] LT",nextWeek:"dddd [la] LT",lastDay:"[ieri la] LT",lastWeek:"[fosta] dddd [la] LT",sameElse:"L"},relativeTime:{future:"peste %s",past:"%s în urmă",s:"câteva secunde",ss:t,m:"un minut",mm:t,h:"o oră",hh:t,d:"o zi",dd:t,w:"o săptămână",ww:t,M:"o lună",MM:t,y:"un an",yy:t},week:{dow:1,doy:7}})}(n(381))},1793:function(e,t,n){!function(e){"use strict";function t(e,t){var n=e.split("_");return t%10==1&&t%100!=11?n[0]:t%10>=2&&t%10<=4&&(t%100<10||t%100>=20)?n[1]:n[2]}function n(e,n,r){return"m"===r?n?"минута":"минуту":e+" "+t({ss:n?"секунда_секунды_секунд":"секунду_секунды_секунд",mm:n?"минута_минуты_минут":"минуту_минуты_минут",hh:"час_часа_часов",dd:"день_дня_дней",ww:"неделя_недели_недель",MM:"месяц_месяца_месяцев",yy:"год_года_лет"}[r],+e)}var r=[/^янв/i,/^фев/i,/^мар/i,/^апр/i,/^ма[йя]/i,/^июн/i,/^июл/i,/^авг/i,/^сен/i,/^окт/i,/^ноя/i,/^дек/i];e.defineLocale("ru",{months:{format:"января_февраля_марта_апреля_мая_июня_июля_августа_сентября_октября_ноября_декабря".split("_"),standalone:"январь_февраль_март_апрель_май_июнь_июль_август_сентябрь_октябрь_ноябрь_декабрь".split("_")},monthsShort:{format:"янв._февр._мар._апр._мая_июня_июля_авг._сент._окт._нояб._дек.".split("_"),standalone:"янв._февр._март_апр._май_июнь_июль_авг._сент._окт._нояб._дек.".split("_")},weekdays:{standalone:"воскресенье_понедельник_вторник_среда_четверг_пятница_суббота".split("_"),format:"воскресенье_понедельник_вторник_среду_четверг_пятницу_субботу".split("_"),isFormat:/\[ ?[Вв] ?(?:прошлую|следующую|эту)? ?] ?dddd/},weekdaysShort:"вс_пн_вт_ср_чт_пт_сб".split("_"),weekdaysMin:"вс_пн_вт_ср_чт_пт_сб".split("_"),monthsParse:r,longMonthsParse:r,shortMonthsParse:r,monthsRegex:/^(январ[ья]|янв\.?|феврал[ья]|февр?\.?|марта?|мар\.?|апрел[ья]|апр\.?|ма[йя]|июн[ья]|июн\.?|июл[ья]|июл\.?|августа?|авг\.?|сентябр[ья]|сент?\.?|октябр[ья]|окт\.?|ноябр[ья]|нояб?\.?|декабр[ья]|дек\.?)/i,monthsShortRegex:/^(январ[ья]|янв\.?|феврал[ья]|февр?\.?|марта?|мар\.?|апрел[ья]|апр\.?|ма[йя]|июн[ья]|июн\.?|июл[ья]|июл\.?|августа?|авг\.?|сентябр[ья]|сент?\.?|октябр[ья]|окт\.?|ноябр[ья]|нояб?\.?|декабр[ья]|дек\.?)/i,monthsStrictRegex:/^(январ[яь]|феврал[яь]|марта?|апрел[яь]|ма[яй]|июн[яь]|июл[яь]|августа?|сентябр[яь]|октябр[яь]|ноябр[яь]|декабр[яь])/i,monthsShortStrictRegex:/^(янв\.|февр?\.|мар[т.]|апр\.|ма[яй]|июн[ья.]|июл[ья.]|авг\.|сент?\.|окт\.|нояб?\.|дек\.)/i,longDateFormat:{LT:"H:mm",LTS:"H:mm:ss",L:"DD.MM.YYYY",LL:"D MMMM YYYY г.",LLL:"D MMMM YYYY г., H:mm",LLLL:"dddd, D MMMM YYYY г., H:mm"},calendar:{sameDay:"[Сегодня, в] LT",nextDay:"[Завтра, в] LT",lastDay:"[Вчера, в] LT",nextWeek:function(e){if(e.week()===this.week())return 2===this.day()?"[Во] dddd, [в] LT":"[В] dddd, [в] LT";switch(this.day()){case 0:return"[В следующее] dddd, [в] LT";case 1:case 2:case 4:return"[В следующий] dddd, [в] LT";case 3:case 5:case 6:return"[В следующую] dddd, [в] LT"}},lastWeek:function(e){if(e.week()===this.week())return 2===this.day()?"[Во] dddd, [в] LT":"[В] dddd, [в] LT";switch(this.day()){case 0:return"[В прошлое] dddd, [в] LT";case 1:case 2:case 4:return"[В прошлый] dddd, [в] LT";case 3:case 5:case 6:return"[В прошлую] dddd, [в] LT"}},sameElse:"L"},relativeTime:{future:"через %s",past:"%s назад",s:"несколько секунд",ss:n,m:n,mm:n,h:"час",hh:n,d:"день",dd:n,w:"неделя",ww:n,M:"месяц",MM:n,y:"год",yy:n},meridiemParse:/ночи|утра|дня|вечера/i,isPM:function(e){return/^(дня|вечера)$/.test(e)},meridiem:function(e,t,n){return e<4?"ночи":e<12?"утра":e<17?"дня":"вечера"},dayOfMonthOrdinalParse:/\d{1,2}-(й|го|я)/,ordinal:function(e,t){switch(t){case"M":case"d":case"DDD":return e+"-й";case"D":return e+"-го";case"w":case"W":return e+"-я";default:return e}},week:{dow:1,doy:4}})}(n(381))},950:function(e,t,n){!function(e){"use strict";var t=["جنوري","فيبروري","مارچ","اپريل","مئي","جون","جولاءِ","آگسٽ","سيپٽمبر","آڪٽوبر","نومبر","ڊسمبر"],n=["آچر","سومر","اڱارو","اربع","خميس","جمع","ڇنڇر"];e.defineLocale("sd",{months:t,monthsShort:t,weekdays:n,weekdaysShort:n,weekdaysMin:n,longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY HH:mm",LLLL:"dddd، D MMMM YYYY HH:mm"},meridiemParse:/صبح|شام/,isPM:function(e){return"شام"===e},meridiem:function(e,t,n){return e<12?"صبح":"شام"},calendar:{sameDay:"[اڄ] LT",nextDay:"[سڀاڻي] LT",nextWeek:"dddd [اڳين هفتي تي] LT",lastDay:"[ڪالهه] LT",lastWeek:"[گزريل هفتي] dddd [تي] LT",sameElse:"L"},relativeTime:{future:"%s پوء",past:"%s اڳ",s:"چند سيڪنڊ",ss:"%d سيڪنڊ",m:"هڪ منٽ",mm:"%d منٽ",h:"هڪ ڪلاڪ",hh:"%d ڪلاڪ",d:"هڪ ڏينهن",dd:"%d ڏينهن",M:"هڪ مهينو",MM:"%d مهينا",y:"هڪ سال",yy:"%d سال"},preparse:function(e){return e.replace(/،/g,",")},postformat:function(e){return e.replace(/,/g,"،")},week:{dow:1,doy:4}})}(n(381))},490:function(e,t,n){!function(e){"use strict";e.defineLocale("se",{months:"ođđajagemánnu_guovvamánnu_njukčamánnu_cuoŋománnu_miessemánnu_geassemánnu_suoidnemánnu_borgemánnu_čakčamánnu_golggotmánnu_skábmamánnu_juovlamánnu".split("_"),monthsShort:"ođđj_guov_njuk_cuo_mies_geas_suoi_borg_čakč_golg_skáb_juov".split("_"),weekdays:"sotnabeaivi_vuossárga_maŋŋebárga_gaskavahkku_duorastat_bearjadat_lávvardat".split("_"),weekdaysShort:"sotn_vuos_maŋ_gask_duor_bear_láv".split("_"),weekdaysMin:"s_v_m_g_d_b_L".split("_"),longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD.MM.YYYY",LL:"MMMM D. [b.] YYYY",LLL:"MMMM D. [b.] YYYY [ti.] HH:mm",LLLL:"dddd, MMMM D. [b.] YYYY [ti.] HH:mm"},calendar:{sameDay:"[otne ti] LT",nextDay:"[ihttin ti] LT",nextWeek:"dddd [ti] LT",lastDay:"[ikte ti] LT",lastWeek:"[ovddit] dddd [ti] LT",sameElse:"L"},relativeTime:{future:"%s geažes",past:"maŋit %s",s:"moadde sekunddat",ss:"%d sekunddat",m:"okta minuhta",mm:"%d minuhtat",h:"okta diimmu",hh:"%d diimmut",d:"okta beaivi",dd:"%d beaivvit",M:"okta mánnu",MM:"%d mánut",y:"okta jahki",yy:"%d jagit"},dayOfMonthOrdinalParse:/\d{1,2}\./,ordinal:"%d.",week:{dow:1,doy:4}})}(n(381))},124:function(e,t,n){!function(e){"use strict";e.defineLocale("si",{months:"ජනවාරි_පෙබරවාරි_මාර්තු_අප්‍රේල්_මැයි_ජූනි_ජූලි_අගෝස්තු_සැප්තැම්බර්_ඔක්තෝබර්_නොවැම්බර්_දෙසැම්බර්".split("_"),monthsShort:"ජන_පෙබ_මාර්_අප්_මැයි_ජූනි_ජූලි_අගෝ_සැප්_ඔක්_නොවැ_දෙසැ".split("_"),weekdays:"ඉරිදා_සඳුදා_අඟහරුවාදා_බදාදා_බ්‍රහස්පතින්දා_සිකුරාදා_සෙනසුරාදා".split("_"),weekdaysShort:"ඉරි_සඳු_අඟ_බදා_බ්‍රහ_සිකු_සෙන".split("_"),weekdaysMin:"ඉ_ස_අ_බ_බ්‍ර_සි_සෙ".split("_"),weekdaysParseExact:!0,longDateFormat:{LT:"a h:mm",LTS:"a h:mm:ss",L:"YYYY/MM/DD",LL:"YYYY MMMM D",LLL:"YYYY MMMM D, a h:mm",LLLL:"YYYY MMMM D [වැනි] dddd, a h:mm:ss"},calendar:{sameDay:"[අද] LT[ට]",nextDay:"[හෙට] LT[ට]",nextWeek:"dddd LT[ට]",lastDay:"[ඊයේ] LT[ට]",lastWeek:"[පසුගිය] dddd LT[ට]",sameElse:"L"},relativeTime:{future:"%sකින්",past:"%sකට පෙර",s:"තත්පර කිහිපය",ss:"තත්පර %d",m:"මිනිත්තුව",mm:"මිනිත්තු %d",h:"පැය",hh:"පැය %d",d:"දිනය",dd:"දින %d",M:"මාසය",MM:"මාස %d",y:"වසර",yy:"වසර %d"},dayOfMonthOrdinalParse:/\d{1,2} වැනි/,ordinal:function(e){return e+" වැනි"},meridiemParse:/පෙර වරු|පස් වරු|පෙ.ව|ප.ව./,isPM:function(e){return"ප.ව."===e||"පස් වරු"===e},meridiem:function(e,t,n){return e>11?n?"ප.ව.":"පස් වරු":n?"පෙ.ව.":"පෙර වරු"}})}(n(381))},4249:function(e,t,n){!function(e){"use strict";var t="január_február_marec_apríl_máj_jún_júl_august_september_október_november_december".split("_"),n="jan_feb_mar_apr_máj_jún_júl_aug_sep_okt_nov_dec".split("_");function r(e){return e>1&&e<5}function o(e,t,n,o){var a=e+" ";switch(n){case"s":return t||o?"pár sekúnd":"pár sekundami";case"ss":return t||o?a+(r(e)?"sekundy":"sekúnd"):a+"sekundami";case"m":return t?"minúta":o?"minútu":"minútou";case"mm":return t||o?a+(r(e)?"minúty":"minút"):a+"minútami";case"h":return t?"hodina":o?"hodinu":"hodinou";case"hh":return t||o?a+(r(e)?"hodiny":"hodín"):a+"hodinami";case"d":return t||o?"deň":"dňom";case"dd":return t||o?a+(r(e)?"dni":"dní"):a+"dňami";case"M":return t||o?"mesiac":"mesiacom";case"MM":return t||o?a+(r(e)?"mesiace":"mesiacov"):a+"mesiacmi";case"y":return t||o?"rok":"rokom";case"yy":return t||o?a+(r(e)?"roky":"rokov"):a+"rokmi"}}e.defineLocale("sk",{months:t,monthsShort:n,weekdays:"nedeľa_pondelok_utorok_streda_štvrtok_piatok_sobota".split("_"),weekdaysShort:"ne_po_ut_st_št_pi_so".split("_"),weekdaysMin:"ne_po_ut_st_št_pi_so".split("_"),longDateFormat:{LT:"H:mm",LTS:"H:mm:ss",L:"DD.MM.YYYY",LL:"D. MMMM YYYY",LLL:"D. MMMM YYYY H:mm",LLLL:"dddd D. MMMM YYYY H:mm"},calendar:{sameDay:"[dnes o] LT",nextDay:"[zajtra o] LT",nextWeek:function(){switch(this.day()){case 0:return"[v nedeľu o] LT";case 1:case 2:return"[v] dddd [o] LT";case 3:return"[v stredu o] LT";case 4:return"[vo štvrtok o] LT";case 5:return"[v piatok o] LT";case 6:return"[v sobotu o] LT"}},lastDay:"[včera o] LT",lastWeek:function(){switch(this.day()){case 0:return"[minulú nedeľu o] LT";case 1:case 2:return"[minulý] dddd [o] LT";case 3:return"[minulú stredu o] LT";case 4:case 5:return"[minulý] dddd [o] LT";case 6:return"[minulú sobotu o] LT"}},sameElse:"L"},relativeTime:{future:"za %s",past:"pred %s",s:o,ss:o,m:o,mm:o,h:o,hh:o,d:o,dd:o,M:o,MM:o,y:o,yy:o},dayOfMonthOrdinalParse:/\d{1,2}\./,ordinal:"%d.",week:{dow:1,doy:4}})}(n(381))},4985:function(e,t,n){!function(e){"use strict";function t(e,t,n,r){var o=e+" ";switch(n){case"s":return t||r?"nekaj sekund":"nekaj sekundami";case"ss":return o+=1===e?t?"sekundo":"sekundi":2===e?t||r?"sekundi":"sekundah":e<5?t||r?"sekunde":"sekundah":"sekund";case"m":return t?"ena minuta":"eno minuto";case"mm":return o+=1===e?t?"minuta":"minuto":2===e?t||r?"minuti":"minutama":e<5?t||r?"minute":"minutami":t||r?"minut":"minutami";case"h":return t?"ena ura":"eno uro";case"hh":return o+=1===e?t?"ura":"uro":2===e?t||r?"uri":"urama":e<5?t||r?"ure":"urami":t||r?"ur":"urami";case"d":return t||r?"en dan":"enim dnem";case"dd":return o+=1===e?t||r?"dan":"dnem":2===e?t||r?"dni":"dnevoma":t||r?"dni":"dnevi";case"M":return t||r?"en mesec":"enim mesecem";case"MM":return o+=1===e?t||r?"mesec":"mesecem":2===e?t||r?"meseca":"mesecema":e<5?t||r?"mesece":"meseci":t||r?"mesecev":"meseci";case"y":return t||r?"eno leto":"enim letom";case"yy":return o+=1===e?t||r?"leto":"letom":2===e?t||r?"leti":"letoma":e<5?t||r?"leta":"leti":t||r?"let":"leti"}}e.defineLocale("sl",{months:"januar_februar_marec_april_maj_junij_julij_avgust_september_oktober_november_december".split("_"),monthsShort:"jan._feb._mar._apr._maj._jun._jul._avg._sep._okt._nov._dec.".split("_"),monthsParseExact:!0,weekdays:"nedelja_ponedeljek_torek_sreda_četrtek_petek_sobota".split("_"),weekdaysShort:"ned._pon._tor._sre._čet._pet._sob.".split("_"),weekdaysMin:"ne_po_to_sr_če_pe_so".split("_"),weekdaysParseExact:!0,longDateFormat:{LT:"H:mm",LTS:"H:mm:ss",L:"DD. MM. YYYY",LL:"D. MMMM YYYY",LLL:"D. MMMM YYYY H:mm",LLLL:"dddd, D. MMMM YYYY H:mm"},calendar:{sameDay:"[danes ob] LT",nextDay:"[jutri ob] LT",nextWeek:function(){switch(this.day()){case 0:return"[v] [nedeljo] [ob] LT";case 3:return"[v] [sredo] [ob] LT";case 6:return"[v] [soboto] [ob] LT";case 1:case 2:case 4:case 5:return"[v] dddd [ob] LT"}},lastDay:"[včeraj ob] LT",lastWeek:function(){switch(this.day()){case 0:return"[prejšnjo] [nedeljo] [ob] LT";case 3:return"[prejšnjo] [sredo] [ob] LT";case 6:return"[prejšnjo] [soboto] [ob] LT";case 1:case 2:case 4:case 5:return"[prejšnji] dddd [ob] LT"}},sameElse:"L"},relativeTime:{future:"čez %s",past:"pred %s",s:t,ss:t,m:t,mm:t,h:t,hh:t,d:t,dd:t,M:t,MM:t,y:t,yy:t},dayOfMonthOrdinalParse:/\d{1,2}\./,ordinal:"%d.",week:{dow:1,doy:7}})}(n(381))},1104:function(e,t,n){!function(e){"use strict";e.defineLocale("sq",{months:"Janar_Shkurt_Mars_Prill_Maj_Qershor_Korrik_Gusht_Shtator_Tetor_Nëntor_Dhjetor".split("_"),monthsShort:"Jan_Shk_Mar_Pri_Maj_Qer_Kor_Gus_Sht_Tet_Nën_Dhj".split("_"),weekdays:"E Diel_E Hënë_E Martë_E Mërkurë_E Enjte_E Premte_E Shtunë".split("_"),weekdaysShort:"Die_Hën_Mar_Mër_Enj_Pre_Sht".split("_"),weekdaysMin:"D_H_Ma_Më_E_P_Sh".split("_"),weekdaysParseExact:!0,meridiemParse:/PD|MD/,isPM:function(e){return"M"===e.charAt(0)},meridiem:function(e,t,n){return e<12?"PD":"MD"},longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY HH:mm",LLLL:"dddd, D MMMM YYYY HH:mm"},calendar:{sameDay:"[Sot në] LT",nextDay:"[Nesër në] LT",nextWeek:"dddd [në] LT",lastDay:"[Dje në] LT",lastWeek:"dddd [e kaluar në] LT",sameElse:"L"},relativeTime:{future:"në %s",past:"%s më parë",s:"disa sekonda",ss:"%d sekonda",m:"një minutë",mm:"%d minuta",h:"një orë",hh:"%d orë",d:"një ditë",dd:"%d ditë",M:"një muaj",MM:"%d muaj",y:"një vit",yy:"%d vite"},dayOfMonthOrdinalParse:/\d{1,2}\./,ordinal:"%d.",week:{dow:1,doy:4}})}(n(381))},9915:function(e,t,n){!function(e){"use strict";var t={words:{ss:["секунда","секунде","секунди"],m:["један минут","једне минуте"],mm:["минут","минуте","минута"],h:["један сат","једног сата"],hh:["сат","сата","сати"],dd:["дан","дана","дана"],MM:["месец","месеца","месеци"],yy:["година","године","година"]},correctGrammaticalCase:function(e,t){return 1===e?t[0]:e>=2&&e<=4?t[1]:t[2]},translate:function(e,n,r){var o=t.words[r];return 1===r.length?n?o[0]:o[1]:e+" "+t.correctGrammaticalCase(e,o)}};e.defineLocale("sr-cyrl",{months:"јануар_фебруар_март_април_мај_јун_јул_август_септембар_октобар_новембар_децембар".split("_"),monthsShort:"јан._феб._мар._апр._мај_јун_јул_авг._сеп._окт._нов._дец.".split("_"),monthsParseExact:!0,weekdays:"недеља_понедељак_уторак_среда_четвртак_петак_субота".split("_"),weekdaysShort:"нед._пон._уто._сре._чет._пет._суб.".split("_"),weekdaysMin:"не_по_ут_ср_че_пе_су".split("_"),weekdaysParseExact:!0,longDateFormat:{LT:"H:mm",LTS:"H:mm:ss",L:"D. M. YYYY.",LL:"D. MMMM YYYY.",LLL:"D. MMMM YYYY. H:mm",LLLL:"dddd, D. MMMM YYYY. H:mm"},calendar:{sameDay:"[данас у] LT",nextDay:"[сутра у] LT",nextWeek:function(){switch(this.day()){case 0:return"[у] [недељу] [у] LT";case 3:return"[у] [среду] [у] LT";case 6:return"[у] [суботу] [у] LT";case 1:case 2:case 4:case 5:return"[у] dddd [у] LT"}},lastDay:"[јуче у] LT",lastWeek:function(){return["[прошле] [недеље] [у] LT","[прошлог] [понедељка] [у] LT","[прошлог] [уторка] [у] LT","[прошле] [среде] [у] LT","[прошлог] [четвртка] [у] LT","[прошлог] [петка] [у] LT","[прошле] [суботе] [у] LT"][this.day()]},sameElse:"L"},relativeTime:{future:"за %s",past:"пре %s",s:"неколико секунди",ss:t.translate,m:t.translate,mm:t.translate,h:t.translate,hh:t.translate,d:"дан",dd:t.translate,M:"месец",MM:t.translate,y:"годину",yy:t.translate},dayOfMonthOrdinalParse:/\d{1,2}\./,ordinal:"%d.",week:{dow:1,doy:7}})}(n(381))},9131:function(e,t,n){!function(e){"use strict";var t={words:{ss:["sekunda","sekunde","sekundi"],m:["jedan minut","jedne minute"],mm:["minut","minute","minuta"],h:["jedan sat","jednog sata"],hh:["sat","sata","sati"],dd:["dan","dana","dana"],MM:["mesec","meseca","meseci"],yy:["godina","godine","godina"]},correctGrammaticalCase:function(e,t){return 1===e?t[0]:e>=2&&e<=4?t[1]:t[2]},translate:function(e,n,r){var o=t.words[r];return 1===r.length?n?o[0]:o[1]:e+" "+t.correctGrammaticalCase(e,o)}};e.defineLocale("sr",{months:"januar_februar_mart_april_maj_jun_jul_avgust_septembar_oktobar_novembar_decembar".split("_"),monthsShort:"jan._feb._mar._apr._maj_jun_jul_avg._sep._okt._nov._dec.".split("_"),monthsParseExact:!0,weekdays:"nedelja_ponedeljak_utorak_sreda_četvrtak_petak_subota".split("_"),weekdaysShort:"ned._pon._uto._sre._čet._pet._sub.".split("_"),weekdaysMin:"ne_po_ut_sr_če_pe_su".split("_"),weekdaysParseExact:!0,longDateFormat:{LT:"H:mm",LTS:"H:mm:ss",L:"D. M. YYYY.",LL:"D. MMMM YYYY.",LLL:"D. MMMM YYYY. H:mm",LLLL:"dddd, D. MMMM YYYY. H:mm"},calendar:{sameDay:"[danas u] LT",nextDay:"[sutra u] LT",nextWeek:function(){switch(this.day()){case 0:return"[u] [nedelju] [u] LT";case 3:return"[u] [sredu] [u] LT";case 6:return"[u] [subotu] [u] LT";case 1:case 2:case 4:case 5:return"[u] dddd [u] LT"}},lastDay:"[juče u] LT",lastWeek:function(){return["[prošle] [nedelje] [u] LT","[prošlog] [ponedeljka] [u] LT","[prošlog] [utorka] [u] LT","[prošle] [srede] [u] LT","[prošlog] [četvrtka] [u] LT","[prošlog] [petka] [u] LT","[prošle] [subote] [u] LT"][this.day()]},sameElse:"L"},relativeTime:{future:"za %s",past:"pre %s",s:"nekoliko sekundi",ss:t.translate,m:t.translate,mm:t.translate,h:t.translate,hh:t.translate,d:"dan",dd:t.translate,M:"mesec",MM:t.translate,y:"godinu",yy:t.translate},dayOfMonthOrdinalParse:/\d{1,2}\./,ordinal:"%d.",week:{dow:1,doy:7}})}(n(381))},5893:function(e,t,n){!function(e){"use strict";e.defineLocale("ss",{months:"Bhimbidvwane_Indlovana_Indlov'lenkhulu_Mabasa_Inkhwekhweti_Inhlaba_Kholwane_Ingci_Inyoni_Imphala_Lweti_Ingongoni".split("_"),monthsShort:"Bhi_Ina_Inu_Mab_Ink_Inh_Kho_Igc_Iny_Imp_Lwe_Igo".split("_"),weekdays:"Lisontfo_Umsombuluko_Lesibili_Lesitsatfu_Lesine_Lesihlanu_Umgcibelo".split("_"),weekdaysShort:"Lis_Umb_Lsb_Les_Lsi_Lsh_Umg".split("_"),weekdaysMin:"Li_Us_Lb_Lt_Ls_Lh_Ug".split("_"),weekdaysParseExact:!0,longDateFormat:{LT:"h:mm A",LTS:"h:mm:ss A",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY h:mm A",LLLL:"dddd, D MMMM YYYY h:mm A"},calendar:{sameDay:"[Namuhla nga] LT",nextDay:"[Kusasa nga] LT",nextWeek:"dddd [nga] LT",lastDay:"[Itolo nga] LT",lastWeek:"dddd [leliphelile] [nga] LT",sameElse:"L"},relativeTime:{future:"nga %s",past:"wenteka nga %s",s:"emizuzwana lomcane",ss:"%d mzuzwana",m:"umzuzu",mm:"%d emizuzu",h:"lihora",hh:"%d emahora",d:"lilanga",dd:"%d emalanga",M:"inyanga",MM:"%d tinyanga",y:"umnyaka",yy:"%d iminyaka"},meridiemParse:/ekuseni|emini|entsambama|ebusuku/,meridiem:function(e,t,n){return e<11?"ekuseni":e<15?"emini":e<19?"entsambama":"ebusuku"},meridiemHour:function(e,t){return 12===e&&(e=0),"ekuseni"===t?e:"emini"===t?e>=11?e:e+12:"entsambama"===t||"ebusuku"===t?0===e?0:e+12:void 0},dayOfMonthOrdinalParse:/\d{1,2}/,ordinal:"%d",week:{dow:1,doy:4}})}(n(381))},8760:function(e,t,n){!function(e){"use strict";e.defineLocale("sv",{months:"januari_februari_mars_april_maj_juni_juli_augusti_september_oktober_november_december".split("_"),monthsShort:"jan_feb_mar_apr_maj_jun_jul_aug_sep_okt_nov_dec".split("_"),weekdays:"söndag_måndag_tisdag_onsdag_torsdag_fredag_lördag".split("_"),weekdaysShort:"sön_mån_tis_ons_tor_fre_lör".split("_"),weekdaysMin:"sö_må_ti_on_to_fr_lö".split("_"),longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"YYYY-MM-DD",LL:"D MMMM YYYY",LLL:"D MMMM YYYY [kl.] HH:mm",LLLL:"dddd D MMMM YYYY [kl.] HH:mm",lll:"D MMM YYYY HH:mm",llll:"ddd D MMM YYYY HH:mm"},calendar:{sameDay:"[Idag] LT",nextDay:"[Imorgon] LT",lastDay:"[Igår] LT",nextWeek:"[På] dddd LT",lastWeek:"[I] dddd[s] LT",sameElse:"L"},relativeTime:{future:"om %s",past:"för %s sedan",s:"några sekunder",ss:"%d sekunder",m:"en minut",mm:"%d minuter",h:"en timme",hh:"%d timmar",d:"en dag",dd:"%d dagar",M:"en månad",MM:"%d månader",y:"ett år",yy:"%d år"},dayOfMonthOrdinalParse:/\d{1,2}(\:e|\:a)/,ordinal:function(e){var t=e%10;return e+(1==~~(e%100/10)?":e":1===t||2===t?":a":":e")},week:{dow:1,doy:4}})}(n(381))},1172:function(e,t,n){!function(e){"use strict";e.defineLocale("sw",{months:"Januari_Februari_Machi_Aprili_Mei_Juni_Julai_Agosti_Septemba_Oktoba_Novemba_Desemba".split("_"),monthsShort:"Jan_Feb_Mac_Apr_Mei_Jun_Jul_Ago_Sep_Okt_Nov_Des".split("_"),weekdays:"Jumapili_Jumatatu_Jumanne_Jumatano_Alhamisi_Ijumaa_Jumamosi".split("_"),weekdaysShort:"Jpl_Jtat_Jnne_Jtan_Alh_Ijm_Jmos".split("_"),weekdaysMin:"J2_J3_J4_J5_Al_Ij_J1".split("_"),weekdaysParseExact:!0,longDateFormat:{LT:"hh:mm A",LTS:"HH:mm:ss",L:"DD.MM.YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY HH:mm",LLLL:"dddd, D MMMM YYYY HH:mm"},calendar:{sameDay:"[leo saa] LT",nextDay:"[kesho saa] LT",nextWeek:"[wiki ijayo] dddd [saat] LT",lastDay:"[jana] LT",lastWeek:"[wiki iliyopita] dddd [saat] LT",sameElse:"L"},relativeTime:{future:"%s baadaye",past:"tokea %s",s:"hivi punde",ss:"sekunde %d",m:"dakika moja",mm:"dakika %d",h:"saa limoja",hh:"masaa %d",d:"siku moja",dd:"siku %d",M:"mwezi mmoja",MM:"miezi %d",y:"mwaka mmoja",yy:"miaka %d"},week:{dow:1,doy:7}})}(n(381))},1044:function(e,t,n){!function(e){"use strict";var t={1:"௧",2:"௨",3:"௩",4:"௪",5:"௫",6:"௬",7:"௭",8:"௮",9:"௯",0:"௦"},n={"௧":"1","௨":"2","௩":"3","௪":"4","௫":"5","௬":"6","௭":"7","௮":"8","௯":"9","௦":"0"};e.defineLocale("ta",{months:"ஜனவரி_பிப்ரவரி_மார்ச்_ஏப்ரல்_மே_ஜூன்_ஜூலை_ஆகஸ்ட்_செப்டெம்பர்_அக்டோபர்_நவம்பர்_டிசம்பர்".split("_"),monthsShort:"ஜனவரி_பிப்ரவரி_மார்ச்_ஏப்ரல்_மே_ஜூன்_ஜூலை_ஆகஸ்ட்_செப்டெம்பர்_அக்டோபர்_நவம்பர்_டிசம்பர்".split("_"),weekdays:"ஞாயிற்றுக்கிழமை_திங்கட்கிழமை_செவ்வாய்கிழமை_புதன்கிழமை_வியாழக்கிழமை_வெள்ளிக்கிழமை_சனிக்கிழமை".split("_"),weekdaysShort:"ஞாயிறு_திங்கள்_செவ்வாய்_புதன்_வியாழன்_வெள்ளி_சனி".split("_"),weekdaysMin:"ஞா_தி_செ_பு_வி_வெ_ச".split("_"),longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY, HH:mm",LLLL:"dddd, D MMMM YYYY, HH:mm"},calendar:{sameDay:"[இன்று] LT",nextDay:"[நாளை] LT",nextWeek:"dddd, LT",lastDay:"[நேற்று] LT",lastWeek:"[கடந்த வாரம்] dddd, LT",sameElse:"L"},relativeTime:{future:"%s இல்",past:"%s முன்",s:"ஒரு சில விநாடிகள்",ss:"%d விநாடிகள்",m:"ஒரு நிமிடம்",mm:"%d நிமிடங்கள்",h:"ஒரு மணி நேரம்",hh:"%d மணி நேரம்",d:"ஒரு நாள்",dd:"%d நாட்கள்",M:"ஒரு மாதம்",MM:"%d மாதங்கள்",y:"ஒரு வருடம்",yy:"%d ஆண்டுகள்"},dayOfMonthOrdinalParse:/\d{1,2}வது/,ordinal:function(e){return e+"வது"},preparse:function(e){return e.replace(/[௧௨௩௪௫௬௭௮௯௦]/g,(function(e){return n[e]}))},postformat:function(e){return e.replace(/\d/g,(function(e){return t[e]}))},meridiemParse:/யாமம்|வைகறை|காலை|நண்பகல்|எற்பாடு|மாலை/,meridiem:function(e,t,n){return e<2?" யாமம்":e<6?" வைகறை":e<10?" காலை":e<14?" நண்பகல்":e<18?" எற்பாடு":e<22?" மாலை":" யாமம்"},meridiemHour:function(e,t){return 12===e&&(e=0),"யாமம்"===t?e<2?e:e+12:"வைகறை"===t||"காலை"===t||"நண்பகல்"===t&&e>=10?e:e+12},week:{dow:0,doy:6}})}(n(381))},3110:function(e,t,n){!function(e){"use strict";e.defineLocale("te",{months:"జనవరి_ఫిబ్రవరి_మార్చి_ఏప్రిల్_మే_జూన్_జులై_ఆగస్టు_సెప్టెంబర్_అక్టోబర్_నవంబర్_డిసెంబర్".split("_"),monthsShort:"జన._ఫిబ్ర._మార్చి_ఏప్రి._మే_జూన్_జులై_ఆగ._సెప్._అక్టో._నవ._డిసె.".split("_"),monthsParseExact:!0,weekdays:"ఆదివారం_సోమవారం_మంగళవారం_బుధవారం_గురువారం_శుక్రవారం_శనివారం".split("_"),weekdaysShort:"ఆది_సోమ_మంగళ_బుధ_గురు_శుక్ర_శని".split("_"),weekdaysMin:"ఆ_సో_మం_బు_గు_శు_శ".split("_"),longDateFormat:{LT:"A h:mm",LTS:"A h:mm:ss",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY, A h:mm",LLLL:"dddd, D MMMM YYYY, A h:mm"},calendar:{sameDay:"[నేడు] LT",nextDay:"[రేపు] LT",nextWeek:"dddd, LT",lastDay:"[నిన్న] LT",lastWeek:"[గత] dddd, LT",sameElse:"L"},relativeTime:{future:"%s లో",past:"%s క్రితం",s:"కొన్ని క్షణాలు",ss:"%d సెకన్లు",m:"ఒక నిమిషం",mm:"%d నిమిషాలు",h:"ఒక గంట",hh:"%d గంటలు",d:"ఒక రోజు",dd:"%d రోజులు",M:"ఒక నెల",MM:"%d నెలలు",y:"ఒక సంవత్సరం",yy:"%d సంవత్సరాలు"},dayOfMonthOrdinalParse:/\d{1,2}వ/,ordinal:"%dవ",meridiemParse:/రాత్రి|ఉదయం|మధ్యాహ్నం|సాయంత్రం/,meridiemHour:function(e,t){return 12===e&&(e=0),"రాత్రి"===t?e<4?e:e+12:"ఉదయం"===t?e:"మధ్యాహ్నం"===t?e>=10?e:e+12:"సాయంత్రం"===t?e+12:void 0},meridiem:function(e,t,n){return e<4?"రాత్రి":e<10?"ఉదయం":e<17?"మధ్యాహ్నం":e<20?"సాయంత్రం":"రాత్రి"},week:{dow:0,doy:6}})}(n(381))},2095:function(e,t,n){!function(e){"use strict";e.defineLocale("tet",{months:"Janeiru_Fevereiru_Marsu_Abril_Maiu_Juñu_Jullu_Agustu_Setembru_Outubru_Novembru_Dezembru".split("_"),monthsShort:"Jan_Fev_Mar_Abr_Mai_Jun_Jul_Ago_Set_Out_Nov_Dez".split("_"),weekdays:"Domingu_Segunda_Tersa_Kuarta_Kinta_Sesta_Sabadu".split("_"),weekdaysShort:"Dom_Seg_Ters_Kua_Kint_Sest_Sab".split("_"),weekdaysMin:"Do_Seg_Te_Ku_Ki_Ses_Sa".split("_"),longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY HH:mm",LLLL:"dddd, D MMMM YYYY HH:mm"},calendar:{sameDay:"[Ohin iha] LT",nextDay:"[Aban iha] LT",nextWeek:"dddd [iha] LT",lastDay:"[Horiseik iha] LT",lastWeek:"dddd [semana kotuk] [iha] LT",sameElse:"L"},relativeTime:{future:"iha %s",past:"%s liuba",s:"segundu balun",ss:"segundu %d",m:"minutu ida",mm:"minutu %d",h:"oras ida",hh:"oras %d",d:"loron ida",dd:"loron %d",M:"fulan ida",MM:"fulan %d",y:"tinan ida",yy:"tinan %d"},dayOfMonthOrdinalParse:/\d{1,2}(st|nd|rd|th)/,ordinal:function(e){var t=e%10;return e+(1==~~(e%100/10)?"th":1===t?"st":2===t?"nd":3===t?"rd":"th")},week:{dow:1,doy:4}})}(n(381))},7321:function(e,t,n){!function(e){"use strict";var t={0:"-ум",1:"-ум",2:"-юм",3:"-юм",4:"-ум",5:"-ум",6:"-ум",7:"-ум",8:"-ум",9:"-ум",10:"-ум",12:"-ум",13:"-ум",20:"-ум",30:"-юм",40:"-ум",50:"-ум",60:"-ум",70:"-ум",80:"-ум",90:"-ум",100:"-ум"};e.defineLocale("tg",{months:{format:"январи_феврали_марти_апрели_майи_июни_июли_августи_сентябри_октябри_ноябри_декабри".split("_"),standalone:"январ_феврал_март_апрел_май_июн_июл_август_сентябр_октябр_ноябр_декабр".split("_")},monthsShort:"янв_фев_мар_апр_май_июн_июл_авг_сен_окт_ноя_дек".split("_"),weekdays:"якшанбе_душанбе_сешанбе_чоршанбе_панҷшанбе_ҷумъа_шанбе".split("_"),weekdaysShort:"яшб_дшб_сшб_чшб_пшб_ҷум_шнб".split("_"),weekdaysMin:"яш_дш_сш_чш_пш_ҷм_шб".split("_"),longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD.MM.YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY HH:mm",LLLL:"dddd, D MMMM YYYY HH:mm"},calendar:{sameDay:"[Имрӯз соати] LT",nextDay:"[Фардо соати] LT",lastDay:"[Дирӯз соати] LT",nextWeek:"dddd[и] [ҳафтаи оянда соати] LT",lastWeek:"dddd[и] [ҳафтаи гузашта соати] LT",sameElse:"L"},relativeTime:{future:"баъди %s",past:"%s пеш",s:"якчанд сония",m:"як дақиқа",mm:"%d дақиқа",h:"як соат",hh:"%d соат",d:"як рӯз",dd:"%d рӯз",M:"як моҳ",MM:"%d моҳ",y:"як сол",yy:"%d сол"},meridiemParse:/шаб|субҳ|рӯз|бегоҳ/,meridiemHour:function(e,t){return 12===e&&(e=0),"шаб"===t?e<4?e:e+12:"субҳ"===t?e:"рӯз"===t?e>=11?e:e+12:"бегоҳ"===t?e+12:void 0},meridiem:function(e,t,n){return e<4?"шаб":e<11?"субҳ":e<16?"рӯз":e<19?"бегоҳ":"шаб"},dayOfMonthOrdinalParse:/\d{1,2}-(ум|юм)/,ordinal:function(e){var n=e%10,r=e>=100?100:null;return e+(t[e]||t[n]||t[r])},week:{dow:1,doy:7}})}(n(381))},9041:function(e,t,n){!function(e){"use strict";e.defineLocale("th",{months:"มกราคม_กุมภาพันธ์_มีนาคม_เมษายน_พฤษภาคม_มิถุนายน_กรกฎาคม_สิงหาคม_กันยายน_ตุลาคม_พฤศจิกายน_ธันวาคม".split("_"),monthsShort:"ม.ค._ก.พ._มี.ค._เม.ย._พ.ค._มิ.ย._ก.ค._ส.ค._ก.ย._ต.ค._พ.ย._ธ.ค.".split("_"),monthsParseExact:!0,weekdays:"อาทิตย์_จันทร์_อังคาร_พุธ_พฤหัสบดี_ศุกร์_เสาร์".split("_"),weekdaysShort:"อาทิตย์_จันทร์_อังคาร_พุธ_พฤหัส_ศุกร์_เสาร์".split("_"),weekdaysMin:"อา._จ._อ._พ._พฤ._ศ._ส.".split("_"),weekdaysParseExact:!0,longDateFormat:{LT:"H:mm",LTS:"H:mm:ss",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY เวลา H:mm",LLLL:"วันddddที่ D MMMM YYYY เวลา H:mm"},meridiemParse:/ก่อนเที่ยง|หลังเที่ยง/,isPM:function(e){return"หลังเที่ยง"===e},meridiem:function(e,t,n){return e<12?"ก่อนเที่ยง":"หลังเที่ยง"},calendar:{sameDay:"[วันนี้ เวลา] LT",nextDay:"[พรุ่งนี้ เวลา] LT",nextWeek:"dddd[หน้า เวลา] LT",lastDay:"[เมื่อวานนี้ เวลา] LT",lastWeek:"[วัน]dddd[ที่แล้ว เวลา] LT",sameElse:"L"},relativeTime:{future:"อีก %s",past:"%sที่แล้ว",s:"ไม่กี่วินาที",ss:"%d วินาที",m:"1 นาที",mm:"%d นาที",h:"1 ชั่วโมง",hh:"%d ชั่วโมง",d:"1 วัน",dd:"%d วัน",w:"1 สัปดาห์",ww:"%d สัปดาห์",M:"1 เดือน",MM:"%d เดือน",y:"1 ปี",yy:"%d ปี"}})}(n(381))},9005:function(e,t,n){!function(e){"use strict";var t={1:"'inji",5:"'inji",8:"'inji",70:"'inji",80:"'inji",2:"'nji",7:"'nji",20:"'nji",50:"'nji",3:"'ünji",4:"'ünji",100:"'ünji",6:"'njy",9:"'unjy",10:"'unjy",30:"'unjy",60:"'ynjy",90:"'ynjy"};e.defineLocale("tk",{months:"Ýanwar_Fewral_Mart_Aprel_Maý_Iýun_Iýul_Awgust_Sentýabr_Oktýabr_Noýabr_Dekabr".split("_"),monthsShort:"Ýan_Few_Mar_Apr_Maý_Iýn_Iýl_Awg_Sen_Okt_Noý_Dek".split("_"),weekdays:"Ýekşenbe_Duşenbe_Sişenbe_Çarşenbe_Penşenbe_Anna_Şenbe".split("_"),weekdaysShort:"Ýek_Duş_Siş_Çar_Pen_Ann_Şen".split("_"),weekdaysMin:"Ýk_Dş_Sş_Çr_Pn_An_Şn".split("_"),longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD.MM.YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY HH:mm",LLLL:"dddd, D MMMM YYYY HH:mm"},calendar:{sameDay:"[bugün sagat] LT",nextDay:"[ertir sagat] LT",nextWeek:"[indiki] dddd [sagat] LT",lastDay:"[düýn] LT",lastWeek:"[geçen] dddd [sagat] LT",sameElse:"L"},relativeTime:{future:"%s soň",past:"%s öň",s:"birnäçe sekunt",m:"bir minut",mm:"%d minut",h:"bir sagat",hh:"%d sagat",d:"bir gün",dd:"%d gün",M:"bir aý",MM:"%d aý",y:"bir ýyl",yy:"%d ýyl"},ordinal:function(e,n){switch(n){case"d":case"D":case"Do":case"DD":return e;default:if(0===e)return e+"'unjy";var r=e%10,o=e%100-r,a=e>=100?100:null;return e+(t[r]||t[o]||t[a])}},week:{dow:1,doy:7}})}(n(381))},5768:function(e,t,n){!function(e){"use strict";e.defineLocale("tl-ph",{months:"Enero_Pebrero_Marso_Abril_Mayo_Hunyo_Hulyo_Agosto_Setyembre_Oktubre_Nobyembre_Disyembre".split("_"),monthsShort:"Ene_Peb_Mar_Abr_May_Hun_Hul_Ago_Set_Okt_Nob_Dis".split("_"),weekdays:"Linggo_Lunes_Martes_Miyerkules_Huwebes_Biyernes_Sabado".split("_"),weekdaysShort:"Lin_Lun_Mar_Miy_Huw_Biy_Sab".split("_"),weekdaysMin:"Li_Lu_Ma_Mi_Hu_Bi_Sab".split("_"),longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"MM/D/YYYY",LL:"MMMM D, YYYY",LLL:"MMMM D, YYYY HH:mm",LLLL:"dddd, MMMM DD, YYYY HH:mm"},calendar:{sameDay:"LT [ngayong araw]",nextDay:"[Bukas ng] LT",nextWeek:"LT [sa susunod na] dddd",lastDay:"LT [kahapon]",lastWeek:"LT [noong nakaraang] dddd",sameElse:"L"},relativeTime:{future:"sa loob ng %s",past:"%s ang nakalipas",s:"ilang segundo",ss:"%d segundo",m:"isang minuto",mm:"%d minuto",h:"isang oras",hh:"%d oras",d:"isang araw",dd:"%d araw",M:"isang buwan",MM:"%d buwan",y:"isang taon",yy:"%d taon"},dayOfMonthOrdinalParse:/\d{1,2}/,ordinal:function(e){return e},week:{dow:1,doy:4}})}(n(381))},9444:function(e,t,n){!function(e){"use strict";var t="pagh_wa’_cha’_wej_loS_vagh_jav_Soch_chorgh_Hut".split("_");function n(e){var t=e;return t=-1!==e.indexOf("jaj")?t.slice(0,-3)+"leS":-1!==e.indexOf("jar")?t.slice(0,-3)+"waQ":-1!==e.indexOf("DIS")?t.slice(0,-3)+"nem":t+" pIq"}function r(e){var t=e;return t=-1!==e.indexOf("jaj")?t.slice(0,-3)+"Hu’":-1!==e.indexOf("jar")?t.slice(0,-3)+"wen":-1!==e.indexOf("DIS")?t.slice(0,-3)+"ben":t+" ret"}function o(e,t,n,r){var o=a(e);switch(n){case"ss":return o+" lup";case"mm":return o+" tup";case"hh":return o+" rep";case"dd":return o+" jaj";case"MM":return o+" jar";case"yy":return o+" DIS"}}function a(e){var n=Math.floor(e%1e3/100),r=Math.floor(e%100/10),o=e%10,a="";return n>0&&(a+=t[n]+"vatlh"),r>0&&(a+=(""!==a?" ":"")+t[r]+"maH"),o>0&&(a+=(""!==a?" ":"")+t[o]),""===a?"pagh":a}e.defineLocale("tlh",{months:"tera’ jar wa’_tera’ jar cha’_tera’ jar wej_tera’ jar loS_tera’ jar vagh_tera’ jar jav_tera’ jar Soch_tera’ jar chorgh_tera’ jar Hut_tera’ jar wa’maH_tera’ jar wa’maH wa’_tera’ jar wa’maH cha’".split("_"),monthsShort:"jar wa’_jar cha’_jar wej_jar loS_jar vagh_jar jav_jar Soch_jar chorgh_jar Hut_jar wa’maH_jar wa’maH wa’_jar wa’maH cha’".split("_"),monthsParseExact:!0,weekdays:"lojmItjaj_DaSjaj_povjaj_ghItlhjaj_loghjaj_buqjaj_ghInjaj".split("_"),weekdaysShort:"lojmItjaj_DaSjaj_povjaj_ghItlhjaj_loghjaj_buqjaj_ghInjaj".split("_"),weekdaysMin:"lojmItjaj_DaSjaj_povjaj_ghItlhjaj_loghjaj_buqjaj_ghInjaj".split("_"),longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD.MM.YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY HH:mm",LLLL:"dddd, D MMMM YYYY HH:mm"},calendar:{sameDay:"[DaHjaj] LT",nextDay:"[wa’leS] LT",nextWeek:"LLL",lastDay:"[wa’Hu’] LT",lastWeek:"LLL",sameElse:"L"},relativeTime:{future:n,past:r,s:"puS lup",ss:o,m:"wa’ tup",mm:o,h:"wa’ rep",hh:o,d:"wa’ jaj",dd:o,M:"wa’ jar",MM:o,y:"wa’ DIS",yy:o},dayOfMonthOrdinalParse:/\d{1,2}\./,ordinal:"%d.",week:{dow:1,doy:4}})}(n(381))},2397:function(e,t,n){!function(e){"use strict";var t={1:"'inci",5:"'inci",8:"'inci",70:"'inci",80:"'inci",2:"'nci",7:"'nci",20:"'nci",50:"'nci",3:"'üncü",4:"'üncü",100:"'üncü",6:"'ncı",9:"'uncu",10:"'uncu",30:"'uncu",60:"'ıncı",90:"'ıncı"};e.defineLocale("tr",{months:"Ocak_Şubat_Mart_Nisan_Mayıs_Haziran_Temmuz_Ağustos_Eylül_Ekim_Kasım_Aralık".split("_"),monthsShort:"Oca_Şub_Mar_Nis_May_Haz_Tem_Ağu_Eyl_Eki_Kas_Ara".split("_"),weekdays:"Pazar_Pazartesi_Salı_Çarşamba_Perşembe_Cuma_Cumartesi".split("_"),weekdaysShort:"Paz_Pts_Sal_Çar_Per_Cum_Cts".split("_"),weekdaysMin:"Pz_Pt_Sa_Ça_Pe_Cu_Ct".split("_"),meridiem:function(e,t,n){return e<12?n?"öö":"ÖÖ":n?"ös":"ÖS"},meridiemParse:/öö|ÖÖ|ös|ÖS/,isPM:function(e){return"ös"===e||"ÖS"===e},longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD.MM.YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY HH:mm",LLLL:"dddd, D MMMM YYYY HH:mm"},calendar:{sameDay:"[bugün saat] LT",nextDay:"[yarın saat] LT",nextWeek:"[gelecek] dddd [saat] LT",lastDay:"[dün] LT",lastWeek:"[geçen] dddd [saat] LT",sameElse:"L"},relativeTime:{future:"%s sonra",past:"%s önce",s:"birkaç saniye",ss:"%d saniye",m:"bir dakika",mm:"%d dakika",h:"bir saat",hh:"%d saat",d:"bir gün",dd:"%d gün",w:"bir hafta",ww:"%d hafta",M:"bir ay",MM:"%d ay",y:"bir yıl",yy:"%d yıl"},ordinal:function(e,n){switch(n){case"d":case"D":case"Do":case"DD":return e;default:if(0===e)return e+"'ıncı";var r=e%10,o=e%100-r,a=e>=100?100:null;return e+(t[r]||t[o]||t[a])}},week:{dow:1,doy:7}})}(n(381))},8254:function(e,t,n){!function(e){"use strict";function t(e,t,n,r){var o={s:["viensas secunds","'iensas secunds"],ss:[e+" secunds",e+" secunds"],m:["'n míut","'iens míut"],mm:[e+" míuts",e+" míuts"],h:["'n þora","'iensa þora"],hh:[e+" þoras",e+" þoras"],d:["'n ziua","'iensa ziua"],dd:[e+" ziuas",e+" ziuas"],M:["'n mes","'iens mes"],MM:[e+" mesen",e+" mesen"],y:["'n ar","'iens ar"],yy:[e+" ars",e+" ars"]};return r||t?o[n][0]:o[n][1]}e.defineLocale("tzl",{months:"Januar_Fevraglh_Març_Avrïu_Mai_Gün_Julia_Guscht_Setemvar_Listopäts_Noemvar_Zecemvar".split("_"),monthsShort:"Jan_Fev_Mar_Avr_Mai_Gün_Jul_Gus_Set_Lis_Noe_Zec".split("_"),weekdays:"Súladi_Lúneçi_Maitzi_Márcuri_Xhúadi_Viénerçi_Sáturi".split("_"),weekdaysShort:"Súl_Lún_Mai_Már_Xhú_Vié_Sát".split("_"),weekdaysMin:"Sú_Lú_Ma_Má_Xh_Vi_Sá".split("_"),longDateFormat:{LT:"HH.mm",LTS:"HH.mm.ss",L:"DD.MM.YYYY",LL:"D. MMMM [dallas] YYYY",LLL:"D. MMMM [dallas] YYYY HH.mm",LLLL:"dddd, [li] D. MMMM [dallas] YYYY HH.mm"},meridiemParse:/d\'o|d\'a/i,isPM:function(e){return"d'o"===e.toLowerCase()},meridiem:function(e,t,n){return e>11?n?"d'o":"D'O":n?"d'a":"D'A"},calendar:{sameDay:"[oxhi à] LT",nextDay:"[demà à] LT",nextWeek:"dddd [à] LT",lastDay:"[ieiri à] LT",lastWeek:"[sür el] dddd [lasteu à] LT",sameElse:"L"},relativeTime:{future:"osprei %s",past:"ja%s",s:t,ss:t,m:t,mm:t,h:t,hh:t,d:t,dd:t,M:t,MM:t,y:t,yy:t},dayOfMonthOrdinalParse:/\d{1,2}\./,ordinal:"%d.",week:{dow:1,doy:4}})}(n(381))},699:function(e,t,n){!function(e){"use strict";e.defineLocale("tzm-latn",{months:"innayr_brˤayrˤ_marˤsˤ_ibrir_mayyw_ywnyw_ywlywz_ɣwšt_šwtanbir_ktˤwbrˤ_nwwanbir_dwjnbir".split("_"),monthsShort:"innayr_brˤayrˤ_marˤsˤ_ibrir_mayyw_ywnyw_ywlywz_ɣwšt_šwtanbir_ktˤwbrˤ_nwwanbir_dwjnbir".split("_"),weekdays:"asamas_aynas_asinas_akras_akwas_asimwas_asiḍyas".split("_"),weekdaysShort:"asamas_aynas_asinas_akras_akwas_asimwas_asiḍyas".split("_"),weekdaysMin:"asamas_aynas_asinas_akras_akwas_asimwas_asiḍyas".split("_"),longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY HH:mm",LLLL:"dddd D MMMM YYYY HH:mm"},calendar:{sameDay:"[asdkh g] LT",nextDay:"[aska g] LT",nextWeek:"dddd [g] LT",lastDay:"[assant g] LT",lastWeek:"dddd [g] LT",sameElse:"L"},relativeTime:{future:"dadkh s yan %s",past:"yan %s",s:"imik",ss:"%d imik",m:"minuḍ",mm:"%d minuḍ",h:"saɛa",hh:"%d tassaɛin",d:"ass",dd:"%d ossan",M:"ayowr",MM:"%d iyyirn",y:"asgas",yy:"%d isgasn"},week:{dow:6,doy:12}})}(n(381))},1106:function(e,t,n){!function(e){"use strict";e.defineLocale("tzm",{months:"ⵉⵏⵏⴰⵢⵔ_ⴱⵕⴰⵢⵕ_ⵎⴰⵕⵚ_ⵉⴱⵔⵉⵔ_ⵎⴰⵢⵢⵓ_ⵢⵓⵏⵢⵓ_ⵢⵓⵍⵢⵓⵣ_ⵖⵓⵛⵜ_ⵛⵓⵜⴰⵏⴱⵉⵔ_ⴽⵟⵓⴱⵕ_ⵏⵓⵡⴰⵏⴱⵉⵔ_ⴷⵓⵊⵏⴱⵉⵔ".split("_"),monthsShort:"ⵉⵏⵏⴰⵢⵔ_ⴱⵕⴰⵢⵕ_ⵎⴰⵕⵚ_ⵉⴱⵔⵉⵔ_ⵎⴰⵢⵢⵓ_ⵢⵓⵏⵢⵓ_ⵢⵓⵍⵢⵓⵣ_ⵖⵓⵛⵜ_ⵛⵓⵜⴰⵏⴱⵉⵔ_ⴽⵟⵓⴱⵕ_ⵏⵓⵡⴰⵏⴱⵉⵔ_ⴷⵓⵊⵏⴱⵉⵔ".split("_"),weekdays:"ⴰⵙⴰⵎⴰⵙ_ⴰⵢⵏⴰⵙ_ⴰⵙⵉⵏⴰⵙ_ⴰⴽⵔⴰⵙ_ⴰⴽⵡⴰⵙ_ⴰⵙⵉⵎⵡⴰⵙ_ⴰⵙⵉⴹⵢⴰⵙ".split("_"),weekdaysShort:"ⴰⵙⴰⵎⴰⵙ_ⴰⵢⵏⴰⵙ_ⴰⵙⵉⵏⴰⵙ_ⴰⴽⵔⴰⵙ_ⴰⴽⵡⴰⵙ_ⴰⵙⵉⵎⵡⴰⵙ_ⴰⵙⵉⴹⵢⴰⵙ".split("_"),weekdaysMin:"ⴰⵙⴰⵎⴰⵙ_ⴰⵢⵏⴰⵙ_ⴰⵙⵉⵏⴰⵙ_ⴰⴽⵔⴰⵙ_ⴰⴽⵡⴰⵙ_ⴰⵙⵉⵎⵡⴰⵙ_ⴰⵙⵉⴹⵢⴰⵙ".split("_"),longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY HH:mm",LLLL:"dddd D MMMM YYYY HH:mm"},calendar:{sameDay:"[ⴰⵙⴷⵅ ⴴ] LT",nextDay:"[ⴰⵙⴽⴰ ⴴ] LT",nextWeek:"dddd [ⴴ] LT",lastDay:"[ⴰⵚⴰⵏⵜ ⴴ] LT",lastWeek:"dddd [ⴴ] LT",sameElse:"L"},relativeTime:{future:"ⴷⴰⴷⵅ ⵙ ⵢⴰⵏ %s",past:"ⵢⴰⵏ %s",s:"ⵉⵎⵉⴽ",ss:"%d ⵉⵎⵉⴽ",m:"ⵎⵉⵏⵓⴺ",mm:"%d ⵎⵉⵏⵓⴺ",h:"ⵙⴰⵄⴰ",hh:"%d ⵜⴰⵙⵙⴰⵄⵉⵏ",d:"ⴰⵙⵙ",dd:"%d oⵙⵙⴰⵏ",M:"ⴰⵢoⵓⵔ",MM:"%d ⵉⵢⵢⵉⵔⵏ",y:"ⴰⵙⴳⴰⵙ",yy:"%d ⵉⵙⴳⴰⵙⵏ"},week:{dow:6,doy:12}})}(n(381))},9288:function(e,t,n){!function(e){"use strict";e.defineLocale("ug-cn",{months:"يانۋار_فېۋرال_مارت_ئاپرېل_ماي_ئىيۇن_ئىيۇل_ئاۋغۇست_سېنتەبىر_ئۆكتەبىر_نويابىر_دېكابىر".split("_"),monthsShort:"يانۋار_فېۋرال_مارت_ئاپرېل_ماي_ئىيۇن_ئىيۇل_ئاۋغۇست_سېنتەبىر_ئۆكتەبىر_نويابىر_دېكابىر".split("_"),weekdays:"يەكشەنبە_دۈشەنبە_سەيشەنبە_چارشەنبە_پەيشەنبە_جۈمە_شەنبە".split("_"),weekdaysShort:"يە_دۈ_سە_چا_پە_جۈ_شە".split("_"),weekdaysMin:"يە_دۈ_سە_چا_پە_جۈ_شە".split("_"),longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"YYYY-MM-DD",LL:"YYYY-يىلىM-ئاينىڭD-كۈنى",LLL:"YYYY-يىلىM-ئاينىڭD-كۈنى، HH:mm",LLLL:"dddd، YYYY-يىلىM-ئاينىڭD-كۈنى، HH:mm"},meridiemParse:/يېرىم كېچە|سەھەر|چۈشتىن بۇرۇن|چۈش|چۈشتىن كېيىن|كەچ/,meridiemHour:function(e,t){return 12===e&&(e=0),"يېرىم كېچە"===t||"سەھەر"===t||"چۈشتىن بۇرۇن"===t?e:"چۈشتىن كېيىن"===t||"كەچ"===t?e+12:e>=11?e:e+12},meridiem:function(e,t,n){var r=100*e+t;return r<600?"يېرىم كېچە":r<900?"سەھەر":r<1130?"چۈشتىن بۇرۇن":r<1230?"چۈش":r<1800?"چۈشتىن كېيىن":"كەچ"},calendar:{sameDay:"[بۈگۈن سائەت] LT",nextDay:"[ئەتە سائەت] LT",nextWeek:"[كېلەركى] dddd [سائەت] LT",lastDay:"[تۆنۈگۈن] LT",lastWeek:"[ئالدىنقى] dddd [سائەت] LT",sameElse:"L"},relativeTime:{future:"%s كېيىن",past:"%s بۇرۇن",s:"نەچچە سېكونت",ss:"%d سېكونت",m:"بىر مىنۇت",mm:"%d مىنۇت",h:"بىر سائەت",hh:"%d سائەت",d:"بىر كۈن",dd:"%d كۈن",M:"بىر ئاي",MM:"%d ئاي",y:"بىر يىل",yy:"%d يىل"},dayOfMonthOrdinalParse:/\d{1,2}(-كۈنى|-ئاي|-ھەپتە)/,ordinal:function(e,t){switch(t){case"d":case"D":case"DDD":return e+"-كۈنى";case"w":case"W":return e+"-ھەپتە";default:return e}},preparse:function(e){return e.replace(/،/g,",")},postformat:function(e){return e.replace(/,/g,"،")},week:{dow:1,doy:7}})}(n(381))},7691:function(e,t,n){!function(e){"use strict";function t(e,t){var n=e.split("_");return t%10==1&&t%100!=11?n[0]:t%10>=2&&t%10<=4&&(t%100<10||t%100>=20)?n[1]:n[2]}function n(e,n,r){return"m"===r?n?"хвилина":"хвилину":"h"===r?n?"година":"годину":e+" "+t({ss:n?"секунда_секунди_секунд":"секунду_секунди_секунд",mm:n?"хвилина_хвилини_хвилин":"хвилину_хвилини_хвилин",hh:n?"година_години_годин":"годину_години_годин",dd:"день_дні_днів",MM:"місяць_місяці_місяців",yy:"рік_роки_років"}[r],+e)}function r(e,t){var n={nominative:"неділя_понеділок_вівторок_середа_четвер_п’ятниця_субота".split("_"),accusative:"неділю_понеділок_вівторок_середу_четвер_п’ятницю_суботу".split("_"),genitive:"неділі_понеділка_вівторка_середи_четверга_п’ятниці_суботи".split("_")};return!0===e?n.nominative.slice(1,7).concat(n.nominative.slice(0,1)):e?n[/(\[[ВвУу]\]) ?dddd/.test(t)?"accusative":/\[?(?:минулої|наступної)? ?\] ?dddd/.test(t)?"genitive":"nominative"][e.day()]:n.nominative}function o(e){return function(){return e+"о"+(11===this.hours()?"б":"")+"] LT"}}e.defineLocale("uk",{months:{format:"січня_лютого_березня_квітня_травня_червня_липня_серпня_вересня_жовтня_листопада_грудня".split("_"),standalone:"січень_лютий_березень_квітень_травень_червень_липень_серпень_вересень_жовтень_листопад_грудень".split("_")},monthsShort:"січ_лют_бер_квіт_трав_черв_лип_серп_вер_жовт_лист_груд".split("_"),weekdays:r,weekdaysShort:"нд_пн_вт_ср_чт_пт_сб".split("_"),weekdaysMin:"нд_пн_вт_ср_чт_пт_сб".split("_"),longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD.MM.YYYY",LL:"D MMMM YYYY р.",LLL:"D MMMM YYYY р., HH:mm",LLLL:"dddd, D MMMM YYYY р., HH:mm"},calendar:{sameDay:o("[Сьогодні "),nextDay:o("[Завтра "),lastDay:o("[Вчора "),nextWeek:o("[У] dddd ["),lastWeek:function(){switch(this.day()){case 0:case 3:case 5:case 6:return o("[Минулої] dddd [").call(this);case 1:case 2:case 4:return o("[Минулого] dddd [").call(this)}},sameElse:"L"},relativeTime:{future:"за %s",past:"%s тому",s:"декілька секунд",ss:n,m:n,mm:n,h:"годину",hh:n,d:"день",dd:n,M:"місяць",MM:n,y:"рік",yy:n},meridiemParse:/ночі|ранку|дня|вечора/,isPM:function(e){return/^(дня|вечора)$/.test(e)},meridiem:function(e,t,n){return e<4?"ночі":e<12?"ранку":e<17?"дня":"вечора"},dayOfMonthOrdinalParse:/\d{1,2}-(й|го)/,ordinal:function(e,t){switch(t){case"M":case"d":case"DDD":case"w":case"W":return e+"-й";case"D":return e+"-го";default:return e}},week:{dow:1,doy:7}})}(n(381))},3795:function(e,t,n){!function(e){"use strict";var t=["جنوری","فروری","مارچ","اپریل","مئی","جون","جولائی","اگست","ستمبر","اکتوبر","نومبر","دسمبر"],n=["اتوار","پیر","منگل","بدھ","جمعرات","جمعہ","ہفتہ"];e.defineLocale("ur",{months:t,monthsShort:t,weekdays:n,weekdaysShort:n,weekdaysMin:n,longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY HH:mm",LLLL:"dddd، D MMMM YYYY HH:mm"},meridiemParse:/صبح|شام/,isPM:function(e){return"شام"===e},meridiem:function(e,t,n){return e<12?"صبح":"شام"},calendar:{sameDay:"[آج بوقت] LT",nextDay:"[کل بوقت] LT",nextWeek:"dddd [بوقت] LT",lastDay:"[گذشتہ روز بوقت] LT",lastWeek:"[گذشتہ] dddd [بوقت] LT",sameElse:"L"},relativeTime:{future:"%s بعد",past:"%s قبل",s:"چند سیکنڈ",ss:"%d سیکنڈ",m:"ایک منٹ",mm:"%d منٹ",h:"ایک گھنٹہ",hh:"%d گھنٹے",d:"ایک دن",dd:"%d دن",M:"ایک ماہ",MM:"%d ماہ",y:"ایک سال",yy:"%d سال"},preparse:function(e){return e.replace(/،/g,",")},postformat:function(e){return e.replace(/,/g,"،")},week:{dow:1,doy:4}})}(n(381))},588:function(e,t,n){!function(e){"use strict";e.defineLocale("uz-latn",{months:"Yanvar_Fevral_Mart_Aprel_May_Iyun_Iyul_Avgust_Sentabr_Oktabr_Noyabr_Dekabr".split("_"),monthsShort:"Yan_Fev_Mar_Apr_May_Iyun_Iyul_Avg_Sen_Okt_Noy_Dek".split("_"),weekdays:"Yakshanba_Dushanba_Seshanba_Chorshanba_Payshanba_Juma_Shanba".split("_"),weekdaysShort:"Yak_Dush_Sesh_Chor_Pay_Jum_Shan".split("_"),weekdaysMin:"Ya_Du_Se_Cho_Pa_Ju_Sha".split("_"),longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY HH:mm",LLLL:"D MMMM YYYY, dddd HH:mm"},calendar:{sameDay:"[Bugun soat] LT [da]",nextDay:"[Ertaga] LT [da]",nextWeek:"dddd [kuni soat] LT [da]",lastDay:"[Kecha soat] LT [da]",lastWeek:"[O'tgan] dddd [kuni soat] LT [da]",sameElse:"L"},relativeTime:{future:"Yaqin %s ichida",past:"Bir necha %s oldin",s:"soniya",ss:"%d soniya",m:"bir daqiqa",mm:"%d daqiqa",h:"bir soat",hh:"%d soat",d:"bir kun",dd:"%d kun",M:"bir oy",MM:"%d oy",y:"bir yil",yy:"%d yil"},week:{dow:1,doy:7}})}(n(381))},6791:function(e,t,n){!function(e){"use strict";e.defineLocale("uz",{months:"январ_феврал_март_апрел_май_июн_июл_август_сентябр_октябр_ноябр_декабр".split("_"),monthsShort:"янв_фев_мар_апр_май_июн_июл_авг_сен_окт_ноя_дек".split("_"),weekdays:"Якшанба_Душанба_Сешанба_Чоршанба_Пайшанба_Жума_Шанба".split("_"),weekdaysShort:"Якш_Душ_Сеш_Чор_Пай_Жум_Шан".split("_"),weekdaysMin:"Як_Ду_Се_Чо_Па_Жу_Ша".split("_"),longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY HH:mm",LLLL:"D MMMM YYYY, dddd HH:mm"},calendar:{sameDay:"[Бугун соат] LT [да]",nextDay:"[Эртага] LT [да]",nextWeek:"dddd [куни соат] LT [да]",lastDay:"[Кеча соат] LT [да]",lastWeek:"[Утган] dddd [куни соат] LT [да]",sameElse:"L"},relativeTime:{future:"Якин %s ичида",past:"Бир неча %s олдин",s:"фурсат",ss:"%d фурсат",m:"бир дакика",mm:"%d дакика",h:"бир соат",hh:"%d соат",d:"бир кун",dd:"%d кун",M:"бир ой",MM:"%d ой",y:"бир йил",yy:"%d йил"},week:{dow:1,doy:7}})}(n(381))},5666:function(e,t,n){!function(e){"use strict";e.defineLocale("vi",{months:"tháng 1_tháng 2_tháng 3_tháng 4_tháng 5_tháng 6_tháng 7_tháng 8_tháng 9_tháng 10_tháng 11_tháng 12".split("_"),monthsShort:"Thg 01_Thg 02_Thg 03_Thg 04_Thg 05_Thg 06_Thg 07_Thg 08_Thg 09_Thg 10_Thg 11_Thg 12".split("_"),monthsParseExact:!0,weekdays:"chủ nhật_thứ hai_thứ ba_thứ tư_thứ năm_thứ sáu_thứ bảy".split("_"),weekdaysShort:"CN_T2_T3_T4_T5_T6_T7".split("_"),weekdaysMin:"CN_T2_T3_T4_T5_T6_T7".split("_"),weekdaysParseExact:!0,meridiemParse:/sa|ch/i,isPM:function(e){return/^ch$/i.test(e)},meridiem:function(e,t,n){return e<12?n?"sa":"SA":n?"ch":"CH"},longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD/MM/YYYY",LL:"D MMMM [năm] YYYY",LLL:"D MMMM [năm] YYYY HH:mm",LLLL:"dddd, D MMMM [năm] YYYY HH:mm",l:"DD/M/YYYY",ll:"D MMM YYYY",lll:"D MMM YYYY HH:mm",llll:"ddd, D MMM YYYY HH:mm"},calendar:{sameDay:"[Hôm nay lúc] LT",nextDay:"[Ngày mai lúc] LT",nextWeek:"dddd [tuần tới lúc] LT",lastDay:"[Hôm qua lúc] LT",lastWeek:"dddd [tuần trước lúc] LT",sameElse:"L"},relativeTime:{future:"%s tới",past:"%s trước",s:"vài giây",ss:"%d giây",m:"một phút",mm:"%d phút",h:"một giờ",hh:"%d giờ",d:"một ngày",dd:"%d ngày",w:"một tuần",ww:"%d tuần",M:"một tháng",MM:"%d tháng",y:"một năm",yy:"%d năm"},dayOfMonthOrdinalParse:/\d{1,2}/,ordinal:function(e){return e},week:{dow:1,doy:4}})}(n(381))},4378:function(e,t,n){!function(e){"use strict";e.defineLocale("x-pseudo",{months:"J~áñúá~rý_F~ébrú~árý_~Márc~h_Áp~ríl_~Máý_~Júñé~_Júl~ý_Áú~gúst~_Sép~témb~ér_Ó~ctób~ér_Ñ~óvém~bér_~Décé~mbér".split("_"),monthsShort:"J~áñ_~Féb_~Már_~Ápr_~Máý_~Júñ_~Júl_~Áúg_~Sép_~Óct_~Ñóv_~Déc".split("_"),monthsParseExact:!0,weekdays:"S~úñdá~ý_Mó~ñdáý~_Túé~sdáý~_Wéd~ñésd~áý_T~húrs~dáý_~Fríd~áý_S~átúr~dáý".split("_"),weekdaysShort:"S~úñ_~Móñ_~Túé_~Wéd_~Thú_~Frí_~Sát".split("_"),weekdaysMin:"S~ú_Mó~_Tú_~Wé_T~h_Fr~_Sá".split("_"),weekdaysParseExact:!0,longDateFormat:{LT:"HH:mm",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY HH:mm",LLLL:"dddd, D MMMM YYYY HH:mm"},calendar:{sameDay:"[T~ódá~ý át] LT",nextDay:"[T~ómó~rró~w át] LT",nextWeek:"dddd [át] LT",lastDay:"[Ý~ést~érdá~ý át] LT",lastWeek:"[L~ást] dddd [át] LT",sameElse:"L"},relativeTime:{future:"í~ñ %s",past:"%s á~gó",s:"á ~féw ~sécó~ñds",ss:"%d s~écóñ~ds",m:"á ~míñ~úté",mm:"%d m~íñú~tés",h:"á~ñ hó~úr",hh:"%d h~óúrs",d:"á ~dáý",dd:"%d d~áýs",M:"á ~móñ~th",MM:"%d m~óñt~hs",y:"á ~ýéár",yy:"%d ý~éárs"},dayOfMonthOrdinalParse:/\d{1,2}(th|st|nd|rd)/,ordinal:function(e){var t=e%10;return e+(1==~~(e%100/10)?"th":1===t?"st":2===t?"nd":3===t?"rd":"th")},week:{dow:1,doy:4}})}(n(381))},5805:function(e,t,n){!function(e){"use strict";e.defineLocale("yo",{months:"Sẹ́rẹ́_Èrèlè_Ẹrẹ̀nà_Ìgbé_Èbibi_Òkùdu_Agẹmo_Ògún_Owewe_Ọ̀wàrà_Bélú_Ọ̀pẹ̀̀".split("_"),monthsShort:"Sẹ́r_Èrl_Ẹrn_Ìgb_Èbi_Òkù_Agẹ_Ògú_Owe_Ọ̀wà_Bél_Ọ̀pẹ̀̀".split("_"),weekdays:"Àìkú_Ajé_Ìsẹ́gun_Ọjọ́rú_Ọjọ́bọ_Ẹtì_Àbámẹ́ta".split("_"),weekdaysShort:"Àìk_Ajé_Ìsẹ́_Ọjr_Ọjb_Ẹtì_Àbá".split("_"),weekdaysMin:"Àì_Aj_Ìs_Ọr_Ọb_Ẹt_Àb".split("_"),longDateFormat:{LT:"h:mm A",LTS:"h:mm:ss A",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY h:mm A",LLLL:"dddd, D MMMM YYYY h:mm A"},calendar:{sameDay:"[Ònì ni] LT",nextDay:"[Ọ̀la ni] LT",nextWeek:"dddd [Ọsẹ̀ tón'bọ] [ni] LT",lastDay:"[Àna ni] LT",lastWeek:"dddd [Ọsẹ̀ tólọ́] [ni] LT",sameElse:"L"},relativeTime:{future:"ní %s",past:"%s kọjá",s:"ìsẹjú aayá die",ss:"aayá %d",m:"ìsẹjú kan",mm:"ìsẹjú %d",h:"wákati kan",hh:"wákati %d",d:"ọjọ́ kan",dd:"ọjọ́ %d",M:"osù kan",MM:"osù %d",y:"ọdún kan",yy:"ọdún %d"},dayOfMonthOrdinalParse:/ọjọ́\s\d{1,2}/,ordinal:"ọjọ́ %d",week:{dow:1,doy:4}})}(n(381))},3839:function(e,t,n){!function(e){"use strict";e.defineLocale("zh-cn",{months:"一月_二月_三月_四月_五月_六月_七月_八月_九月_十月_十一月_十二月".split("_"),monthsShort:"1月_2月_3月_4月_5月_6月_7月_8月_9月_10月_11月_12月".split("_"),weekdays:"星期日_星期一_星期二_星期三_星期四_星期五_星期六".split("_"),weekdaysShort:"周日_周一_周二_周三_周四_周五_周六".split("_"),weekdaysMin:"日_一_二_三_四_五_六".split("_"),longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"YYYY/MM/DD",LL:"YYYY年M月D日",LLL:"YYYY年M月D日Ah点mm分",LLLL:"YYYY年M月D日ddddAh点mm分",l:"YYYY/M/D",ll:"YYYY年M月D日",lll:"YYYY年M月D日 HH:mm",llll:"YYYY年M月D日dddd HH:mm"},meridiemParse:/凌晨|早上|上午|中午|下午|晚上/,meridiemHour:function(e,t){return 12===e&&(e=0),"凌晨"===t||"早上"===t||"上午"===t?e:"下午"===t||"晚上"===t?e+12:e>=11?e:e+12},meridiem:function(e,t,n){var r=100*e+t;return r<600?"凌晨":r<900?"早上":r<1130?"上午":r<1230?"中午":r<1800?"下午":"晚上"},calendar:{sameDay:"[今天]LT",nextDay:"[明天]LT",nextWeek:function(e){return e.week()!==this.week()?"[下]dddLT":"[本]dddLT"},lastDay:"[昨天]LT",lastWeek:function(e){return this.week()!==e.week()?"[上]dddLT":"[本]dddLT"},sameElse:"L"},dayOfMonthOrdinalParse:/\d{1,2}(日|月|周)/,ordinal:function(e,t){switch(t){case"d":case"D":case"DDD":return e+"日";case"M":return e+"月";case"w":case"W":return e+"周";default:return e}},relativeTime:{future:"%s后",past:"%s前",s:"几秒",ss:"%d 秒",m:"1 分钟",mm:"%d 分钟",h:"1 小时",hh:"%d 小时",d:"1 天",dd:"%d 天",w:"1 周",ww:"%d 周",M:"1 个月",MM:"%d 个月",y:"1 年",yy:"%d 年"},week:{dow:1,doy:4}})}(n(381))},5726:function(e,t,n){!function(e){"use strict";e.defineLocale("zh-hk",{months:"一月_二月_三月_四月_五月_六月_七月_八月_九月_十月_十一月_十二月".split("_"),monthsShort:"1月_2月_3月_4月_5月_6月_7月_8月_9月_10月_11月_12月".split("_"),weekdays:"星期日_星期一_星期二_星期三_星期四_星期五_星期六".split("_"),weekdaysShort:"週日_週一_週二_週三_週四_週五_週六".split("_"),weekdaysMin:"日_一_二_三_四_五_六".split("_"),longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"YYYY/MM/DD",LL:"YYYY年M月D日",LLL:"YYYY年M月D日 HH:mm",LLLL:"YYYY年M月D日dddd HH:mm",l:"YYYY/M/D",ll:"YYYY年M月D日",lll:"YYYY年M月D日 HH:mm",llll:"YYYY年M月D日dddd HH:mm"},meridiemParse:/凌晨|早上|上午|中午|下午|晚上/,meridiemHour:function(e,t){return 12===e&&(e=0),"凌晨"===t||"早上"===t||"上午"===t?e:"中午"===t?e>=11?e:e+12:"下午"===t||"晚上"===t?e+12:void 0},meridiem:function(e,t,n){var r=100*e+t;return r<600?"凌晨":r<900?"早上":r<1200?"上午":1200===r?"中午":r<1800?"下午":"晚上"},calendar:{sameDay:"[今天]LT",nextDay:"[明天]LT",nextWeek:"[下]ddddLT",lastDay:"[昨天]LT",lastWeek:"[上]ddddLT",sameElse:"L"},dayOfMonthOrdinalParse:/\d{1,2}(日|月|週)/,ordinal:function(e,t){switch(t){case"d":case"D":case"DDD":return e+"日";case"M":return e+"月";case"w":case"W":return e+"週";default:return e}},relativeTime:{future:"%s後",past:"%s前",s:"幾秒",ss:"%d 秒",m:"1 分鐘",mm:"%d 分鐘",h:"1 小時",hh:"%d 小時",d:"1 天",dd:"%d 天",M:"1 個月",MM:"%d 個月",y:"1 年",yy:"%d 年"}})}(n(381))},9807:function(e,t,n){!function(e){"use strict";e.defineLocale("zh-mo",{months:"一月_二月_三月_四月_五月_六月_七月_八月_九月_十月_十一月_十二月".split("_"),monthsShort:"1月_2月_3月_4月_5月_6月_7月_8月_9月_10月_11月_12月".split("_"),weekdays:"星期日_星期一_星期二_星期三_星期四_星期五_星期六".split("_"),weekdaysShort:"週日_週一_週二_週三_週四_週五_週六".split("_"),weekdaysMin:"日_一_二_三_四_五_六".split("_"),longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD/MM/YYYY",LL:"YYYY年M月D日",LLL:"YYYY年M月D日 HH:mm",LLLL:"YYYY年M月D日dddd HH:mm",l:"D/M/YYYY",ll:"YYYY年M月D日",lll:"YYYY年M月D日 HH:mm",llll:"YYYY年M月D日dddd HH:mm"},meridiemParse:/凌晨|早上|上午|中午|下午|晚上/,meridiemHour:function(e,t){return 12===e&&(e=0),"凌晨"===t||"早上"===t||"上午"===t?e:"中午"===t?e>=11?e:e+12:"下午"===t||"晚上"===t?e+12:void 0},meridiem:function(e,t,n){var r=100*e+t;return r<600?"凌晨":r<900?"早上":r<1130?"上午":r<1230?"中午":r<1800?"下午":"晚上"},calendar:{sameDay:"[今天] LT",nextDay:"[明天] LT",nextWeek:"[下]dddd LT",lastDay:"[昨天] LT",lastWeek:"[上]dddd LT",sameElse:"L"},dayOfMonthOrdinalParse:/\d{1,2}(日|月|週)/,ordinal:function(e,t){switch(t){case"d":case"D":case"DDD":return e+"日";case"M":return e+"月";case"w":case"W":return e+"週";default:return e}},relativeTime:{future:"%s內",past:"%s前",s:"幾秒",ss:"%d 秒",m:"1 分鐘",mm:"%d 分鐘",h:"1 小時",hh:"%d 小時",d:"1 天",dd:"%d 天",M:"1 個月",MM:"%d 個月",y:"1 年",yy:"%d 年"}})}(n(381))},4152:function(e,t,n){!function(e){"use strict";e.defineLocale("zh-tw",{months:"一月_二月_三月_四月_五月_六月_七月_八月_九月_十月_十一月_十二月".split("_"),monthsShort:"1月_2月_3月_4月_5月_6月_7月_8月_9月_10月_11月_12月".split("_"),weekdays:"星期日_星期一_星期二_星期三_星期四_星期五_星期六".split("_"),weekdaysShort:"週日_週一_週二_週三_週四_週五_週六".split("_"),weekdaysMin:"日_一_二_三_四_五_六".split("_"),longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"YYYY/MM/DD",LL:"YYYY年M月D日",LLL:"YYYY年M月D日 HH:mm",LLLL:"YYYY年M月D日dddd HH:mm",l:"YYYY/M/D",ll:"YYYY年M月D日",lll:"YYYY年M月D日 HH:mm",llll:"YYYY年M月D日dddd HH:mm"},meridiemParse:/凌晨|早上|上午|中午|下午|晚上/,meridiemHour:function(e,t){return 12===e&&(e=0),"凌晨"===t||"早上"===t||"上午"===t?e:"中午"===t?e>=11?e:e+12:"下午"===t||"晚上"===t?e+12:void 0},meridiem:function(e,t,n){var r=100*e+t;return r<600?"凌晨":r<900?"早上":r<1130?"上午":r<1230?"中午":r<1800?"下午":"晚上"},calendar:{sameDay:"[今天] LT",nextDay:"[明天] LT",nextWeek:"[下]dddd LT",lastDay:"[昨天] LT",lastWeek:"[上]dddd LT",sameElse:"L"},dayOfMonthOrdinalParse:/\d{1,2}(日|月|週)/,ordinal:function(e,t){switch(t){case"d":case"D":case"DDD":return e+"日";case"M":return e+"月";case"w":case"W":return e+"週";default:return e}},relativeTime:{future:"%s後",past:"%s前",s:"幾秒",ss:"%d 秒",m:"1 分鐘",mm:"%d 分鐘",h:"1 小時",hh:"%d 小時",d:"1 天",dd:"%d 天",M:"1 個月",MM:"%d 個月",y:"1 年",yy:"%d 年"}})}(n(381))},6700:(e,t,n)=>{var r={"./af":2786,"./af.js":2786,"./ar":867,"./ar-dz":4130,"./ar-dz.js":4130,"./ar-kw":6135,"./ar-kw.js":6135,"./ar-ly":6440,"./ar-ly.js":6440,"./ar-ma":7702,"./ar-ma.js":7702,"./ar-sa":6040,"./ar-sa.js":6040,"./ar-tn":7100,"./ar-tn.js":7100,"./ar.js":867,"./az":1083,"./az.js":1083,"./be":9808,"./be.js":9808,"./bg":8338,"./bg.js":8338,"./bm":7438,"./bm.js":7438,"./bn":8905,"./bn-bd":6225,"./bn-bd.js":6225,"./bn.js":8905,"./bo":1560,"./bo.js":1560,"./br":1278,"./br.js":1278,"./bs":622,"./bs.js":622,"./ca":2468,"./ca.js":2468,"./cs":5822,"./cs.js":5822,"./cv":877,"./cv.js":877,"./cy":7373,"./cy.js":7373,"./da":4780,"./da.js":4780,"./de":9740,"./de-at":217,"./de-at.js":217,"./de-ch":894,"./de-ch.js":894,"./de.js":9740,"./dv":5300,"./dv.js":5300,"./el":837,"./el.js":837,"./en-au":8348,"./en-au.js":8348,"./en-ca":7925,"./en-ca.js":7925,"./en-gb":2243,"./en-gb.js":2243,"./en-ie":6436,"./en-ie.js":6436,"./en-il":7207,"./en-il.js":7207,"./en-in":4175,"./en-in.js":4175,"./en-nz":6319,"./en-nz.js":6319,"./en-sg":1662,"./en-sg.js":1662,"./eo":2915,"./eo.js":2915,"./es":5655,"./es-do":5251,"./es-do.js":5251,"./es-mx":6112,"./es-mx.js":6112,"./es-us":1146,"./es-us.js":1146,"./es.js":5655,"./et":5603,"./et.js":5603,"./eu":7763,"./eu.js":7763,"./fa":6959,"./fa.js":6959,"./fi":1897,"./fi.js":1897,"./fil":2549,"./fil.js":2549,"./fo":4694,"./fo.js":4694,"./fr":4470,"./fr-ca":3049,"./fr-ca.js":3049,"./fr-ch":2330,"./fr-ch.js":2330,"./fr.js":4470,"./fy":5044,"./fy.js":5044,"./ga":9295,"./ga.js":9295,"./gd":2101,"./gd.js":2101,"./gl":8794,"./gl.js":8794,"./gom-deva":7884,"./gom-deva.js":7884,"./gom-latn":3168,"./gom-latn.js":3168,"./gu":5349,"./gu.js":5349,"./he":4206,"./he.js":4206,"./hi":94,"./hi.js":94,"./hr":316,"./hr.js":316,"./hu":2138,"./hu.js":2138,"./hy-am":1423,"./hy-am.js":1423,"./id":9218,"./id.js":9218,"./is":135,"./is.js":135,"./it":626,"./it-ch":150,"./it-ch.js":150,"./it.js":626,"./ja":9183,"./ja.js":9183,"./jv":4286,"./jv.js":4286,"./ka":2105,"./ka.js":2105,"./kk":7772,"./kk.js":7772,"./km":8758,"./km.js":8758,"./kn":9282,"./kn.js":9282,"./ko":3730,"./ko.js":3730,"./ku":1408,"./ku.js":1408,"./ky":3291,"./ky.js":3291,"./lb":6841,"./lb.js":6841,"./lo":5466,"./lo.js":5466,"./lt":7010,"./lt.js":7010,"./lv":7595,"./lv.js":7595,"./me":9861,"./me.js":9861,"./mi":5493,"./mi.js":5493,"./mk":5966,"./mk.js":5966,"./ml":7341,"./ml.js":7341,"./mn":5115,"./mn.js":5115,"./mr":370,"./mr.js":370,"./ms":9847,"./ms-my":1237,"./ms-my.js":1237,"./ms.js":9847,"./mt":2126,"./mt.js":2126,"./my":6165,"./my.js":6165,"./nb":4924,"./nb.js":4924,"./ne":6744,"./ne.js":6744,"./nl":3901,"./nl-be":9814,"./nl-be.js":9814,"./nl.js":3901,"./nn":3877,"./nn.js":3877,"./oc-lnc":2135,"./oc-lnc.js":2135,"./pa-in":5858,"./pa-in.js":5858,"./pl":4495,"./pl.js":4495,"./pt":9520,"./pt-br":7971,"./pt-br.js":7971,"./pt.js":9520,"./ro":6459,"./ro.js":6459,"./ru":1793,"./ru.js":1793,"./sd":950,"./sd.js":950,"./se":490,"./se.js":490,"./si":124,"./si.js":124,"./sk":4249,"./sk.js":4249,"./sl":4985,"./sl.js":4985,"./sq":1104,"./sq.js":1104,"./sr":9131,"./sr-cyrl":9915,"./sr-cyrl.js":9915,"./sr.js":9131,"./ss":5893,"./ss.js":5893,"./sv":8760,"./sv.js":8760,"./sw":1172,"./sw.js":1172,"./ta":1044,"./ta.js":1044,"./te":3110,"./te.js":3110,"./tet":2095,"./tet.js":2095,"./tg":7321,"./tg.js":7321,"./th":9041,"./th.js":9041,"./tk":9005,"./tk.js":9005,"./tl-ph":5768,"./tl-ph.js":5768,"./tlh":9444,"./tlh.js":9444,"./tr":2397,"./tr.js":2397,"./tzl":8254,"./tzl.js":8254,"./tzm":1106,"./tzm-latn":699,"./tzm-latn.js":699,"./tzm.js":1106,"./ug-cn":9288,"./ug-cn.js":9288,"./uk":7691,"./uk.js":7691,"./ur":3795,"./ur.js":3795,"./uz":6791,"./uz-latn":588,"./uz-latn.js":588,"./uz.js":6791,"./vi":5666,"./vi.js":5666,"./x-pseudo":4378,"./x-pseudo.js":4378,"./yo":5805,"./yo.js":5805,"./zh-cn":3839,"./zh-cn.js":3839,"./zh-hk":5726,"./zh-hk.js":5726,"./zh-mo":9807,"./zh-mo.js":9807,"./zh-tw":4152,"./zh-tw.js":4152};function o(e){var t=a(e);return n(t)}function a(e){if(!n.o(r,e)){var t=new Error("Cannot find module '"+e+"'");throw t.code="MODULE_NOT_FOUND",t}return r[e]}o.keys=function(){return Object.keys(r)},o.resolve=a,e.exports=o,o.id=6700},381:function(e,t,n){(e=n.nmd(e)).exports=function(){"use strict";var t,r;function o(){return t.apply(null,arguments)}function a(e){t=e}function i(e){return e instanceof Array||"[object Array]"===Object.prototype.toString.call(e)}function s(e){return null!=e&&"[object Object]"===Object.prototype.toString.call(e)}function l(e,t){return Object.prototype.hasOwnProperty.call(e,t)}function c(e){if(Object.getOwnPropertyNames)return 0===Object.getOwnPropertyNames(e).length;var t;for(t in e)if(l(e,t))return!1;return!0}function u(e){return void 0===e}function d(e){return"number"==typeof e||"[object Number]"===Object.prototype.toString.call(e)}function p(e){return e instanceof Date||"[object Date]"===Object.prototype.toString.call(e)}function m(e,t){var n,r=[];for(n=0;n>>0;for(t=0;t0)for(n=0;n<_.length;n++)u(o=t[r=_[n]])||(e[r]=o);return e}function w(e){k(this,e),this._d=new Date(null!=e._d?e._d.getTime():NaN),this.isValid()||(this._d=new Date(NaN)),!1===M&&(M=!0,o.updateOffset(this),M=!1)}function E(e){return e instanceof w||null!=e&&null!=e._isAMomentObject}function L(e){!1===o.suppressDeprecationWarnings&&"undefined"!=typeof console&&console.warn&&console.warn("Deprecation warning: "+e)}function A(e,t){var n=!0;return h((function(){if(null!=o.deprecationHandler&&o.deprecationHandler(null,e),n){var r,a,i,s=[];for(a=0;a=0?n?"+":"":"-")+Math.pow(10,Math.max(0,o)).toString().substr(1)+r}var P=/(\[[^\[]*\])|(\\)?([Hh]mm(ss)?|Mo|MM?M?M?|Do|DDDo|DD?D?D?|ddd?d?|do?|w[o|w]?|W[o|W]?|Qo?|N{1,5}|YYYYYY|YYYYY|YYYY|YY|y{2,4}|yo?|gg(ggg?)?|GG(GGG?)?|e|E|a|A|hh?|HH?|kk?|mm?|ss?|S{1,9}|x|X|zz?|ZZ?|.)/g,R=/(\[[^\[]*\])|(\\)?(LTS|LT|LL?L?L?|l{1,4})/g,W={},Y={};function H(e,t,n,r){var o=r;"string"==typeof r&&(o=function(){return this[r]()}),e&&(Y[e]=o),t&&(Y[t[0]]=function(){return I(o.apply(this,arguments),t[1],t[2])}),n&&(Y[n]=function(){return this.localeData().ordinal(o.apply(this,arguments),e)})}function q(e){return e.match(/\[[\s\S]/)?e.replace(/^\[|\]$/g,""):e.replace(/\\/g,"")}function j(e){var t,n,r=e.match(P);for(t=0,n=r.length;t=0&&R.test(e);)e=e.replace(R,r),R.lastIndex=0,n-=1;return e}var X={LTS:"h:mm:ss A",LT:"h:mm A",L:"MM/DD/YYYY",LL:"MMMM D, YYYY",LLL:"MMMM D, YYYY h:mm A",LLLL:"dddd, MMMM D, YYYY h:mm A"};function U(e){var t=this._longDateFormat[e],n=this._longDateFormat[e.toUpperCase()];return t||!n?t:(this._longDateFormat[e]=n.match(P).map((function(e){return"MMMM"===e||"MM"===e||"DD"===e||"dddd"===e?e.slice(1):e})).join(""),this._longDateFormat[e])}var $="Invalid date";function K(){return this._invalidDate}var G="%d",J=/\d{1,2}/;function Z(e){return this._ordinal.replace("%d",e)}var Q={future:"in %s",past:"%s ago",s:"a few seconds",ss:"%d seconds",m:"a minute",mm:"%d minutes",h:"an hour",hh:"%d hours",d:"a day",dd:"%d days",w:"a week",ww:"%d weeks",M:"a month",MM:"%d months",y:"a year",yy:"%d years"};function ee(e,t,n,r){var o=this._relativeTime[n];return x(o)?o(e,t,n,r):o.replace(/%d/i,e)}function te(e,t){var n=this._relativeTime[e>0?"future":"past"];return x(n)?n(t):n.replace(/%s/i,t)}var ne={};function re(e,t){var n=e.toLowerCase();ne[n]=ne[n+"s"]=ne[t]=e}function oe(e){return"string"==typeof e?ne[e]||ne[e.toLowerCase()]:void 0}function ae(e){var t,n,r={};for(n in e)l(e,n)&&(t=oe(n))&&(r[t]=e[n]);return r}var ie={};function se(e,t){ie[e]=t}function le(e){var t,n=[];for(t in e)l(e,t)&&n.push({unit:t,priority:ie[t]});return n.sort((function(e,t){return e.priority-t.priority})),n}function ce(e){return e%4==0&&e%100!=0||e%400==0}function ue(e){return e<0?Math.ceil(e)||0:Math.floor(e)}function de(e){var t=+e,n=0;return 0!==t&&isFinite(t)&&(n=ue(t)),n}function pe(e,t){return function(n){return null!=n?(he(this,e,n),o.updateOffset(this,t),this):me(this,e)}}function me(e,t){return e.isValid()?e._d["get"+(e._isUTC?"UTC":"")+t]():NaN}function he(e,t,n){e.isValid()&&!isNaN(n)&&("FullYear"===t&&ce(e.year())&&1===e.month()&&29===e.date()?(n=de(n),e._d["set"+(e._isUTC?"UTC":"")+t](n,e.month(),et(n,e.month()))):e._d["set"+(e._isUTC?"UTC":"")+t](n))}function fe(e){return x(this[e=oe(e)])?this[e]():this}function ge(e,t){if("object"==typeof e){var n,r=le(e=ae(e));for(n=0;n68?1900:2e3)};var bt=pe("FullYear",!0);function yt(){return ce(this.year())}function vt(e,t,n,r,o,a,i){var s;return e<100&&e>=0?(s=new Date(e+400,t,n,r,o,a,i),isFinite(s.getFullYear())&&s.setFullYear(e)):s=new Date(e,t,n,r,o,a,i),s}function _t(e){var t,n;return e<100&&e>=0?((n=Array.prototype.slice.call(arguments))[0]=e+400,t=new Date(Date.UTC.apply(null,n)),isFinite(t.getUTCFullYear())&&t.setUTCFullYear(e)):t=new Date(Date.UTC.apply(null,arguments)),t}function Mt(e,t,n){var r=7+t-n;return-(7+_t(e,0,r).getUTCDay()-t)%7+r-1}function kt(e,t,n,r,o){var a,i,s=1+7*(t-1)+(7+n-r)%7+Mt(e,r,o);return s<=0?i=gt(a=e-1)+s:s>gt(e)?(a=e+1,i=s-gt(e)):(a=e,i=s),{year:a,dayOfYear:i}}function wt(e,t,n){var r,o,a=Mt(e.year(),t,n),i=Math.floor((e.dayOfYear()-a-1)/7)+1;return i<1?r=i+Et(o=e.year()-1,t,n):i>Et(e.year(),t,n)?(r=i-Et(e.year(),t,n),o=e.year()+1):(o=e.year(),r=i),{week:r,year:o}}function Et(e,t,n){var r=Mt(e,t,n),o=Mt(e+1,t,n);return(gt(e)-r+o)/7}function Lt(e){return wt(e,this._week.dow,this._week.doy).week}H("w",["ww",2],"wo","week"),H("W",["WW",2],"Wo","isoWeek"),re("week","w"),re("isoWeek","W"),se("week",5),se("isoWeek",5),Be("w",we),Be("ww",we,ve),Be("W",we),Be("WW",we,ve),He(["w","ww","W","WW"],(function(e,t,n,r){t[r.substr(0,1)]=de(e)}));var At={dow:0,doy:6};function St(){return this._week.dow}function Ct(){return this._week.doy}function Tt(e){var t=this.localeData().week(this);return null==e?t:this.add(7*(e-t),"d")}function xt(e){var t=wt(this,1,4).week;return null==e?t:this.add(7*(e-t),"d")}function zt(e,t){return"string"!=typeof e?e:isNaN(e)?"number"==typeof(e=t.weekdaysParse(e))?e:null:parseInt(e,10)}function Ot(e,t){return"string"==typeof e?t.weekdaysParse(e)%7||7:isNaN(e)?null:e}function Nt(e,t){return e.slice(t,7).concat(e.slice(0,t))}H("d",0,"do","day"),H("dd",0,0,(function(e){return this.localeData().weekdaysMin(this,e)})),H("ddd",0,0,(function(e){return this.localeData().weekdaysShort(this,e)})),H("dddd",0,0,(function(e){return this.localeData().weekdays(this,e)})),H("e",0,0,"weekday"),H("E",0,0,"isoWeekday"),re("day","d"),re("weekday","e"),re("isoWeekday","E"),se("day",11),se("weekday",11),se("isoWeekday",11),Be("d",we),Be("e",we),Be("E",we),Be("dd",(function(e,t){return t.weekdaysMinRegex(e)})),Be("ddd",(function(e,t){return t.weekdaysShortRegex(e)})),Be("dddd",(function(e,t){return t.weekdaysRegex(e)})),He(["dd","ddd","dddd"],(function(e,t,n,r){var o=n._locale.weekdaysParse(e,r,n._strict);null!=o?t.d=o:b(n).invalidWeekday=e})),He(["d","e","E"],(function(e,t,n,r){t[r]=de(e)}));var Dt="Sunday_Monday_Tuesday_Wednesday_Thursday_Friday_Saturday".split("_"),Bt="Sun_Mon_Tue_Wed_Thu_Fri_Sat".split("_"),It="Su_Mo_Tu_We_Th_Fr_Sa".split("_"),Pt=De,Rt=De,Wt=De;function Yt(e,t){var n=i(this._weekdays)?this._weekdays:this._weekdays[e&&!0!==e&&this._weekdays.isFormat.test(t)?"format":"standalone"];return!0===e?Nt(n,this._week.dow):e?n[e.day()]:n}function Ht(e){return!0===e?Nt(this._weekdaysShort,this._week.dow):e?this._weekdaysShort[e.day()]:this._weekdaysShort}function qt(e){return!0===e?Nt(this._weekdaysMin,this._week.dow):e?this._weekdaysMin[e.day()]:this._weekdaysMin}function jt(e,t,n){var r,o,a,i=e.toLocaleLowerCase();if(!this._weekdaysParse)for(this._weekdaysParse=[],this._shortWeekdaysParse=[],this._minWeekdaysParse=[],r=0;r<7;++r)a=f([2e3,1]).day(r),this._minWeekdaysParse[r]=this.weekdaysMin(a,"").toLocaleLowerCase(),this._shortWeekdaysParse[r]=this.weekdaysShort(a,"").toLocaleLowerCase(),this._weekdaysParse[r]=this.weekdays(a,"").toLocaleLowerCase();return n?"dddd"===t?-1!==(o=je.call(this._weekdaysParse,i))?o:null:"ddd"===t?-1!==(o=je.call(this._shortWeekdaysParse,i))?o:null:-1!==(o=je.call(this._minWeekdaysParse,i))?o:null:"dddd"===t?-1!==(o=je.call(this._weekdaysParse,i))||-1!==(o=je.call(this._shortWeekdaysParse,i))||-1!==(o=je.call(this._minWeekdaysParse,i))?o:null:"ddd"===t?-1!==(o=je.call(this._shortWeekdaysParse,i))||-1!==(o=je.call(this._weekdaysParse,i))||-1!==(o=je.call(this._minWeekdaysParse,i))?o:null:-1!==(o=je.call(this._minWeekdaysParse,i))||-1!==(o=je.call(this._weekdaysParse,i))||-1!==(o=je.call(this._shortWeekdaysParse,i))?o:null}function Ft(e,t,n){var r,o,a;if(this._weekdaysParseExact)return jt.call(this,e,t,n);for(this._weekdaysParse||(this._weekdaysParse=[],this._minWeekdaysParse=[],this._shortWeekdaysParse=[],this._fullWeekdaysParse=[]),r=0;r<7;r++){if(o=f([2e3,1]).day(r),n&&!this._fullWeekdaysParse[r]&&(this._fullWeekdaysParse[r]=new RegExp("^"+this.weekdays(o,"").replace(".","\\.?")+"$","i"),this._shortWeekdaysParse[r]=new RegExp("^"+this.weekdaysShort(o,"").replace(".","\\.?")+"$","i"),this._minWeekdaysParse[r]=new RegExp("^"+this.weekdaysMin(o,"").replace(".","\\.?")+"$","i")),this._weekdaysParse[r]||(a="^"+this.weekdays(o,"")+"|^"+this.weekdaysShort(o,"")+"|^"+this.weekdaysMin(o,""),this._weekdaysParse[r]=new RegExp(a.replace(".",""),"i")),n&&"dddd"===t&&this._fullWeekdaysParse[r].test(e))return r;if(n&&"ddd"===t&&this._shortWeekdaysParse[r].test(e))return r;if(n&&"dd"===t&&this._minWeekdaysParse[r].test(e))return r;if(!n&&this._weekdaysParse[r].test(e))return r}}function Vt(e){if(!this.isValid())return null!=e?this:NaN;var t=this._isUTC?this._d.getUTCDay():this._d.getDay();return null!=e?(e=zt(e,this.localeData()),this.add(e-t,"d")):t}function Xt(e){if(!this.isValid())return null!=e?this:NaN;var t=(this.day()+7-this.localeData()._week.dow)%7;return null==e?t:this.add(e-t,"d")}function Ut(e){if(!this.isValid())return null!=e?this:NaN;if(null!=e){var t=Ot(e,this.localeData());return this.day(this.day()%7?t:t-7)}return this.day()||7}function $t(e){return this._weekdaysParseExact?(l(this,"_weekdaysRegex")||Jt.call(this),e?this._weekdaysStrictRegex:this._weekdaysRegex):(l(this,"_weekdaysRegex")||(this._weekdaysRegex=Pt),this._weekdaysStrictRegex&&e?this._weekdaysStrictRegex:this._weekdaysRegex)}function Kt(e){return this._weekdaysParseExact?(l(this,"_weekdaysRegex")||Jt.call(this),e?this._weekdaysShortStrictRegex:this._weekdaysShortRegex):(l(this,"_weekdaysShortRegex")||(this._weekdaysShortRegex=Rt),this._weekdaysShortStrictRegex&&e?this._weekdaysShortStrictRegex:this._weekdaysShortRegex)}function Gt(e){return this._weekdaysParseExact?(l(this,"_weekdaysRegex")||Jt.call(this),e?this._weekdaysMinStrictRegex:this._weekdaysMinRegex):(l(this,"_weekdaysMinRegex")||(this._weekdaysMinRegex=Wt),this._weekdaysMinStrictRegex&&e?this._weekdaysMinStrictRegex:this._weekdaysMinRegex)}function Jt(){function e(e,t){return t.length-e.length}var t,n,r,o,a,i=[],s=[],l=[],c=[];for(t=0;t<7;t++)n=f([2e3,1]).day(t),r=Re(this.weekdaysMin(n,"")),o=Re(this.weekdaysShort(n,"")),a=Re(this.weekdays(n,"")),i.push(r),s.push(o),l.push(a),c.push(r),c.push(o),c.push(a);i.sort(e),s.sort(e),l.sort(e),c.sort(e),this._weekdaysRegex=new RegExp("^("+c.join("|")+")","i"),this._weekdaysShortRegex=this._weekdaysRegex,this._weekdaysMinRegex=this._weekdaysRegex,this._weekdaysStrictRegex=new RegExp("^("+l.join("|")+")","i"),this._weekdaysShortStrictRegex=new RegExp("^("+s.join("|")+")","i"),this._weekdaysMinStrictRegex=new RegExp("^("+i.join("|")+")","i")}function Zt(){return this.hours()%12||12}function Qt(){return this.hours()||24}function en(e,t){H(e,0,0,(function(){return this.localeData().meridiem(this.hours(),this.minutes(),t)}))}function tn(e,t){return t._meridiemParse}function nn(e){return"p"===(e+"").toLowerCase().charAt(0)}H("H",["HH",2],0,"hour"),H("h",["hh",2],0,Zt),H("k",["kk",2],0,Qt),H("hmm",0,0,(function(){return""+Zt.apply(this)+I(this.minutes(),2)})),H("hmmss",0,0,(function(){return""+Zt.apply(this)+I(this.minutes(),2)+I(this.seconds(),2)})),H("Hmm",0,0,(function(){return""+this.hours()+I(this.minutes(),2)})),H("Hmmss",0,0,(function(){return""+this.hours()+I(this.minutes(),2)+I(this.seconds(),2)})),en("a",!0),en("A",!1),re("hour","h"),se("hour",13),Be("a",tn),Be("A",tn),Be("H",we),Be("h",we),Be("k",we),Be("HH",we,ve),Be("hh",we,ve),Be("kk",we,ve),Be("hmm",Ee),Be("hmmss",Le),Be("Hmm",Ee),Be("Hmmss",Le),Ye(["H","HH"],Ue),Ye(["k","kk"],(function(e,t,n){var r=de(e);t[Ue]=24===r?0:r})),Ye(["a","A"],(function(e,t,n){n._isPm=n._locale.isPM(e),n._meridiem=e})),Ye(["h","hh"],(function(e,t,n){t[Ue]=de(e),b(n).bigHour=!0})),Ye("hmm",(function(e,t,n){var r=e.length-2;t[Ue]=de(e.substr(0,r)),t[$e]=de(e.substr(r)),b(n).bigHour=!0})),Ye("hmmss",(function(e,t,n){var r=e.length-4,o=e.length-2;t[Ue]=de(e.substr(0,r)),t[$e]=de(e.substr(r,2)),t[Ke]=de(e.substr(o)),b(n).bigHour=!0})),Ye("Hmm",(function(e,t,n){var r=e.length-2;t[Ue]=de(e.substr(0,r)),t[$e]=de(e.substr(r))})),Ye("Hmmss",(function(e,t,n){var r=e.length-4,o=e.length-2;t[Ue]=de(e.substr(0,r)),t[$e]=de(e.substr(r,2)),t[Ke]=de(e.substr(o))}));var rn=/[ap]\.?m?\.?/i,on=pe("Hours",!0);function an(e,t,n){return e>11?n?"pm":"PM":n?"am":"AM"}var sn,ln={calendar:D,longDateFormat:X,invalidDate:$,ordinal:G,dayOfMonthOrdinalParse:J,relativeTime:Q,months:tt,monthsShort:nt,week:At,weekdays:Dt,weekdaysMin:It,weekdaysShort:Bt,meridiemParse:rn},cn={},un={};function dn(e,t){var n,r=Math.min(e.length,t.length);for(n=0;n0;){if(r=hn(o.slice(0,t).join("-")))return r;if(n&&n.length>=t&&dn(o,n)>=t-1)break;t--}a++}return sn}function hn(t){var r=null;if(void 0===cn[t]&&e&&e.exports)try{r=sn._abbr,n(6700)("./"+t),fn(r)}catch(e){cn[t]=null}return cn[t]}function fn(e,t){var n;return e&&((n=u(t)?yn(e):gn(e,t))?sn=n:"undefined"!=typeof console&&console.warn&&console.warn("Locale "+e+" not found. Did you forget to load it?")),sn._abbr}function gn(e,t){if(null!==t){var n,r=ln;if(t.abbr=e,null!=cn[e])T("defineLocaleOverride","use moment.updateLocale(localeName, config) to change an existing locale. moment.defineLocale(localeName, config) should only be used for creating a new locale See http://momentjs.com/guides/#/warnings/define-locale/ for more info."),r=cn[e]._config;else if(null!=t.parentLocale)if(null!=cn[t.parentLocale])r=cn[t.parentLocale]._config;else{if(null==(n=hn(t.parentLocale)))return un[t.parentLocale]||(un[t.parentLocale]=[]),un[t.parentLocale].push({name:e,config:t}),null;r=n._config}return cn[e]=new N(O(r,t)),un[e]&&un[e].forEach((function(e){gn(e.name,e.config)})),fn(e),cn[e]}return delete cn[e],null}function bn(e,t){if(null!=t){var n,r,o=ln;null!=cn[e]&&null!=cn[e].parentLocale?cn[e].set(O(cn[e]._config,t)):(null!=(r=hn(e))&&(o=r._config),t=O(o,t),null==r&&(t.abbr=e),(n=new N(t)).parentLocale=cn[e],cn[e]=n),fn(e)}else null!=cn[e]&&(null!=cn[e].parentLocale?(cn[e]=cn[e].parentLocale,e===fn()&&fn(e)):null!=cn[e]&&delete cn[e]);return cn[e]}function yn(e){var t;if(e&&e._locale&&e._locale._abbr&&(e=e._locale._abbr),!e)return sn;if(!i(e)){if(t=hn(e))return t;e=[e]}return mn(e)}function vn(){return S(cn)}function _n(e){var t,n=e._a;return n&&-2===b(e).overflow&&(t=n[Ve]<0||n[Ve]>11?Ve:n[Xe]<1||n[Xe]>et(n[Fe],n[Ve])?Xe:n[Ue]<0||n[Ue]>24||24===n[Ue]&&(0!==n[$e]||0!==n[Ke]||0!==n[Ge])?Ue:n[$e]<0||n[$e]>59?$e:n[Ke]<0||n[Ke]>59?Ke:n[Ge]<0||n[Ge]>999?Ge:-1,b(e)._overflowDayOfYear&&(tXe)&&(t=Xe),b(e)._overflowWeeks&&-1===t&&(t=Je),b(e)._overflowWeekday&&-1===t&&(t=Ze),b(e).overflow=t),e}var Mn=/^\s*((?:[+-]\d{6}|\d{4})-(?:\d\d-\d\d|W\d\d-\d|W\d\d|\d\d\d|\d\d))(?:(T| )(\d\d(?::\d\d(?::\d\d(?:[.,]\d+)?)?)?)([+-]\d\d(?::?\d\d)?|\s*Z)?)?$/,kn=/^\s*((?:[+-]\d{6}|\d{4})(?:\d\d\d\d|W\d\d\d|W\d\d|\d\d\d|\d\d|))(?:(T| )(\d\d(?:\d\d(?:\d\d(?:[.,]\d+)?)?)?)([+-]\d\d(?::?\d\d)?|\s*Z)?)?$/,wn=/Z|[+-]\d\d(?::?\d\d)?/,En=[["YYYYYY-MM-DD",/[+-]\d{6}-\d\d-\d\d/],["YYYY-MM-DD",/\d{4}-\d\d-\d\d/],["GGGG-[W]WW-E",/\d{4}-W\d\d-\d/],["GGGG-[W]WW",/\d{4}-W\d\d/,!1],["YYYY-DDD",/\d{4}-\d{3}/],["YYYY-MM",/\d{4}-\d\d/,!1],["YYYYYYMMDD",/[+-]\d{10}/],["YYYYMMDD",/\d{8}/],["GGGG[W]WWE",/\d{4}W\d{3}/],["GGGG[W]WW",/\d{4}W\d{2}/,!1],["YYYYDDD",/\d{7}/],["YYYYMM",/\d{6}/,!1],["YYYY",/\d{4}/,!1]],Ln=[["HH:mm:ss.SSSS",/\d\d:\d\d:\d\d\.\d+/],["HH:mm:ss,SSSS",/\d\d:\d\d:\d\d,\d+/],["HH:mm:ss",/\d\d:\d\d:\d\d/],["HH:mm",/\d\d:\d\d/],["HHmmss.SSSS",/\d\d\d\d\d\d\.\d+/],["HHmmss,SSSS",/\d\d\d\d\d\d,\d+/],["HHmmss",/\d\d\d\d\d\d/],["HHmm",/\d\d\d\d/],["HH",/\d\d/]],An=/^\/?Date\((-?\d+)/i,Sn=/^(?:(Mon|Tue|Wed|Thu|Fri|Sat|Sun),?\s)?(\d{1,2})\s(Jan|Feb|Mar|Apr|May|Jun|Jul|Aug|Sep|Oct|Nov|Dec)\s(\d{2,4})\s(\d\d):(\d\d)(?::(\d\d))?\s(?:(UT|GMT|[ECMP][SD]T)|([Zz])|([+-]\d{4}))$/,Cn={UT:0,GMT:0,EDT:-240,EST:-300,CDT:-300,CST:-360,MDT:-360,MST:-420,PDT:-420,PST:-480};function Tn(e){var t,n,r,o,a,i,s=e._i,l=Mn.exec(s)||kn.exec(s);if(l){for(b(e).iso=!0,t=0,n=En.length;tgt(a)||0===e._dayOfYear)&&(b(e)._overflowDayOfYear=!0),n=_t(a,0,e._dayOfYear),e._a[Ve]=n.getUTCMonth(),e._a[Xe]=n.getUTCDate()),t=0;t<3&&null==e._a[t];++t)e._a[t]=i[t]=r[t];for(;t<7;t++)e._a[t]=i[t]=null==e._a[t]?2===t?1:0:e._a[t];24===e._a[Ue]&&0===e._a[$e]&&0===e._a[Ke]&&0===e._a[Ge]&&(e._nextDay=!0,e._a[Ue]=0),e._d=(e._useUTC?_t:vt).apply(null,i),o=e._useUTC?e._d.getUTCDay():e._d.getDay(),null!=e._tzm&&e._d.setUTCMinutes(e._d.getUTCMinutes()-e._tzm),e._nextDay&&(e._a[Ue]=24),e._w&&void 0!==e._w.d&&e._w.d!==o&&(b(e).weekdayMismatch=!0)}}function Yn(e){var t,n,r,o,a,i,s,l,c;null!=(t=e._w).GG||null!=t.W||null!=t.E?(a=1,i=4,n=Pn(t.GG,e._a[Fe],wt(Kn(),1,4).year),r=Pn(t.W,1),((o=Pn(t.E,1))<1||o>7)&&(l=!0)):(a=e._locale._week.dow,i=e._locale._week.doy,c=wt(Kn(),a,i),n=Pn(t.gg,e._a[Fe],c.year),r=Pn(t.w,c.week),null!=t.d?((o=t.d)<0||o>6)&&(l=!0):null!=t.e?(o=t.e+a,(t.e<0||t.e>6)&&(l=!0)):o=a),r<1||r>Et(n,a,i)?b(e)._overflowWeeks=!0:null!=l?b(e)._overflowWeekday=!0:(s=kt(n,r,o,a,i),e._a[Fe]=s.year,e._dayOfYear=s.dayOfYear)}function Hn(e){if(e._f!==o.ISO_8601)if(e._f!==o.RFC_2822){e._a=[],b(e).empty=!0;var t,n,r,a,i,s,l=""+e._i,c=l.length,u=0;for(r=V(e._f,e._locale).match(P)||[],t=0;t0&&b(e).unusedInput.push(i),l=l.slice(l.indexOf(n)+n.length),u+=n.length),Y[a]?(n?b(e).empty=!1:b(e).unusedTokens.push(a),qe(a,n,e)):e._strict&&!n&&b(e).unusedTokens.push(a);b(e).charsLeftOver=c-u,l.length>0&&b(e).unusedInput.push(l),e._a[Ue]<=12&&!0===b(e).bigHour&&e._a[Ue]>0&&(b(e).bigHour=void 0),b(e).parsedDateParts=e._a.slice(0),b(e).meridiem=e._meridiem,e._a[Ue]=qn(e._locale,e._a[Ue],e._meridiem),null!==(s=b(e).era)&&(e._a[Fe]=e._locale.erasConvertYear(s,e._a[Fe])),Wn(e),_n(e)}else Bn(e);else Tn(e)}function qn(e,t,n){var r;return null==n?t:null!=e.meridiemHour?e.meridiemHour(t,n):null!=e.isPM?((r=e.isPM(n))&&t<12&&(t+=12),r||12!==t||(t=0),t):t}function jn(e){var t,n,r,o,a,i,s=!1;if(0===e._f.length)return b(e).invalidFormat=!0,void(e._d=new Date(NaN));for(o=0;othis?this:e:v()}));function Zn(e,t){var n,r;if(1===t.length&&i(t[0])&&(t=t[0]),!t.length)return Kn();for(n=t[0],r=1;rthis.clone().month(0).utcOffset()||this.utcOffset()>this.clone().month(5).utcOffset()}function kr(){if(!u(this._isDSTShifted))return this._isDSTShifted;var e,t={};return k(t,this),(t=Xn(t))._a?(e=t._isUTC?f(t._a):Kn(t._a),this._isDSTShifted=this.isValid()&&cr(t._a,e.toArray())>0):this._isDSTShifted=!1,this._isDSTShifted}function wr(){return!!this.isValid()&&!this._isUTC}function Er(){return!!this.isValid()&&this._isUTC}function Lr(){return!!this.isValid()&&this._isUTC&&0===this._offset}o.updateOffset=function(){};var Ar=/^(-|\+)?(?:(\d*)[. ])?(\d+):(\d+)(?::(\d+)(\.\d*)?)?$/,Sr=/^(-|\+)?P(?:([-+]?[0-9,.]*)Y)?(?:([-+]?[0-9,.]*)M)?(?:([-+]?[0-9,.]*)W)?(?:([-+]?[0-9,.]*)D)?(?:T(?:([-+]?[0-9,.]*)H)?(?:([-+]?[0-9,.]*)M)?(?:([-+]?[0-9,.]*)S)?)?$/;function Cr(e,t){var n,r,o,a=e,i=null;return sr(e)?a={ms:e._milliseconds,d:e._days,M:e._months}:d(e)||!isNaN(+e)?(a={},t?a[t]=+e:a.milliseconds=+e):(i=Ar.exec(e))?(n="-"===i[1]?-1:1,a={y:0,d:de(i[Xe])*n,h:de(i[Ue])*n,m:de(i[$e])*n,s:de(i[Ke])*n,ms:de(lr(1e3*i[Ge]))*n}):(i=Sr.exec(e))?(n="-"===i[1]?-1:1,a={y:Tr(i[2],n),M:Tr(i[3],n),w:Tr(i[4],n),d:Tr(i[5],n),h:Tr(i[6],n),m:Tr(i[7],n),s:Tr(i[8],n)}):null==a?a={}:"object"==typeof a&&("from"in a||"to"in a)&&(o=zr(Kn(a.from),Kn(a.to)),(a={}).ms=o.milliseconds,a.M=o.months),r=new ir(a),sr(e)&&l(e,"_locale")&&(r._locale=e._locale),sr(e)&&l(e,"_isValid")&&(r._isValid=e._isValid),r}function Tr(e,t){var n=e&&parseFloat(e.replace(",","."));return(isNaN(n)?0:n)*t}function xr(e,t){var n={};return n.months=t.month()-e.month()+12*(t.year()-e.year()),e.clone().add(n.months,"M").isAfter(t)&&--n.months,n.milliseconds=+t-+e.clone().add(n.months,"M"),n}function zr(e,t){var n;return e.isValid()&&t.isValid()?(t=mr(t,e),e.isBefore(t)?n=xr(e,t):((n=xr(t,e)).milliseconds=-n.milliseconds,n.months=-n.months),n):{milliseconds:0,months:0}}function Or(e,t){return function(n,r){var o;return null===r||isNaN(+r)||(T(t,"moment()."+t+"(period, number) is deprecated. Please use moment()."+t+"(number, period). See http://momentjs.com/guides/#/warnings/add-inverted-param/ for more info."),o=n,n=r,r=o),Nr(this,Cr(n,r),e),this}}function Nr(e,t,n,r){var a=t._milliseconds,i=lr(t._days),s=lr(t._months);e.isValid()&&(r=null==r||r,s&&ut(e,me(e,"Month")+s*n),i&&he(e,"Date",me(e,"Date")+i*n),a&&e._d.setTime(e._d.valueOf()+a*n),r&&o.updateOffset(e,i||s))}Cr.fn=ir.prototype,Cr.invalid=ar;var Dr=Or(1,"add"),Br=Or(-1,"subtract");function Ir(e){return"string"==typeof e||e instanceof String}function Pr(e){return E(e)||p(e)||Ir(e)||d(e)||Wr(e)||Rr(e)||null==e}function Rr(e){var t,n,r=s(e)&&!c(e),o=!1,a=["years","year","y","months","month","M","days","day","d","dates","date","D","hours","hour","h","minutes","minute","m","seconds","second","s","milliseconds","millisecond","ms"];for(t=0;tn.valueOf():n.valueOf()9999?F(n,t?"YYYYYY-MM-DD[T]HH:mm:ss.SSS[Z]":"YYYYYY-MM-DD[T]HH:mm:ss.SSSZ"):x(Date.prototype.toISOString)?t?this.toDate().toISOString():new Date(this.valueOf()+60*this.utcOffset()*1e3).toISOString().replace("Z",F(n,"Z")):F(n,t?"YYYY-MM-DD[T]HH:mm:ss.SSS[Z]":"YYYY-MM-DD[T]HH:mm:ss.SSSZ")}function eo(){if(!this.isValid())return"moment.invalid(/* "+this._i+" */)";var e,t,n,r,o="moment",a="";return this.isLocal()||(o=0===this.utcOffset()?"moment.utc":"moment.parseZone",a="Z"),e="["+o+'("]',t=0<=this.year()&&this.year()<=9999?"YYYY":"YYYYYY",n="-MM-DD[T]HH:mm:ss.SSS",r=a+'[")]',this.format(e+t+n+r)}function to(e){e||(e=this.isUtc()?o.defaultFormatUtc:o.defaultFormat);var t=F(this,e);return this.localeData().postformat(t)}function no(e,t){return this.isValid()&&(E(e)&&e.isValid()||Kn(e).isValid())?Cr({to:this,from:e}).locale(this.locale()).humanize(!t):this.localeData().invalidDate()}function ro(e){return this.from(Kn(),e)}function oo(e,t){return this.isValid()&&(E(e)&&e.isValid()||Kn(e).isValid())?Cr({from:this,to:e}).locale(this.locale()).humanize(!t):this.localeData().invalidDate()}function ao(e){return this.to(Kn(),e)}function io(e){var t;return void 0===e?this._locale._abbr:(null!=(t=yn(e))&&(this._locale=t),this)}o.defaultFormat="YYYY-MM-DDTHH:mm:ssZ",o.defaultFormatUtc="YYYY-MM-DDTHH:mm:ss[Z]";var so=A("moment().lang() is deprecated. Instead, use moment().localeData() to get the language configuration. Use moment().locale() to change languages.",(function(e){return void 0===e?this.localeData():this.locale(e)}));function lo(){return this._locale}var co=1e3,uo=60*co,po=60*uo,mo=3506328*po;function ho(e,t){return(e%t+t)%t}function fo(e,t,n){return e<100&&e>=0?new Date(e+400,t,n)-mo:new Date(e,t,n).valueOf()}function go(e,t,n){return e<100&&e>=0?Date.UTC(e+400,t,n)-mo:Date.UTC(e,t,n)}function bo(e){var t,n;if(void 0===(e=oe(e))||"millisecond"===e||!this.isValid())return this;switch(n=this._isUTC?go:fo,e){case"year":t=n(this.year(),0,1);break;case"quarter":t=n(this.year(),this.month()-this.month()%3,1);break;case"month":t=n(this.year(),this.month(),1);break;case"week":t=n(this.year(),this.month(),this.date()-this.weekday());break;case"isoWeek":t=n(this.year(),this.month(),this.date()-(this.isoWeekday()-1));break;case"day":case"date":t=n(this.year(),this.month(),this.date());break;case"hour":t=this._d.valueOf(),t-=ho(t+(this._isUTC?0:this.utcOffset()*uo),po);break;case"minute":t=this._d.valueOf(),t-=ho(t,uo);break;case"second":t=this._d.valueOf(),t-=ho(t,co)}return this._d.setTime(t),o.updateOffset(this,!0),this}function yo(e){var t,n;if(void 0===(e=oe(e))||"millisecond"===e||!this.isValid())return this;switch(n=this._isUTC?go:fo,e){case"year":t=n(this.year()+1,0,1)-1;break;case"quarter":t=n(this.year(),this.month()-this.month()%3+3,1)-1;break;case"month":t=n(this.year(),this.month()+1,1)-1;break;case"week":t=n(this.year(),this.month(),this.date()-this.weekday()+7)-1;break;case"isoWeek":t=n(this.year(),this.month(),this.date()-(this.isoWeekday()-1)+7)-1;break;case"day":case"date":t=n(this.year(),this.month(),this.date()+1)-1;break;case"hour":t=this._d.valueOf(),t+=po-ho(t+(this._isUTC?0:this.utcOffset()*uo),po)-1;break;case"minute":t=this._d.valueOf(),t+=uo-ho(t,uo)-1;break;case"second":t=this._d.valueOf(),t+=co-ho(t,co)-1}return this._d.setTime(t),o.updateOffset(this,!0),this}function vo(){return this._d.valueOf()-6e4*(this._offset||0)}function _o(){return Math.floor(this.valueOf()/1e3)}function Mo(){return new Date(this.valueOf())}function ko(){var e=this;return[e.year(),e.month(),e.date(),e.hour(),e.minute(),e.second(),e.millisecond()]}function wo(){var e=this;return{years:e.year(),months:e.month(),date:e.date(),hours:e.hours(),minutes:e.minutes(),seconds:e.seconds(),milliseconds:e.milliseconds()}}function Eo(){return this.isValid()?this.toISOString():null}function Lo(){return y(this)}function Ao(){return h({},b(this))}function So(){return b(this).overflow}function Co(){return{input:this._i,format:this._f,locale:this._locale,isUTC:this._isUTC,strict:this._strict}}function To(e,t){var n,r,a,i=this._eras||yn("en")._eras;for(n=0,r=i.length;n=0)return l[r]}function zo(e,t){var n=e.since<=e.until?1:-1;return void 0===t?o(e.since).year():o(e.since).year()+(t-e.offset)*n}function Oo(){var e,t,n,r=this.localeData().eras();for(e=0,t=r.length;e(a=Et(e,r,o))&&(t=a),Zo.call(this,e,t,n,r,o))}function Zo(e,t,n,r,o){var a=kt(e,t,n,r,o),i=_t(a.year,0,a.dayOfYear);return this.year(i.getUTCFullYear()),this.month(i.getUTCMonth()),this.date(i.getUTCDate()),this}function Qo(e){return null==e?Math.ceil((this.month()+1)/3):this.month(3*(e-1)+this.month()%3)}H("N",0,0,"eraAbbr"),H("NN",0,0,"eraAbbr"),H("NNN",0,0,"eraAbbr"),H("NNNN",0,0,"eraName"),H("NNNNN",0,0,"eraNarrow"),H("y",["y",1],"yo","eraYear"),H("y",["yy",2],0,"eraYear"),H("y",["yyy",3],0,"eraYear"),H("y",["yyyy",4],0,"eraYear"),Be("N",Wo),Be("NN",Wo),Be("NNN",Wo),Be("NNNN",Yo),Be("NNNNN",Ho),Ye(["N","NN","NNN","NNNN","NNNNN"],(function(e,t,n,r){var o=n._locale.erasParse(e,r,n._strict);o?b(n).era=o:b(n).invalidEra=e})),Be("y",Te),Be("yy",Te),Be("yyy",Te),Be("yyyy",Te),Be("yo",qo),Ye(["y","yy","yyy","yyyy"],Fe),Ye(["yo"],(function(e,t,n,r){var o;n._locale._eraYearOrdinalRegex&&(o=e.match(n._locale._eraYearOrdinalRegex)),n._locale.eraYearOrdinalParse?t[Fe]=n._locale.eraYearOrdinalParse(e,o):t[Fe]=parseInt(e,10)})),H(0,["gg",2],0,(function(){return this.weekYear()%100})),H(0,["GG",2],0,(function(){return this.isoWeekYear()%100})),Fo("gggg","weekYear"),Fo("ggggg","weekYear"),Fo("GGGG","isoWeekYear"),Fo("GGGGG","isoWeekYear"),re("weekYear","gg"),re("isoWeekYear","GG"),se("weekYear",1),se("isoWeekYear",1),Be("G",xe),Be("g",xe),Be("GG",we,ve),Be("gg",we,ve),Be("GGGG",Se,Me),Be("gggg",Se,Me),Be("GGGGG",Ce,ke),Be("ggggg",Ce,ke),He(["gggg","ggggg","GGGG","GGGGG"],(function(e,t,n,r){t[r.substr(0,2)]=de(e)})),He(["gg","GG"],(function(e,t,n,r){t[r]=o.parseTwoDigitYear(e)})),H("Q",0,"Qo","quarter"),re("quarter","Q"),se("quarter",7),Be("Q",ye),Ye("Q",(function(e,t){t[Ve]=3*(de(e)-1)})),H("D",["DD",2],"Do","date"),re("date","D"),se("date",9),Be("D",we),Be("DD",we,ve),Be("Do",(function(e,t){return e?t._dayOfMonthOrdinalParse||t._ordinalParse:t._dayOfMonthOrdinalParseLenient})),Ye(["D","DD"],Xe),Ye("Do",(function(e,t){t[Xe]=de(e.match(we)[0])}));var ea=pe("Date",!0);function ta(e){var t=Math.round((this.clone().startOf("day")-this.clone().startOf("year"))/864e5)+1;return null==e?t:this.add(e-t,"d")}H("DDD",["DDDD",3],"DDDo","dayOfYear"),re("dayOfYear","DDD"),se("dayOfYear",4),Be("DDD",Ae),Be("DDDD",_e),Ye(["DDD","DDDD"],(function(e,t,n){n._dayOfYear=de(e)})),H("m",["mm",2],0,"minute"),re("minute","m"),se("minute",14),Be("m",we),Be("mm",we,ve),Ye(["m","mm"],$e);var na=pe("Minutes",!1);H("s",["ss",2],0,"second"),re("second","s"),se("second",15),Be("s",we),Be("ss",we,ve),Ye(["s","ss"],Ke);var ra,oa,aa=pe("Seconds",!1);for(H("S",0,0,(function(){return~~(this.millisecond()/100)})),H(0,["SS",2],0,(function(){return~~(this.millisecond()/10)})),H(0,["SSS",3],0,"millisecond"),H(0,["SSSS",4],0,(function(){return 10*this.millisecond()})),H(0,["SSSSS",5],0,(function(){return 100*this.millisecond()})),H(0,["SSSSSS",6],0,(function(){return 1e3*this.millisecond()})),H(0,["SSSSSSS",7],0,(function(){return 1e4*this.millisecond()})),H(0,["SSSSSSSS",8],0,(function(){return 1e5*this.millisecond()})),H(0,["SSSSSSSSS",9],0,(function(){return 1e6*this.millisecond()})),re("millisecond","ms"),se("millisecond",16),Be("S",Ae,ye),Be("SS",Ae,ve),Be("SSS",Ae,_e),ra="SSSS";ra.length<=9;ra+="S")Be(ra,Te);function ia(e,t){t[Ge]=de(1e3*("0."+e))}for(ra="S";ra.length<=9;ra+="S")Ye(ra,ia);function sa(){return this._isUTC?"UTC":""}function la(){return this._isUTC?"Coordinated Universal Time":""}oa=pe("Milliseconds",!1),H("z",0,0,"zoneAbbr"),H("zz",0,0,"zoneName");var ca=w.prototype;function ua(e){return Kn(1e3*e)}function da(){return Kn.apply(null,arguments).parseZone()}function pa(e){return e}ca.add=Dr,ca.calendar=qr,ca.clone=jr,ca.diff=Gr,ca.endOf=yo,ca.format=to,ca.from=no,ca.fromNow=ro,ca.to=oo,ca.toNow=ao,ca.get=fe,ca.invalidAt=So,ca.isAfter=Fr,ca.isBefore=Vr,ca.isBetween=Xr,ca.isSame=Ur,ca.isSameOrAfter=$r,ca.isSameOrBefore=Kr,ca.isValid=Lo,ca.lang=so,ca.locale=io,ca.localeData=lo,ca.max=Jn,ca.min=Gn,ca.parsingFlags=Ao,ca.set=ge,ca.startOf=bo,ca.subtract=Br,ca.toArray=ko,ca.toObject=wo,ca.toDate=Mo,ca.toISOString=Qr,ca.inspect=eo,"undefined"!=typeof Symbol&&null!=Symbol.for&&(ca[Symbol.for("nodejs.util.inspect.custom")]=function(){return"Moment<"+this.format()+">"}),ca.toJSON=Eo,ca.toString=Zr,ca.unix=_o,ca.valueOf=vo,ca.creationData=Co,ca.eraName=Oo,ca.eraNarrow=No,ca.eraAbbr=Do,ca.eraYear=Bo,ca.year=bt,ca.isLeapYear=yt,ca.weekYear=Vo,ca.isoWeekYear=Xo,ca.quarter=ca.quarters=Qo,ca.month=dt,ca.daysInMonth=pt,ca.week=ca.weeks=Tt,ca.isoWeek=ca.isoWeeks=xt,ca.weeksInYear=Ko,ca.weeksInWeekYear=Go,ca.isoWeeksInYear=Uo,ca.isoWeeksInISOWeekYear=$o,ca.date=ea,ca.day=ca.days=Vt,ca.weekday=Xt,ca.isoWeekday=Ut,ca.dayOfYear=ta,ca.hour=ca.hours=on,ca.minute=ca.minutes=na,ca.second=ca.seconds=aa,ca.millisecond=ca.milliseconds=oa,ca.utcOffset=fr,ca.utc=br,ca.local=yr,ca.parseZone=vr,ca.hasAlignedHourOffset=_r,ca.isDST=Mr,ca.isLocal=wr,ca.isUtcOffset=Er,ca.isUtc=Lr,ca.isUTC=Lr,ca.zoneAbbr=sa,ca.zoneName=la,ca.dates=A("dates accessor is deprecated. Use date instead.",ea),ca.months=A("months accessor is deprecated. Use month instead",dt),ca.years=A("years accessor is deprecated. Use year instead",bt),ca.zone=A("moment().zone is deprecated, use moment().utcOffset instead. http://momentjs.com/guides/#/warnings/zone/",gr),ca.isDSTShifted=A("isDSTShifted is deprecated. See http://momentjs.com/guides/#/warnings/dst-shifted/ for more information",kr);var ma=N.prototype;function ha(e,t,n,r){var o=yn(),a=f().set(r,t);return o[n](a,e)}function fa(e,t,n){if(d(e)&&(t=e,e=void 0),e=e||"",null!=t)return ha(e,t,n,"month");var r,o=[];for(r=0;r<12;r++)o[r]=ha(e,r,n,"month");return o}function ga(e,t,n,r){"boolean"==typeof e?(d(t)&&(n=t,t=void 0),t=t||""):(n=t=e,e=!1,d(t)&&(n=t,t=void 0),t=t||"");var o,a=yn(),i=e?a._week.dow:0,s=[];if(null!=n)return ha(t,(n+i)%7,r,"day");for(o=0;o<7;o++)s[o]=ha(t,(o+i)%7,r,"day");return s}function ba(e,t){return fa(e,t,"months")}function ya(e,t){return fa(e,t,"monthsShort")}function va(e,t,n){return ga(e,t,n,"weekdays")}function _a(e,t,n){return ga(e,t,n,"weekdaysShort")}function Ma(e,t,n){return ga(e,t,n,"weekdaysMin")}ma.calendar=B,ma.longDateFormat=U,ma.invalidDate=K,ma.ordinal=Z,ma.preparse=pa,ma.postformat=pa,ma.relativeTime=ee,ma.pastFuture=te,ma.set=z,ma.eras=To,ma.erasParse=xo,ma.erasConvertYear=zo,ma.erasAbbrRegex=Po,ma.erasNameRegex=Io,ma.erasNarrowRegex=Ro,ma.months=it,ma.monthsShort=st,ma.monthsParse=ct,ma.monthsRegex=ht,ma.monthsShortRegex=mt,ma.week=Lt,ma.firstDayOfYear=Ct,ma.firstDayOfWeek=St,ma.weekdays=Yt,ma.weekdaysMin=qt,ma.weekdaysShort=Ht,ma.weekdaysParse=Ft,ma.weekdaysRegex=$t,ma.weekdaysShortRegex=Kt,ma.weekdaysMinRegex=Gt,ma.isPM=nn,ma.meridiem=an,fn("en",{eras:[{since:"0001-01-01",until:1/0,offset:1,name:"Anno Domini",narrow:"AD",abbr:"AD"},{since:"0000-12-31",until:-1/0,offset:1,name:"Before Christ",narrow:"BC",abbr:"BC"}],dayOfMonthOrdinalParse:/\d{1,2}(th|st|nd|rd)/,ordinal:function(e){var t=e%10;return e+(1===de(e%100/10)?"th":1===t?"st":2===t?"nd":3===t?"rd":"th")}}),o.lang=A("moment.lang is deprecated. Use moment.locale instead.",fn),o.langData=A("moment.langData is deprecated. Use moment.localeData instead.",yn);var ka=Math.abs;function wa(){var e=this._data;return this._milliseconds=ka(this._milliseconds),this._days=ka(this._days),this._months=ka(this._months),e.milliseconds=ka(e.milliseconds),e.seconds=ka(e.seconds),e.minutes=ka(e.minutes),e.hours=ka(e.hours),e.months=ka(e.months),e.years=ka(e.years),this}function Ea(e,t,n,r){var o=Cr(t,n);return e._milliseconds+=r*o._milliseconds,e._days+=r*o._days,e._months+=r*o._months,e._bubble()}function La(e,t){return Ea(this,e,t,1)}function Aa(e,t){return Ea(this,e,t,-1)}function Sa(e){return e<0?Math.floor(e):Math.ceil(e)}function Ca(){var e,t,n,r,o,a=this._milliseconds,i=this._days,s=this._months,l=this._data;return a>=0&&i>=0&&s>=0||a<=0&&i<=0&&s<=0||(a+=864e5*Sa(xa(s)+i),i=0,s=0),l.milliseconds=a%1e3,e=ue(a/1e3),l.seconds=e%60,t=ue(e/60),l.minutes=t%60,n=ue(t/60),l.hours=n%24,i+=ue(n/24),s+=o=ue(Ta(i)),i-=Sa(xa(o)),r=ue(s/12),s%=12,l.days=i,l.months=s,l.years=r,this}function Ta(e){return 4800*e/146097}function xa(e){return 146097*e/4800}function za(e){if(!this.isValid())return NaN;var t,n,r=this._milliseconds;if("month"===(e=oe(e))||"quarter"===e||"year"===e)switch(t=this._days+r/864e5,n=this._months+Ta(t),e){case"month":return n;case"quarter":return n/3;case"year":return n/12}else switch(t=this._days+Math.round(xa(this._months)),e){case"week":return t/7+r/6048e5;case"day":return t+r/864e5;case"hour":return 24*t+r/36e5;case"minute":return 1440*t+r/6e4;case"second":return 86400*t+r/1e3;case"millisecond":return Math.floor(864e5*t)+r;default:throw new Error("Unknown unit "+e)}}function Oa(){return this.isValid()?this._milliseconds+864e5*this._days+this._months%12*2592e6+31536e6*de(this._months/12):NaN}function Na(e){return function(){return this.as(e)}}var Da=Na("ms"),Ba=Na("s"),Ia=Na("m"),Pa=Na("h"),Ra=Na("d"),Wa=Na("w"),Ya=Na("M"),Ha=Na("Q"),qa=Na("y");function ja(){return Cr(this)}function Fa(e){return e=oe(e),this.isValid()?this[e+"s"]():NaN}function Va(e){return function(){return this.isValid()?this._data[e]:NaN}}var Xa=Va("milliseconds"),Ua=Va("seconds"),$a=Va("minutes"),Ka=Va("hours"),Ga=Va("days"),Ja=Va("months"),Za=Va("years");function Qa(){return ue(this.days()/7)}var ei=Math.round,ti={ss:44,s:45,m:45,h:22,d:26,w:null,M:11};function ni(e,t,n,r,o){return o.relativeTime(t||1,!!n,e,r)}function ri(e,t,n,r){var o=Cr(e).abs(),a=ei(o.as("s")),i=ei(o.as("m")),s=ei(o.as("h")),l=ei(o.as("d")),c=ei(o.as("M")),u=ei(o.as("w")),d=ei(o.as("y")),p=a<=n.ss&&["s",a]||a0,p[4]=r,ni.apply(null,p)}function oi(e){return void 0===e?ei:"function"==typeof e&&(ei=e,!0)}function ai(e,t){return void 0!==ti[e]&&(void 0===t?ti[e]:(ti[e]=t,"s"===e&&(ti.ss=t-1),!0))}function ii(e,t){if(!this.isValid())return this.localeData().invalidDate();var n,r,o=!1,a=ti;return"object"==typeof e&&(t=e,e=!1),"boolean"==typeof e&&(o=e),"object"==typeof t&&(a=Object.assign({},ti,t),null!=t.s&&null==t.ss&&(a.ss=t.s-1)),r=ri(this,!o,a,n=this.localeData()),o&&(r=n.pastFuture(+this,r)),n.postformat(r)}var si=Math.abs;function li(e){return(e>0)-(e<0)||+e}function ci(){if(!this.isValid())return this.localeData().invalidDate();var e,t,n,r,o,a,i,s,l=si(this._milliseconds)/1e3,c=si(this._days),u=si(this._months),d=this.asSeconds();return d?(e=ue(l/60),t=ue(e/60),l%=60,e%=60,n=ue(u/12),u%=12,r=l?l.toFixed(3).replace(/\.?0+$/,""):"",o=d<0?"-":"",a=li(this._months)!==li(d)?"-":"",i=li(this._days)!==li(d)?"-":"",s=li(this._milliseconds)!==li(d)?"-":"",o+"P"+(n?a+n+"Y":"")+(u?a+u+"M":"")+(c?i+c+"D":"")+(t||e||l?"T":"")+(t?s+t+"H":"")+(e?s+e+"M":"")+(l?s+r+"S":"")):"P0D"}var ui=ir.prototype;return ui.isValid=or,ui.abs=wa,ui.add=La,ui.subtract=Aa,ui.as=za,ui.asMilliseconds=Da,ui.asSeconds=Ba,ui.asMinutes=Ia,ui.asHours=Pa,ui.asDays=Ra,ui.asWeeks=Wa,ui.asMonths=Ya,ui.asQuarters=Ha,ui.asYears=qa,ui.valueOf=Oa,ui._bubble=Ca,ui.clone=ja,ui.get=Fa,ui.milliseconds=Xa,ui.seconds=Ua,ui.minutes=$a,ui.hours=Ka,ui.days=Ga,ui.weeks=Qa,ui.months=Ja,ui.years=Za,ui.humanize=ii,ui.toISOString=ci,ui.toString=ci,ui.toJSON=ci,ui.locale=io,ui.localeData=lo,ui.toIsoString=A("toIsoString() is deprecated. Please use toISOString() instead (notice the capitals)",ci),ui.lang=so,H("X",0,0,"unix"),H("x",0,0,"valueOf"),Be("x",xe),Be("X",Ne),Ye("X",(function(e,t,n){n._d=new Date(1e3*parseFloat(e))})),Ye("x",(function(e,t,n){n._d=new Date(de(e))})),o.version="2.29.1",a(Kn),o.fn=ca,o.min=Qn,o.max=er,o.now=tr,o.utc=f,o.unix=ua,o.months=ba,o.isDate=p,o.locale=fn,o.invalid=v,o.duration=Cr,o.isMoment=E,o.weekdays=va,o.parseZone=da,o.localeData=yn,o.isDuration=sr,o.monthsShort=ya,o.weekdaysMin=Ma,o.defineLocale=gn,o.updateLocale=bn,o.locales=vn,o.weekdaysShort=_a,o.normalizeUnits=oe,o.relativeTimeRounding=oi,o.relativeTimeThreshold=ai,o.calendarFormat=Hr,o.prototype=ca,o.HTML5_FMT={DATETIME_LOCAL:"YYYY-MM-DDTHH:mm",DATETIME_LOCAL_SECONDS:"YYYY-MM-DDTHH:mm:ss",DATETIME_LOCAL_MS:"YYYY-MM-DDTHH:mm:ss.SSS",DATE:"YYYY-MM-DD",TIME:"HH:mm",TIME_SECONDS:"HH:mm:ss",TIME_MS:"HH:mm:ss.SSS",WEEK:"GGGG-[W]WW",MONTH:"YYYY-MM"},o}()},2441:(e,t,n)=>{var r;!function(o,a,i){if(o){for(var s,l={8:"backspace",9:"tab",13:"enter",16:"shift",17:"ctrl",18:"alt",20:"capslock",27:"esc",32:"space",33:"pageup",34:"pagedown",35:"end",36:"home",37:"left",38:"up",39:"right",40:"down",45:"ins",46:"del",91:"meta",93:"meta",224:"meta"},c={106:"*",107:"+",109:"-",110:".",111:"/",186:";",187:"=",188:",",189:"-",190:".",191:"/",192:"`",219:"[",220:"\\",221:"]",222:"'"},u={"~":"`","!":"1","@":"2","#":"3",$:"4","%":"5","^":"6","&":"7","*":"8","(":"9",")":"0",_:"-","+":"=",":":";",'"':"'","<":",",">":".","?":"/","|":"\\"},d={option:"alt",command:"meta",return:"enter",escape:"esc",plus:"+",mod:/Mac|iPod|iPhone|iPad/.test(navigator.platform)?"meta":"ctrl"},p=1;p<20;++p)l[111+p]="f"+p;for(p=0;p<=9;++p)l[p+96]=p.toString();v.prototype.bind=function(e,t,n){var r=this;return e=e instanceof Array?e:[e],r._bindMultiple.call(r,e,t,n),r},v.prototype.unbind=function(e,t){return this.bind.call(this,e,(function(){}),t)},v.prototype.trigger=function(e,t){var n=this;return n._directMap[e+":"+t]&&n._directMap[e+":"+t]({},e),n},v.prototype.reset=function(){var e=this;return e._callbacks={},e._directMap={},e},v.prototype.stopCallback=function(e,t){if((" "+t.className+" ").indexOf(" mousetrap ")>-1)return!1;if(y(t,this.target))return!1;if("composedPath"in e&&"function"==typeof e.composedPath){var n=e.composedPath()[0];n!==e.target&&(t=n)}return"INPUT"==t.tagName||"SELECT"==t.tagName||"TEXTAREA"==t.tagName||t.isContentEditable},v.prototype.handleKey=function(){var e=this;return e._handleKey.apply(e,arguments)},v.addKeycodes=function(e){for(var t in e)e.hasOwnProperty(t)&&(l[t]=e[t]);s=null},v.init=function(){var e=v(a);for(var t in e)"_"!==t.charAt(0)&&(v[t]=function(t){return function(){return e[t].apply(e,arguments)}}(t))},v.init(),o.Mousetrap=v,e.exports&&(e.exports=v),void 0===(r=function(){return v}.call(t,n,t,e))||(e.exports=r)}function m(e,t,n){e.addEventListener?e.addEventListener(t,n,!1):e.attachEvent("on"+t,n)}function h(e){if("keypress"==e.type){var t=String.fromCharCode(e.which);return e.shiftKey||(t=t.toLowerCase()),t}return l[e.which]?l[e.which]:c[e.which]?c[e.which]:String.fromCharCode(e.which).toLowerCase()}function f(e){return"shift"==e||"ctrl"==e||"alt"==e||"meta"==e}function g(e,t,n){return n||(n=function(){if(!s)for(var e in s={},l)e>95&&e<112||l.hasOwnProperty(e)&&(s[l[e]]=e);return s}()[e]?"keydown":"keypress"),"keypress"==n&&t.length&&(n="keydown"),n}function b(e,t){var n,r,o,a=[];for(n=function(e){return"+"===e?["+"]:(e=e.replace(/\+{2}/g,"+plus")).split("+")}(e),o=0;o1?p(e,s,n,r):(i=b(e,r),t._callbacks[i.key]=t._callbacks[i.key]||[],c(i.key,i.modifiers,{type:i.action},o,e,a),t._callbacks[i.key][o?"unshift":"push"]({callback:n,modifiers:i.modifiers,action:i.action,seq:o,level:a,combo:e}))}t._handleKey=function(e,t,n){var r,o=c(e,t,n),a={},d=0,p=!1;for(r=0;r{!function(e){if(e){var t={},n=e.prototype.stopCallback;e.prototype.stopCallback=function(e,r,o,a){return!!this.paused||!t[o]&&!t[a]&&n.call(this,e,r,o)},e.prototype.bindGlobal=function(e,n,r){if(this.bind(e,n,r),e instanceof Array)for(var o=0;o{e.exports=n(643)},3264:e=>{"use strict";var t=!("undefined"==typeof window||!window.document||!window.document.createElement),n={canUseDOM:t,canUseWorkers:"undefined"!=typeof Worker,canUseEventListeners:t&&!(!window.addEventListener&&!window.attachEvent),canUseViewport:t&&!!window.screen,isInWorker:!t};e.exports=n},4518:e=>{var t,n,r,o,a,i,s,l,c,u,d,p,m,h,f,g=!1;function b(){if(!g){g=!0;var e=navigator.userAgent,b=/(?:MSIE.(\d+\.\d+))|(?:(?:Firefox|GranParadiso|Iceweasel).(\d+\.\d+))|(?:Opera(?:.+Version.|.)(\d+\.\d+))|(?:AppleWebKit.(\d+(?:\.\d+)?))|(?:Trident\/\d+\.\d+.*rv:(\d+\.\d+))/.exec(e),y=/(Mac OS X)|(Windows)|(Linux)/.exec(e);if(p=/\b(iPhone|iP[ao]d)/.exec(e),m=/\b(iP[ao]d)/.exec(e),u=/Android/i.exec(e),h=/FBAN\/\w+;/i.exec(e),f=/Mobile/i.exec(e),d=!!/Win64/.exec(e),b){(t=b[1]?parseFloat(b[1]):b[5]?parseFloat(b[5]):NaN)&&document&&document.documentMode&&(t=document.documentMode);var v=/(?:Trident\/(\d+.\d+))/.exec(e);i=v?parseFloat(v[1])+4:t,n=b[2]?parseFloat(b[2]):NaN,r=b[3]?parseFloat(b[3]):NaN,(o=b[4]?parseFloat(b[4]):NaN)?(b=/(?:Chrome\/(\d+\.\d+))/.exec(e),a=b&&b[1]?parseFloat(b[1]):NaN):a=NaN}else t=n=r=a=o=NaN;if(y){if(y[1]){var _=/(?:Mac OS X (\d+(?:[._]\d+)?))/.exec(e);s=!_||parseFloat(_[1].replace("_","."))}else s=!1;l=!!y[2],c=!!y[3]}else s=l=c=!1}}var y={ie:function(){return b()||t},ieCompatibilityMode:function(){return b()||i>t},ie64:function(){return y.ie()&&d},firefox:function(){return b()||n},opera:function(){return b()||r},webkit:function(){return b()||o},safari:function(){return y.webkit()},chrome:function(){return b()||a},windows:function(){return b()||l},osx:function(){return b()||s},linux:function(){return b()||c},iphone:function(){return b()||p},mobile:function(){return b()||p||m||u||f},nativeApp:function(){return b()||h},android:function(){return b()||u},ipad:function(){return b()||m}};e.exports=y},6534:(e,t,n)=>{"use strict";var r,o=n(3264);o.canUseDOM&&(r=document.implementation&&document.implementation.hasFeature&&!0!==document.implementation.hasFeature("","")),e.exports=function(e,t){if(!o.canUseDOM||t&&!("addEventListener"in document))return!1;var n="on"+e,a=n in document;if(!a){var i=document.createElement("div");i.setAttribute(n,"return;"),a="function"==typeof i[n]}return!a&&r&&"wheel"===e&&(a=document.implementation.hasFeature("Events.wheel","3.0")),a}},643:(e,t,n)=>{"use strict";var r=n(4518),o=n(6534);function a(e){var t=0,n=0,r=0,o=0;return"detail"in e&&(n=e.detail),"wheelDelta"in e&&(n=-e.wheelDelta/120),"wheelDeltaY"in e&&(n=-e.wheelDeltaY/120),"wheelDeltaX"in e&&(t=-e.wheelDeltaX/120),"axis"in e&&e.axis===e.HORIZONTAL_AXIS&&(t=n,n=0),r=10*t,o=10*n,"deltaY"in e&&(o=e.deltaY),"deltaX"in e&&(r=e.deltaX),(r||o)&&e.deltaMode&&(1==e.deltaMode?(r*=40,o*=40):(r*=800,o*=800)),r&&!t&&(t=r<1?-1:1),o&&!n&&(n=o<1?-1:1),{spinX:t,spinY:n,pixelX:r,pixelY:o}}a.getEventType=function(){return r.firefox()?"DOMMouseScroll":o("wheel")?"wheel":"mousewheel"},e.exports=a},631:(e,t,n)=>{var r="function"==typeof Map&&Map.prototype,o=Object.getOwnPropertyDescriptor&&r?Object.getOwnPropertyDescriptor(Map.prototype,"size"):null,a=r&&o&&"function"==typeof o.get?o.get:null,i=r&&Map.prototype.forEach,s="function"==typeof Set&&Set.prototype,l=Object.getOwnPropertyDescriptor&&s?Object.getOwnPropertyDescriptor(Set.prototype,"size"):null,c=s&&l&&"function"==typeof l.get?l.get:null,u=s&&Set.prototype.forEach,d="function"==typeof WeakMap&&WeakMap.prototype?WeakMap.prototype.has:null,p="function"==typeof WeakSet&&WeakSet.prototype?WeakSet.prototype.has:null,m="function"==typeof WeakRef&&WeakRef.prototype?WeakRef.prototype.deref:null,h=Boolean.prototype.valueOf,f=Object.prototype.toString,g=Function.prototype.toString,b=String.prototype.match,y="function"==typeof BigInt?BigInt.prototype.valueOf:null,v=Object.getOwnPropertySymbols,_="function"==typeof Symbol&&"symbol"==typeof Symbol.iterator?Symbol.prototype.toString:null,M="function"==typeof Symbol&&"object"==typeof Symbol.iterator,k=Object.prototype.propertyIsEnumerable,w=("function"==typeof Reflect?Reflect.getPrototypeOf:Object.getPrototypeOf)||([].__proto__===Array.prototype?function(e){return e.__proto__}:null),E=n(4654).custom,L=E&&x(E)?E:null,A="function"==typeof Symbol&&void 0!==Symbol.toStringTag?Symbol.toStringTag:null;function S(e,t,n){var r="double"===(n.quoteStyle||t)?'"':"'";return r+e+r}function C(e){return String(e).replace(/"/g,""")}function T(e){return!("[object Array]"!==N(e)||A&&"object"==typeof e&&A in e)}function x(e){if(M)return e&&"object"==typeof e&&e instanceof Symbol;if("symbol"==typeof e)return!0;if(!e||"object"!=typeof e||!_)return!1;try{return _.call(e),!0}catch(e){}return!1}e.exports=function e(t,n,r,o){var s=n||{};if(O(s,"quoteStyle")&&"single"!==s.quoteStyle&&"double"!==s.quoteStyle)throw new TypeError('option "quoteStyle" must be "single" or "double"');if(O(s,"maxStringLength")&&("number"==typeof s.maxStringLength?s.maxStringLength<0&&s.maxStringLength!==1/0:null!==s.maxStringLength))throw new TypeError('option "maxStringLength", if provided, must be a positive integer, Infinity, or `null`');var l=!O(s,"customInspect")||s.customInspect;if("boolean"!=typeof l&&"symbol"!==l)throw new TypeError("option \"customInspect\", if provided, must be `true`, `false`, or `'symbol'`");if(O(s,"indent")&&null!==s.indent&&"\t"!==s.indent&&!(parseInt(s.indent,10)===s.indent&&s.indent>0))throw new TypeError('options "indent" must be "\\t", an integer > 0, or `null`');if(void 0===t)return"undefined";if(null===t)return"null";if("boolean"==typeof t)return t?"true":"false";if("string"==typeof t)return B(t,s);if("number"==typeof t)return 0===t?1/0/t>0?"0":"-0":String(t);if("bigint"==typeof t)return String(t)+"n";var f=void 0===s.depth?5:s.depth;if(void 0===r&&(r=0),r>=f&&f>0&&"object"==typeof t)return T(t)?"[Array]":"[Object]";var v=function(e,t){var n;if("\t"===e.indent)n="\t";else{if(!("number"==typeof e.indent&&e.indent>0))return null;n=Array(e.indent+1).join(" ")}return{base:n,prev:Array(t+1).join(n)}}(s,r);if(void 0===o)o=[];else if(D(o,t)>=0)return"[Circular]";function k(t,n,a){if(n&&(o=o.slice()).push(n),a){var i={depth:s.depth};return O(s,"quoteStyle")&&(i.quoteStyle=s.quoteStyle),e(t,i,r+1,o)}return e(t,s,r+1,o)}if("function"==typeof t){var E=function(e){if(e.name)return e.name;var t=b.call(g.call(e),/^function\s*([\w$]+)/);if(t)return t[1];return null}(t),z=H(t,k);return"[Function"+(E?": "+E:" (anonymous)")+"]"+(z.length>0?" { "+z.join(", ")+" }":"")}if(x(t)){var I=M?String(t).replace(/^(Symbol\(.*\))_[^)]*$/,"$1"):_.call(t);return"object"!=typeof t||M?I:P(I)}if(function(e){if(!e||"object"!=typeof e)return!1;if("undefined"!=typeof HTMLElement&&e instanceof HTMLElement)return!0;return"string"==typeof e.nodeName&&"function"==typeof e.getAttribute}(t)){for(var q="<"+String(t.nodeName).toLowerCase(),j=t.attributes||[],F=0;F"}if(T(t)){if(0===t.length)return"[]";var V=H(t,k);return v&&!function(e){for(var t=0;t=0)return!1;return!0}(V)?"["+Y(V,v)+"]":"[ "+V.join(", ")+" ]"}if(function(e){return!("[object Error]"!==N(e)||A&&"object"==typeof e&&A in e)}(t)){var X=H(t,k);return 0===X.length?"["+String(t)+"]":"{ ["+String(t)+"] "+X.join(", ")+" }"}if("object"==typeof t&&l){if(L&&"function"==typeof t[L])return t[L]();if("symbol"!==l&&"function"==typeof t.inspect)return t.inspect()}if(function(e){if(!a||!e||"object"!=typeof e)return!1;try{a.call(e);try{c.call(e)}catch(e){return!0}return e instanceof Map}catch(e){}return!1}(t)){var U=[];return i.call(t,(function(e,n){U.push(k(n,t,!0)+" => "+k(e,t))})),W("Map",a.call(t),U,v)}if(function(e){if(!c||!e||"object"!=typeof e)return!1;try{c.call(e);try{a.call(e)}catch(e){return!0}return e instanceof Set}catch(e){}return!1}(t)){var $=[];return u.call(t,(function(e){$.push(k(e,t))})),W("Set",c.call(t),$,v)}if(function(e){if(!d||!e||"object"!=typeof e)return!1;try{d.call(e,d);try{p.call(e,p)}catch(e){return!0}return e instanceof WeakMap}catch(e){}return!1}(t))return R("WeakMap");if(function(e){if(!p||!e||"object"!=typeof e)return!1;try{p.call(e,p);try{d.call(e,d)}catch(e){return!0}return e instanceof WeakSet}catch(e){}return!1}(t))return R("WeakSet");if(function(e){if(!m||!e||"object"!=typeof e)return!1;try{return m.call(e),!0}catch(e){}return!1}(t))return R("WeakRef");if(function(e){return!("[object Number]"!==N(e)||A&&"object"==typeof e&&A in e)}(t))return P(k(Number(t)));if(function(e){if(!e||"object"!=typeof e||!y)return!1;try{return y.call(e),!0}catch(e){}return!1}(t))return P(k(y.call(t)));if(function(e){return!("[object Boolean]"!==N(e)||A&&"object"==typeof e&&A in e)}(t))return P(h.call(t));if(function(e){return!("[object String]"!==N(e)||A&&"object"==typeof e&&A in e)}(t))return P(k(String(t)));if(!function(e){return!("[object Date]"!==N(e)||A&&"object"==typeof e&&A in e)}(t)&&!function(e){return!("[object RegExp]"!==N(e)||A&&"object"==typeof e&&A in e)}(t)){var K=H(t,k),G=w?w(t)===Object.prototype:t instanceof Object||t.constructor===Object,J=t instanceof Object?"":"null prototype",Z=!G&&A&&Object(t)===t&&A in t?N(t).slice(8,-1):J?"Object":"",Q=(G||"function"!=typeof t.constructor?"":t.constructor.name?t.constructor.name+" ":"")+(Z||J?"["+[].concat(Z||[],J||[]).join(": ")+"] ":"");return 0===K.length?Q+"{}":v?Q+"{"+Y(K,v)+"}":Q+"{ "+K.join(", ")+" }"}return String(t)};var z=Object.prototype.hasOwnProperty||function(e){return e in this};function O(e,t){return z.call(e,t)}function N(e){return f.call(e)}function D(e,t){if(e.indexOf)return e.indexOf(t);for(var n=0,r=e.length;nt.maxStringLength){var n=e.length-t.maxStringLength,r="... "+n+" more character"+(n>1?"s":"");return B(e.slice(0,t.maxStringLength),t)+r}return S(e.replace(/(['\\])/g,"\\$1").replace(/[\x00-\x1f]/g,I),"single",t)}function I(e){var t=e.charCodeAt(0),n={8:"b",9:"t",10:"n",12:"f",13:"r"}[t];return n?"\\"+n:"\\x"+(t<16?"0":"")+t.toString(16).toUpperCase()}function P(e){return"Object("+e+")"}function R(e){return e+" { ? }"}function W(e,t,n,r){return e+" ("+t+") {"+(r?Y(n,r):n.join(", "))+"}"}function Y(e,t){if(0===e.length)return"";var n="\n"+t.prev+t.base;return n+e.join(","+n)+"\n"+t.prev}function H(e,t){var n=T(e),r=[];if(n){r.length=e.length;for(var o=0;o{"use strict";var r;if(!Object.keys){var o=Object.prototype.hasOwnProperty,a=Object.prototype.toString,i=n(1414),s=Object.prototype.propertyIsEnumerable,l=!s.call({toString:null},"toString"),c=s.call((function(){}),"prototype"),u=["toString","toLocaleString","valueOf","hasOwnProperty","isPrototypeOf","propertyIsEnumerable","constructor"],d=function(e){var t=e.constructor;return t&&t.prototype===e},p={$applicationCache:!0,$console:!0,$external:!0,$frame:!0,$frameElement:!0,$frames:!0,$innerHeight:!0,$innerWidth:!0,$onmozfullscreenchange:!0,$onmozfullscreenerror:!0,$outerHeight:!0,$outerWidth:!0,$pageXOffset:!0,$pageYOffset:!0,$parent:!0,$scrollLeft:!0,$scrollTop:!0,$scrollX:!0,$scrollY:!0,$self:!0,$webkitIndexedDB:!0,$webkitStorageInfo:!0,$window:!0},m=function(){if("undefined"==typeof window)return!1;for(var e in window)try{if(!p["$"+e]&&o.call(window,e)&&null!==window[e]&&"object"==typeof window[e])try{d(window[e])}catch(e){return!0}}catch(e){return!0}return!1}();r=function(e){var t=null!==e&&"object"==typeof e,n="[object Function]"===a.call(e),r=i(e),s=t&&"[object String]"===a.call(e),p=[];if(!t&&!n&&!r)throw new TypeError("Object.keys called on a non-object");var h=c&&n;if(s&&e.length>0&&!o.call(e,0))for(var f=0;f0)for(var g=0;g{"use strict";var r=Array.prototype.slice,o=n(1414),a=Object.keys,i=a?function(e){return a(e)}:n(8987),s=Object.keys;i.shim=function(){Object.keys?function(){var e=Object.keys(arguments);return e&&e.length===arguments.length}(1,2)||(Object.keys=function(e){return o(e)?s(r.call(e)):s(e)}):Object.keys=i;return Object.keys||i},e.exports=i},1414:e=>{"use strict";var t=Object.prototype.toString;e.exports=function(e){var n=t.call(e),r="[object Arguments]"===n;return r||(r="[object Array]"!==n&&null!==e&&"object"==typeof e&&"number"==typeof e.length&&e.length>=0&&"[object Function]"===t.call(e.callee)),r}},2837:(e,t,n)=>{"use strict";var r=n(2215),o=function(e){return null!=e},a=n(5419)(),i=n(1924),s=Object,l=i("Array.prototype.push"),c=i("Object.prototype.propertyIsEnumerable"),u=a?Object.getOwnPropertySymbols:null;e.exports=function(e,t){if(!o(e))throw new TypeError("target must be an object");var n,i,d,p,m,h,f,g=s(e);for(n=1;n{"use strict";var r=n(4289),o=n(5559),a=n(2837),i=n(8162),s=n(4489),l=o.apply(i()),c=function(e,t){return l(Object,arguments)};r(c,{getPolyfill:i,implementation:a,shim:s}),e.exports=c},8162:(e,t,n)=>{"use strict";var r=n(2837);e.exports=function(){return Object.assign?function(){if(!Object.assign)return!1;for(var e="abcdefghijklmnopqrst",t=e.split(""),n={},r=0;r{"use strict";var r=n(4289),o=n(8162);e.exports=function(){var e=o();return r(Object,{assign:e},{assign:function(){return Object.assign!==e}}),e}},3513:(e,t,n)=>{"use strict";var r=n(6237),o=n(1924)("Object.prototype.propertyIsEnumerable");e.exports=function(e){var t=r(e),n=[];for(var a in t)o(t,a)&&n.push(t[a]);return n}},5869:(e,t,n)=>{"use strict";var r=n(4289),o=n(5559),a=n(3513),i=n(7164),s=n(6970),l=o(i(),Object);r(l,{getPolyfill:i,implementation:a,shim:s}),e.exports=l},7164:(e,t,n)=>{"use strict";var r=n(3513);e.exports=function(){return"function"==typeof Object.values?Object.values:r}},6970:(e,t,n)=>{"use strict";var r=n(7164),o=n(4289);e.exports=function(){var e=r();return o(Object,{values:e},{values:function(){return Object.values!==e}}),e}},2703:(e,t,n)=>{"use strict";var r=n(414);function o(){}function a(){}a.resetWarningCache=o,e.exports=function(){function e(e,t,n,o,a,i){if(i!==r){var s=new Error("Calling PropTypes validators directly is not supported by the `prop-types` package. Use PropTypes.checkPropTypes() to call them. Read more at http://fb.me/use-check-prop-types");throw s.name="Invariant Violation",s}}function t(){return e}e.isRequired=e;var n={array:e,bool:e,func:e,number:e,object:e,string:e,symbol:e,any:e,arrayOf:t,element:e,elementType:e,instanceOf:t,node:e,objectOf:t,oneOf:t,oneOfType:t,shape:t,exact:t,checkPropTypes:a,resetWarningCache:o};return n.PropTypes=n,n}},5697:(e,t,n)=>{e.exports=n(2703)()},414:e=>{"use strict";e.exports="SECRET_DO_NOT_PASS_THIS_OR_YOU_WILL_BE_FIRED"},1775:e=>{"use strict";var t=Object.prototype.hasOwnProperty;function n(e,t){return e===t?0!==e||0!==t||1/e==1/t:e!=e&&t!=t}function r(e,r){if(n(e,r))return!0;if("object"!=typeof e||null===e||"object"!=typeof r||null===r)return!1;var o=Object.keys(e),a=Object.keys(r);if(o.length!==a.length)return!1;for(var i=0;i{"use strict";var r=n(4857);t.Z=r.TextareaAutosize},6063:(e,t,n)=>{n(5453)},5533:(e,t,n)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.PureCalendarDay=void 0;var r=Object.assign||function(e){for(var t=1;t{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var r=Object.assign||function(e){for(var t=1;t{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var r=Object.assign||function(e){for(var t=1;t=o&&a{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.default=c;var r=s(n(3804)),o=n(8341),a=s(n(5533)),i=s(n(1652));function s(e){return e&&e.__esModule?e:{default:e}}var l=(0,o.forbidExtraProps)({children:(0,o.or)([(0,o.childrenOfType)(a.default),(0,o.childrenOfType)(i.default)]).isRequired});function c(e){var t=e.children;return r.default.createElement("tr",null,t)}c.propTypes=l},2814:(e,t,n)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var r,o=n(3804),a=(r=o)&&r.__esModule?r:{default:r};var i=function(e){return a.default.createElement("svg",e,a.default.createElement("path",{d:"M967.5 288.5L514.3 740.7c-11 11-21 11-32 0L29.1 288.5c-4-5-6-11-6-16 0-13 10-23 23-23 6 0 11 2 15 7l437.2 436.2 437.2-436.2c4-5 9-7 16-7 6 0 11 2 16 7 9 10.9 9 21 0 32z"}))};i.defaultProps={viewBox:"0 0 1000 1000"},t.default=i},6952:(e,t,n)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var r,o=n(3804),a=(r=o)&&r.__esModule?r:{default:r};var i=function(e){return a.default.createElement("svg",e,a.default.createElement("path",{d:"M32.1 712.6l453.2-452.2c11-11 21-11 32 0l453.2 452.2c4 5 6 10 6 16 0 13-10 23-22 23-7 0-12-2-16-7L501.3 308.5 64.1 744.7c-4 5-9 7-15 7-7 0-12-2-17-7-9-11-9-21 0-32.1z"}))};i.defaultProps={viewBox:"0 0 1000 1000"},t.default=i},7798:(e,t,n)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var r,o=n(3804),a=(r=o)&&r.__esModule?r:{default:r};var i=function(e){return a.default.createElement("svg",e,a.default.createElement("path",{fillRule:"evenodd",d:"M11.53.47a.75.75 0 0 0-1.061 0l-4.47 4.47L1.529.47A.75.75 0 1 0 .468 1.531l4.47 4.47-4.47 4.47a.75.75 0 1 0 1.061 1.061l4.47-4.47 4.47 4.47a.75.75 0 1 0 1.061-1.061l-4.47-4.47 4.47-4.47a.75.75 0 0 0 0-1.061z"}))};i.defaultProps={viewBox:"0 0 12 12"},t.default=i},1652:(e,t,n)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.PureCustomizableCalendarDay=t.selectedStyles=t.lastInRangeStyles=t.selectedSpanStyles=t.hoveredSpanStyles=t.blockedOutOfRangeStyles=t.blockedCalendarStyles=t.blockedMinNightsStyles=t.highlightedCalendarStyles=t.outsideStyles=t.defaultStyles=void 0;var r=Object.assign||function(e){for(var t=1;t{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.PureDayPicker=t.defaultProps=void 0;var r=Object.assign||function(e){for(var t=1;t{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.BOTTOM_RIGHT=t.TOP_RIGHT=t.TOP_LEFT=void 0;var r=Object.assign||function(e){for(var t=1;t{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var r=Object.assign||function(e){for(var t=1;t{"use strict";var r=function(e,t){if(Array.isArray(e))return e;if(Symbol.iterator in Object(e))return function(e,t){var n=[],r=!0,o=!1,a=void 0;try{for(var i,s=e[Symbol.iterator]();!(r=(i=s.next()).done)&&(n.push(i.value),!t||n.length!==t);r=!0);}catch(e){o=!0,a=e}finally{try{!r&&s.return&&s.return()}finally{if(o)throw a}}return n}(e,t);throw new TypeError("Invalid attempt to destructure non-iterable instance")},o=function(){function e(e,t){for(var n=0;n0&&this.setState({visibleDays:(0,a.default)({},w,z)})}},{key:"componentWillUpdate",value:function(){this.today=(0,u.default)()}},{key:"onDayClick",value:function(e,t){if(t&&t.preventDefault(),!this.isBlocked(e)){var n=this.props,r=n.onDateChange,o=n.keepOpenOnDateSelect,a=n.onFocusChange,i=n.onClose;r(e),o||(a({focused:!1}),i({date:e}))}}},{key:"onDayMouseEnter",value:function(e){if(!this.isTouchDevice){var t=this.state,n=t.hoverDate,r=t.visibleDays,o=this.deleteModifier({},n,"hovered");o=this.addModifier(o,e,"hovered"),this.setState({hoverDate:e,visibleDays:(0,a.default)({},r,o)})}}},{key:"onDayMouseLeave",value:function(){var e=this.state,t=e.hoverDate,n=e.visibleDays;if(!this.isTouchDevice&&t){var r=this.deleteModifier({},t,"hovered");this.setState({hoverDate:null,visibleDays:(0,a.default)({},n,r)})}}},{key:"onPrevMonthClick",value:function(){var e=this.props,t=e.onPrevMonthClick,n=e.numberOfMonths,r=e.enableOutsideDays,o=this.state,i=o.currentMonth,s=o.visibleDays,l={};Object.keys(s).sort().slice(0,n+1).forEach((function(e){l[e]=s[e]}));var c=i.clone().subtract(1,"month"),u=(0,b.default)(c,1,r);this.setState({currentMonth:c,visibleDays:(0,a.default)({},l,this.getModifiers(u))},(function(){t(c.clone())}))}},{key:"onNextMonthClick",value:function(){var e=this.props,t=e.onNextMonthClick,n=e.numberOfMonths,r=e.enableOutsideDays,o=this.state,i=o.currentMonth,s=o.visibleDays,l={};Object.keys(s).sort().slice(1).forEach((function(e){l[e]=s[e]}));var c=i.clone().add(n,"month"),u=(0,b.default)(c,1,r),d=i.clone().add(1,"month");this.setState({currentMonth:d,visibleDays:(0,a.default)({},l,this.getModifiers(u))},(function(){t(d.clone())}))}},{key:"onMonthChange",value:function(e){var t=this.props,n=t.numberOfMonths,r=t.enableOutsideDays,o=t.orientation===E.VERTICAL_SCROLLABLE,a=(0,b.default)(e,n,r,o);this.setState({currentMonth:e.clone(),visibleDays:this.getModifiers(a)})}},{key:"onYearChange",value:function(e){var t=this.props,n=t.numberOfMonths,r=t.enableOutsideDays,o=t.orientation===E.VERTICAL_SCROLLABLE,a=(0,b.default)(e,n,r,o);this.setState({currentMonth:e.clone(),visibleDays:this.getModifiers(a)})}},{key:"getFirstFocusableDay",value:function(e){var t=this,n=this.props,o=n.date,a=n.numberOfMonths,i=e.clone().startOf("month");if(o&&(i=o.clone()),this.isBlocked(i)){for(var s=[],l=e.clone().add(a-1,"months").endOf("month"),c=i.clone();!(0,g.default)(c,l);)c=c.clone().add(1,"day"),s.push(c);var u=s.filter((function(e){return!t.isBlocked(e)&&(0,g.default)(e,i)}));if(u.length>0){var d=r(u,1);i=d[0]}}return i}},{key:"getModifiers",value:function(e){var t=this,n={};return Object.keys(e).forEach((function(r){n[r]={},e[r].forEach((function(e){n[r][(0,v.default)(e)]=t.getModifiersForDay(e)}))})),n}},{key:"getModifiersForDay",value:function(e){var t=this;return new Set(Object.keys(this.modifiers).filter((function(n){return t.modifiers[n](e)})))}},{key:"getStateForNewMonth",value:function(e){var t=this,n=e.initialVisibleMonth,r=e.date,o=e.numberOfMonths,a=e.enableOutsideDays,i=(n||(r?function(){return r}:function(){return t.today}))();return{currentMonth:i,visibleDays:this.getModifiers((0,b.default)(i,o,a))}}},{key:"addModifier",value:function(e,t,n){var r=this.props,o=r.numberOfMonths,i=r.enableOutsideDays,s=r.orientation,l=this.state,c=l.currentMonth,u=l.visibleDays,d=c,p=o;if(s===E.VERTICAL_SCROLLABLE?p=Object.keys(u).length:(d=d.clone().subtract(1,"month"),p+=2),!t||!(0,y.default)(t,d,p,i))return e;var m=(0,v.default)(t),h=(0,a.default)({},e);if(i)h=Object.keys(u).filter((function(e){return Object.keys(u[e]).indexOf(m)>-1})).reduce((function(t,r){var o=e[r]||u[r],i=new Set(o[m]);return i.add(n),(0,a.default)({},t,S({},r,(0,a.default)({},o,S({},m,i))))}),h);else{var f=(0,_.default)(t),g=e[f]||u[f],b=new Set(g[m]);b.add(n),h=(0,a.default)({},h,S({},f,(0,a.default)({},g,S({},m,b))))}return h}},{key:"deleteModifier",value:function(e,t,n){var r=this.props,o=r.numberOfMonths,i=r.enableOutsideDays,s=r.orientation,l=this.state,c=l.currentMonth,u=l.visibleDays,d=c,p=o;if(s===E.VERTICAL_SCROLLABLE?p=Object.keys(u).length:(d=d.clone().subtract(1,"month"),p+=2),!t||!(0,y.default)(t,d,p,i))return e;var m=(0,v.default)(t),h=(0,a.default)({},e);if(i)h=Object.keys(u).filter((function(e){return Object.keys(u[e]).indexOf(m)>-1})).reduce((function(t,r){var o=e[r]||u[r],i=new Set(o[m]);return i.delete(n),(0,a.default)({},t,S({},r,(0,a.default)({},o,S({},m,i))))}),h);else{var f=(0,_.default)(t),g=e[f]||u[f],b=new Set(g[m]);b.delete(n),h=(0,a.default)({},h,S({},f,(0,a.default)({},g,S({},m,b))))}return h}},{key:"isBlocked",value:function(e){var t=this.props,n=t.isDayBlocked,r=t.isOutsideRange;return n(e)||r(e)}},{key:"isHovered",value:function(e){var t=(this.state||{}).hoverDate;return(0,f.default)(e,t)}},{key:"isSelected",value:function(e){var t=this.props.date;return(0,f.default)(e,t)}},{key:"isToday",value:function(e){return(0,f.default)(e,this.today)}},{key:"isFirstDayOfWeek",value:function(e){var t=this.props.firstDayOfWeek;return e.day()===(t||u.default.localeData().firstDayOfWeek())}},{key:"isLastDayOfWeek",value:function(e){var t=this.props.firstDayOfWeek;return e.day()===((t||u.default.localeData().firstDayOfWeek())+6)%7}},{key:"render",value:function(){var e=this.props,t=e.numberOfMonths,n=e.orientation,r=e.monthFormat,o=e.renderMonthText,a=e.navPrev,s=e.navNext,l=e.onOutsideClick,c=e.withPortal,u=e.focused,d=e.enableOutsideDays,p=e.hideKeyboardShortcutsPanel,m=e.daySize,h=e.firstDayOfWeek,f=e.renderCalendarDay,g=e.renderDayContents,b=e.renderCalendarInfo,y=e.renderMonthElement,v=e.calendarInfoPosition,_=e.isFocused,M=e.isRTL,k=e.phrases,w=e.dayAriaLabelFormat,E=e.onBlur,A=e.showKeyboardShortcuts,S=e.weekDayFormat,C=e.verticalHeight,T=e.noBorder,x=e.transitionDuration,z=e.verticalBorderSpacing,O=e.horizontalMonthPadding,N=this.state,D=N.currentMonth,B=N.visibleDays;return i.default.createElement(L.default,{orientation:n,enableOutsideDays:d,modifiers:B,numberOfMonths:t,onDayClick:this.onDayClick,onDayMouseEnter:this.onDayMouseEnter,onDayMouseLeave:this.onDayMouseLeave,onPrevMonthClick:this.onPrevMonthClick,onNextMonthClick:this.onNextMonthClick,onMonthChange:this.onMonthChange,onYearChange:this.onYearChange,monthFormat:r,withPortal:c,hidden:!u,hideKeyboardShortcutsPanel:p,initialVisibleMonth:function(){return D},firstDayOfWeek:h,onOutsideClick:l,navPrev:a,navNext:s,renderMonthText:o,renderCalendarDay:f,renderDayContents:g,renderCalendarInfo:b,renderMonthElement:y,calendarInfoPosition:v,isFocused:_,getFirstFocusableDay:this.getFirstFocusableDay,onBlur:E,phrases:k,daySize:m,isRTL:M,showKeyboardShortcuts:A,weekDayFormat:S,dayAriaLabelFormat:w,verticalHeight:C,noBorder:T,transitionDuration:x,verticalBorderSpacing:z,horizontalMonthPadding:O})}}]),t}(i.default.Component);t.Z=x,x.propTypes=C,x.defaultProps=T},5804:(e,t,n)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var r=Object.assign||function(e){for(var t=1;t{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var r,o=n(3804),a=(r=o)&&r.__esModule?r:{default:r};var i=function(e){return a.default.createElement("svg",e,a.default.createElement("path",{d:"M336.2 274.5l-210.1 210h805.4c13 0 23 10 23 23s-10 23-23 23H126.1l210.1 210.1c11 11 11 21 0 32-5 5-10 7-16 7s-11-2-16-7l-249.1-249c-11-11-11-21 0-32l249.1-249.1c21-21.1 53 10.9 32 32z"}))};i.defaultProps={viewBox:"0 0 1000 1000"},t.default=i},7783:(e,t,n)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var r,o=n(3804),a=(r=o)&&r.__esModule?r:{default:r};var i=function(e){return a.default.createElement("svg",e,a.default.createElement("path",{d:"M694.4 242.4l249.1 249.1c11 11 11 21 0 32L694.4 772.7c-5 5-10 7-16 7s-11-2-16-7c-11-11-11-21 0-32l210.1-210.1H67.1c-13 0-23-10-23-23s10-23 23-23h805.4L662.4 274.5c-21-21.1 11-53.1 32-32.1z"}))};i.defaultProps={viewBox:"0 0 1000 1000"},t.default=i},5388:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});t.DISPLAY_FORMAT="L",t.ISO_FORMAT="YYYY-MM-DD",t.ISO_MONTH_FORMAT="YYYY-MM",t.START_DATE="startDate",t.END_DATE="endDate",t.HORIZONTAL_ORIENTATION="horizontal",t.VERTICAL_ORIENTATION="vertical",t.VERTICAL_SCROLLABLE="verticalScrollable",t.ICON_BEFORE_POSITION="before",t.ICON_AFTER_POSITION="after",t.INFO_POSITION_TOP="top",t.INFO_POSITION_BOTTOM="bottom",t.INFO_POSITION_BEFORE="before",t.INFO_POSITION_AFTER="after",t.ANCHOR_LEFT="left",t.ANCHOR_RIGHT="right",t.OPEN_DOWN="down",t.OPEN_UP="up",t.DAY_SIZE=39,t.BLOCKED_MODIFIER="blocked",t.WEEKDAYS=[0,1,2,3,4,5,6],t.FANG_WIDTH_PX=20,t.FANG_HEIGHT_PX=10,t.DEFAULT_VERTICAL_SPACING=22,t.MODIFIER_KEY_NAMES=new Set(["Shift","Control","Alt","Meta"])},8304:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n="Calendar",r="Close",o="Interact with the calendar and add the check-in date for your trip.",a="Clear Date",i="Clear Dates",s="Move backward to switch to the previous month.",l="Move forward to switch to the next month.",c="Keyboard Shortcuts",u="Open the keyboard shortcuts panel.",d="Close the shortcuts panel.",p="Open this panel.",m="Enter key",h="Right and left arrow keys",f="up and down arrow keys",g="page up and page down keys",b="Home and end keys",y="Escape key",v="Question mark",_="Select the date in focus.",M="Move backward (left) and forward (right) by one day.",k="Move backward (up) and forward (down) by one week.",w="Switch months.",E="Go to the first or last day of a week.",L="Return to the date input field.",A="Press the down arrow key to interact with the calendar and\n select a date. Press the question mark key to get the keyboard shortcuts for changing dates.",S=function(e){var t=e.date;return"Choose "+String(t)+" as your check-in date. It’s available."},C=function(e){var t=e.date;return"Choose "+String(t)+" as your check-out date. It’s available."},T=function(e){return e.date},x=function(e){var t=e.date;return"Not available. "+String(t)},z=function(e){var t=e.date;return"Selected. "+String(t)};t.default={calendarLabel:n,closeDatePicker:r,focusStartDate:o,clearDate:a,clearDates:i,jumpToPrevMonth:s,jumpToNextMonth:l,keyboardShortcuts:c,showKeyboardShortcutsPanel:u,hideKeyboardShortcutsPanel:d,openThisPanel:p,enterKey:m,leftArrowRightArrow:h,upArrowDownArrow:f,pageUpPageDown:g,homeEnd:b,escape:y,questionMark:v,selectFocusedDate:_,moveFocusByOneDay:M,moveFocusByOneWeek:k,moveFocusByOneMonth:w,moveFocustoStartAndEndOfWeek:E,returnFocusToInput:L,keyboardNavigationInstructions:A,chooseAvailableStartDate:S,chooseAvailableEndDate:C,dateIsUnavailable:x,dateIsSelected:z};t.DateRangePickerPhrases={calendarLabel:n,closeDatePicker:r,clearDates:i,focusStartDate:o,jumpToPrevMonth:s,jumpToNextMonth:l,keyboardShortcuts:c,showKeyboardShortcutsPanel:u,hideKeyboardShortcutsPanel:d,openThisPanel:p,enterKey:m,leftArrowRightArrow:h,upArrowDownArrow:f,pageUpPageDown:g,homeEnd:b,escape:y,questionMark:v,selectFocusedDate:_,moveFocusByOneDay:M,moveFocusByOneWeek:k,moveFocusByOneMonth:w,moveFocustoStartAndEndOfWeek:E,returnFocusToInput:L,keyboardNavigationInstructions:A,chooseAvailableStartDate:S,chooseAvailableEndDate:C,dateIsUnavailable:x,dateIsSelected:z},t.DateRangePickerInputPhrases={focusStartDate:o,clearDates:i,keyboardNavigationInstructions:A},t.SingleDatePickerPhrases={calendarLabel:n,closeDatePicker:r,clearDate:a,jumpToPrevMonth:s,jumpToNextMonth:l,keyboardShortcuts:c,showKeyboardShortcutsPanel:u,hideKeyboardShortcutsPanel:d,openThisPanel:p,enterKey:m,leftArrowRightArrow:h,upArrowDownArrow:f,pageUpPageDown:g,homeEnd:b,escape:y,questionMark:v,selectFocusedDate:_,moveFocusByOneDay:M,moveFocusByOneWeek:k,moveFocusByOneMonth:w,moveFocustoStartAndEndOfWeek:E,returnFocusToInput:L,keyboardNavigationInstructions:A,chooseAvailableDate:T,dateIsUnavailable:x,dateIsSelected:z},t.SingleDatePickerInputPhrases={clearDate:a,keyboardNavigationInstructions:A},t.DayPickerPhrases={calendarLabel:n,jumpToPrevMonth:s,jumpToNextMonth:l,keyboardShortcuts:c,showKeyboardShortcutsPanel:u,hideKeyboardShortcutsPanel:d,openThisPanel:p,enterKey:m,leftArrowRightArrow:h,upArrowDownArrow:f,pageUpPageDown:g,homeEnd:b,escape:y,questionMark:v,selectFocusedDate:_,moveFocusByOneDay:M,moveFocusByOneWeek:k,moveFocusByOneMonth:w,moveFocustoStartAndEndOfWeek:E,returnFocusToInput:L,chooseAvailableStartDate:S,chooseAvailableEndDate:C,chooseAvailableDate:T,dateIsUnavailable:x,dateIsSelected:z},t.DayPickerKeyboardShortcutsPhrases={keyboardShortcuts:c,showKeyboardShortcutsPanel:u,hideKeyboardShortcutsPanel:d,openThisPanel:p,enterKey:m,leftArrowRightArrow:h,upArrowDownArrow:f,pageUpPageDown:g,homeEnd:b,escape:y,questionMark:v,selectFocusedDate:_,moveFocusByOneDay:M,moveFocusByOneWeek:k,moveFocusByOneMonth:w,moveFocustoStartAndEndOfWeek:E,returnFocusToInput:L},t.DayPickerNavigationPhrases={jumpToPrevMonth:s,jumpToNextMonth:l},t.CalendarDayPhrases={chooseAvailableDate:T,dateIsUnavailable:x,dateIsSelected:z}},5453:(e,t,n)=>{"use strict";var r,o=n(5135);(0,((r=o)&&r.__esModule?r:{default:r}).default)()},2003:(e,t,n)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var r,o=n(5697),a=(r=o)&&r.__esModule?r:{default:r},i=n(5388);t.default=a.default.oneOf([i.INFO_POSITION_TOP,i.INFO_POSITION_BOTTOM,i.INFO_POSITION_BEFORE,i.INFO_POSITION_AFTER])},8182:(e,t,n)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var r,o=n(5697),a=(r=o)&&r.__esModule?r:{default:r},i=n(5388);t.default=a.default.oneOf(i.WEEKDAYS)},337:(e,t,n)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var r,o=n(5697),a=(r=o)&&r.__esModule?r:{default:r},i=n(8341);function s(e,t,n){return t in e?Object.defineProperty(e,t,{value:n,enumerable:!0,configurable:!0,writable:!0}):e[t]=n,e}function l(e){if(Array.isArray(e)){for(var t=0,n=Array(e.length);t2?n-2:0),o=2;o{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var r,o=n(5697),a=(r=o)&&r.__esModule?r:{default:r},i=n(5388);t.default=a.default.oneOf([i.HORIZONTAL_ORIENTATION,i.VERTICAL_ORIENTATION,i.VERTICAL_SCROLLABLE])},6729:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n={white:"#fff",gray:"#484848",grayLight:"#82888a",grayLighter:"#cacccd",grayLightest:"#f2f2f2",borderMedium:"#c4c4c4",border:"#dbdbdb",borderLight:"#e4e7e7",borderLighter:"#eceeee",borderBright:"#f4f5f5",primary:"#00a699",primaryShade_1:"#33dacd",primaryShade_2:"#66e2da",primaryShade_3:"#80e8e0",primaryShade_4:"#b2f1ec",primary_dark:"#008489",secondary:"#007a87",yellow:"#ffe8bc",yellow_dark:"#ffce71"};t.default={reactDates:{zIndex:0,border:{input:{border:0,borderTop:0,borderRight:0,borderBottom:"2px solid transparent",borderLeft:0,outlineFocused:0,borderFocused:0,borderTopFocused:0,borderLeftFocused:0,borderBottomFocused:"2px solid "+String(n.primary_dark),borderRightFocused:0,borderRadius:0},pickerInput:{borderWidth:1,borderStyle:"solid",borderRadius:2}},color:{core:n,disabled:n.grayLightest,background:n.white,backgroundDark:"#f2f2f2",backgroundFocused:n.white,border:"rgb(219, 219, 219)",text:n.gray,textDisabled:n.border,textFocused:"#007a87",placeholderText:"#757575",outside:{backgroundColor:n.white,backgroundColor_active:n.white,backgroundColor_hover:n.white,color:n.gray,color_active:n.gray,color_hover:n.gray},highlighted:{backgroundColor:n.yellow,backgroundColor_active:n.yellow_dark,backgroundColor_hover:n.yellow_dark,color:n.gray,color_active:n.gray,color_hover:n.gray},minimumNights:{backgroundColor:n.white,backgroundColor_active:n.white,backgroundColor_hover:n.white,borderColor:n.borderLighter,color:n.grayLighter,color_active:n.grayLighter,color_hover:n.grayLighter},hoveredSpan:{backgroundColor:n.primaryShade_4,backgroundColor_active:n.primaryShade_3,backgroundColor_hover:n.primaryShade_4,borderColor:n.primaryShade_3,borderColor_active:n.primaryShade_3,borderColor_hover:n.primaryShade_3,color:n.secondary,color_active:n.secondary,color_hover:n.secondary},selectedSpan:{backgroundColor:n.primaryShade_2,backgroundColor_active:n.primaryShade_1,backgroundColor_hover:n.primaryShade_1,borderColor:n.primaryShade_1,borderColor_active:n.primary,borderColor_hover:n.primary,color:n.white,color_active:n.white,color_hover:n.white},selected:{backgroundColor:n.primary,backgroundColor_active:n.primary,backgroundColor_hover:n.primary,borderColor:n.primary,borderColor_active:n.primary,borderColor_hover:n.primary,color:n.white,color_active:n.white,color_hover:n.white},blocked_calendar:{backgroundColor:n.grayLighter,backgroundColor_active:n.grayLighter,backgroundColor_hover:n.grayLighter,borderColor:n.grayLighter,borderColor_active:n.grayLighter,borderColor_hover:n.grayLighter,color:n.grayLight,color_active:n.grayLight,color_hover:n.grayLight},blocked_out_of_range:{backgroundColor:n.white,backgroundColor_active:n.white,backgroundColor_hover:n.white,borderColor:n.borderLight,borderColor_active:n.borderLight,borderColor_hover:n.borderLight,color:n.grayLighter,color_active:n.grayLighter,color_hover:n.grayLighter}},spacing:{dayPickerHorizontalPadding:9,captionPaddingTop:22,captionPaddingBottom:37,inputPadding:0,displayTextPaddingVertical:void 0,displayTextPaddingTop:11,displayTextPaddingBottom:9,displayTextPaddingHorizontal:void 0,displayTextPaddingLeft:11,displayTextPaddingRight:11,displayTextPaddingVertical_small:void 0,displayTextPaddingTop_small:7,displayTextPaddingBottom_small:5,displayTextPaddingHorizontal_small:void 0,displayTextPaddingLeft_small:7,displayTextPaddingRight_small:7},sizing:{inputWidth:130,inputWidth_small:97,arrowWidth:24},noScrollBarOnVerticalScrollable:!1,font:{size:14,captionSize:18,input:{size:19,lineHeight:"24px",size_small:15,lineHeight_small:"18px",letterSpacing_small:"0.2px",styleDisabled:"italic"}}}}},403:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.default=function(e,t){var n=arguments.length>2&&void 0!==arguments[2]&&arguments[2],r=arguments.length>3&&void 0!==arguments[3]&&arguments[3];if(!e)return 0;var o="width"===t?"Left":"Top",a="width"===t?"Right":"Bottom",i=!n||r?window.getComputedStyle(e):null,s=e.offsetWidth,l=e.offsetHeight,c="width"===t?s:l;n||(c-=parseFloat(i["padding"+o])+parseFloat(i["padding"+a])+parseFloat(i["border"+o+"Width"])+parseFloat(i["border"+a+"Width"]));r&&(c+=parseFloat(i["margin"+o])+parseFloat(i["margin"+a]));return c}},5446:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.default=function(){return"undefined"!=typeof document&&document.activeElement}},6732:(e,t,n)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.default=function(e,t,n,r,o){var s=o.chooseAvailableDate,l=o.dateIsUnavailable,c=o.dateIsSelected,u={width:n,height:n-1},d=r.has("blocked-minimum-nights")||r.has("blocked-calendar")||r.has("blocked-out-of-range"),p=r.has("selected")||r.has("selected-start")||r.has("selected-end"),m=!p&&(r.has("hovered-span")||r.has("after-hovered-start")),h=r.has("blocked-out-of-range"),f={date:e.format(t)},g=(0,a.default)(s,f);r.has(i.BLOCKED_MODIFIER)?g=(0,a.default)(l,f):p&&(g=(0,a.default)(c,f));return{daySizeStyles:u,useDefaultCursor:d,selected:p,hoveredSpan:m,isOutsideRange:h,ariaLabel:g}};var r,o=n(4748),a=(r=o)&&r.__esModule?r:{default:r},i=n(5388)},7116:(e,t,n)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.default=function(e,t){var n=arguments.length>2&&void 0!==arguments[2]?arguments[2]:a.default.localeData().firstDayOfWeek();if(!a.default.isMoment(e)||!e.isValid())throw new TypeError("`month` must be a valid moment object");if(-1===i.WEEKDAYS.indexOf(n))throw new TypeError("`firstDayOfWeek` must be an integer between 0 and 6");for(var r=e.clone().startOf("month").hour(12),o=e.clone().endOf("month").hour(12),s=(r.day()+7-n)%7,l=(n+6-o.day())%7,c=r.clone().subtract(s,"day"),u=o.clone().add(l,"day"),d=u.diff(c,"days")+1,p=c.clone(),m=[],h=0;h=s&&h{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.default=function(e,t){return 7*e+2*t+1}},3065:(e,t,n)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.default=function(e){var t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:a.default.localeData().firstDayOfWeek(),n=e.clone().startOf("month"),r=i(n,t);return Math.ceil((r+e.daysInMonth())/7)};var r,o=n(381),a=(r=o)&&r.__esModule?r:{default:r};function i(e,t){return(e.day()-t+7)%7}},4748:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.default=function(e,t){if("string"==typeof e)return e;if("function"==typeof e)return e(t);return""}},1983:(e,t,n)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.default=function(e){return Object.keys(e).reduce((function(e,t){return(0,r.default)({},e,function(e,t,n){t in e?Object.defineProperty(e,t,{value:n,enumerable:!0,configurable:!0,writable:!0}):e[t]=n;return e}({},t,o.default.oneOfType([o.default.string,o.default.func,o.default.node])))}),{})};var r=a(n(3533)),o=a(n(5697));function a(e){return e&&e.__esModule?e:{default:e}}},8926:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.default=function(e){return{transform:e,msTransform:e,MozTransform:e,WebkitTransform:e}}},1729:(e,t,n)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.default=function(e,t,n,a){if(!r.default.isMoment(e))return{};for(var i={},s=a?e.clone():e.clone().subtract(1,"month"),l=0;l<(a?t:t+2);l+=1){var c=[],u=s.clone(),d=u.clone().startOf("month").hour(12),p=u.clone().endOf("month").hour(12),m=d.clone();if(n)for(var h=0;h{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.default=function(e,t){return!(!r.default.isMoment(e)||!r.default.isMoment(t))&&(!(0,o.default)(e,t)&&!(0,a.default)(e,t))};var r=i(n(381)),o=i(n(2933)),a=i(n(1992));function i(e){return e&&e.__esModule?e:{default:e}}},2933:(e,t,n)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.default=function(e,t){if(!a.default.isMoment(e)||!a.default.isMoment(t))return!1;var n=e.year(),r=e.month(),o=t.year(),i=t.month(),s=n===o,l=r===i;return s&&l?e.date(){"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.default=function(e,t,n,a){var i=t.clone().startOf("month");a&&(i=i.startOf("week"));if((0,r.default)(e,i))return!1;var s=t.clone().add(n-1,"months").endOf("month");a&&(s=s.endOf("week"));return!(0,o.default)(e,s)};var r=a(n(2933)),o=a(n(6023));function a(e){return e&&e.__esModule?e:{default:e}}},2376:(e,t,n)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.default=function(e,t){return!(!r.default.isMoment(e)||!r.default.isMoment(t))&&(0,o.default)(e.clone().add(1,"month"),t)};var r=a(n(381)),o=a(n(34));function a(e){return e&&e.__esModule?e:{default:e}}},1491:(e,t,n)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.default=function(e,t){return!(!r.default.isMoment(e)||!r.default.isMoment(t))&&(0,o.default)(e.clone().subtract(1,"month"),t)};var r=a(n(381)),o=a(n(34));function a(e){return e&&e.__esModule?e:{default:e}}},1992:(e,t,n)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.default=function(e,t){return!(!a.default.isMoment(e)||!a.default.isMoment(t))&&(e.date()===t.date()&&e.month()===t.month()&&e.year()===t.year())};var r,o=n(381),a=(r=o)&&r.__esModule?r:{default:r}},34:(e,t,n)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.default=function(e,t){return!(!a.default.isMoment(e)||!a.default.isMoment(t))&&(e.month()===t.month()&&e.year()===t.year())};var r,o=n(381),a=(r=o)&&r.__esModule?r:{default:r}},9826:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.default=function(){return!("undefined"==typeof window||!("TransitionEvent"in window))}},5135:(e,t,n)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.default=function(){(0,o.default)(r.default)};var r=a(n(5906)),o=a(n(8874));function a(e){return e&&e.__esModule?e:{default:e}}},8874:(e,t,n)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.default=function(e){r.default.registerInterface(e),r.default.registerTheme(o.default)};var r=a(n(4202)),o=a(n(6729));function a(e){return e&&e.__esModule?e:{default:e}}},4162:(e,t,n)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.default=function(e,t){var n=r.default.isMoment(e)?e:(0,o.default)(e,t);return n?n.format(a.ISO_FORMAT):null};var r=i(n(381)),o=i(n(1526)),a=n(5388);function i(e){return e&&e.__esModule?e:{default:e}}},180:(e,t,n)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.default=function(e,t){var n=r.default.isMoment(e)?e:(0,o.default)(e,t);return n?n.format(a.ISO_MONTH_FORMAT):null};var r=i(n(381)),o=i(n(1526)),a=n(5388);function i(e){return e&&e.__esModule?e:{default:e}}},1526:(e,t,n)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.default=function(e,t){var n=t?[t,i.DISPLAY_FORMAT,i.ISO_FORMAT]:[i.DISPLAY_FORMAT,i.ISO_FORMAT],r=(0,a.default)(e,n,!0);return r.isValid()?r.hour(12):null};var r,o=n(381),a=(r=o)&&r.__esModule?r:{default:r},i=n(5388)},9921:(e,t)=>{"use strict";var n=60103,r=60106,o=60107,a=60108,i=60114,s=60109,l=60110,c=60112,u=60113,d=60120,p=60115,m=60116,h=60121,f=60122,g=60117,b=60129,y=60131;if("function"==typeof Symbol&&Symbol.for){var v=Symbol.for;n=v("react.element"),r=v("react.portal"),o=v("react.fragment"),a=v("react.strict_mode"),i=v("react.profiler"),s=v("react.provider"),l=v("react.context"),c=v("react.forward_ref"),u=v("react.suspense"),d=v("react.suspense_list"),p=v("react.memo"),m=v("react.lazy"),h=v("react.block"),f=v("react.server.block"),g=v("react.fundamental"),b=v("react.debug_trace_mode"),y=v("react.legacy_hidden")}function _(e){if("object"==typeof e&&null!==e){var t=e.$$typeof;switch(t){case n:switch(e=e.type){case o:case i:case a:case u:case d:return e;default:switch(e=e&&e.$$typeof){case l:case c:case m:case p:case s:return e;default:return t}}case r:return t}}}},9864:(e,t,n)=>{"use strict";n(9921)},8333:e=>{var t={invalidPredicate:"`predicate` must be a function",invalidPropValidator:"`propValidator` must be a function",requiredCore:"is marked as required",invalidTypeCore:"Invalid input type",predicateFailureCore:"Failed to succeed with predicate",anonymousMessage:"<>",baseInvalidMessage:"Invalid "};function n(e){if("function"!=typeof e)throw new Error(t.invalidPropValidator);var n=e.bind(null,!1,null);return n.isRequired=e.bind(null,!0,null),n.withPredicate=function(n){if("function"!=typeof n)throw new Error(t.invalidPredicate);var r=e.bind(null,!1,n);return r.isRequired=e.bind(null,!0,n),r},n}function r(e,n,r){return new Error("The prop `"+e+"` "+t.requiredCore+" in `"+n+"`, but its value is `"+r+"`.")}e.exports={constructPropValidatorVariations:n,createMomentChecker:function(e,o,a,i){return n((function(n,s,l,c,u,d,p){var m=l[c],h=typeof m,f=function(e,t,n,o){var a=void 0===o,i=null===o;if(e){if(a)return r(n,t,"undefined");if(i)return r(n,t,"null")}return a||i?null:-1}(n,u=u||t.anonymousMessage,p=p||c,m);if(-1!==f)return f;if(o&&!o(m))return new Error(t.invalidTypeCore+": `"+c+"` of type `"+h+"` supplied to `"+u+"`, expected `"+e+"`.");if(!a(m))return new Error(t.baseInvalidMessage+d+" `"+c+"` of type `"+h+"` supplied to `"+u+"`, expected `"+i+"`.");if(s&&!s(m)){var g=s.name||t.anonymousMessage;return new Error(t.baseInvalidMessage+d+" `"+c+"` of type `"+h+"` supplied to `"+u+"`. "+t.predicateFailureCore+" `"+g+"`.")}return null}))},messages:t}},2605:(e,t,n)=>{var r=n(381),o=n(914),a=n(8333);e.exports={momentObj:a.createMomentChecker("object",(function(e){return"object"==typeof e}),(function(e){return o.isValidMoment(e)}),"Moment"),momentString:a.createMomentChecker("string",(function(e){return"string"==typeof e}),(function(e){return o.isValidMoment(r(e))}),"Moment"),momentDurationObj:a.createMomentChecker("object",(function(e){return"object"==typeof e}),(function(e){return r.isDuration(e)}),"Duration")}},914:(e,t,n)=>{var r=n(381);e.exports={isValidMoment:function(e){return!("function"==typeof r.isMoment&&!r.isMoment(e))&&("function"==typeof e.isValid?e.isValid():!isNaN(e))}}},6428:(e,t,n)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var r=function(){function e(e,t){for(var n=0;n{e.exports=n(6428)},5464:(e,t,n)=>{var r=n(3804),o={display:"block",opacity:0,position:"absolute",top:0,left:0,height:"100%",width:"100%",overflow:"hidden",pointerEvents:"none",zIndex:-1},a=function(e){var t=e.onResize,n=r.useRef();return function(e,t){var n=function(){return e.current&&e.current.contentDocument&&e.current.contentDocument.defaultView};function o(){t();var e=n();e&&e.addEventListener("resize",t)}r.useEffect((function(){return n()?o():e.current&&e.current.addEventListener&&e.current.addEventListener("load",o),function(){var e=n();e&&"function"==typeof e.removeEventListener&&e.removeEventListener("resize",t)}}),[])}(n,(function(){return t(n)})),r.createElement("iframe",{style:o,src:"about:blank",ref:n,"aria-hidden":!0,tabIndex:-1,frameBorder:0})},i=function(e){return{width:null!=e?e.offsetWidth:null,height:null!=e?e.offsetHeight:null}};e.exports=function(e){void 0===e&&(e=i);var t=r.useState(e(null)),n=t[0],o=t[1],s=r.useCallback((function(t){return o(e(t.current))}),[e]);return[r.useMemo((function(){return r.createElement(a,{onResize:s})}),[s]),n]}},8088:(e,t,n)=>{"use strict";function r(e){return e&&"object"==typeof e&&"default"in e?e.default:e}var o=r(n(7154)),a=r(n(7316)),i=n(3804),s=r(i),l=r(n(5354)),c=r(n(1506)),u={arr:Array.isArray,obj:function(e){return"[object Object]"===Object.prototype.toString.call(e)},fun:function(e){return"function"==typeof e},str:function(e){return"string"==typeof e},num:function(e){return"number"==typeof e},und:function(e){return void 0===e},nul:function(e){return null===e},set:function(e){return e instanceof Set},map:function(e){return e instanceof Map},equ:function(e,t){if(typeof e!=typeof t)return!1;if(u.str(e)||u.num(e))return e===t;if(u.obj(e)&&u.obj(t)&&Object.keys(e).length+Object.keys(t).length===0)return!0;var n;for(n in e)if(!(n in t))return!1;for(n in t)if(e[n]!==t[n])return!1;return!u.und(n)||e===t}};function d(){var e=i.useState(!1)[1];return i.useCallback((function(){return e((function(e){return!e}))}),[])}function p(e,t){return u.und(e)||u.nul(e)?t:e}function m(e){return u.und(e)?[]:u.arr(e)?e:[e]}function h(e){for(var t=arguments.length,n=new Array(t>1?t-1:0),r=1;r=n.length)break;a=n[o++]}else{if((o=n.next()).done)break;a=o.value}for(var i=a,s=!1,l=0;l=m.startTime+c.duration;else if(c.decay)g=h+v/(1-.998)*(1-Math.exp(-(1-.998)*(t-m.startTime))),(u=Math.abs(m.lastPosition-g)<.1)&&(f=g);else{d=void 0!==m.lastTime?m.lastTime:t,v=void 0!==m.lastVelocity?m.lastVelocity:c.initialVelocity,t>d+64&&(d=t);for(var _=Math.floor(t-d),M=0;M<_;++M){g+=1*(v+=1*((-c.tension*(g-f)+-c.friction*v)/c.mass)/1e3)/1e3}var k=!(!c.clamp||0===c.tension)&&(hf:g=e);++n);return n-1}(e,a);return function(e,t,n,r,o,a,i,s,l){var c=l?l(e):e;if(cn){if("identity"===s)return c;"clamp"===s&&(c=n)}if(r===o)return r;if(t===n)return e<=t?r:o;t===-1/0?c=-c:n===1/0?c-=t:c=(c-t)/(n-t);c=a(c),r===-1/0?c=-c:o===1/0?c+=r:c=c*(o-r)+r;return c}(e,a[t],a[t+1],o[t],o[t+1],l,i,s,r.map)}}var Y=function(e){function t(n,r,o,a){var i;return(i=e.call(this)||this).calc=void 0,i.payload=n instanceof v&&!(n instanceof t)?n.getPayload():Array.isArray(n)?n:[n],i.calc=W(r,o,a),i}l(t,e);var n=t.prototype;return n.getValue=function(){return this.calc.apply(this,this.payload.map((function(e){return e.getValue()})))},n.updateConfig=function(e,t,n){this.calc=W(e,t,n)},n.interpolate=function(e,n,r){return new t(this,e,n,r)},t}(v);function H(e,t){"update"in e?t.add(e):e.getChildren().forEach((function(e){return H(e,t)}))}var q=function(e){function t(t){var n;return(n=e.call(this)||this).animatedStyles=new Set,n.value=void 0,n.startPosition=void 0,n.lastPosition=void 0,n.lastVelocity=void 0,n.startTime=void 0,n.lastTime=void 0,n.done=!1,n.setValue=function(e,t){void 0===t&&(t=!0),n.value=e,t&&n.flush()},n.value=t,n.startPosition=t,n.lastPosition=t,n}l(t,e);var n=t.prototype;return n.flush=function(){0===this.animatedStyles.size&&H(this,this.animatedStyles),this.animatedStyles.forEach((function(e){return e.update()}))},n.clearStyles=function(){this.animatedStyles.clear()},n.getValue=function(){return this.value},n.interpolate=function(e,t,n){return new Y(this,e,t,n)},t}(y),j=function(e){function t(t){var n;return(n=e.call(this)||this).payload=t.map((function(e){return new q(e)})),n}l(t,e);var n=t.prototype;return n.setValue=function(e,t){var n=this;void 0===t&&(t=!0),Array.isArray(e)?e.length===this.payload.length&&e.forEach((function(e,r){return n.payload[r].setValue(e,t)})):this.payload.forEach((function(n){return n.setValue(e,t)}))},n.getValue=function(){return this.payload.map((function(e){return e.getValue()}))},n.interpolate=function(e,t){return new Y(this,e,t)},t}(v),F=0,V=function(){function e(){var e=this;this.id=void 0,this.idle=!0,this.hasChanged=!1,this.guid=0,this.local=0,this.props={},this.merged={},this.animations={},this.interpolations={},this.values={},this.configs=[],this.listeners=[],this.queue=[],this.localQueue=void 0,this.getValues=function(){return e.interpolations},this.id=F++}var t=e.prototype;return t.update=function(e){if(!e)return this;var t=f(e),n=t.delay,r=void 0===n?0:n,i=t.to,s=a(t,["delay","to"]);if(u.arr(i)||u.fun(i))this.queue.push(o({},s,{delay:r,to:i}));else if(i){var l={};Object.entries(i).forEach((function(e){var t,n=e[0],a=e[1],i=o({to:(t={},t[n]=a,t),delay:h(r,n)},s),c=l[i.delay]&&l[i.delay].to;l[i.delay]=o({},l[i.delay],i,{to:o({},c,i.to)})})),this.queue=Object.values(l)}return this.queue=this.queue.sort((function(e,t){return e.delay-t.delay})),this.diff(s),this},t.start=function(e){var t,n=this;if(this.queue.length){this.idle=!1,this.localQueue&&this.localQueue.forEach((function(e){var t=e.from,r=void 0===t?{}:t,a=e.to,i=void 0===a?{}:a;u.obj(r)&&(n.merged=o({},r,n.merged)),u.obj(i)&&(n.merged=o({},n.merged,i))}));var r=this.local=++this.guid,i=this.localQueue=this.queue;this.queue=[],i.forEach((function(t,o){var s=t.delay,l=a(t,["delay"]),c=function(t){o===i.length-1&&r===n.guid&&t&&(n.idle=!0,n.props.onRest&&n.props.onRest(n.merged)),e&&e()},d=u.arr(l.to)||u.fun(l.to);s?setTimeout((function(){r===n.guid&&(d?n.runAsync(l,c):n.diff(l).start(c))}),s):d?n.runAsync(l,c):n.diff(l).start(c)}))}else u.fun(e)&&this.listeners.push(e),this.props.onStart&&this.props.onStart(),t=this,P.has(t)||P.add(t),I||(I=!0,E(z||R));return this},t.stop=function(e){return this.listeners.forEach((function(t){return t(e)})),this.listeners=[],this},t.pause=function(e){var t;return this.stop(!0),e&&(t=this,P.has(t)&&P.delete(t)),this},t.runAsync=function(e,t){var n=this,r=(e.delay,a(e,["delay"])),i=this.local,s=Promise.resolve(void 0);if(u.arr(r.to))for(var l=function(e){var t=e,a=o({},r,f(r.to[t]));u.arr(a.config)&&(a.config=a.config[t]),s=s.then((function(){if(i===n.guid)return new Promise((function(e){return n.diff(a).start(e)}))}))},c=0;c=r.length)return"break";i=r[a++]}else{if((a=r.next()).done)return"break";i=a.value}var n=i.key,s=function(e){return e.key!==n};(u.und(t)||t===n)&&(e.current.instances.delete(n),e.current.transitions=e.current.transitions.filter(s),e.current.deleted=e.current.deleted.filter(s))},r=e.current.deleted,o=Array.isArray(r),a=0;for(r=o?r:r[Symbol.iterator]();;){var i;if("break"===n())break}e.current.forceUpdate()}var ee=function(e){function t(t){var n;return void 0===t&&(t={}),n=e.call(this)||this,!t.transform||t.transform instanceof y||(t=g.transform(t)),n.payload=t,n}return l(t,e),t}(_),te={transparent:0,aliceblue:4042850303,antiquewhite:4209760255,aqua:16777215,aquamarine:2147472639,azure:4043309055,beige:4126530815,bisque:4293182719,black:255,blanchedalmond:4293643775,blue:65535,blueviolet:2318131967,brown:2771004159,burlywood:3736635391,burntsienna:3934150143,cadetblue:1604231423,chartreuse:2147418367,chocolate:3530104575,coral:4286533887,cornflowerblue:1687547391,cornsilk:4294499583,crimson:3692313855,cyan:16777215,darkblue:35839,darkcyan:9145343,darkgoldenrod:3095792639,darkgray:2846468607,darkgreen:6553855,darkgrey:2846468607,darkkhaki:3182914559,darkmagenta:2332068863,darkolivegreen:1433087999,darkorange:4287365375,darkorchid:2570243327,darkred:2332033279,darksalmon:3918953215,darkseagreen:2411499519,darkslateblue:1211993087,darkslategray:793726975,darkslategrey:793726975,darkturquoise:13554175,darkviolet:2483082239,deeppink:4279538687,deepskyblue:12582911,dimgray:1768516095,dimgrey:1768516095,dodgerblue:512819199,firebrick:2988581631,floralwhite:4294635775,forestgreen:579543807,fuchsia:4278255615,gainsboro:3705462015,ghostwhite:4177068031,gold:4292280575,goldenrod:3668254975,gray:2155905279,green:8388863,greenyellow:2919182335,grey:2155905279,honeydew:4043305215,hotpink:4285117695,indianred:3445382399,indigo:1258324735,ivory:4294963455,khaki:4041641215,lavender:3873897215,lavenderblush:4293981695,lawngreen:2096890111,lemonchiffon:4294626815,lightblue:2916673279,lightcoral:4034953471,lightcyan:3774873599,lightgoldenrodyellow:4210742015,lightgray:3553874943,lightgreen:2431553791,lightgrey:3553874943,lightpink:4290167295,lightsalmon:4288707327,lightseagreen:548580095,lightskyblue:2278488831,lightslategray:2005441023,lightslategrey:2005441023,lightsteelblue:2965692159,lightyellow:4294959359,lime:16711935,limegreen:852308735,linen:4210091775,magenta:4278255615,maroon:2147483903,mediumaquamarine:1724754687,mediumblue:52735,mediumorchid:3126187007,mediumpurple:2473647103,mediumseagreen:1018393087,mediumslateblue:2070474495,mediumspringgreen:16423679,mediumturquoise:1221709055,mediumvioletred:3340076543,midnightblue:421097727,mintcream:4127193855,mistyrose:4293190143,moccasin:4293178879,navajowhite:4292783615,navy:33023,oldlace:4260751103,olive:2155872511,olivedrab:1804477439,orange:4289003775,orangered:4282712319,orchid:3664828159,palegoldenrod:4008225535,palegreen:2566625535,paleturquoise:2951671551,palevioletred:3681588223,papayawhip:4293907967,peachpuff:4292524543,peru:3448061951,pink:4290825215,plum:3718307327,powderblue:2967529215,purple:2147516671,rebeccapurple:1714657791,red:4278190335,rosybrown:3163525119,royalblue:1097458175,saddlebrown:2336560127,salmon:4202722047,sandybrown:4104413439,seagreen:780883967,seashell:4294307583,sienna:2689740287,silver:3233857791,skyblue:2278484991,slateblue:1784335871,slategray:1887473919,slategrey:1887473919,snow:4294638335,springgreen:16744447,steelblue:1182971135,tan:3535047935,teal:8421631,thistle:3636451583,tomato:4284696575,turquoise:1088475391,violet:4001558271,wheat:4125012991,white:4294967295,whitesmoke:4126537215,yellow:4294902015,yellowgreen:2597139199},ne="[-+]?\\d*\\.?\\d+",re=ne+"%";function oe(){for(var e=arguments.length,t=new Array(e),n=0;n1&&(n-=1),n<1/6?e+6*(t-e)*n:n<.5?t:n<2/3?e+(t-e)*(2/3-n)*6:e}function he(e,t,n){var r=n<.5?n*(1+t):n+t-n*t,o=2*n-r,a=me(o,r,e+1/3),i=me(o,r,e),s=me(o,r,e-1/3);return Math.round(255*a)<<24|Math.round(255*i)<<16|Math.round(255*s)<<8}function fe(e){var t=parseInt(e,10);return t<0?0:t>255?255:t}function ge(e){return(parseFloat(e)%360+360)%360/360}function be(e){var t=parseFloat(e);return t<0?0:t>1?255:Math.round(255*t)}function ye(e){var t=parseFloat(e);return t<0?0:t>100?1:t/100}function ve(e){var t,n,r="number"==typeof(t=e)?t>>>0===t&&t>=0&&t<=4294967295?t:null:(n=de.exec(t))?parseInt(n[1]+"ff",16)>>>0:te.hasOwnProperty(t)?te[t]:(n=ae.exec(t))?(fe(n[1])<<24|fe(n[2])<<16|fe(n[3])<<8|255)>>>0:(n=ie.exec(t))?(fe(n[1])<<24|fe(n[2])<<16|fe(n[3])<<8|be(n[4]))>>>0:(n=ce.exec(t))?parseInt(n[1]+n[1]+n[2]+n[2]+n[3]+n[3]+"ff",16)>>>0:(n=pe.exec(t))?parseInt(n[1],16)>>>0:(n=ue.exec(t))?parseInt(n[1]+n[1]+n[2]+n[2]+n[3]+n[3]+n[4]+n[4],16)>>>0:(n=se.exec(t))?(255|he(ge(n[1]),ye(n[2]),ye(n[3])))>>>0:(n=le.exec(t))?(he(ge(n[1]),ye(n[2]),ye(n[3]))|be(n[4]))>>>0:null;return null===r?e:"rgba("+((4278190080&(r=r||0))>>>24)+", "+((16711680&r)>>>16)+", "+((65280&r)>>>8)+", "+(255&r)/255+")"}var _e=/[+\-]?(?:0|[1-9]\d*)(?:\.\d*)?(?:[eE][+\-]?\d+)?/g,Me=/(#(?:[0-9a-f]{2}){2,4}|(#[0-9a-f]{3})|(rgb|hsl)a?\((-?\d+%?[,\s]+){2,3}\s*[\d\.]+%?\))/gi,ke=new RegExp("("+Object.keys(te).join("|")+")","g"),we={animationIterationCount:!0,borderImageOutset:!0,borderImageSlice:!0,borderImageWidth:!0,boxFlex:!0,boxFlexGroup:!0,boxOrdinalGroup:!0,columnCount:!0,columns:!0,flex:!0,flexGrow:!0,flexPositive:!0,flexShrink:!0,flexNegative:!0,flexOrder:!0,gridRow:!0,gridRowEnd:!0,gridRowSpan:!0,gridRowStart:!0,gridColumn:!0,gridColumnEnd:!0,gridColumnSpan:!0,gridColumnStart:!0,fontWeight:!0,lineClamp:!0,lineHeight:!0,opacity:!0,order:!0,orphans:!0,tabSize:!0,widows:!0,zIndex:!0,zoom:!0,fillOpacity:!0,floodOpacity:!0,stopOpacity:!0,strokeDasharray:!0,strokeDashoffset:!0,strokeMiterlimit:!0,strokeOpacity:!0,strokeWidth:!0},Ee=["Webkit","Ms","Moz","O"];function Le(e,t,n){return null==t||"boolean"==typeof t||""===t?"":n||"number"!=typeof t||0===t||we.hasOwnProperty(e)&&we[e]?(""+t).trim():t+"px"}we=Object.keys(we).reduce((function(e,t){return Ee.forEach((function(n){return e[function(e,t){return e+t.charAt(0).toUpperCase()+t.substring(1)}(n,t)]=e[t]})),e}),we);var Ae={};N((function(e){return new ee(e)})),T("div"),A((function(e){var t=e.output.map((function(e){return e.replace(Me,ve)})).map((function(e){return e.replace(ke,ve)})),n=t[0].match(_e).map((function(){return[]}));t.forEach((function(e){e.match(_e).forEach((function(e,t){return n[t].push(+e)}))}));var r=t[0].match(_e).map((function(t,r){return W(o({},e,{output:n[r]}))}));return function(e){var n=0;return t[0].replace(_e,(function(){return r[n++](e)})).replace(/rgba\(([0-9\.-]+), ([0-9\.-]+), ([0-9\.-]+), ([0-9\.-]+)\)/gi,(function(e,t,n,r,o){return"rgba("+Math.round(t)+", "+Math.round(n)+", "+Math.round(r)+", "+o+")"}))}})),k(te),M((function(e,t){if(!e.nodeType||void 0===e.setAttribute)return!1;var n=t.style,r=t.children,o=t.scrollTop,i=t.scrollLeft,s=a(t,["style","children","scrollTop","scrollLeft"]),l="filter"===e.nodeName||e.parentNode&&"filter"===e.parentNode.nodeName;for(var c in void 0!==o&&(e.scrollTop=o),void 0!==i&&(e.scrollLeft=i),void 0!==r&&(e.textContent=r),n)if(n.hasOwnProperty(c)){var u=0===c.indexOf("--"),d=Le(c,n[c],u);"float"===c&&(c="cssFloat"),u?e.style.setProperty(c,d):e.style[c]=d}for(var p in s){var m=l?p:Ae[p]||(Ae[p]=p.replace(/([A-Z])/g,(function(e){return"-"+e.toLowerCase()})));void 0!==e.getAttribute(m)&&e.setAttribute(m,s[p])}}),(function(e){return e}));var Se,Ce,Te=(Se=function(e){return i.forwardRef((function(t,n){var r=d(),l=i.useRef(!0),c=i.useRef(null),p=i.useRef(null),m=i.useCallback((function(e){var t=c.current;c.current=new B(e,(function(){var e=!1;p.current&&(e=g.fn(p.current,c.current.getAnimatedValue())),p.current&&!1!==e||r()})),t&&t.detach()}),[]);i.useEffect((function(){return function(){l.current=!1,c.current&&c.current.detach()}}),[]),i.useImperativeHandle(n,(function(){return O(p,l,r)})),m(t);var h,f=c.current.getValue(),b=(f.scrollTop,f.scrollLeft,a(f,["scrollTop","scrollLeft"])),y=(h=e,!u.fun(h)||h.prototype instanceof s.Component?function(e){return p.current=function(e,t){return t&&(u.fun(t)?t(e):u.obj(t)&&(t.current=e)),e}(e,n)}:void 0);return s.createElement(e,o({},b,{ref:y}))}))},void 0===(Ce=!1)&&(Ce=!0),function(e){return(u.arr(e)?e:Object.keys(e)).reduce((function(e,t){var n=Ce?t[0].toLowerCase()+t.substring(1):t;return e[n]=Se(n),e}),Se)}),xe=Te(["a","abbr","address","area","article","aside","audio","b","base","bdi","bdo","big","blockquote","body","br","button","canvas","caption","cite","code","col","colgroup","data","datalist","dd","del","details","dfn","dialog","div","dl","dt","em","embed","fieldset","figcaption","figure","footer","form","h1","h2","h3","h4","h5","h6","head","header","hgroup","hr","html","i","iframe","img","input","ins","kbd","keygen","label","legend","li","link","main","map","mark","menu","menuitem","meta","meter","nav","noscript","object","ol","optgroup","option","output","p","param","picture","pre","progress","q","rp","rt","ruby","s","samp","script","section","select","small","source","span","strong","style","sub","summary","sup","table","tbody","td","textarea","tfoot","th","thead","time","title","tr","track","u","ul","var","video","wbr","circle","clipPath","defs","ellipse","foreignObject","g","image","line","linearGradient","mask","path","pattern","polygon","polyline","radialGradient","rect","stop","svg","text","tspan"]);t.q=xe,t.q_=function(e){var t=u.fun(e),n=X(1,t?e:[e]),r=n[0],o=n[1],a=n[2];return t?[r[0],o,a]:r}},2166:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});t.CHANNEL="__direction__",t.DIRECTIONS={LTR:"ltr",RTL:"rtl"}},9885:(e,t,n)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var r,o=n(5697),a=(r=o)&&r.__esModule?r:{default:r};t.default=a.default.shape({getState:a.default.func,setState:a.default.func,subscribe:a.default.func})},8232:(e,t,n)=>{var r=l(n(6650)),o=l(n(1884)),a=n(8966),i=l(n(6280)),s=l(n(4333));function l(e){return e&&e.__esModule?e:{default:e}}t.default={create:function(e){var t={},n=Object.keys(e),r=(o.default.get(a.GLOBAL_CACHE_KEY)||{}).namespace,s=void 0===r?"":r;return n.forEach((function(e){var n=(0,i.default)(s,e);t[e]=n})),t},resolve:function(e){var t=(0,r.default)(e,1/0),n=(0,s.default)(t),o=n.classNames,a=n.hasInlineStyles,i=n.inlineStyles,l={className:o.map((function(e,t){return String(e)+" "+String(e)+"_"+String(t+1)})).join(" ")};return a&&(l.style=i),l}}},8966:(e,t)=>{Object.defineProperty(t,"__esModule",{value:!0});t.GLOBAL_CACHE_KEY="reactWithStylesInterfaceCSS",t.MAX_SPECIFICITY=20},6280:(e,t)=>{Object.defineProperty(t,"__esModule",{value:!0}),t.default=function(e,t){return(e.length>0?String(e)+"__":"")+String(t)}},4333:(e,t)=>{Object.defineProperty(t,"__esModule",{value:!0}),t.default=function(e){for(var t=[],n=!1,r={},o=0;o{e.exports=n(8232).default},4202:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n=void 0,r=void 0;function o(e,t){var n=t(e(r));return function(){return n}}function a(e){return o(e,n.createLTR||n.create)}function i(){for(var e=arguments.length,t=Array(e),r=0;r{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.withStylesPropTypes=t.css=void 0;var r=Object.assign||function(e){for(var t=1;t1&&void 0!==arguments[1]?arguments[1]:{},n=t.stylesPropName,s=void 0===n?"styles":n,u=t.themePropName,p=void 0===u?"theme":u,b=t.cssPropName,k=void 0===b?"css":b,w=t.flushBefore,E=void 0!==w&&w,L=t.pureComponent,A=void 0!==L&&L,S=void 0,C=void 0,T=void 0,x=void 0,z=v(A);function O(e){return e===c.DIRECTIONS.LTR?d.default.resolveLTR:d.default.resolveRTL}function N(e){return e===c.DIRECTIONS.LTR?T:x}function D(t,n){var r=N(t),o=t===c.DIRECTIONS.LTR?S:C,a=d.default.get();return o&&r===a||(t===c.DIRECTIONS.RTL?(C=e?d.default.createRTL(e):y,x=a,o=C):(S=e?d.default.createLTR(e):y,T=a,o=S)),o}function B(e,t){return{resolveMethod:O(e),styleDef:D(e)}}return function(e){var t=e.displayName||e.name||"Component",n=function(t){function n(e,t){m(this,n);var r=h(this,(n.__proto__||Object.getPrototypeOf(n)).call(this,e,t)),o=r.context[c.CHANNEL]?r.context[c.CHANNEL].getState():M;return r.state=B(o),r}return f(n,t),o(n,[{key:"componentDidMount",value:function(){var e=this;this.context[c.CHANNEL]&&(this.channelUnsubscribe=this.context[c.CHANNEL].subscribe((function(t){e.setState(B(t))})))}},{key:"componentWillUnmount",value:function(){this.channelUnsubscribe&&this.channelUnsubscribe()}},{key:"render",value:function(){var t;E&&d.default.flush();var n=this.state,o=n.resolveMethod,a=n.styleDef;return i.default.createElement(e,r({},this.props,(g(t={},p,d.default.get()),g(t,s,a()),g(t,k,o),t)))}}]),n}(z);return n.WrappedComponent=e,n.displayName="withStyles("+String(t)+")",n.contextTypes=_,e.propTypes&&(n.propTypes=(0,a.default)({},e.propTypes),delete n.propTypes[s],delete n.propTypes[p],delete n.propTypes[k]),e.defaultProps&&(n.defaultProps=(0,a.default)({},e.defaultProps)),(0,l.default)(n,e)}};var a=p(n(3533)),i=p(n(3804)),s=p(n(5697)),l=p(n(8679)),c=n(2166),u=p(n(9885)),d=p(n(4202));function p(e){return e&&e.__esModule?e:{default:e}}function m(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}function h(e,t){if(!e)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!t||"object"!=typeof t&&"function"!=typeof t?e:t}function f(e,t){if("function"!=typeof t&&null!==t)throw new TypeError("Super expression must either be null or a function, not "+typeof t);e.prototype=Object.create(t&&t.prototype,{constructor:{value:e,enumerable:!1,writable:!0,configurable:!0}}),t&&(Object.setPrototypeOf?Object.setPrototypeOf(e,t):e.__proto__=t)}function g(e,t,n){return t in e?Object.defineProperty(e,t,{value:n,enumerable:!0,configurable:!0,writable:!0}):e[t]=n,e}t.css=d.default.resolveLTR,t.withStylesPropTypes={styles:s.default.object.isRequired,theme:s.default.object.isRequired,css:s.default.func.isRequired};var b={},y=function(){return b};function v(e){if(e){if(!i.default.PureComponent)throw new ReferenceError("withStyles() pureComponent option requires React 15.3.0 or later");return i.default.PureComponent}return i.default.Component}var _=g({},c.CHANNEL,u.default),M=c.DIRECTIONS.LTR},2950:(e,t)=>{"use strict";t.Z=function(e){var t=e.dispatch;return function(e){return function(n){return Array.isArray(n)?n.filter(Boolean).map(t):e(n)}}}},2236:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.ActionCreators=t.ActionTypes=void 0;var n={UNDO:"@@redux-undo/UNDO",REDO:"@@redux-undo/REDO",JUMP_TO_FUTURE:"@@redux-undo/JUMP_TO_FUTURE",JUMP_TO_PAST:"@@redux-undo/JUMP_TO_PAST",JUMP:"@@redux-undo/JUMP",CLEAR_HISTORY:"@@redux-undo/CLEAR_HISTORY"};t.ActionTypes=n;var r={undo:function(){return{type:n.UNDO}},redo:function(){return{type:n.REDO}},jumpToFuture:function(e){return{type:n.JUMP_TO_FUTURE,index:e}},jumpToPast:function(e){return{type:n.JUMP_TO_PAST,index:e}},jump:function(e){return{type:n.JUMP,index:e}},clearHistory:function(){return{type:n.CLEAR_HISTORY}}};t.ActionCreators=r},8823:(e,t)=>{"use strict";function n(e){return function(e){if(Array.isArray(e)){for(var t=0,n=new Array(e.length);t{"use strict";function n(e){var t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:[];return Array.isArray(e)?e:"string"==typeof e?[e]:t}Object.defineProperty(t,"__esModule",{value:!0}),t.parseActions=n,t.isHistory=function(e){return void 0!==e.present&&void 0!==e.future&&void 0!==e.past&&Array.isArray(e.future)&&Array.isArray(e.past)},t.includeAction=function(e){var t=n(e);return function(e){return t.indexOf(e.type)>=0}},t.excludeAction=function(e){var t=n(e);return function(e){return t.indexOf(e.type)<0}},t.combineFilters=function(){for(var e=arguments.length,t=new Array(e),n=0;n=0?e.type:null}},t.newHistory=function(e,t,n){var r=arguments.length>3&&void 0!==arguments[3]?arguments[3]:null;return{past:e,present:t,future:n,group:r,_latestUnfiltered:t,index:e.length,limit:e.length+n.length+1}}},1090:(e,t,n)=>{"use strict";Object.defineProperty(t,"zF",{enumerable:!0,get:function(){return o.ActionCreators}}),Object.defineProperty(t,"ZP",{enumerable:!0,get:function(){return i.default}});var r,o=n(2236),a=n(1619),i=(r=n(2479))&&r.__esModule?r:{default:r}},2479:(e,t,n)=>{"use strict";function r(e){return(r="function"==typeof Symbol&&"symbol"==typeof Symbol.iterator?function(e){return typeof e}:function(e){return e&&"function"==typeof Symbol&&e.constructor===Symbol&&e!==Symbol.prototype?"symbol":typeof e})(e)}Object.defineProperty(t,"__esModule",{value:!0}),t.default=function(e){var t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{};o.set(t.debug);var n,r=c({limit:void 0,filter:function(){return!0},groupBy:function(){return null},undoType:a.ActionTypes.UNDO,redoType:a.ActionTypes.REDO,jumpToPastType:a.ActionTypes.JUMP_TO_PAST,jumpToFutureType:a.ActionTypes.JUMP_TO_FUTURE,jumpType:a.ActionTypes.JUMP,neverSkipReducer:!1,ignoreInitialState:!1,syncFilter:!1},t,{initTypes:(0,i.parseActions)(t.initTypes,["@@redux-undo/INIT"]),clearHistoryType:(0,i.parseActions)(t.clearHistoryType,[a.ActionTypes.CLEAR_HISTORY])}),s=r.neverSkipReducer?function(t,n){for(var r=arguments.length,o=new Array(r>2?r-2:0),a=2;a0&&void 0!==arguments[0]?arguments[0]:n,a=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{};o.start(a,t);for(var l,c=t,u=arguments.length,d=new Array(u>2?u-2:0),y=2;y=e.future.length)return e;var n=e.past,r=e.future,o=e._latestUnfiltered,a=[].concat(d(n),[o],d(r.slice(0,t))),s=r[t],l=r.slice(t+1);return(0,i.newHistory)(a,s,l)}function f(e,t){if(t<0||t>=e.past.length)return e;var n=e.past,r=e.future,o=e._latestUnfiltered,a=n.slice(0,t),s=[].concat(d(n.slice(t+1)),[o],d(r)),l=n[t];return(0,i.newHistory)(a,l,s)}function g(e,t){return t>0?h(e,t-1):t<0?f(e,e.past.length+t):e}function b(e,t){return t.indexOf(e)>-1?e:!e}},2965:e=>{"use strict";function t(e,n){var r;if(Array.isArray(n))for(r=0;r{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.race=t.join=t.fork=t.promise=void 0;var r=i(n(7333)),o=n(3467),a=i(n(701));function i(e){return e&&e.__esModule?e:{default:e}}var s=t.promise=function(e,t,n,o,a){return!!r.default.promise(e)&&(e.then(t,a),!0)},l=new Map,c=t.fork=function(e,t,n){if(!r.default.fork(e))return!1;var i=Symbol("fork"),s=(0,a.default)();l.set(i,s),n(e.iterator.apply(null,e.args),(function(e){return s.dispatch(e)}),(function(e){return s.dispatch((0,o.error)(e))}));var c=s.subscribe((function(){c(),l.delete(i)}));return t(i),!0},u=t.join=function(e,t,n,o,a){if(!r.default.join(e))return!1;var i,s=l.get(e.task);return s?i=s.subscribe((function(e){i(),t(e)})):a("join error : task not found"),!0},d=t.race=function(e,t,n,o,a){if(!r.default.race(e))return!1;var i=!1,s=function(e,n,r){i||(i=!0,e[n]=r,t(e))},l=function(e){i||a(e)};return r.default.array(e.competitors)?function(){var t=e.competitors.map((function(){return!1}));e.competitors.forEach((function(e,r){n(e,(function(e){return s(t,r,e)}),l)}))}():function(){var t=Object.keys(e.competitors).reduce((function(e,t){return e[t]=!1,e}),{});Object.keys(e.competitors).forEach((function(r){n(e.competitors[r],(function(e){return s(t,r,e)}),l)}))}(),!0};t.default=[s,c,u,d,function(e,t){if(!r.default.subscribe(e))return!1;if(!r.default.channel(e.channel))throw new Error('the first argument of "subscribe" must be a valid channel');var n=e.channel.subscribe((function(e){n&&n(),t(e)}));return!0}]},8016:(e,t,n)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.iterator=t.array=t.object=t.error=t.any=void 0;var r,o=n(7333),a=(r=o)&&r.__esModule?r:{default:r};var i=t.any=function(e,t,n,r){return r(e),!0},s=t.error=function(e,t,n,r,o){return!!a.default.error(e)&&(o(e.error),!0)},l=t.object=function(e,t,n,r,o){if(!a.default.all(e)||!a.default.obj(e.value))return!1;var i={},s=Object.keys(e.value),l=0,c=!1;return s.map((function(t){n(e.value[t],(function(e){return function(e,t){c||(i[e]=t,++l===s.length&&r(i))}(t,e)}),(function(e){return function(e,t){c||(c=!0,o(t))}(0,e)}))})),!0},c=t.array=function(e,t,n,r,o){if(!a.default.all(e)||!a.default.array(e.value))return!1;var i=[],s=0,l=!1;return e.value.map((function(t,a){n(t,(function(t){return function(t,n){l||(i[t]=n,++s===e.value.length&&r(i))}(a,t)}),(function(e){return function(e,t){l||(l=!0,o(t))}(0,e)}))})),!0},u=t.iterator=function(e,t,n,r,o){return!!a.default.iterator(e)&&(n(e,t,o),!0)};t.default=[s,u,c,l,i]},1850:(e,t,n)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.cps=t.call=void 0;var r,o=n(7333),a=(r=o)&&r.__esModule?r:{default:r};var i=t.call=function(e,t,n,r,o){if(!a.default.call(e))return!1;try{t(e.func.apply(e.context,e.args))}catch(e){o(e)}return!0},s=t.cps=function(e,t,n,r,o){var i;return!!a.default.cps(e)&&((i=e.func).call.apply(i,[null].concat(function(e){if(Array.isArray(e)){for(var t=0,n=Array(e.length);t{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var r=a(n(8016)),o=a(n(7333));function a(e){return e&&e.__esModule?e:{default:e}}function i(e){if(Array.isArray(e)){for(var t=0,n=Array(e.length);t{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.wrapControls=t.asyncControls=t.create=void 0;var r=n(3467);Object.keys(r).forEach((function(e){"default"!==e&&Object.defineProperty(t,e,{enumerable:!0,get:function(){return r[e]}})}));var o=s(n(8909)),a=s(n(3859)),i=s(n(1850));function s(e){return e&&e.__esModule?e:{default:e}}t.create=o.default,t.asyncControls=a.default,t.wrapControls=i.default},701:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});t.default=function(){var e=[];return{subscribe:function(t){return e.push(t),function(){e=e.filter((function(e){return e!==t}))}},dispatch:function(t){e.slice().forEach((function(e){return e(t)}))}}}},3467:(e,t,n)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.createChannel=t.subscribe=t.cps=t.apply=t.call=t.invoke=t.delay=t.race=t.join=t.fork=t.error=t.all=void 0;var r,o=n(1309),a=(r=o)&&r.__esModule?r:{default:r};t.all=function(e){return{type:a.default.all,value:e}},t.error=function(e){return{type:a.default.error,error:e}},t.fork=function(e){for(var t=arguments.length,n=Array(t>1?t-1:0),r=1;r1?t-1:0),r=1;r2?n-2:0),o=2;o1?t-1:0),r=1;r{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var r,o="function"==typeof Symbol&&"symbol"==typeof Symbol.iterator?function(e){return typeof e}:function(e){return e&&"function"==typeof Symbol&&e.constructor===Symbol?"symbol":typeof e},a=n(1309),i=(r=a)&&r.__esModule?r:{default:r};var s={obj:function(e){return"object"===(void 0===e?"undefined":o(e))&&!!e},all:function(e){return s.obj(e)&&e.type===i.default.all},error:function(e){return s.obj(e)&&e.type===i.default.error},array:Array.isArray,func:function(e){return"function"==typeof e},promise:function(e){return e&&s.func(e.then)},iterator:function(e){return e&&s.func(e.next)&&s.func(e.throw)},fork:function(e){return s.obj(e)&&e.type===i.default.fork},join:function(e){return s.obj(e)&&e.type===i.default.join},race:function(e){return s.obj(e)&&e.type===i.default.race},call:function(e){return s.obj(e)&&e.type===i.default.call},cps:function(e){return s.obj(e)&&e.type===i.default.cps},subscribe:function(e){return s.obj(e)&&e.type===i.default.subscribe},channel:function(e){return s.obj(e)&&s.func(e.subscribe)}};t.default=s},1309:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n={all:Symbol("all"),error:Symbol("error"),fork:Symbol("fork"),join:Symbol("join"),race:Symbol("race"),call:Symbol("call"),cps:Symbol("cps"),subscribe:Symbol("subscribe")};t.default=n},3787:function(e,t,n){var r;(function(){function o(e){"use strict";var t={omitExtraWLInCodeBlocks:{defaultValue:!1,describe:"Omit the default extra whiteline added to code blocks",type:"boolean"},noHeaderId:{defaultValue:!1,describe:"Turn on/off generated header id",type:"boolean"},prefixHeaderId:{defaultValue:!1,describe:"Add a prefix to the generated header ids. Passing a string will prefix that string to the header id. Setting to true will add a generic 'section-' prefix",type:"string"},rawPrefixHeaderId:{defaultValue:!1,describe:'Setting this option to true will prevent showdown from modifying the prefix. This might result in malformed IDs (if, for instance, the " char is used in the prefix)',type:"boolean"},ghCompatibleHeaderId:{defaultValue:!1,describe:"Generate header ids compatible with github style (spaces are replaced with dashes, a bunch of non alphanumeric chars are removed)",type:"boolean"},rawHeaderId:{defaultValue:!1,describe:"Remove only spaces, ' and \" from generated header ids (including prefixes), replacing them with dashes (-). WARNING: This might result in malformed ids",type:"boolean"},headerLevelStart:{defaultValue:!1,describe:"The header blocks level start",type:"integer"},parseImgDimensions:{defaultValue:!1,describe:"Turn on/off image dimension parsing",type:"boolean"},simplifiedAutoLink:{defaultValue:!1,describe:"Turn on/off GFM autolink style",type:"boolean"},excludeTrailingPunctuationFromURLs:{defaultValue:!1,describe:"Excludes trailing punctuation from links generated with autoLinking",type:"boolean"},literalMidWordUnderscores:{defaultValue:!1,describe:"Parse midword underscores as literal underscores",type:"boolean"},literalMidWordAsterisks:{defaultValue:!1,describe:"Parse midword asterisks as literal asterisks",type:"boolean"},strikethrough:{defaultValue:!1,describe:"Turn on/off strikethrough support",type:"boolean"},tables:{defaultValue:!1,describe:"Turn on/off tables support",type:"boolean"},tablesHeaderId:{defaultValue:!1,describe:"Add an id to table headers",type:"boolean"},ghCodeBlocks:{defaultValue:!0,describe:"Turn on/off GFM fenced code blocks support",type:"boolean"},tasklists:{defaultValue:!1,describe:"Turn on/off GFM tasklist support",type:"boolean"},smoothLivePreview:{defaultValue:!1,describe:"Prevents weird effects in live previews due to incomplete input",type:"boolean"},smartIndentationFix:{defaultValue:!1,description:"Tries to smartly fix indentation in es6 strings",type:"boolean"},disableForced4SpacesIndentedSublists:{defaultValue:!1,description:"Disables the requirement of indenting nested sublists by 4 spaces",type:"boolean"},simpleLineBreaks:{defaultValue:!1,description:"Parses simple line breaks as
(GFM Style)",type:"boolean"},requireSpaceBeforeHeadingText:{defaultValue:!1,description:"Makes adding a space between `#` and the header text mandatory (GFM Style)",type:"boolean"},ghMentions:{defaultValue:!1,description:"Enables github @mentions",type:"boolean"},ghMentionsLink:{defaultValue:"https://github.com/{u}",description:"Changes the link generated by @mentions. Only applies if ghMentions option is enabled.",type:"string"},encodeEmails:{defaultValue:!0,description:"Encode e-mail addresses through the use of Character Entities, transforming ASCII e-mail addresses into its equivalent decimal entities",type:"boolean"},openLinksInNewWindow:{defaultValue:!1,description:"Open all links in new windows",type:"boolean"},backslashEscapesHTMLTags:{defaultValue:!1,description:"Support for HTML Tag escaping. ex:
foo
",type:"boolean"},emoji:{defaultValue:!1,description:"Enable emoji support. Ex: `this is a :smile: emoji`",type:"boolean"},underline:{defaultValue:!1,description:"Enable support for underline. Syntax is double or triple underscores: `__underline word__`. With this option enabled, underscores no longer parses into `` and ``",type:"boolean"},completeHTMLDocument:{defaultValue:!1,description:"Outputs a complete html document, including ``, `` and `` tags",type:"boolean"},metadata:{defaultValue:!1,description:"Enable support for document metadata (defined at the top of the document between `«««` and `»»»` or between `---` and `---`).",type:"boolean"},splitAdjacentBlockquotes:{defaultValue:!1,description:"Split adjacent blockquote blocks",type:"boolean"}};if(!1===e)return JSON.parse(JSON.stringify(t));var n={};for(var r in t)t.hasOwnProperty(r)&&(n[r]=t[r].defaultValue);return n}var a={},i={},s={},l=o(!0),c="vanilla",u={github:{omitExtraWLInCodeBlocks:!0,simplifiedAutoLink:!0,excludeTrailingPunctuationFromURLs:!0,literalMidWordUnderscores:!0,strikethrough:!0,tables:!0,tablesHeaderId:!0,ghCodeBlocks:!0,tasklists:!0,disableForced4SpacesIndentedSublists:!0,simpleLineBreaks:!0,requireSpaceBeforeHeadingText:!0,ghCompatibleHeaderId:!0,ghMentions:!0,backslashEscapesHTMLTags:!0,emoji:!0,splitAdjacentBlockquotes:!0},original:{noHeaderId:!0,ghCodeBlocks:!1},ghost:{omitExtraWLInCodeBlocks:!0,parseImgDimensions:!0,simplifiedAutoLink:!0,excludeTrailingPunctuationFromURLs:!0,literalMidWordUnderscores:!0,strikethrough:!0,tables:!0,tablesHeaderId:!0,ghCodeBlocks:!0,tasklists:!0,smoothLivePreview:!0,simpleLineBreaks:!0,requireSpaceBeforeHeadingText:!0,ghMentions:!1,encodeEmails:!0},vanilla:o(!0),allOn:function(){"use strict";var e=o(!0),t={};for(var n in e)e.hasOwnProperty(n)&&(t[n]=!0);return t}()};function d(e,t){"use strict";var n=t?"Error in "+t+" extension->":"Error in unnamed extension",r={valid:!0,error:""};a.helper.isArray(e)||(e=[e]);for(var o=0;o").replace(/&/g,"&")};var m=function(e,t,n,r){"use strict";var o,a,i,s,l,c=r||"",u=c.indexOf("g")>-1,d=new RegExp(t+"|"+n,"g"+c.replace(/g/g,"")),p=new RegExp(t,c.replace(/g/g,"")),m=[];do{for(o=0;i=d.exec(e);)if(p.test(i[0]))o++||(s=(a=d.lastIndex)-i[0].length);else if(o&&!--o){l=i.index+i[0].length;var h={left:{start:s,end:a},match:{start:a,end:i.index},right:{start:i.index,end:l},wholeMatch:{start:s,end:l}};if(m.push(h),!u)return m}}while(o&&(d.lastIndex=a));return m};a.helper.matchRecursiveRegExp=function(e,t,n,r){"use strict";for(var o=m(e,t,n,r),a=[],i=0;i0){var u=[];0!==s[0].wholeMatch.start&&u.push(e.slice(0,s[0].wholeMatch.start));for(var d=0;d=0?r+(n||0):r},a.helper.splitAtIndex=function(e,t){"use strict";if(!a.helper.isString(e))throw"InvalidArgumentError: first parameter of showdown.helper.regexIndexOf function must be a string";return[e.substring(0,t),e.substring(t)]},a.helper.encodeEmailAddress=function(e){"use strict";var t=[function(e){return"&#"+e.charCodeAt(0)+";"},function(e){return"&#x"+e.charCodeAt(0).toString(16)+";"},function(e){return e}];return e=e.replace(/./g,(function(e){if("@"===e)e=t[Math.floor(2*Math.random())](e);else{var n=Math.random();e=n>.9?t[2](e):n>.45?t[1](e):t[0](e)}return e}))},a.helper.padEnd=function(e,t,n){"use strict";return t>>=0,n=String(n||" "),e.length>t?String(e):((t-=e.length)>n.length&&(n+=n.repeat(t/n.length)),String(e)+n.slice(0,t))},"undefined"==typeof console&&(console={warn:function(e){"use strict";alert(e)},log:function(e){"use strict";alert(e)},error:function(e){"use strict";throw e}}),a.helper.regexes={asteriskDashAndColon:/([*_:~])/g},a.helper.emojis={"+1":"👍","-1":"👎",100:"💯",1234:"🔢","1st_place_medal":"🥇","2nd_place_medal":"🥈","3rd_place_medal":"🥉","8ball":"🎱",a:"🅰️",ab:"🆎",abc:"🔤",abcd:"🔡",accept:"🉑",aerial_tramway:"🚡",airplane:"✈️",alarm_clock:"⏰",alembic:"⚗️",alien:"👽",ambulance:"🚑",amphora:"🏺",anchor:"⚓️",angel:"👼",anger:"💢",angry:"😠",anguished:"😧",ant:"🐜",apple:"🍎",aquarius:"♒️",aries:"♈️",arrow_backward:"◀️",arrow_double_down:"⏬",arrow_double_up:"⏫",arrow_down:"⬇️",arrow_down_small:"🔽",arrow_forward:"▶️",arrow_heading_down:"⤵️",arrow_heading_up:"⤴️",arrow_left:"⬅️",arrow_lower_left:"↙️",arrow_lower_right:"↘️",arrow_right:"➡️",arrow_right_hook:"↪️",arrow_up:"⬆️",arrow_up_down:"↕️",arrow_up_small:"🔼",arrow_upper_left:"↖️",arrow_upper_right:"↗️",arrows_clockwise:"🔃",arrows_counterclockwise:"🔄",art:"🎨",articulated_lorry:"🚛",artificial_satellite:"🛰",astonished:"😲",athletic_shoe:"👟",atm:"🏧",atom_symbol:"⚛️",avocado:"🥑",b:"🅱️",baby:"👶",baby_bottle:"🍼",baby_chick:"🐤",baby_symbol:"🚼",back:"🔙",bacon:"🥓",badminton:"🏸",baggage_claim:"🛄",baguette_bread:"🥖",balance_scale:"⚖️",balloon:"🎈",ballot_box:"🗳",ballot_box_with_check:"☑️",bamboo:"🎍",banana:"🍌",bangbang:"‼️",bank:"🏦",bar_chart:"📊",barber:"💈",baseball:"⚾️",basketball:"🏀",basketball_man:"⛹️",basketball_woman:"⛹️‍♀️",bat:"🦇",bath:"🛀",bathtub:"🛁",battery:"🔋",beach_umbrella:"🏖",bear:"🐻",bed:"🛏",bee:"🐝",beer:"🍺",beers:"🍻",beetle:"🐞",beginner:"🔰",bell:"🔔",bellhop_bell:"🛎",bento:"🍱",biking_man:"🚴",bike:"🚲",biking_woman:"🚴‍♀️",bikini:"👙",biohazard:"☣️",bird:"🐦",birthday:"🎂",black_circle:"⚫️",black_flag:"🏴",black_heart:"🖤",black_joker:"🃏",black_large_square:"⬛️",black_medium_small_square:"◾️",black_medium_square:"◼️",black_nib:"✒️",black_small_square:"▪️",black_square_button:"🔲",blonde_man:"👱",blonde_woman:"👱‍♀️",blossom:"🌼",blowfish:"🐡",blue_book:"📘",blue_car:"🚙",blue_heart:"💙",blush:"😊",boar:"🐗",boat:"⛵️",bomb:"💣",book:"📖",bookmark:"🔖",bookmark_tabs:"📑",books:"📚",boom:"💥",boot:"👢",bouquet:"💐",bowing_man:"🙇",bow_and_arrow:"🏹",bowing_woman:"🙇‍♀️",bowling:"🎳",boxing_glove:"🥊",boy:"👦",bread:"🍞",bride_with_veil:"👰",bridge_at_night:"🌉",briefcase:"💼",broken_heart:"💔",bug:"🐛",building_construction:"🏗",bulb:"💡",bullettrain_front:"🚅",bullettrain_side:"🚄",burrito:"🌯",bus:"🚌",business_suit_levitating:"🕴",busstop:"🚏",bust_in_silhouette:"👤",busts_in_silhouette:"👥",butterfly:"🦋",cactus:"🌵",cake:"🍰",calendar:"📆",call_me_hand:"🤙",calling:"📲",camel:"🐫",camera:"📷",camera_flash:"📸",camping:"🏕",cancer:"♋️",candle:"🕯",candy:"🍬",canoe:"🛶",capital_abcd:"🔠",capricorn:"♑️",car:"🚗",card_file_box:"🗃",card_index:"📇",card_index_dividers:"🗂",carousel_horse:"🎠",carrot:"🥕",cat:"🐱",cat2:"🐈",cd:"💿",chains:"⛓",champagne:"🍾",chart:"💹",chart_with_downwards_trend:"📉",chart_with_upwards_trend:"📈",checkered_flag:"🏁",cheese:"🧀",cherries:"🍒",cherry_blossom:"🌸",chestnut:"🌰",chicken:"🐔",children_crossing:"🚸",chipmunk:"🐿",chocolate_bar:"🍫",christmas_tree:"🎄",church:"⛪️",cinema:"🎦",circus_tent:"🎪",city_sunrise:"🌇",city_sunset:"🌆",cityscape:"🏙",cl:"🆑",clamp:"🗜",clap:"👏",clapper:"🎬",classical_building:"🏛",clinking_glasses:"🥂",clipboard:"📋",clock1:"🕐",clock10:"🕙",clock1030:"🕥",clock11:"🕚",clock1130:"🕦",clock12:"🕛",clock1230:"🕧",clock130:"🕜",clock2:"🕑",clock230:"🕝",clock3:"🕒",clock330:"🕞",clock4:"🕓",clock430:"🕟",clock5:"🕔",clock530:"🕠",clock6:"🕕",clock630:"🕡",clock7:"🕖",clock730:"🕢",clock8:"🕗",clock830:"🕣",clock9:"🕘",clock930:"🕤",closed_book:"📕",closed_lock_with_key:"🔐",closed_umbrella:"🌂",cloud:"☁️",cloud_with_lightning:"🌩",cloud_with_lightning_and_rain:"⛈",cloud_with_rain:"🌧",cloud_with_snow:"🌨",clown_face:"🤡",clubs:"♣️",cocktail:"🍸",coffee:"☕️",coffin:"⚰️",cold_sweat:"😰",comet:"☄️",computer:"💻",computer_mouse:"🖱",confetti_ball:"🎊",confounded:"😖",confused:"😕",congratulations:"㊗️",construction:"🚧",construction_worker_man:"👷",construction_worker_woman:"👷‍♀️",control_knobs:"🎛",convenience_store:"🏪",cookie:"🍪",cool:"🆒",policeman:"👮",copyright:"©️",corn:"🌽",couch_and_lamp:"🛋",couple:"👫",couple_with_heart_woman_man:"💑",couple_with_heart_man_man:"👨‍❤️‍👨",couple_with_heart_woman_woman:"👩‍❤️‍👩",couplekiss_man_man:"👨‍❤️‍💋‍👨",couplekiss_man_woman:"💏",couplekiss_woman_woman:"👩‍❤️‍💋‍👩",cow:"🐮",cow2:"🐄",cowboy_hat_face:"🤠",crab:"🦀",crayon:"🖍",credit_card:"💳",crescent_moon:"🌙",cricket:"🏏",crocodile:"🐊",croissant:"🥐",crossed_fingers:"🤞",crossed_flags:"🎌",crossed_swords:"⚔️",crown:"👑",cry:"😢",crying_cat_face:"😿",crystal_ball:"🔮",cucumber:"🥒",cupid:"💘",curly_loop:"➰",currency_exchange:"💱",curry:"🍛",custard:"🍮",customs:"🛃",cyclone:"🌀",dagger:"🗡",dancer:"💃",dancing_women:"👯",dancing_men:"👯‍♂️",dango:"🍡",dark_sunglasses:"🕶",dart:"🎯",dash:"💨",date:"📅",deciduous_tree:"🌳",deer:"🦌",department_store:"🏬",derelict_house:"🏚",desert:"🏜",desert_island:"🏝",desktop_computer:"🖥",male_detective:"🕵️",diamond_shape_with_a_dot_inside:"💠",diamonds:"♦️",disappointed:"😞",disappointed_relieved:"😥",dizzy:"💫",dizzy_face:"😵",do_not_litter:"🚯",dog:"🐶",dog2:"🐕",dollar:"💵",dolls:"🎎",dolphin:"🐬",door:"🚪",doughnut:"🍩",dove:"🕊",dragon:"🐉",dragon_face:"🐲",dress:"👗",dromedary_camel:"🐪",drooling_face:"🤤",droplet:"💧",drum:"🥁",duck:"🦆",dvd:"📀","e-mail":"📧",eagle:"🦅",ear:"👂",ear_of_rice:"🌾",earth_africa:"🌍",earth_americas:"🌎",earth_asia:"🌏",egg:"🥚",eggplant:"🍆",eight_pointed_black_star:"✴️",eight_spoked_asterisk:"✳️",electric_plug:"🔌",elephant:"🐘",email:"✉️",end:"🔚",envelope_with_arrow:"📩",euro:"💶",european_castle:"🏰",european_post_office:"🏤",evergreen_tree:"🌲",exclamation:"❗️",expressionless:"😑",eye:"👁",eye_speech_bubble:"👁‍🗨",eyeglasses:"👓",eyes:"👀",face_with_head_bandage:"🤕",face_with_thermometer:"🤒",fist_oncoming:"👊",factory:"🏭",fallen_leaf:"🍂",family_man_woman_boy:"👪",family_man_boy:"👨‍👦",family_man_boy_boy:"👨‍👦‍👦",family_man_girl:"👨‍👧",family_man_girl_boy:"👨‍👧‍👦",family_man_girl_girl:"👨‍👧‍👧",family_man_man_boy:"👨‍👨‍👦",family_man_man_boy_boy:"👨‍👨‍👦‍👦",family_man_man_girl:"👨‍👨‍👧",family_man_man_girl_boy:"👨‍👨‍👧‍👦",family_man_man_girl_girl:"👨‍👨‍👧‍👧",family_man_woman_boy_boy:"👨‍👩‍👦‍👦",family_man_woman_girl:"👨‍👩‍👧",family_man_woman_girl_boy:"👨‍👩‍👧‍👦",family_man_woman_girl_girl:"👨‍👩‍👧‍👧",family_woman_boy:"👩‍👦",family_woman_boy_boy:"👩‍👦‍👦",family_woman_girl:"👩‍👧",family_woman_girl_boy:"👩‍👧‍👦",family_woman_girl_girl:"👩‍👧‍👧",family_woman_woman_boy:"👩‍👩‍👦",family_woman_woman_boy_boy:"👩‍👩‍👦‍👦",family_woman_woman_girl:"👩‍👩‍👧",family_woman_woman_girl_boy:"👩‍👩‍👧‍👦",family_woman_woman_girl_girl:"👩‍👩‍👧‍👧",fast_forward:"⏩",fax:"📠",fearful:"😨",feet:"🐾",female_detective:"🕵️‍♀️",ferris_wheel:"🎡",ferry:"⛴",field_hockey:"🏑",file_cabinet:"🗄",file_folder:"📁",film_projector:"📽",film_strip:"🎞",fire:"🔥",fire_engine:"🚒",fireworks:"🎆",first_quarter_moon:"🌓",first_quarter_moon_with_face:"🌛",fish:"🐟",fish_cake:"🍥",fishing_pole_and_fish:"🎣",fist_raised:"✊",fist_left:"🤛",fist_right:"🤜",flags:"🎏",flashlight:"🔦",fleur_de_lis:"⚜️",flight_arrival:"🛬",flight_departure:"🛫",floppy_disk:"💾",flower_playing_cards:"🎴",flushed:"😳",fog:"🌫",foggy:"🌁",football:"🏈",footprints:"👣",fork_and_knife:"🍴",fountain:"⛲️",fountain_pen:"🖋",four_leaf_clover:"🍀",fox_face:"🦊",framed_picture:"🖼",free:"🆓",fried_egg:"🍳",fried_shrimp:"🍤",fries:"🍟",frog:"🐸",frowning:"😦",frowning_face:"☹️",frowning_man:"🙍‍♂️",frowning_woman:"🙍",middle_finger:"🖕",fuelpump:"⛽️",full_moon:"🌕",full_moon_with_face:"🌝",funeral_urn:"⚱️",game_die:"🎲",gear:"⚙️",gem:"💎",gemini:"♊️",ghost:"👻",gift:"🎁",gift_heart:"💝",girl:"👧",globe_with_meridians:"🌐",goal_net:"🥅",goat:"🐐",golf:"⛳️",golfing_man:"🏌️",golfing_woman:"🏌️‍♀️",gorilla:"🦍",grapes:"🍇",green_apple:"🍏",green_book:"📗",green_heart:"💚",green_salad:"🥗",grey_exclamation:"❕",grey_question:"❔",grimacing:"😬",grin:"😁",grinning:"😀",guardsman:"💂",guardswoman:"💂‍♀️",guitar:"🎸",gun:"🔫",haircut_woman:"💇",haircut_man:"💇‍♂️",hamburger:"🍔",hammer:"🔨",hammer_and_pick:"⚒",hammer_and_wrench:"🛠",hamster:"🐹",hand:"✋",handbag:"👜",handshake:"🤝",hankey:"💩",hatched_chick:"🐥",hatching_chick:"🐣",headphones:"🎧",hear_no_evil:"🙉",heart:"❤️",heart_decoration:"💟",heart_eyes:"😍",heart_eyes_cat:"😻",heartbeat:"💓",heartpulse:"💗",hearts:"♥️",heavy_check_mark:"✔️",heavy_division_sign:"➗",heavy_dollar_sign:"💲",heavy_heart_exclamation:"❣️",heavy_minus_sign:"➖",heavy_multiplication_x:"✖️",heavy_plus_sign:"➕",helicopter:"🚁",herb:"🌿",hibiscus:"🌺",high_brightness:"🔆",high_heel:"👠",hocho:"🔪",hole:"🕳",honey_pot:"🍯",horse:"🐴",horse_racing:"🏇",hospital:"🏥",hot_pepper:"🌶",hotdog:"🌭",hotel:"🏨",hotsprings:"♨️",hourglass:"⌛️",hourglass_flowing_sand:"⏳",house:"🏠",house_with_garden:"🏡",houses:"🏘",hugs:"🤗",hushed:"😯",ice_cream:"🍨",ice_hockey:"🏒",ice_skate:"⛸",icecream:"🍦",id:"🆔",ideograph_advantage:"🉐",imp:"👿",inbox_tray:"📥",incoming_envelope:"📨",tipping_hand_woman:"💁",information_source:"ℹ️",innocent:"😇",interrobang:"⁉️",iphone:"📱",izakaya_lantern:"🏮",jack_o_lantern:"🎃",japan:"🗾",japanese_castle:"🏯",japanese_goblin:"👺",japanese_ogre:"👹",jeans:"👖",joy:"😂",joy_cat:"😹",joystick:"🕹",kaaba:"🕋",key:"🔑",keyboard:"⌨️",keycap_ten:"🔟",kick_scooter:"🛴",kimono:"👘",kiss:"💋",kissing:"😗",kissing_cat:"😽",kissing_closed_eyes:"😚",kissing_heart:"😘",kissing_smiling_eyes:"😙",kiwi_fruit:"🥝",koala:"🐨",koko:"🈁",label:"🏷",large_blue_circle:"🔵",large_blue_diamond:"🔷",large_orange_diamond:"🔶",last_quarter_moon:"🌗",last_quarter_moon_with_face:"🌜",latin_cross:"✝️",laughing:"😆",leaves:"🍃",ledger:"📒",left_luggage:"🛅",left_right_arrow:"↔️",leftwards_arrow_with_hook:"↩️",lemon:"🍋",leo:"♌️",leopard:"🐆",level_slider:"🎚",libra:"♎️",light_rail:"🚈",link:"🔗",lion:"🦁",lips:"👄",lipstick:"💄",lizard:"🦎",lock:"🔒",lock_with_ink_pen:"🔏",lollipop:"🍭",loop:"➿",loud_sound:"🔊",loudspeaker:"📢",love_hotel:"🏩",love_letter:"💌",low_brightness:"🔅",lying_face:"🤥",m:"Ⓜ️",mag:"🔍",mag_right:"🔎",mahjong:"🀄️",mailbox:"📫",mailbox_closed:"📪",mailbox_with_mail:"📬",mailbox_with_no_mail:"📭",man:"👨",man_artist:"👨‍🎨",man_astronaut:"👨‍🚀",man_cartwheeling:"🤸‍♂️",man_cook:"👨‍🍳",man_dancing:"🕺",man_facepalming:"🤦‍♂️",man_factory_worker:"👨‍🏭",man_farmer:"👨‍🌾",man_firefighter:"👨‍🚒",man_health_worker:"👨‍⚕️",man_in_tuxedo:"🤵",man_judge:"👨‍⚖️",man_juggling:"🤹‍♂️",man_mechanic:"👨‍🔧",man_office_worker:"👨‍💼",man_pilot:"👨‍✈️",man_playing_handball:"🤾‍♂️",man_playing_water_polo:"🤽‍♂️",man_scientist:"👨‍🔬",man_shrugging:"🤷‍♂️",man_singer:"👨‍🎤",man_student:"👨‍🎓",man_teacher:"👨‍🏫",man_technologist:"👨‍💻",man_with_gua_pi_mao:"👲",man_with_turban:"👳",tangerine:"🍊",mans_shoe:"👞",mantelpiece_clock:"🕰",maple_leaf:"🍁",martial_arts_uniform:"🥋",mask:"😷",massage_woman:"💆",massage_man:"💆‍♂️",meat_on_bone:"🍖",medal_military:"🎖",medal_sports:"🏅",mega:"📣",melon:"🍈",memo:"📝",men_wrestling:"🤼‍♂️",menorah:"🕎",mens:"🚹",metal:"🤘",metro:"🚇",microphone:"🎤",microscope:"🔬",milk_glass:"🥛",milky_way:"🌌",minibus:"🚐",minidisc:"💽",mobile_phone_off:"📴",money_mouth_face:"🤑",money_with_wings:"💸",moneybag:"💰",monkey:"🐒",monkey_face:"🐵",monorail:"🚝",moon:"🌔",mortar_board:"🎓",mosque:"🕌",motor_boat:"🛥",motor_scooter:"🛵",motorcycle:"🏍",motorway:"🛣",mount_fuji:"🗻",mountain:"⛰",mountain_biking_man:"🚵",mountain_biking_woman:"🚵‍♀️",mountain_cableway:"🚠",mountain_railway:"🚞",mountain_snow:"🏔",mouse:"🐭",mouse2:"🐁",movie_camera:"🎥",moyai:"🗿",mrs_claus:"🤶",muscle:"💪",mushroom:"🍄",musical_keyboard:"🎹",musical_note:"🎵",musical_score:"🎼",mute:"🔇",nail_care:"💅",name_badge:"📛",national_park:"🏞",nauseated_face:"🤢",necktie:"👔",negative_squared_cross_mark:"❎",nerd_face:"🤓",neutral_face:"😐",new:"🆕",new_moon:"🌑",new_moon_with_face:"🌚",newspaper:"📰",newspaper_roll:"🗞",next_track_button:"⏭",ng:"🆖",no_good_man:"🙅‍♂️",no_good_woman:"🙅",night_with_stars:"🌃",no_bell:"🔕",no_bicycles:"🚳",no_entry:"⛔️",no_entry_sign:"🚫",no_mobile_phones:"📵",no_mouth:"😶",no_pedestrians:"🚷",no_smoking:"🚭","non-potable_water":"🚱",nose:"👃",notebook:"📓",notebook_with_decorative_cover:"📔",notes:"🎶",nut_and_bolt:"🔩",o:"⭕️",o2:"🅾️",ocean:"🌊",octopus:"🐙",oden:"🍢",office:"🏢",oil_drum:"🛢",ok:"🆗",ok_hand:"👌",ok_man:"🙆‍♂️",ok_woman:"🙆",old_key:"🗝",older_man:"👴",older_woman:"👵",om:"🕉",on:"🔛",oncoming_automobile:"🚘",oncoming_bus:"🚍",oncoming_police_car:"🚔",oncoming_taxi:"🚖",open_file_folder:"📂",open_hands:"👐",open_mouth:"😮",open_umbrella:"☂️",ophiuchus:"⛎",orange_book:"📙",orthodox_cross:"☦️",outbox_tray:"📤",owl:"🦉",ox:"🐂",package:"📦",page_facing_up:"📄",page_with_curl:"📃",pager:"📟",paintbrush:"🖌",palm_tree:"🌴",pancakes:"🥞",panda_face:"🐼",paperclip:"📎",paperclips:"🖇",parasol_on_ground:"⛱",parking:"🅿️",part_alternation_mark:"〽️",partly_sunny:"⛅️",passenger_ship:"🛳",passport_control:"🛂",pause_button:"⏸",peace_symbol:"☮️",peach:"🍑",peanuts:"🥜",pear:"🍐",pen:"🖊",pencil2:"✏️",penguin:"🐧",pensive:"😔",performing_arts:"🎭",persevere:"😣",person_fencing:"🤺",pouting_woman:"🙎",phone:"☎️",pick:"⛏",pig:"🐷",pig2:"🐖",pig_nose:"🐽",pill:"💊",pineapple:"🍍",ping_pong:"🏓",pisces:"♓️",pizza:"🍕",place_of_worship:"🛐",plate_with_cutlery:"🍽",play_or_pause_button:"⏯",point_down:"👇",point_left:"👈",point_right:"👉",point_up:"☝️",point_up_2:"👆",police_car:"🚓",policewoman:"👮‍♀️",poodle:"🐩",popcorn:"🍿",post_office:"🏣",postal_horn:"📯",postbox:"📮",potable_water:"🚰",potato:"🥔",pouch:"👝",poultry_leg:"🍗",pound:"💷",rage:"😡",pouting_cat:"😾",pouting_man:"🙎‍♂️",pray:"🙏",prayer_beads:"📿",pregnant_woman:"🤰",previous_track_button:"⏮",prince:"🤴",princess:"👸",printer:"🖨",purple_heart:"💜",purse:"👛",pushpin:"📌",put_litter_in_its_place:"🚮",question:"❓",rabbit:"🐰",rabbit2:"🐇",racehorse:"🐎",racing_car:"🏎",radio:"📻",radio_button:"🔘",radioactive:"☢️",railway_car:"🚃",railway_track:"🛤",rainbow:"🌈",rainbow_flag:"🏳️‍🌈",raised_back_of_hand:"🤚",raised_hand_with_fingers_splayed:"🖐",raised_hands:"🙌",raising_hand_woman:"🙋",raising_hand_man:"🙋‍♂️",ram:"🐏",ramen:"🍜",rat:"🐀",record_button:"⏺",recycle:"♻️",red_circle:"🔴",registered:"®️",relaxed:"☺️",relieved:"😌",reminder_ribbon:"🎗",repeat:"🔁",repeat_one:"🔂",rescue_worker_helmet:"⛑",restroom:"🚻",revolving_hearts:"💞",rewind:"⏪",rhinoceros:"🦏",ribbon:"🎀",rice:"🍚",rice_ball:"🍙",rice_cracker:"🍘",rice_scene:"🎑",right_anger_bubble:"🗯",ring:"💍",robot:"🤖",rocket:"🚀",rofl:"🤣",roll_eyes:"🙄",roller_coaster:"🎢",rooster:"🐓",rose:"🌹",rosette:"🏵",rotating_light:"🚨",round_pushpin:"📍",rowing_man:"🚣",rowing_woman:"🚣‍♀️",rugby_football:"🏉",running_man:"🏃",running_shirt_with_sash:"🎽",running_woman:"🏃‍♀️",sa:"🈂️",sagittarius:"♐️",sake:"🍶",sandal:"👡",santa:"🎅",satellite:"📡",saxophone:"🎷",school:"🏫",school_satchel:"🎒",scissors:"✂️",scorpion:"🦂",scorpius:"♏️",scream:"😱",scream_cat:"🙀",scroll:"📜",seat:"💺",secret:"㊙️",see_no_evil:"🙈",seedling:"🌱",selfie:"🤳",shallow_pan_of_food:"🥘",shamrock:"☘️",shark:"🦈",shaved_ice:"🍧",sheep:"🐑",shell:"🐚",shield:"🛡",shinto_shrine:"⛩",ship:"🚢",shirt:"👕",shopping:"🛍",shopping_cart:"🛒",shower:"🚿",shrimp:"🦐",signal_strength:"📶",six_pointed_star:"🔯",ski:"🎿",skier:"⛷",skull:"💀",skull_and_crossbones:"☠️",sleeping:"😴",sleeping_bed:"🛌",sleepy:"😪",slightly_frowning_face:"🙁",slightly_smiling_face:"🙂",slot_machine:"🎰",small_airplane:"🛩",small_blue_diamond:"🔹",small_orange_diamond:"🔸",small_red_triangle:"🔺",small_red_triangle_down:"🔻",smile:"😄",smile_cat:"😸",smiley:"😃",smiley_cat:"😺",smiling_imp:"😈",smirk:"😏",smirk_cat:"😼",smoking:"🚬",snail:"🐌",snake:"🐍",sneezing_face:"🤧",snowboarder:"🏂",snowflake:"❄️",snowman:"⛄️",snowman_with_snow:"☃️",sob:"😭",soccer:"⚽️",soon:"🔜",sos:"🆘",sound:"🔉",space_invader:"👾",spades:"♠️",spaghetti:"🍝",sparkle:"❇️",sparkler:"🎇",sparkles:"✨",sparkling_heart:"💖",speak_no_evil:"🙊",speaker:"🔈",speaking_head:"🗣",speech_balloon:"💬",speedboat:"🚤",spider:"🕷",spider_web:"🕸",spiral_calendar:"🗓",spiral_notepad:"🗒",spoon:"🥄",squid:"🦑",stadium:"🏟",star:"⭐️",star2:"🌟",star_and_crescent:"☪️",star_of_david:"✡️",stars:"🌠",station:"🚉",statue_of_liberty:"🗽",steam_locomotive:"🚂",stew:"🍲",stop_button:"⏹",stop_sign:"🛑",stopwatch:"⏱",straight_ruler:"📏",strawberry:"🍓",stuck_out_tongue:"😛",stuck_out_tongue_closed_eyes:"😝",stuck_out_tongue_winking_eye:"😜",studio_microphone:"🎙",stuffed_flatbread:"🥙",sun_behind_large_cloud:"🌥",sun_behind_rain_cloud:"🌦",sun_behind_small_cloud:"🌤",sun_with_face:"🌞",sunflower:"🌻",sunglasses:"😎",sunny:"☀️",sunrise:"🌅",sunrise_over_mountains:"🌄",surfing_man:"🏄",surfing_woman:"🏄‍♀️",sushi:"🍣",suspension_railway:"🚟",sweat:"😓",sweat_drops:"💦",sweat_smile:"😅",sweet_potato:"🍠",swimming_man:"🏊",swimming_woman:"🏊‍♀️",symbols:"🔣",synagogue:"🕍",syringe:"💉",taco:"🌮",tada:"🎉",tanabata_tree:"🎋",taurus:"♉️",taxi:"🚕",tea:"🍵",telephone_receiver:"📞",telescope:"🔭",tennis:"🎾",tent:"⛺️",thermometer:"🌡",thinking:"🤔",thought_balloon:"💭",ticket:"🎫",tickets:"🎟",tiger:"🐯",tiger2:"🐅",timer_clock:"⏲",tipping_hand_man:"💁‍♂️",tired_face:"😫",tm:"™️",toilet:"🚽",tokyo_tower:"🗼",tomato:"🍅",tongue:"👅",top:"🔝",tophat:"🎩",tornado:"🌪",trackball:"🖲",tractor:"🚜",traffic_light:"🚥",train:"🚋",train2:"🚆",tram:"🚊",triangular_flag_on_post:"🚩",triangular_ruler:"📐",trident:"🔱",triumph:"😤",trolleybus:"🚎",trophy:"🏆",tropical_drink:"🍹",tropical_fish:"🐠",truck:"🚚",trumpet:"🎺",tulip:"🌷",tumbler_glass:"🥃",turkey:"🦃",turtle:"🐢",tv:"📺",twisted_rightwards_arrows:"🔀",two_hearts:"💕",two_men_holding_hands:"👬",two_women_holding_hands:"👭",u5272:"🈹",u5408:"🈴",u55b6:"🈺",u6307:"🈯️",u6708:"🈷️",u6709:"🈶",u6e80:"🈵",u7121:"🈚️",u7533:"🈸",u7981:"🈲",u7a7a:"🈳",umbrella:"☔️",unamused:"😒",underage:"🔞",unicorn:"🦄",unlock:"🔓",up:"🆙",upside_down_face:"🙃",v:"✌️",vertical_traffic_light:"🚦",vhs:"📼",vibration_mode:"📳",video_camera:"📹",video_game:"🎮",violin:"🎻",virgo:"♍️",volcano:"🌋",volleyball:"🏐",vs:"🆚",vulcan_salute:"🖖",walking_man:"🚶",walking_woman:"🚶‍♀️",waning_crescent_moon:"🌘",waning_gibbous_moon:"🌖",warning:"⚠️",wastebasket:"🗑",watch:"⌚️",water_buffalo:"🐃",watermelon:"🍉",wave:"👋",wavy_dash:"〰️",waxing_crescent_moon:"🌒",wc:"🚾",weary:"😩",wedding:"💒",weight_lifting_man:"🏋️",weight_lifting_woman:"🏋️‍♀️",whale:"🐳",whale2:"🐋",wheel_of_dharma:"☸️",wheelchair:"♿️",white_check_mark:"✅",white_circle:"⚪️",white_flag:"🏳️",white_flower:"💮",white_large_square:"⬜️",white_medium_small_square:"◽️",white_medium_square:"◻️",white_small_square:"▫️",white_square_button:"🔳",wilted_flower:"🥀",wind_chime:"🎐",wind_face:"🌬",wine_glass:"🍷",wink:"😉",wolf:"🐺",woman:"👩",woman_artist:"👩‍🎨",woman_astronaut:"👩‍🚀",woman_cartwheeling:"🤸‍♀️",woman_cook:"👩‍🍳",woman_facepalming:"🤦‍♀️",woman_factory_worker:"👩‍🏭",woman_farmer:"👩‍🌾",woman_firefighter:"👩‍🚒",woman_health_worker:"👩‍⚕️",woman_judge:"👩‍⚖️",woman_juggling:"🤹‍♀️",woman_mechanic:"👩‍🔧",woman_office_worker:"👩‍💼",woman_pilot:"👩‍✈️",woman_playing_handball:"🤾‍♀️",woman_playing_water_polo:"🤽‍♀️",woman_scientist:"👩‍🔬",woman_shrugging:"🤷‍♀️",woman_singer:"👩‍🎤",woman_student:"👩‍🎓",woman_teacher:"👩‍🏫",woman_technologist:"👩‍💻",woman_with_turban:"👳‍♀️",womans_clothes:"👚",womans_hat:"👒",women_wrestling:"🤼‍♀️",womens:"🚺",world_map:"🗺",worried:"😟",wrench:"🔧",writing_hand:"✍️",x:"❌",yellow_heart:"💛",yen:"💴",yin_yang:"☯️",yum:"😋",zap:"⚡️",zipper_mouth_face:"🤐",zzz:"💤",octocat:':octocat:',showdown:"S"},a.Converter=function(e){"use strict";var t={},n=[],r=[],o={},i=c,p={parsed:{},raw:"",format:""};function m(e,t){if(t=t||null,a.helper.isString(e)){if(t=e=a.helper.stdExtName(e),a.extensions[e])return console.warn("DEPRECATION WARNING: "+e+" is an old extension that uses a deprecated loading method.Please inform the developer that the extension should be updated!"),void function(e,t){"function"==typeof e&&(e=e(new a.Converter));a.helper.isArray(e)||(e=[e]);var o=d(e,t);if(!o.valid)throw Error(o.error);for(var i=0;i[ \t]+¨NBSP;<"),!t){if(!window||!window.document)throw new Error("HTMLParser is undefined. If in a webworker or nodejs environment, you need to provide a WHATWG DOM and HTML such as JSDOM");t=window.document}var n=t.createElement("div");n.innerHTML=e;var r={preList:function(e){for(var t=e.querySelectorAll("pre"),n=[],r=0;r'}else n.push(t[r].innerHTML),t[r].innerHTML="",t[r].setAttribute("prenum",r.toString());return n}(n)};!function e(t){for(var n=0;n? ?(['"].*['"])?\)$/m)>-1)i="";else if(!i){if(o||(o=r.toLowerCase().replace(/ ?\n/g," ")),i="#"+o,a.helper.isUndefined(n.gUrls[o]))return e;i=n.gUrls[o],a.helper.isUndefined(n.gTitles[o])||(c=n.gTitles[o])}var u='"};return e=(e=(e=(e=(e=n.converter._dispatch("anchors.before",e,t,n)).replace(/\[((?:\[[^\]]*]|[^\[\]])*)] ?(?:\n *)?\[(.*?)]()()()()/g,r)).replace(/\[((?:\[[^\]]*]|[^\[\]])*)]()[ \t]*\([ \t]?<([^>]*)>(?:[ \t]*((["'])([^"]*?)\5))?[ \t]?\)/g,r)).replace(/\[((?:\[[^\]]*]|[^\[\]])*)]()[ \t]*\([ \t]??(?:[ \t]*((["'])([^"]*?)\5))?[ \t]?\)/g,r)).replace(/\[([^\[\]]+)]()()()()()/g,r),t.ghMentions&&(e=e.replace(/(^|\s)(\\)?(@([a-z\d]+(?:[a-z\d.-]+?[a-z\d]+)*))/gim,(function(e,n,r,o,i){if("\\"===r)return n+o;if(!a.helper.isString(t.ghMentionsLink))throw new Error("ghMentionsLink option must be a string");var s=t.ghMentionsLink.replace(/\{u}/g,i),l="";return t.openLinksInNewWindow&&(l=' rel="noopener noreferrer" target="¨E95Eblank"'),n+'"+o+""}))),e=n.converter._dispatch("anchors.after",e,t,n)}));var h=/([*~_]+|\b)(((https?|ftp|dict):\/\/|www\.)[^'">\s]+?\.[^'">\s]+?)()(\1)?(?=\s|$)(?!["<>])/gi,f=/([*~_]+|\b)(((https?|ftp|dict):\/\/|www\.)[^'">\s]+\.[^'">\s]+?)([.!?,()\[\]])?(\1)?(?=\s|$)(?!["<>])/gi,g=/()<(((https?|ftp|dict):\/\/|www\.)[^'">\s]+)()>()/gi,b=/(^|\s)(?:mailto:)?([A-Za-z0-9!#$%&'*+-/=?^_`{|}~.]+@[-a-z0-9]+(\.[-a-z0-9]+)*\.[a-z]+)(?=$|\s)/gim,y=/<()(?:mailto:)?([-.\w]+@[-a-z0-9]+(\.[-a-z0-9]+)*\.[a-z]+)>/gi,v=function(e){"use strict";return function(t,n,r,o,i,s,l){var c=r=r.replace(a.helper.regexes.asteriskDashAndColon,a.helper.escapeCharactersCallback),u="",d="",p=n||"",m=l||"";return/^www\./i.test(r)&&(r=r.replace(/^www\./i,"http://www.")),e.excludeTrailingPunctuationFromURLs&&s&&(u=s),e.openLinksInNewWindow&&(d=' rel="noopener noreferrer" target="¨E95Eblank"'),p+'"+c+""+u+m}},_=function(e,t){"use strict";return function(n,r,o){var i="mailto:";return r=r||"",o=a.subParser("unescapeSpecialChars")(o,e,t),e.encodeEmails?(i=a.helper.encodeEmailAddress(i+o),o=a.helper.encodeEmailAddress(o)):i+=o,r+''+o+""}};a.subParser("autoLinks",(function(e,t,n){"use strict";return e=(e=(e=n.converter._dispatch("autoLinks.before",e,t,n)).replace(g,v(t))).replace(y,_(t,n)),e=n.converter._dispatch("autoLinks.after",e,t,n)})),a.subParser("simplifiedAutoLinks",(function(e,t,n){"use strict";return t.simplifiedAutoLink?(e=n.converter._dispatch("simplifiedAutoLinks.before",e,t,n),e=(e=t.excludeTrailingPunctuationFromURLs?e.replace(f,v(t)):e.replace(h,v(t))).replace(b,_(t,n)),e=n.converter._dispatch("simplifiedAutoLinks.after",e,t,n)):e})),a.subParser("blockGamut",(function(e,t,n){"use strict";return e=n.converter._dispatch("blockGamut.before",e,t,n),e=a.subParser("blockQuotes")(e,t,n),e=a.subParser("headers")(e,t,n),e=a.subParser("horizontalRule")(e,t,n),e=a.subParser("lists")(e,t,n),e=a.subParser("codeBlocks")(e,t,n),e=a.subParser("tables")(e,t,n),e=a.subParser("hashHTMLBlocks")(e,t,n),e=a.subParser("paragraphs")(e,t,n),e=n.converter._dispatch("blockGamut.after",e,t,n)})),a.subParser("blockQuotes",(function(e,t,n){"use strict";e=n.converter._dispatch("blockQuotes.before",e,t,n),e+="\n\n";var r=/(^ {0,3}>[ \t]?.+\n(.+\n)*\n*)+/gm;return t.splitAdjacentBlockquotes&&(r=/^ {0,3}>[\s\S]*?(?:\n\n)/gm),e=e.replace(r,(function(e){return e=(e=(e=e.replace(/^[ \t]*>[ \t]?/gm,"")).replace(/¨0/g,"")).replace(/^[ \t]+$/gm,""),e=a.subParser("githubCodeBlocks")(e,t,n),e=(e=(e=a.subParser("blockGamut")(e,t,n)).replace(/(^|\n)/g,"$1 ")).replace(/(\s*
[^\r]+?<\/pre>)/gm,(function(e,t){var n=t;return n=(n=n.replace(/^  /gm,"¨0")).replace(/¨0/g,"")})),a.subParser("hashBlock")("
\n"+e+"\n
",t,n)})),e=n.converter._dispatch("blockQuotes.after",e,t,n)})),a.subParser("codeBlocks",(function(e,t,n){"use strict";e=n.converter._dispatch("codeBlocks.before",e,t,n);return e=(e=(e+="¨0").replace(/(?:\n\n|^)((?:(?:[ ]{4}|\t).*\n+)+)(\n*[ ]{0,3}[^ \t\n]|(?=¨0))/g,(function(e,r,o){var i=r,s=o,l="\n";return i=a.subParser("outdent")(i,t,n),i=a.subParser("encodeCode")(i,t,n),i=(i=(i=a.subParser("detab")(i,t,n)).replace(/^\n+/g,"")).replace(/\n+$/g,""),t.omitExtraWLInCodeBlocks&&(l=""),i="
"+i+l+"
",a.subParser("hashBlock")(i,t,n)+s}))).replace(/¨0/,""),e=n.converter._dispatch("codeBlocks.after",e,t,n)})),a.subParser("codeSpans",(function(e,t,n){"use strict";return void 0===(e=n.converter._dispatch("codeSpans.before",e,t,n))&&(e=""),e=e.replace(/(^|[^\\])(`+)([^\r]*?[^`])\2(?!`)/gm,(function(e,r,o,i){var s=i;return s=(s=s.replace(/^([ \t]*)/g,"")).replace(/[ \t]*$/g,""),s=r+""+(s=a.subParser("encodeCode")(s,t,n))+"",s=a.subParser("hashHTMLSpans")(s,t,n)})),e=n.converter._dispatch("codeSpans.after",e,t,n)})),a.subParser("completeHTMLDocument",(function(e,t,n){"use strict";if(!t.completeHTMLDocument)return e;e=n.converter._dispatch("completeHTMLDocument.before",e,t,n);var r="html",o="\n",a="",i='\n',s="",l="";for(var c in void 0!==n.metadata.parsed.doctype&&(o="\n","html"!==(r=n.metadata.parsed.doctype.toString().toLowerCase())&&"html5"!==r||(i='')),n.metadata.parsed)if(n.metadata.parsed.hasOwnProperty(c))switch(c.toLowerCase()){case"doctype":break;case"title":a=""+n.metadata.parsed.title+"\n";break;case"charset":i="html"===r||"html5"===r?'\n':'\n';break;case"language":case"lang":s=' lang="'+n.metadata.parsed[c]+'"',l+='\n';break;default:l+='\n'}return e=o+"\n\n"+a+i+l+"\n\n"+e.trim()+"\n\n",e=n.converter._dispatch("completeHTMLDocument.after",e,t,n)})),a.subParser("detab",(function(e,t,n){"use strict";return e=(e=(e=(e=(e=(e=n.converter._dispatch("detab.before",e,t,n)).replace(/\t(?=\t)/g," ")).replace(/\t/g,"¨A¨B")).replace(/¨B(.+?)¨A/g,(function(e,t){for(var n=t,r=4-n.length%4,o=0;o/g,">"),e=n.converter._dispatch("encodeAmpsAndAngles.after",e,t,n)})),a.subParser("encodeBackslashEscapes",(function(e,t,n){"use strict";return e=(e=(e=n.converter._dispatch("encodeBackslashEscapes.before",e,t,n)).replace(/\\(\\)/g,a.helper.escapeCharactersCallback)).replace(/\\([`*_{}\[\]()>#+.!~=|-])/g,a.helper.escapeCharactersCallback),e=n.converter._dispatch("encodeBackslashEscapes.after",e,t,n)})),a.subParser("encodeCode",(function(e,t,n){"use strict";return e=(e=n.converter._dispatch("encodeCode.before",e,t,n)).replace(/&/g,"&").replace(//g,">").replace(/([*_{}\[\]\\=~-])/g,a.helper.escapeCharactersCallback),e=n.converter._dispatch("encodeCode.after",e,t,n)})),a.subParser("escapeSpecialCharsWithinTagAttributes",(function(e,t,n){"use strict";return e=(e=(e=n.converter._dispatch("escapeSpecialCharsWithinTagAttributes.before",e,t,n)).replace(/<\/?[a-z\d_:-]+(?:[\s]+[\s\S]+?)?>/gi,(function(e){return e.replace(/(.)<\/?code>(?=.)/g,"$1`").replace(/([\\`*_~=|])/g,a.helper.escapeCharactersCallback)}))).replace(/-]|-[^>])(?:[^-]|-[^-])*)--)>/gi,(function(e){return e.replace(/([\\`*_~=|])/g,a.helper.escapeCharactersCallback)})),e=n.converter._dispatch("escapeSpecialCharsWithinTagAttributes.after",e,t,n)})),a.subParser("githubCodeBlocks",(function(e,t,n){"use strict";return t.ghCodeBlocks?(e=n.converter._dispatch("githubCodeBlocks.before",e,t,n),e=(e=(e+="¨0").replace(/(?:^|\n)(?: {0,3})(```+|~~~+)(?: *)([^\s`~]*)\n([\s\S]*?)\n(?: {0,3})\1/g,(function(e,r,o,i){var s=t.omitExtraWLInCodeBlocks?"":"\n";return i=a.subParser("encodeCode")(i,t,n),i="
"+(i=(i=(i=a.subParser("detab")(i,t,n)).replace(/^\n+/g,"")).replace(/\n+$/g,""))+s+"
",i=a.subParser("hashBlock")(i,t,n),"\n\n¨G"+(n.ghCodeBlocks.push({text:e,codeblock:i})-1)+"G\n\n"}))).replace(/¨0/,""),n.converter._dispatch("githubCodeBlocks.after",e,t,n)):e})),a.subParser("hashBlock",(function(e,t,n){"use strict";return e=(e=n.converter._dispatch("hashBlock.before",e,t,n)).replace(/(^\n+|\n+$)/g,""),e="\n\n¨K"+(n.gHtmlBlocks.push(e)-1)+"K\n\n",e=n.converter._dispatch("hashBlock.after",e,t,n)})),a.subParser("hashCodeTags",(function(e,t,n){"use strict";e=n.converter._dispatch("hashCodeTags.before",e,t,n);return e=a.helper.replaceRecursiveRegExp(e,(function(e,r,o,i){var s=o+a.subParser("encodeCode")(r,t,n)+i;return"¨C"+(n.gHtmlSpans.push(s)-1)+"C"}),"]*>","","gim"),e=n.converter._dispatch("hashCodeTags.after",e,t,n)})),a.subParser("hashElement",(function(e,t,n){"use strict";return function(e,t){var r=t;return r=(r=(r=r.replace(/\n\n/g,"\n")).replace(/^\n/,"")).replace(/\n+$/g,""),r="\n\n¨K"+(n.gHtmlBlocks.push(r)-1)+"K\n\n"}})),a.subParser("hashHTMLBlocks",(function(e,t,n){"use strict";e=n.converter._dispatch("hashHTMLBlocks.before",e,t,n);var r=["pre","div","h1","h2","h3","h4","h5","h6","blockquote","table","dl","ol","ul","script","noscript","form","fieldset","iframe","math","style","section","header","footer","nav","article","aside","address","audio","canvas","figure","hgroup","output","video","p"],o=function(e,t,r,o){var a=e;return-1!==r.search(/\bmarkdown\b/)&&(a=r+n.converter.makeHtml(t)+o),"\n\n¨K"+(n.gHtmlBlocks.push(a)-1)+"K\n\n"};t.backslashEscapesHTMLTags&&(e=e.replace(/\\<(\/?[^>]+?)>/g,(function(e,t){return"<"+t+">"})));for(var i=0;i]*>)","im"),c="<"+r[i]+"\\b[^>]*>",u="";-1!==(s=a.helper.regexIndexOf(e,l));){var d=a.helper.splitAtIndex(e,s),p=a.helper.replaceRecursiveRegExp(d[1],o,c,u,"im");if(p===d[1])break;e=d[0].concat(p)}return e=e.replace(/(\n {0,3}(<(hr)\b([^<>])*?\/?>)[ \t]*(?=\n{2,}))/g,a.subParser("hashElement")(e,t,n)),e=(e=a.helper.replaceRecursiveRegExp(e,(function(e){return"\n\n¨K"+(n.gHtmlBlocks.push(e)-1)+"K\n\n"}),"^ {0,3}\x3c!--","--\x3e","gm")).replace(/(?:\n\n)( {0,3}(?:<([?%])[^\r]*?\2>)[ \t]*(?=\n{2,}))/g,a.subParser("hashElement")(e,t,n)),e=n.converter._dispatch("hashHTMLBlocks.after",e,t,n)})),a.subParser("hashHTMLSpans",(function(e,t,n){"use strict";function r(e){return"¨C"+(n.gHtmlSpans.push(e)-1)+"C"}return e=(e=(e=(e=(e=n.converter._dispatch("hashHTMLSpans.before",e,t,n)).replace(/<[^>]+?\/>/gi,(function(e){return r(e)}))).replace(/<([^>]+?)>[\s\S]*?<\/\1>/g,(function(e){return r(e)}))).replace(/<([^>]+?)\s[^>]+?>[\s\S]*?<\/\1>/g,(function(e){return r(e)}))).replace(/<[^>]+?>/gi,(function(e){return r(e)})),e=n.converter._dispatch("hashHTMLSpans.after",e,t,n)})),a.subParser("unhashHTMLSpans",(function(e,t,n){"use strict";e=n.converter._dispatch("unhashHTMLSpans.before",e,t,n);for(var r=0;r]*>\\s*]*>","^ {0,3}\\s*
","gim"),e=n.converter._dispatch("hashPreCodeTags.after",e,t,n)})),a.subParser("headers",(function(e,t,n){"use strict";e=n.converter._dispatch("headers.before",e,t,n);var r=isNaN(parseInt(t.headerLevelStart))?1:parseInt(t.headerLevelStart),o=t.smoothLivePreview?/^(.+)[ \t]*\n={2,}[ \t]*\n+/gm:/^(.+)[ \t]*\n=+[ \t]*\n+/gm,i=t.smoothLivePreview?/^(.+)[ \t]*\n-{2,}[ \t]*\n+/gm:/^(.+)[ \t]*\n-+[ \t]*\n+/gm;e=(e=e.replace(o,(function(e,o){var i=a.subParser("spanGamut")(o,t,n),s=t.noHeaderId?"":' id="'+l(o)+'"',c=""+i+"";return a.subParser("hashBlock")(c,t,n)}))).replace(i,(function(e,o){var i=a.subParser("spanGamut")(o,t,n),s=t.noHeaderId?"":' id="'+l(o)+'"',c=r+1,u=""+i+"";return a.subParser("hashBlock")(u,t,n)}));var s=t.requireSpaceBeforeHeadingText?/^(#{1,6})[ \t]+(.+?)[ \t]*#*\n+/gm:/^(#{1,6})[ \t]*(.+?)[ \t]*#*\n+/gm;function l(e){var r,o;if(t.customizedHeaderId){var i=e.match(/\{([^{]+?)}\s*$/);i&&i[1]&&(e=i[1])}return r=e,o=a.helper.isString(t.prefixHeaderId)?t.prefixHeaderId:!0===t.prefixHeaderId?"section-":"",t.rawPrefixHeaderId||(r=o+r),r=t.ghCompatibleHeaderId?r.replace(/ /g,"-").replace(/&/g,"").replace(/¨T/g,"").replace(/¨D/g,"").replace(/[&+$,\/:;=?@"#{}|^¨~\[\]`\\*)(%.!'<>]/g,"").toLowerCase():t.rawHeaderId?r.replace(/ /g,"-").replace(/&/g,"&").replace(/¨T/g,"¨").replace(/¨D/g,"$").replace(/["']/g,"-").toLowerCase():r.replace(/[^\w]/g,"").toLowerCase(),t.rawPrefixHeaderId&&(r=o+r),n.hashLinkCounts[r]?r=r+"-"+n.hashLinkCounts[r]++:n.hashLinkCounts[r]=1,r}return e=e.replace(s,(function(e,o,i){var s=i;t.customizedHeaderId&&(s=i.replace(/\s?\{([^{]+?)}\s*$/,""));var c=a.subParser("spanGamut")(s,t,n),u=t.noHeaderId?"":' id="'+l(i)+'"',d=r-1+o.length,p=""+c+"";return a.subParser("hashBlock")(p,t,n)})),e=n.converter._dispatch("headers.after",e,t,n)})),a.subParser("horizontalRule",(function(e,t,n){"use strict";e=n.converter._dispatch("horizontalRule.before",e,t,n);var r=a.subParser("hashBlock")("
",t,n);return e=(e=(e=e.replace(/^ {0,2}( ?-){3,}[ \t]*$/gm,r)).replace(/^ {0,2}( ?\*){3,}[ \t]*$/gm,r)).replace(/^ {0,2}( ?_){3,}[ \t]*$/gm,r),e=n.converter._dispatch("horizontalRule.after",e,t,n)})),a.subParser("images",(function(e,t,n){"use strict";function r(e,t,r,o,i,s,l,c){var u=n.gUrls,d=n.gTitles,p=n.gDimensions;if(r=r.toLowerCase(),c||(c=""),e.search(/\(? ?(['"].*['"])?\)$/m)>-1)o="";else if(""===o||null===o){if(""!==r&&null!==r||(r=t.toLowerCase().replace(/ ?\n/g," ")),o="#"+r,a.helper.isUndefined(u[r]))return e;o=u[r],a.helper.isUndefined(d[r])||(c=d[r]),a.helper.isUndefined(p[r])||(i=p[r].width,s=p[r].height)}t=t.replace(/"/g,""").replace(a.helper.regexes.asteriskDashAndColon,a.helper.escapeCharactersCallback);var m=''+t+'"}return e=(e=(e=(e=(e=(e=n.converter._dispatch("images.before",e,t,n)).replace(/!\[([^\]]*?)] ?(?:\n *)?\[([\s\S]*?)]()()()()()/g,r)).replace(/!\[([^\]]*?)][ \t]*()\([ \t]??(?: =([*\d]+[A-Za-z%]{0,4})x([*\d]+[A-Za-z%]{0,4}))?[ \t]*(?:(["'])([^"]*?)\6)?[ \t]?\)/g,(function(e,t,n,o,a,i,s,l){return r(e,t,n,o=o.replace(/\s/g,""),a,i,s,l)}))).replace(/!\[([^\]]*?)][ \t]*()\([ \t]?<([^>]*)>(?: =([*\d]+[A-Za-z%]{0,4})x([*\d]+[A-Za-z%]{0,4}))?[ \t]*(?:(?:(["'])([^"]*?)\6))?[ \t]?\)/g,r)).replace(/!\[([^\]]*?)][ \t]*()\([ \t]??(?: =([*\d]+[A-Za-z%]{0,4})x([*\d]+[A-Za-z%]{0,4}))?[ \t]*(?:(["'])([^"]*?)\6)?[ \t]?\)/g,r)).replace(/!\[([^\[\]]+)]()()()()()/g,r),e=n.converter._dispatch("images.after",e,t,n)})),a.subParser("italicsAndBold",(function(e,t,n){"use strict";function r(e,t,n){return t+e+n}return e=n.converter._dispatch("italicsAndBold.before",e,t,n),e=t.literalMidWordUnderscores?(e=(e=e.replace(/\b___(\S[\s\S]*?)___\b/g,(function(e,t){return r(t,"","")}))).replace(/\b__(\S[\s\S]*?)__\b/g,(function(e,t){return r(t,"","")}))).replace(/\b_(\S[\s\S]*?)_\b/g,(function(e,t){return r(t,"","")})):(e=(e=e.replace(/___(\S[\s\S]*?)___/g,(function(e,t){return/\S$/.test(t)?r(t,"",""):e}))).replace(/__(\S[\s\S]*?)__/g,(function(e,t){return/\S$/.test(t)?r(t,"",""):e}))).replace(/_([^\s_][\s\S]*?)_/g,(function(e,t){return/\S$/.test(t)?r(t,"",""):e})),e=t.literalMidWordAsterisks?(e=(e=e.replace(/([^*]|^)\B\*\*\*(\S[\s\S]*?)\*\*\*\B(?!\*)/g,(function(e,t,n){return r(n,t+"","")}))).replace(/([^*]|^)\B\*\*(\S[\s\S]*?)\*\*\B(?!\*)/g,(function(e,t,n){return r(n,t+"","")}))).replace(/([^*]|^)\B\*(\S[\s\S]*?)\*\B(?!\*)/g,(function(e,t,n){return r(n,t+"","")})):(e=(e=e.replace(/\*\*\*(\S[\s\S]*?)\*\*\*/g,(function(e,t){return/\S$/.test(t)?r(t,"",""):e}))).replace(/\*\*(\S[\s\S]*?)\*\*/g,(function(e,t){return/\S$/.test(t)?r(t,"",""):e}))).replace(/\*([^\s*][\s\S]*?)\*/g,(function(e,t){return/\S$/.test(t)?r(t,"",""):e})),e=n.converter._dispatch("italicsAndBold.after",e,t,n)})),a.subParser("lists",(function(e,t,n){"use strict";function r(e,r){n.gListLevel++,e=e.replace(/\n{2,}$/,"\n");var o=/(\n)?(^ {0,3})([*+-]|\d+[.])[ \t]+((\[(x|X| )?])?[ \t]*[^\r]+?(\n{1,2}))(?=\n*(¨0| {0,3}([*+-]|\d+[.])[ \t]+))/gm,i=/\n[ \t]*\n(?!¨0)/.test(e+="¨0");return t.disableForced4SpacesIndentedSublists&&(o=/(\n)?(^ {0,3})([*+-]|\d+[.])[ \t]+((\[(x|X| )?])?[ \t]*[^\r]+?(\n{1,2}))(?=\n*(¨0|\2([*+-]|\d+[.])[ \t]+))/gm),e=(e=e.replace(o,(function(e,r,o,s,l,c,u){u=u&&""!==u.trim();var d=a.subParser("outdent")(l,t,n),p="";return c&&t.tasklists&&(p=' class="task-list-item" style="list-style-type: none;"',d=d.replace(/^[ \t]*\[(x|X| )?]/m,(function(){var e='-1?(d=a.subParser("githubCodeBlocks")(d,t,n),d=a.subParser("blockGamut")(d,t,n)):(d=(d=a.subParser("lists")(d,t,n)).replace(/\n$/,""),d=(d=a.subParser("hashHTMLBlocks")(d,t,n)).replace(/\n\n+/g,"\n\n"),d=i?a.subParser("paragraphs")(d,t,n):a.subParser("spanGamut")(d,t,n)),d=""+(d=d.replace("¨A",""))+"\n"}))).replace(/¨0/g,""),n.gListLevel--,r&&(e=e.replace(/\s+$/,"")),e}function o(e,t){if("ol"===t){var n=e.match(/^ *(\d+)\./);if(n&&"1"!==n[1])return' start="'+n[1]+'"'}return""}function i(e,n,a){var i=t.disableForced4SpacesIndentedSublists?/^ ?\d+\.[ \t]/gm:/^ {0,3}\d+\.[ \t]/gm,s=t.disableForced4SpacesIndentedSublists?/^ ?[*+-][ \t]/gm:/^ {0,3}[*+-][ \t]/gm,l="ul"===n?i:s,c="";if(-1!==e.search(l))!function t(u){var d=u.search(l),p=o(e,n);-1!==d?(c+="\n\n<"+n+p+">\n"+r(u.slice(0,d),!!a)+"\n",l="ul"===(n="ul"===n?"ol":"ul")?i:s,t(u.slice(d))):c+="\n\n<"+n+p+">\n"+r(u,!!a)+"\n"}(e);else{var u=o(e,n);c="\n\n<"+n+u+">\n"+r(e,!!a)+"\n"}return c}return e=n.converter._dispatch("lists.before",e,t,n),e+="¨0",e=(e=n.gListLevel?e.replace(/^(( {0,3}([*+-]|\d+[.])[ \t]+)[^\r]+?(¨0|\n{2,}(?=\S)(?![ \t]*(?:[*+-]|\d+[.])[ \t]+)))/gm,(function(e,t,n){return i(t,n.search(/[*+-]/g)>-1?"ul":"ol",!0)})):e.replace(/(\n\n|^\n?)(( {0,3}([*+-]|\d+[.])[ \t]+)[^\r]+?(¨0|\n{2,}(?=\S)(?![ \t]*(?:[*+-]|\d+[.])[ \t]+)))/gm,(function(e,t,n,r){return i(n,r.search(/[*+-]/g)>-1?"ul":"ol",!1)}))).replace(/¨0/,""),e=n.converter._dispatch("lists.after",e,t,n)})),a.subParser("metadata",(function(e,t,n){"use strict";if(!t.metadata)return e;function r(e){n.metadata.raw=e,(e=(e=e.replace(/&/g,"&").replace(/"/g,""")).replace(/\n {4}/g," ")).replace(/^([\S ]+): +([\s\S]+?)$/gm,(function(e,t,r){return n.metadata.parsed[t]=r,""}))}return e=(e=(e=(e=n.converter._dispatch("metadata.before",e,t,n)).replace(/^\s*«««+(\S*?)\n([\s\S]+?)\n»»»+\n/,(function(e,t,n){return r(n),"¨M"}))).replace(/^\s*---+(\S*?)\n([\s\S]+?)\n---+\n/,(function(e,t,o){return t&&(n.metadata.format=t),r(o),"¨M"}))).replace(/¨M/g,""),e=n.converter._dispatch("metadata.after",e,t,n)})),a.subParser("outdent",(function(e,t,n){"use strict";return e=(e=(e=n.converter._dispatch("outdent.before",e,t,n)).replace(/^(\t|[ ]{1,4})/gm,"¨0")).replace(/¨0/g,""),e=n.converter._dispatch("outdent.after",e,t,n)})),a.subParser("paragraphs",(function(e,t,n){"use strict";for(var r=(e=(e=(e=n.converter._dispatch("paragraphs.before",e,t,n)).replace(/^\n+/g,"")).replace(/\n+$/g,"")).split(/\n{2,}/g),o=[],i=r.length,s=0;s=0?o.push(l):l.search(/\S/)>=0&&(l=(l=a.subParser("spanGamut")(l,t,n)).replace(/^([ \t]*)/g,"

"),l+="

",o.push(l))}for(i=o.length,s=0;s]*>\s*]*>/.test(u)&&(d=!0)}o[s]=u}return e=(e=(e=o.join("\n")).replace(/^\n+/g,"")).replace(/\n+$/g,""),n.converter._dispatch("paragraphs.after",e,t,n)})),a.subParser("runExtension",(function(e,t,n,r){"use strict";if(e.filter)t=e.filter(t,r.converter,n);else if(e.regex){var o=e.regex;o instanceof RegExp||(o=new RegExp(o,"g")),t=t.replace(o,e.replace)}return t})),a.subParser("spanGamut",(function(e,t,n){"use strict";return e=n.converter._dispatch("spanGamut.before",e,t,n),e=a.subParser("codeSpans")(e,t,n),e=a.subParser("escapeSpecialCharsWithinTagAttributes")(e,t,n),e=a.subParser("encodeBackslashEscapes")(e,t,n),e=a.subParser("images")(e,t,n),e=a.subParser("anchors")(e,t,n),e=a.subParser("autoLinks")(e,t,n),e=a.subParser("simplifiedAutoLinks")(e,t,n),e=a.subParser("emoji")(e,t,n),e=a.subParser("underline")(e,t,n),e=a.subParser("italicsAndBold")(e,t,n),e=a.subParser("strikethrough")(e,t,n),e=a.subParser("ellipsis")(e,t,n),e=a.subParser("hashHTMLSpans")(e,t,n),e=a.subParser("encodeAmpsAndAngles")(e,t,n),t.simpleLineBreaks?/\n\n¨K/.test(e)||(e=e.replace(/\n+/g,"
\n")):e=e.replace(/ +\n/g,"
\n"),e=n.converter._dispatch("spanGamut.after",e,t,n)})),a.subParser("strikethrough",(function(e,t,n){"use strict";return t.strikethrough&&(e=(e=n.converter._dispatch("strikethrough.before",e,t,n)).replace(/(?:~){2}([\s\S]+?)(?:~){2}/g,(function(e,r){return function(e){return t.simplifiedAutoLink&&(e=a.subParser("simplifiedAutoLinks")(e,t,n)),""+e+""}(r)})),e=n.converter._dispatch("strikethrough.after",e,t,n)),e})),a.subParser("stripLinkDefinitions",(function(e,t,n){"use strict";var r=function(e,r,o,i,s,l,c){return r=r.toLowerCase(),o.match(/^data:.+?\/.+?;base64,/)?n.gUrls[r]=o.replace(/\s/g,""):n.gUrls[r]=a.subParser("encodeAmpsAndAngles")(o,t,n),l?l+c:(c&&(n.gTitles[r]=c.replace(/"|'/g,""")),t.parseImgDimensions&&i&&s&&(n.gDimensions[r]={width:i,height:s}),"")};return e=(e=(e=(e+="¨0").replace(/^ {0,3}\[(.+)]:[ \t]*\n?[ \t]*?(?: =([*\d]+[A-Za-z%]{0,4})x([*\d]+[A-Za-z%]{0,4}))?[ \t]*\n?[ \t]*(?:(\n*)["|'(](.+?)["|')][ \t]*)?(?:\n\n|(?=¨0)|(?=\n\[))/gm,r)).replace(/^ {0,3}\[(.+)]:[ \t]*\n?[ \t]*\s]+)>?(?: =([*\d]+[A-Za-z%]{0,4})x([*\d]+[A-Za-z%]{0,4}))?[ \t]*\n?[ \t]*(?:(\n*)["|'(](.+?)["|')][ \t]*)?(?:\n+|(?=¨0))/gm,r)).replace(/¨0/,"")})),a.subParser("tables",(function(e,t,n){"use strict";if(!t.tables)return e;function r(e,r){return""+a.subParser("spanGamut")(e,t,n)+"\n"}function o(e){var o,i=e.split("\n");for(o=0;o"+(l=a.subParser("spanGamut")(l,t,n))+"\n"));for(o=0;o\n\n\n",o=0;o\n";for(var a=0;a\n"}return n+"\n\n"}(h,g)}return e=(e=(e=(e=n.converter._dispatch("tables.before",e,t,n)).replace(/\\(\|)/g,a.helper.escapeCharactersCallback)).replace(/^ {0,3}\|?.+\|.+\n {0,3}\|?[ \t]*:?[ \t]*(?:[-=]){2,}[ \t]*:?[ \t]*\|[ \t]*:?[ \t]*(?:[-=]){2,}[\s\S]+?(?:\n\n|¨0)/gm,o)).replace(/^ {0,3}\|.+\|[ \t]*\n {0,3}\|[ \t]*:?[ \t]*(?:[-=]){2,}[ \t]*:?[ \t]*\|[ \t]*\n( {0,3}\|.+\|[ \t]*\n)*(?:\n|¨0)/gm,o),e=n.converter._dispatch("tables.after",e,t,n)})),a.subParser("underline",(function(e,t,n){"use strict";return t.underline?(e=n.converter._dispatch("underline.before",e,t,n),e=(e=t.literalMidWordUnderscores?(e=e.replace(/\b___(\S[\s\S]*?)___\b/g,(function(e,t){return""+t+""}))).replace(/\b__(\S[\s\S]*?)__\b/g,(function(e,t){return""+t+""})):(e=e.replace(/___(\S[\s\S]*?)___/g,(function(e,t){return/\S$/.test(t)?""+t+"":e}))).replace(/__(\S[\s\S]*?)__/g,(function(e,t){return/\S$/.test(t)?""+t+"":e}))).replace(/(_)/g,a.helper.escapeCharactersCallback),e=n.converter._dispatch("underline.after",e,t,n)):e})),a.subParser("unescapeSpecialChars",(function(e,t,n){"use strict";return e=(e=n.converter._dispatch("unescapeSpecialChars.before",e,t,n)).replace(/¨E(\d+)E/g,(function(e,t){var n=parseInt(t);return String.fromCharCode(n)})),e=n.converter._dispatch("unescapeSpecialChars.after",e,t,n)})),a.subParser("makeMarkdown.blockquote",(function(e,t){"use strict";var n="";if(e.hasChildNodes())for(var r=e.childNodes,o=r.length,i=0;i ")})),a.subParser("makeMarkdown.codeBlock",(function(e,t){"use strict";var n=e.getAttribute("language"),r=e.getAttribute("precodenum");return"```"+n+"\n"+t.preList[r]+"\n```"})),a.subParser("makeMarkdown.codeSpan",(function(e){"use strict";return"`"+e.innerHTML+"`"})),a.subParser("makeMarkdown.emphasis",(function(e,t){"use strict";var n="";if(e.hasChildNodes()){n+="*";for(var r=e.childNodes,o=r.length,i=0;i",e.hasAttribute("width")&&e.hasAttribute("height")&&(t+=" ="+e.getAttribute("width")+"x"+e.getAttribute("height")),e.hasAttribute("title")&&(t+=' "'+e.getAttribute("title")+'"'),t+=")"),t})),a.subParser("makeMarkdown.links",(function(e,t){"use strict";var n="";if(e.hasChildNodes()&&e.hasAttribute("href")){var r=e.childNodes,o=r.length;n="[";for(var i=0;i",e.hasAttribute("title")&&(n+=' "'+e.getAttribute("title")+'"'),n+=")"}return n})),a.subParser("makeMarkdown.list",(function(e,t,n){"use strict";var r="";if(!e.hasChildNodes())return"";for(var o=e.childNodes,i=o.length,s=e.getAttribute("start")||1,l=0;l"+t.preList[n]+""})),a.subParser("makeMarkdown.strikethrough",(function(e,t){"use strict";var n="";if(e.hasChildNodes()){n+="~~";for(var r=e.childNodes,o=r.length,i=0;itr>th"),l=e.querySelectorAll("tbody>tr");for(n=0;nh&&(h=f)}for(n=0;n/g,"\\$1>")).replace(/^#/gm,"\\#")).replace(/^(\s*)([-=]{3,})(\s*)$/,"$1\\$2$3")).replace(/^( {0,3}\d+)\./gm,"$1\\.")).replace(/^( {0,3})([+-])/gm,"$1\\$2")).replace(/]([\s]*)\(/g,"\\]$1\\(")).replace(/^ {0,3}\[([\S \t]*?)]:/gm,"\\[$1]:")}));void 0===(r=function(){"use strict";return a}.call(t,n,t,e))||(e.exports=r)}).call(this)},8975:(e,t,n)=>{var r;!function(){"use strict";var o={not_string:/[^s]/,not_bool:/[^t]/,not_type:/[^T]/,not_primitive:/[^v]/,number:/[diefg]/,numeric_arg:/[bcdiefguxX]/,json:/[j]/,not_json:/[^j]/,text:/^[^\x25]+/,modulo:/^\x25{2}/,placeholder:/^\x25(?:([1-9]\d*)\$|\(([^)]+)\))?(\+)?(0|'[^$])?(-)?(\d+)?(?:\.(\d+))?([b-gijostTuvxX])/,key:/^([a-z_][a-z_\d]*)/i,key_access:/^\.([a-z_][a-z_\d]*)/i,index_access:/^\[(\d+)\]/,sign:/^[+-]/};function a(e){return s(c(e),arguments)}function i(e,t){return a.apply(null,[e].concat(t||[]))}function s(e,t){var n,r,i,s,l,c,u,d,p,m=1,h=e.length,f="";for(r=0;r=0),s.type){case"b":n=parseInt(n,10).toString(2);break;case"c":n=String.fromCharCode(parseInt(n,10));break;case"d":case"i":n=parseInt(n,10);break;case"j":n=JSON.stringify(n,null,s.width?parseInt(s.width):0);break;case"e":n=s.precision?parseFloat(n).toExponential(s.precision):parseFloat(n).toExponential();break;case"f":n=s.precision?parseFloat(n).toFixed(s.precision):parseFloat(n);break;case"g":n=s.precision?String(Number(n.toPrecision(s.precision))):parseFloat(n);break;case"o":n=(parseInt(n,10)>>>0).toString(8);break;case"s":n=String(n),n=s.precision?n.substring(0,s.precision):n;break;case"t":n=String(!!n),n=s.precision?n.substring(0,s.precision):n;break;case"T":n=Object.prototype.toString.call(n).slice(8,-1).toLowerCase(),n=s.precision?n.substring(0,s.precision):n;break;case"u":n=parseInt(n,10)>>>0;break;case"v":n=n.valueOf(),n=s.precision?n.substring(0,s.precision):n;break;case"x":n=(parseInt(n,10)>>>0).toString(16);break;case"X":n=(parseInt(n,10)>>>0).toString(16).toUpperCase()}o.json.test(s.type)?f+=n:(!o.number.test(s.type)||d&&!s.sign?p="":(p=d?"+":"-",n=n.toString().replace(o.sign,"")),c=s.pad_char?"0"===s.pad_char?"0":s.pad_char.charAt(1):" ",u=s.width-(p+n).length,l=s.width&&u>0?c.repeat(u):"",f+=s.align?p+n+l:"0"===c?p+l+n:l+p+n)}return f}var l=Object.create(null);function c(e){if(l[e])return l[e];for(var t,n=e,r=[],a=0;n;){if(null!==(t=o.text.exec(n)))r.push(t[0]);else if(null!==(t=o.modulo.exec(n)))r.push("%");else{if(null===(t=o.placeholder.exec(n)))throw new SyntaxError("[sprintf] unexpected placeholder");if(t[2]){a|=1;var i=[],s=t[2],c=[];if(null===(c=o.key.exec(s)))throw new SyntaxError("[sprintf] failed to parse named argument key");for(i.push(c[1]);""!==(s=s.substring(c[0].length));)if(null!==(c=o.key_access.exec(s)))i.push(c[1]);else{if(null===(c=o.index_access.exec(s)))throw new SyntaxError("[sprintf] failed to parse named argument key");i.push(c[1])}t[2]=i}else a|=2;if(3===a)throw new Error("[sprintf] mixing positional and named placeholders is not (yet) supported");r.push({placeholder:t[0],param_no:t[1],keys:t[2],sign:t[3],pad_char:t[4],align:t[5],width:t[6],precision:t[7],type:t[8]})}n=n.substring(t[0].length)}return l[e]=r}t.sprintf=a,t.vsprintf=i,"undefined"!=typeof window&&(window.sprintf=a,window.vsprintf=i,void 0===(r=function(){return{sprintf:a,vsprintf:i}}.call(t,n,t,e))||(e.exports=r))}()},7621:(e,t,n)=>{var r;!function(o){var a=/^\s+/,i=/\s+$/,s=0,l=o.round,c=o.min,u=o.max,d=o.random;function p(e,t){if(t=t||{},(e=e||"")instanceof p)return e;if(!(this instanceof p))return new p(e,t);var n=function(e){var t={r:0,g:0,b:0},n=1,r=null,s=null,l=null,d=!1,p=!1;"string"==typeof e&&(e=function(e){e=e.replace(a,"").replace(i,"").toLowerCase();var t,n=!1;if(x[e])e=x[e],n=!0;else if("transparent"==e)return{r:0,g:0,b:0,a:0,format:"name"};if(t=j.rgb.exec(e))return{r:t[1],g:t[2],b:t[3]};if(t=j.rgba.exec(e))return{r:t[1],g:t[2],b:t[3],a:t[4]};if(t=j.hsl.exec(e))return{h:t[1],s:t[2],l:t[3]};if(t=j.hsla.exec(e))return{h:t[1],s:t[2],l:t[3],a:t[4]};if(t=j.hsv.exec(e))return{h:t[1],s:t[2],v:t[3]};if(t=j.hsva.exec(e))return{h:t[1],s:t[2],v:t[3],a:t[4]};if(t=j.hex8.exec(e))return{r:B(t[1]),g:B(t[2]),b:B(t[3]),a:W(t[4]),format:n?"name":"hex8"};if(t=j.hex6.exec(e))return{r:B(t[1]),g:B(t[2]),b:B(t[3]),format:n?"name":"hex"};if(t=j.hex4.exec(e))return{r:B(t[1]+""+t[1]),g:B(t[2]+""+t[2]),b:B(t[3]+""+t[3]),a:W(t[4]+""+t[4]),format:n?"name":"hex8"};if(t=j.hex3.exec(e))return{r:B(t[1]+""+t[1]),g:B(t[2]+""+t[2]),b:B(t[3]+""+t[3]),format:n?"name":"hex"};return!1}(e));"object"==typeof e&&(F(e.r)&&F(e.g)&&F(e.b)?(m=e.r,h=e.g,f=e.b,t={r:255*N(m,255),g:255*N(h,255),b:255*N(f,255)},d=!0,p="%"===String(e.r).substr(-1)?"prgb":"rgb"):F(e.h)&&F(e.s)&&F(e.v)?(r=P(e.s),s=P(e.v),t=function(e,t,n){e=6*N(e,360),t=N(t,100),n=N(n,100);var r=o.floor(e),a=e-r,i=n*(1-t),s=n*(1-a*t),l=n*(1-(1-a)*t),c=r%6;return{r:255*[n,s,i,i,l,n][c],g:255*[l,n,n,s,i,i][c],b:255*[i,i,l,n,n,s][c]}}(e.h,r,s),d=!0,p="hsv"):F(e.h)&&F(e.s)&&F(e.l)&&(r=P(e.s),l=P(e.l),t=function(e,t,n){var r,o,a;function i(e,t,n){return n<0&&(n+=1),n>1&&(n-=1),n<1/6?e+6*(t-e)*n:n<.5?t:n<2/3?e+(t-e)*(2/3-n)*6:e}if(e=N(e,360),t=N(t,100),n=N(n,100),0===t)r=o=a=n;else{var s=n<.5?n*(1+t):n+t-n*t,l=2*n-s;r=i(l,s,e+1/3),o=i(l,s,e),a=i(l,s,e-1/3)}return{r:255*r,g:255*o,b:255*a}}(e.h,r,l),d=!0,p="hsl"),e.hasOwnProperty("a")&&(n=e.a));var m,h,f;return n=O(n),{ok:d,format:e.format||p,r:c(255,u(t.r,0)),g:c(255,u(t.g,0)),b:c(255,u(t.b,0)),a:n}}(e);this._originalInput=e,this._r=n.r,this._g=n.g,this._b=n.b,this._a=n.a,this._roundA=l(100*this._a)/100,this._format=t.format||n.format,this._gradientType=t.gradientType,this._r<1&&(this._r=l(this._r)),this._g<1&&(this._g=l(this._g)),this._b<1&&(this._b=l(this._b)),this._ok=n.ok,this._tc_id=s++}function m(e,t,n){e=N(e,255),t=N(t,255),n=N(n,255);var r,o,a=u(e,t,n),i=c(e,t,n),s=(a+i)/2;if(a==i)r=o=0;else{var l=a-i;switch(o=s>.5?l/(2-a-i):l/(a+i),a){case e:r=(t-n)/l+(t>1)+720)%360;--t;)r.h=(r.h+o)%360,a.push(p(r));return a}function T(e,t){t=t||6;for(var n=p(e).toHsv(),r=n.h,o=n.s,a=n.v,i=[],s=1/t;t--;)i.push(p({h:r,s:o,v:a})),a=(a+s)%1;return i}p.prototype={isDark:function(){return this.getBrightness()<128},isLight:function(){return!this.isDark()},isValid:function(){return this._ok},getOriginalInput:function(){return this._originalInput},getFormat:function(){return this._format},getAlpha:function(){return this._a},getBrightness:function(){var e=this.toRgb();return(299*e.r+587*e.g+114*e.b)/1e3},getLuminance:function(){var e,t,n,r=this.toRgb();return e=r.r/255,t=r.g/255,n=r.b/255,.2126*(e<=.03928?e/12.92:o.pow((e+.055)/1.055,2.4))+.7152*(t<=.03928?t/12.92:o.pow((t+.055)/1.055,2.4))+.0722*(n<=.03928?n/12.92:o.pow((n+.055)/1.055,2.4))},setAlpha:function(e){return this._a=O(e),this._roundA=l(100*this._a)/100,this},toHsv:function(){var e=h(this._r,this._g,this._b);return{h:360*e.h,s:e.s,v:e.v,a:this._a}},toHsvString:function(){var e=h(this._r,this._g,this._b),t=l(360*e.h),n=l(100*e.s),r=l(100*e.v);return 1==this._a?"hsv("+t+", "+n+"%, "+r+"%)":"hsva("+t+", "+n+"%, "+r+"%, "+this._roundA+")"},toHsl:function(){var e=m(this._r,this._g,this._b);return{h:360*e.h,s:e.s,l:e.l,a:this._a}},toHslString:function(){var e=m(this._r,this._g,this._b),t=l(360*e.h),n=l(100*e.s),r=l(100*e.l);return 1==this._a?"hsl("+t+", "+n+"%, "+r+"%)":"hsla("+t+", "+n+"%, "+r+"%, "+this._roundA+")"},toHex:function(e){return f(this._r,this._g,this._b,e)},toHexString:function(e){return"#"+this.toHex(e)},toHex8:function(e){return function(e,t,n,r,o){var a=[I(l(e).toString(16)),I(l(t).toString(16)),I(l(n).toString(16)),I(R(r))];if(o&&a[0].charAt(0)==a[0].charAt(1)&&a[1].charAt(0)==a[1].charAt(1)&&a[2].charAt(0)==a[2].charAt(1)&&a[3].charAt(0)==a[3].charAt(1))return a[0].charAt(0)+a[1].charAt(0)+a[2].charAt(0)+a[3].charAt(0);return a.join("")}(this._r,this._g,this._b,this._a,e)},toHex8String:function(e){return"#"+this.toHex8(e)},toRgb:function(){return{r:l(this._r),g:l(this._g),b:l(this._b),a:this._a}},toRgbString:function(){return 1==this._a?"rgb("+l(this._r)+", "+l(this._g)+", "+l(this._b)+")":"rgba("+l(this._r)+", "+l(this._g)+", "+l(this._b)+", "+this._roundA+")"},toPercentageRgb:function(){return{r:l(100*N(this._r,255))+"%",g:l(100*N(this._g,255))+"%",b:l(100*N(this._b,255))+"%",a:this._a}},toPercentageRgbString:function(){return 1==this._a?"rgb("+l(100*N(this._r,255))+"%, "+l(100*N(this._g,255))+"%, "+l(100*N(this._b,255))+"%)":"rgba("+l(100*N(this._r,255))+"%, "+l(100*N(this._g,255))+"%, "+l(100*N(this._b,255))+"%, "+this._roundA+")"},toName:function(){return 0===this._a?"transparent":!(this._a<1)&&(z[f(this._r,this._g,this._b,!0)]||!1)},toFilter:function(e){var t="#"+g(this._r,this._g,this._b,this._a),n=t,r=this._gradientType?"GradientType = 1, ":"";if(e){var o=p(e);n="#"+g(o._r,o._g,o._b,o._a)}return"progid:DXImageTransform.Microsoft.gradient("+r+"startColorstr="+t+",endColorstr="+n+")"},toString:function(e){var t=!!e;e=e||this._format;var n=!1,r=this._a<1&&this._a>=0;return t||!r||"hex"!==e&&"hex6"!==e&&"hex3"!==e&&"hex4"!==e&&"hex8"!==e&&"name"!==e?("rgb"===e&&(n=this.toRgbString()),"prgb"===e&&(n=this.toPercentageRgbString()),"hex"!==e&&"hex6"!==e||(n=this.toHexString()),"hex3"===e&&(n=this.toHexString(!0)),"hex4"===e&&(n=this.toHex8String(!0)),"hex8"===e&&(n=this.toHex8String()),"name"===e&&(n=this.toName()),"hsl"===e&&(n=this.toHslString()),"hsv"===e&&(n=this.toHsvString()),n||this.toHexString()):"name"===e&&0===this._a?this.toName():this.toRgbString()},clone:function(){return p(this.toString())},_applyModification:function(e,t){var n=e.apply(null,[this].concat([].slice.call(t)));return this._r=n._r,this._g=n._g,this._b=n._b,this.setAlpha(n._a),this},lighten:function(){return this._applyModification(_,arguments)},brighten:function(){return this._applyModification(M,arguments)},darken:function(){return this._applyModification(k,arguments)},desaturate:function(){return this._applyModification(b,arguments)},saturate:function(){return this._applyModification(y,arguments)},greyscale:function(){return this._applyModification(v,arguments)},spin:function(){return this._applyModification(w,arguments)},_applyCombination:function(e,t){return e.apply(null,[this].concat([].slice.call(t)))},analogous:function(){return this._applyCombination(C,arguments)},complement:function(){return this._applyCombination(E,arguments)},monochromatic:function(){return this._applyCombination(T,arguments)},splitcomplement:function(){return this._applyCombination(S,arguments)},triad:function(){return this._applyCombination(L,arguments)},tetrad:function(){return this._applyCombination(A,arguments)}},p.fromRatio=function(e,t){if("object"==typeof e){var n={};for(var r in e)e.hasOwnProperty(r)&&(n[r]="a"===r?e[r]:P(e[r]));e=n}return p(e,t)},p.equals=function(e,t){return!(!e||!t)&&p(e).toRgbString()==p(t).toRgbString()},p.random=function(){return p.fromRatio({r:d(),g:d(),b:d()})},p.mix=function(e,t,n){n=0===n?0:n||50;var r=p(e).toRgb(),o=p(t).toRgb(),a=n/100;return p({r:(o.r-r.r)*a+r.r,g:(o.g-r.g)*a+r.g,b:(o.b-r.b)*a+r.b,a:(o.a-r.a)*a+r.a})},p.readability=function(e,t){var n=p(e),r=p(t);return(o.max(n.getLuminance(),r.getLuminance())+.05)/(o.min(n.getLuminance(),r.getLuminance())+.05)},p.isReadable=function(e,t,n){var r,o,a=p.readability(e,t);switch(o=!1,(r=function(e){var t,n;t=((e=e||{level:"AA",size:"small"}).level||"AA").toUpperCase(),n=(e.size||"small").toLowerCase(),"AA"!==t&&"AAA"!==t&&(t="AA");"small"!==n&&"large"!==n&&(n="small");return{level:t,size:n}}(n)).level+r.size){case"AAsmall":case"AAAlarge":o=a>=4.5;break;case"AAlarge":o=a>=3;break;case"AAAsmall":o=a>=7}return o},p.mostReadable=function(e,t,n){var r,o,a,i,s=null,l=0;o=(n=n||{}).includeFallbackColors,a=n.level,i=n.size;for(var c=0;cl&&(l=r,s=p(t[c]));return p.isReadable(e,s,{level:a,size:i})||!o?s:(n.includeFallbackColors=!1,p.mostReadable(e,["#fff","#000"],n))};var x=p.names={aliceblue:"f0f8ff",antiquewhite:"faebd7",aqua:"0ff",aquamarine:"7fffd4",azure:"f0ffff",beige:"f5f5dc",bisque:"ffe4c4",black:"000",blanchedalmond:"ffebcd",blue:"00f",blueviolet:"8a2be2",brown:"a52a2a",burlywood:"deb887",burntsienna:"ea7e5d",cadetblue:"5f9ea0",chartreuse:"7fff00",chocolate:"d2691e",coral:"ff7f50",cornflowerblue:"6495ed",cornsilk:"fff8dc",crimson:"dc143c",cyan:"0ff",darkblue:"00008b",darkcyan:"008b8b",darkgoldenrod:"b8860b",darkgray:"a9a9a9",darkgreen:"006400",darkgrey:"a9a9a9",darkkhaki:"bdb76b",darkmagenta:"8b008b",darkolivegreen:"556b2f",darkorange:"ff8c00",darkorchid:"9932cc",darkred:"8b0000",darksalmon:"e9967a",darkseagreen:"8fbc8f",darkslateblue:"483d8b",darkslategray:"2f4f4f",darkslategrey:"2f4f4f",darkturquoise:"00ced1",darkviolet:"9400d3",deeppink:"ff1493",deepskyblue:"00bfff",dimgray:"696969",dimgrey:"696969",dodgerblue:"1e90ff",firebrick:"b22222",floralwhite:"fffaf0",forestgreen:"228b22",fuchsia:"f0f",gainsboro:"dcdcdc",ghostwhite:"f8f8ff",gold:"ffd700",goldenrod:"daa520",gray:"808080",green:"008000",greenyellow:"adff2f",grey:"808080",honeydew:"f0fff0",hotpink:"ff69b4",indianred:"cd5c5c",indigo:"4b0082",ivory:"fffff0",khaki:"f0e68c",lavender:"e6e6fa",lavenderblush:"fff0f5",lawngreen:"7cfc00",lemonchiffon:"fffacd",lightblue:"add8e6",lightcoral:"f08080",lightcyan:"e0ffff",lightgoldenrodyellow:"fafad2",lightgray:"d3d3d3",lightgreen:"90ee90",lightgrey:"d3d3d3",lightpink:"ffb6c1",lightsalmon:"ffa07a",lightseagreen:"20b2aa",lightskyblue:"87cefa",lightslategray:"789",lightslategrey:"789",lightsteelblue:"b0c4de",lightyellow:"ffffe0",lime:"0f0",limegreen:"32cd32",linen:"faf0e6",magenta:"f0f",maroon:"800000",mediumaquamarine:"66cdaa",mediumblue:"0000cd",mediumorchid:"ba55d3",mediumpurple:"9370db",mediumseagreen:"3cb371",mediumslateblue:"7b68ee",mediumspringgreen:"00fa9a",mediumturquoise:"48d1cc",mediumvioletred:"c71585",midnightblue:"191970",mintcream:"f5fffa",mistyrose:"ffe4e1",moccasin:"ffe4b5",navajowhite:"ffdead",navy:"000080",oldlace:"fdf5e6",olive:"808000",olivedrab:"6b8e23",orange:"ffa500",orangered:"ff4500",orchid:"da70d6",palegoldenrod:"eee8aa",palegreen:"98fb98",paleturquoise:"afeeee",palevioletred:"db7093",papayawhip:"ffefd5",peachpuff:"ffdab9",peru:"cd853f",pink:"ffc0cb",plum:"dda0dd",powderblue:"b0e0e6",purple:"800080",rebeccapurple:"663399",red:"f00",rosybrown:"bc8f8f",royalblue:"4169e1",saddlebrown:"8b4513",salmon:"fa8072",sandybrown:"f4a460",seagreen:"2e8b57",seashell:"fff5ee",sienna:"a0522d",silver:"c0c0c0",skyblue:"87ceeb",slateblue:"6a5acd",slategray:"708090",slategrey:"708090",snow:"fffafa",springgreen:"00ff7f",steelblue:"4682b4",tan:"d2b48c",teal:"008080",thistle:"d8bfd8",tomato:"ff6347",turquoise:"40e0d0",violet:"ee82ee",wheat:"f5deb3",white:"fff",whitesmoke:"f5f5f5",yellow:"ff0",yellowgreen:"9acd32"},z=p.hexNames=function(e){var t={};for(var n in e)e.hasOwnProperty(n)&&(t[e[n]]=n);return t}(x);function O(e){return e=parseFloat(e),(isNaN(e)||e<0||e>1)&&(e=1),e}function N(e,t){(function(e){return"string"==typeof e&&-1!=e.indexOf(".")&&1===parseFloat(e)})(e)&&(e="100%");var n=function(e){return"string"==typeof e&&-1!=e.indexOf("%")}(e);return e=c(t,u(0,parseFloat(e))),n&&(e=parseInt(e*t,10)/100),o.abs(e-t)<1e-6?1:e%t/parseFloat(t)}function D(e){return c(1,u(0,e))}function B(e){return parseInt(e,16)}function I(e){return 1==e.length?"0"+e:""+e}function P(e){return e<=1&&(e=100*e+"%"),e}function R(e){return o.round(255*parseFloat(e)).toString(16)}function W(e){return B(e)/255}var Y,H,q,j=(H="[\\s|\\(]+("+(Y="(?:[-\\+]?\\d*\\.\\d+%?)|(?:[-\\+]?\\d+%?)")+")[,|\\s]+("+Y+")[,|\\s]+("+Y+")\\s*\\)?",q="[\\s|\\(]+("+Y+")[,|\\s]+("+Y+")[,|\\s]+("+Y+")[,|\\s]+("+Y+")\\s*\\)?",{CSS_UNIT:new RegExp(Y),rgb:new RegExp("rgb"+H),rgba:new RegExp("rgba"+q),hsl:new RegExp("hsl"+H),hsla:new RegExp("hsla"+q),hsv:new RegExp("hsv"+H),hsva:new RegExp("hsva"+q),hex3:/^#?([0-9a-fA-F]{1})([0-9a-fA-F]{1})([0-9a-fA-F]{1})$/,hex6:/^#?([0-9a-fA-F]{2})([0-9a-fA-F]{2})([0-9a-fA-F]{2})$/,hex4:/^#?([0-9a-fA-F]{1})([0-9a-fA-F]{1})([0-9a-fA-F]{1})([0-9a-fA-F]{1})$/,hex8:/^#?([0-9a-fA-F]{2})([0-9a-fA-F]{2})([0-9a-fA-F]{2})([0-9a-fA-F]{2})$/});function F(e){return!!j.CSS_UNIT.exec(e)}e.exports?e.exports=p:void 0===(r=function(){return p}.call(t,n,t,e))||(e.exports=r)}(Math)},3692:e=>{var t=e.exports=function(e){return new n(e)};function n(e){this.value=e}function r(e,t,n){var r=[],i=[],u=!0;return function e(d){var p=n?o(d):d,m={},h=!0,f={node:p,node_:d,path:[].concat(r),parent:i[i.length-1],parents:i,key:r.slice(-1)[0],isRoot:0===r.length,level:r.length,circular:null,update:function(e,t){f.isRoot||(f.parent.node[f.key]=e),f.node=e,t&&(h=!1)},delete:function(e){delete f.parent.node[f.key],e&&(h=!1)},remove:function(e){s(f.parent.node)?f.parent.node.splice(f.key,1):delete f.parent.node[f.key],e&&(h=!1)},keys:null,before:function(e){m.before=e},after:function(e){m.after=e},pre:function(e){m.pre=e},post:function(e){m.post=e},stop:function(){u=!1},block:function(){h=!1}};if(!u)return f;function g(){if("object"==typeof f.node&&null!==f.node){f.keys&&f.node_===f.node||(f.keys=a(f.node)),f.isLeaf=0==f.keys.length;for(var e=0;e{e.exports=function(e){var t,n=Object.keys(e);return t=function(){var e,t,r;for(e="return {",t=0;t{"use strict";e.exports=React},4654:()=>{},7593:(e,t,n)=>{"use strict";var r=n(210),o=r("%Array%"),a=r("%Symbol.species%",!0),i=r("%TypeError%"),s=n(4573),l=n(7912),c=n(5497),u=n(1377),d=n(1501);e.exports=function(e,t){if(!u(t)||t<0)throw new i("Assertion failed: length must be an integer >= 0");var n,r=0===t?0:t;if(l(e)&&(n=s(e,"constructor"),a&&"Object"===d(n)&&null===(n=s(n,a))&&(n=void 0)),void 0===n)return o(r);if(!c(n))throw new i("C must be a constructor");return new n(r)}},1341:(e,t,n)=>{"use strict";var r=n(210),o=n(1924),a=r("%TypeError%"),i=n(7912),s=r("%Reflect.apply%",!0)||o("%Function.prototype.apply%");e.exports=function(e,t){var n=arguments.length>2?arguments[2]:[];if(!i(n))throw new a("Assertion failed: optional `argumentsList`, if provided, must be a List");return s(e,t,n)}},5427:(e,t,n)=>{"use strict";var r=n(210)("%TypeError%"),o=n(3682),a=n(1323),i=n(7695),s=n(2846),l=n(9405),c=n(3086),u=n(9640),d=n(1501);e.exports=function(e,t,n){if("Object"!==d(e))throw new r("Assertion failed: Type(O) is not Object");if(!c(t))throw new r("Assertion failed: IsPropertyKey(P) is not true");var p=i(e,t),m=!p||l(e);return!(p&&(!p["[[Writable]]"]||!p["[[Configurable]]"])||!m)&&o(s,u,a,e,t,{"[[Configurable]]":!0,"[[Enumerable]]":!0,"[[Value]]":n,"[[Writable]]":!0})}},5797:(e,t,n)=>{"use strict";var r=n(210)("%TypeError%"),o=n(5427),a=n(3086),i=n(1501);e.exports=function(e,t,n){if("Object"!==i(e))throw new r("Assertion failed: Type(O) is not Object");if(!a(t))throw new r("Assertion failed: IsPropertyKey(P) is not true");var s=o(e,t,n);if(!s)throw new r("unable to create data property");return s}},5289:(e,t,n)=>{"use strict";var r=n(210)("%TypeError%"),o=n(2435),a=n(3682),i=n(1323),s=n(4275),l=n(2846),c=n(3086),u=n(9640),d=n(5627),p=n(1501);e.exports=function(e,t,n){if("Object"!==p(e))throw new r("Assertion failed: Type(O) is not Object");if(!c(t))throw new r("Assertion failed: IsPropertyKey(P) is not true");var m=o({Type:p,IsDataDescriptor:l,IsAccessorDescriptor:s},n)?n:d(n);if(!o({Type:p,IsDataDescriptor:l,IsAccessorDescriptor:s},m))throw new r("Assertion failed: Desc is not a valid Property Descriptor");return a(l,u,i,e,t,m)}},2130:(e,t,n)=>{"use strict";var r=n(210)("%TypeError%"),o=n(1645),a=n(1341),i=n(5797),s=n(4573),l=n(5994),c=n(7912),u=n(8136),d=n(2167);e.exports=function e(t,n,p,m,h){var f;arguments.length>5&&(f=arguments[5]);for(var g=m,b=0;b0&&(M=c(_)),M){var k=u(_);g=e(t,_,k,g,h-1)}else{if(g>=o)throw new r("index too large");i(t,d(g),_),g+=1}}b+=1}return g}},1323:(e,t,n)=>{"use strict";var r=n(2188),o=n(1501);e.exports=function(e){if(void 0===e)return e;r(o,"Property Descriptor","Desc",e);var t={};return"[[Value]]"in e&&(t.value=e["[[Value]]"]),"[[Writable]]"in e&&(t.writable=e["[[Writable]]"]),"[[Get]]"in e&&(t.get=e["[[Get]]"]),"[[Set]]"in e&&(t.set=e["[[Set]]"]),"[[Enumerable]]"in e&&(t.enumerable=e["[[Enumerable]]"]),"[[Configurable]]"in e&&(t.configurable=e["[[Configurable]]"]),t}},4573:(e,t,n)=>{"use strict";var r=n(210)("%TypeError%"),o=n(631),a=n(3086),i=n(1501);e.exports=function(e,t){if("Object"!==i(e))throw new r("Assertion failed: Type(O) is not Object");if(!a(t))throw new r("Assertion failed: IsPropertyKey(P) is not true, got "+o(t));return e[t]}},5994:(e,t,n)=>{"use strict";var r=n(210)("%TypeError%"),o=n(3086),a=n(1501);e.exports=function(e,t){if("Object"!==a(e))throw new r("Assertion failed: `O` must be an Object");if(!o(t))throw new r("Assertion failed: `P` must be a Property Key");return t in e}},4275:(e,t,n)=>{"use strict";var r=n(7642),o=n(2188),a=n(1501);e.exports=function(e){return void 0!==e&&(o(a,"Property Descriptor","Desc",e),!(!r(e,"[[Get]]")&&!r(e,"[[Set]]")))}},7912:(e,t,n)=>{"use strict";var r=n(210)("%Array%"),o=!r.isArray&&n(1924)("Object.prototype.toString");e.exports=r.isArray||function(e){return"[object Array]"===o(e)}},5233:(e,t,n)=>{"use strict";e.exports=n(5320)},5497:(e,t,n)=>{"use strict";var r=n(4445)("%Reflect.construct%",!0),o=n(5289);try{o({},"",{"[[Get]]":function(){}})}catch(e){o=null}if(o&&r){var a={},i={};o(i,"length",{"[[Get]]":function(){throw a},"[[Enumerable]]":!0}),e.exports=function(e){try{r(e,i)}catch(e){return e===a}}}else e.exports=function(e){return"function"==typeof e&&!!e.prototype}},2846:(e,t,n)=>{"use strict";var r=n(7642),o=n(2188),a=n(1501);e.exports=function(e){return void 0!==e&&(o(a,"Property Descriptor","Desc",e),!(!r(e,"[[Value]]")&&!r(e,"[[Writable]]")))}},9405:(e,t,n)=>{"use strict";var r=n(210)("%Object%"),o=n(4790),a=r.preventExtensions,i=r.isExtensible;e.exports=a?function(e){return!o(e)&&i(e)}:function(e){return!o(e)}},1377:(e,t,n)=>{"use strict";var r=n(1737),o=n(6183),a=n(9086),i=n(2633);e.exports=function(e){if("number"!=typeof e||a(e)||!i(e))return!1;var t=r(e);return o(t)===t}},3086:e=>{"use strict";e.exports=function(e){return"string"==typeof e||"symbol"==typeof e}},1780:(e,t,n)=>{"use strict";var r=n(210)("%Symbol.match%",!0),o=n(8420),a=n(2970);e.exports=function(e){if(!e||"object"!=typeof e)return!1;if(r){var t=e[r];if(void 0!==t)return a(t)}return o(e)}},8136:(e,t,n)=>{"use strict";var r=n(210)("%TypeError%"),o=n(4573),a=n(7351),i=n(1501);e.exports=function(e){if("Object"!==i(e))throw new r("Assertion failed: `obj` must be an Object");return a(o(e,"length"))}},7695:(e,t,n)=>{"use strict";var r=n(210),o=n(882),a=r("%TypeError%"),i=n(1924)("Object.prototype.propertyIsEnumerable"),s=n(7642),l=n(7912),c=n(3086),u=n(1780),d=n(5627),p=n(1501);e.exports=function(e,t){if("Object"!==p(e))throw new a("Assertion failed: O must be an Object");if(!c(t))throw new a("Assertion failed: P must be a Property Key");if(s(e,t)){if(!o){var n=l(e)&&"length"===t,r=u(e)&&"lastIndex"===t;return{"[[Configurable]]":!(n||r),"[[Enumerable]]":i(e,t),"[[Value]]":e[t],"[[Writable]]":!0}}return d(o(e,t))}}},6237:(e,t,n)=>{"use strict";e.exports=n(4559)},9640:(e,t,n)=>{"use strict";var r=n(9086);e.exports=function(e,t){return e===t?0!==e||1/e==1/t:r(e)&&r(t)}},2970:e=>{"use strict";e.exports=function(e){return!!e}},4467:(e,t,n)=>{"use strict";var r=n(775),o=n(5959);e.exports=function(e){var t=o(e);return 0!==t&&(t=r(t)),0===t?0:t}},7351:(e,t,n)=>{"use strict";var r=n(1645),o=n(4467);e.exports=function(e){var t=o(e);return t<=0?0:t>r?r:t}},5959:(e,t,n)=>{"use strict";var r=n(210),o=r("%TypeError%"),a=r("%Number%"),i=r("%RegExp%"),s=r("%parseInt%"),l=n(1924),c=n(823),u=n(4790),d=l("String.prototype.slice"),p=c(/^0b[01]+$/i),m=c(/^0o[0-7]+$/i),h=c(/^[-+]0x[0-9a-f]+$/i),f=c(new i("["+["…","​","￾"].join("")+"]","g")),g=["\t\n\v\f\r   ᠎    ","          \u2028","\u2029\ufeff"].join(""),b=new RegExp("(^["+g+"]+)|(["+g+"]+$)","g"),y=l("String.prototype.replace"),v=n(2448);e.exports=function e(t){var n=u(t)?t:v(t,a);if("symbol"==typeof n)throw new o("Cannot convert a Symbol value to a number");if("bigint"==typeof n)throw new o("Conversion from 'BigInt' to 'number' is not allowed.");if("string"==typeof n){if(p(n))return e(s(d(n,2),2));if(m(n))return e(s(d(n,2),8));if(f(n)||h(n))return NaN;var r=function(e){return y(e,b,"")}(n);if(r!==n)return e(r)}return a(n)}},2747:(e,t,n)=>{"use strict";var r=n(210)("%Object%"),o=n(6237);e.exports=function(e){return o(e),r(e)}},2448:(e,t,n)=>{"use strict";var r=n(1503);e.exports=function(e){return arguments.length>1?r(e,arguments[1]):r(e)}},5627:(e,t,n)=>{"use strict";var r=n(7642),o=n(210)("%TypeError%"),a=n(1501),i=n(2970),s=n(5233);e.exports=function(e){if("Object"!==a(e))throw new o("ToPropertyDescriptor requires an object");var t={};if(r(e,"enumerable")&&(t["[[Enumerable]]"]=i(e.enumerable)),r(e,"configurable")&&(t["[[Configurable]]"]=i(e.configurable)),r(e,"value")&&(t["[[Value]]"]=e.value),r(e,"writable")&&(t["[[Writable]]"]=i(e.writable)),r(e,"get")){var n=e.get;if(void 0!==n&&!s(n))throw new o("getter must be a function");t["[[Get]]"]=n}if(r(e,"set")){var l=e.set;if(void 0!==l&&!s(l))throw new o("setter must be a function");t["[[Set]]"]=l}if((r(t,"[[Get]]")||r(t,"[[Set]]"))&&(r(t,"[[Value]]")||r(t,"[[Writable]]")))throw new o("Invalid property descriptor. Cannot both specify accessors and a value or writable attribute");return t}},2167:(e,t,n)=>{"use strict";var r=n(210),o=r("%String%"),a=r("%TypeError%");e.exports=function(e){if("symbol"==typeof e)throw new a("Cannot convert a Symbol value to a string");return o(e)}},1501:(e,t,n)=>{"use strict";var r=n(3951);e.exports=function(e){return"symbol"==typeof e?"Symbol":"bigint"==typeof e?"BigInt":r(e)}},1737:(e,t,n)=>{"use strict";var r=n(210)("%Math.abs%");e.exports=function(e){return r(e)}},6183:e=>{"use strict";var t=Math.floor;e.exports=function(e){return t(e)}},4559:(e,t,n)=>{"use strict";var r=n(210)("%TypeError%");e.exports=function(e,t){if(null==e)throw new r(t||"Cannot call method on "+e);return e}},775:(e,t,n)=>{"use strict";var r=n(7890),o=n(2748),a=n(7709),i=n(9086),s=n(2633),l=n(8111);e.exports=function(e){var t=a(e);return i(t)?0:0!==t&&s(t)?l(t)*o(r(t)):t}},7709:(e,t,n)=>{"use strict";var r=n(1950);e.exports=function(e){var t=r(e,Number);if("string"!=typeof t)return+t;var n=t.replace(/^[ \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\u0085]+|[ \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\u0085]+$/g,"");return/^0[ob]|^[+-]0x/.test(n)?NaN:+n}},1950:(e,t,n)=>{"use strict";e.exports=n(2116)},3951:e=>{"use strict";e.exports=function(e){return null===e?"Null":void 0===e?"Undefined":"function"==typeof e||"object"==typeof e?"Object":"number"==typeof e?"Number":"boolean"==typeof e?"Boolean":"string"==typeof e?"String":void 0}},7890:(e,t,n)=>{"use strict";var r=n(210)("%Math.abs%");e.exports=function(e){return r(e)}},2748:e=>{"use strict";var t=Math.floor;e.exports=function(e){return t(e)}},4445:(e,t,n)=>{"use strict";e.exports=n(210)},3682:(e,t,n)=>{"use strict";var r=n(210)("%Object.defineProperty%",!0);if(r)try{r({},"a",{value:1})}catch(e){r=null}var o=n(1924)("Object.prototype.propertyIsEnumerable");e.exports=function(e,t,n,a,i,s){if(!r){if(!e(s))return!1;if(!s["[[Configurable]]"]||!s["[[Writable]]"])return!1;if(i in a&&o(a,i)!==!!s["[[Enumerable]]"])return!1;var l=s["[[Value]]"];return a[i]=l,t(a[i],l)}return r(a,i,n(s)),!0}},2188:(e,t,n)=>{"use strict";var r=n(210),o=r("%TypeError%"),a=r("%SyntaxError%"),i=n(7642),s={"Property Descriptor":function(e,t){if("Object"!==e(t))return!1;var n={"[[Configurable]]":!0,"[[Enumerable]]":!0,"[[Get]]":!0,"[[Set]]":!0,"[[Value]]":!0,"[[Writable]]":!0};for(var r in t)if(i(t,r)&&!n[r])return!1;var a=i(t,"[[Value]]"),s=i(t,"[[Get]]")||i(t,"[[Set]]");if(a&&s)throw new o("Property Descriptors may not be both accessor and data descriptors");return!0}};e.exports=function(e,t,n,r){var i=s[t];if("function"!=typeof i)throw new a("unknown record type: "+t);if(!i(e,r))throw new o(n+" must be a "+t)}},882:(e,t,n)=>{"use strict";var r=n(210)("%Object.getOwnPropertyDescriptor%");if(r)try{r([],"length")}catch(e){r=null}e.exports=r},2633:e=>{"use strict";var t=Number.isNaN||function(e){return e!=e};e.exports=Number.isFinite||function(e){return"number"==typeof e&&!t(e)&&e!==1/0&&e!==-1/0}},9086:e=>{"use strict";e.exports=Number.isNaN||function(e){return e!=e}},4790:e=>{"use strict";e.exports=function(e){return null===e||"function"!=typeof e&&"object"!=typeof e}},2435:(e,t,n)=>{"use strict";var r=n(210),o=n(7642),a=r("%TypeError%");e.exports=function(e,t){if("Object"!==e.Type(t))return!1;var n={"[[Configurable]]":!0,"[[Enumerable]]":!0,"[[Get]]":!0,"[[Set]]":!0,"[[Value]]":!0,"[[Writable]]":!0};for(var r in t)if(o(t,r)&&!n[r])return!1;if(e.IsDataDescriptor(t)&&e.IsAccessorDescriptor(t))throw new a("Property Descriptors may not be both accessor and data descriptors");return!0}},1645:(e,t,n)=>{"use strict";var r=n(210),o=r("%Math%"),a=r("%Number%");e.exports=a.MAX_SAFE_INTEGER||o.pow(2,53)-1},823:(e,t,n)=>{"use strict";var r=n(210)("RegExp.prototype.test"),o=n(5559);e.exports=function(e){return o(r,e)}},8111:e=>{"use strict";e.exports=function(e){return e>=0?1:-1}},1128:e=>{"use strict";e.exports=JSON.parse('{"version":"2021a","zones":["Africa/Abidjan|LMT GMT|g.8 0|01|-2ldXH.Q|48e5","Africa/Accra|LMT GMT +0020 +0030|.Q 0 -k -u|01212121212121212121212121212121212121212121212131313131313131|-2bRzX.8 9RbX.8 fdE 1BAk MLE 1Bck MLE 1Bck MLE 1Bck MLE 1BAk MLE 1Bck MLE 1Bck MLE 1Bck MLE 1BAk MLE 1Bck MLE 1Bck MLE 1Bck MLE 1BAk MLE 1Bck MLE 1Bck MLE 1Bck MLE 1BAk MLE 1Bck MLE 1Bck MLE 1Bck MLE Mok 1BXE M0k 1BXE fak 9vbu bjCu MLu 1Bcu MLu 1BAu MLu 1Bcu MLu 1Bcu MLu 1Bcu MLu|41e5","Africa/Nairobi|LMT +0230 EAT +0245|-2r.g -2u -30 -2J|012132|-2ua2r.g N6nV.g 3Fbu h1cu dzbJ|47e5","Africa/Algiers|PMT WET WEST CET CEST|-9.l 0 -10 -10 -20|0121212121212121343431312123431213|-2nco9.l cNb9.l HA0 19A0 1iM0 11c0 1oo0 Wo0 1rc0 QM0 1EM0 UM0 DA0 Imo0 rd0 De0 9Xz0 1fb0 1ap0 16K0 2yo0 mEp0 hwL0 jxA0 11A0 dDd0 17b0 11B0 1cN0 2Dy0 1cN0 1fB0 1cL0|26e5","Africa/Lagos|LMT GMT +0030 WAT|-d.z 0 -u -10|01023|-2B40d.z 7iod.z dnXK.p dLzH.z|17e6","Africa/Bissau|LMT -01 GMT|12.k 10 0|012|-2ldX0 2xoo0|39e4","Africa/Maputo|LMT CAT|-2a.k -20|01|-2GJea.k|26e5","Africa/Cairo|EET EEST|-20 -30|0101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010|-1bIO0 vb0 1ip0 11z0 1iN0 1nz0 12p0 1pz0 10N0 1pz0 16p0 1jz0 s3d0 Vz0 1oN0 11b0 1oO0 10N0 1pz0 10N0 1pb0 10N0 1pb0 10N0 1pb0 10N0 1pz0 10N0 1pb0 10N0 1pb0 11d0 1oL0 11d0 1pb0 11d0 1oL0 11d0 1oL0 11d0 1oL0 11d0 1pb0 11d0 1oL0 11d0 1oL0 11d0 1oL0 11d0 1pb0 11d0 1oL0 11d0 1oL0 11d0 1oL0 11d0 1pb0 11d0 1oL0 11d0 1WL0 rd0 1Rz0 wp0 1pb0 11d0 1oL0 11d0 1oL0 11d0 1oL0 11d0 1pb0 11d0 1qL0 Xd0 1oL0 11d0 1oL0 11d0 1pb0 11d0 1oL0 11d0 1oL0 11d0 1ny0 11z0 1o10 11z0 1o10 11z0 1o10 11z0 1qN0 11z0 1o10 11z0 1o10 11z0 1o10 11z0 1o10 11z0 1qN0 11z0 1o10 11z0 1o10 WL0 1qN0 Rb0 1wp0 On0 1zd0 Lz0 1EN0 Fb0 c10 8n0 8Nd0 gL0 e10 mn0|15e6","Africa/Casablanca|LMT +00 +01|u.k 0 -10|01212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212|-2gMnt.E 130Lt.E rb0 Dd0 dVb0 b6p0 TX0 EoB0 LL0 gnd0 rz0 43d0 AL0 1Nd0 XX0 1Cp0 pz0 dEp0 4mn0 SyN0 AL0 1Nd0 wn0 1FB0 Db0 1zd0 Lz0 1Nf0 wM0 co0 go0 1o00 s00 dA0 vc0 11A0 A00 e00 y00 11A0 uM0 e00 Dc0 11A0 s00 e00 IM0 WM0 mo0 gM0 LA0 WM0 jA0 e00 28M0 e00 2600 gM0 2600 e00 2600 gM0 2600 gM0 2600 e00 2600 gM0 2600 e00 28M0 e00 2600 gM0 2600 e00 2600 gM0 2600 gM0 2600 e00 2600 gM0 2600 e00 2600 gM0 2600 gM0 2600 e00 2600 gM0|32e5","Africa/Ceuta|WET WEST CET CEST|0 -10 -10 -20|010101010101010101010232323232323232323232323232323232323232323232323232323232323232323232323232323232323232323232323232323232|-25KN0 11z0 drd0 18p0 3HX0 17d0 1fz0 1a10 1io0 1a00 1y7o0 LL0 gnd0 rz0 43d0 AL0 1Nd0 XX0 1Cp0 pz0 dEp0 4VB0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00|85e3","Africa/El_Aaiun|LMT -01 +00 +01|Q.M 10 0 -10|012323232323232323232323232323232323232323232323232323232323232323232323232323232323|-1rDz7.c 1GVA7.c 6L0 AL0 1Nd0 XX0 1Cp0 pz0 1cBB0 AL0 1Nd0 wn0 1FB0 Db0 1zd0 Lz0 1Nf0 wM0 co0 go0 1o00 s00 dA0 vc0 11A0 A00 e00 y00 11A0 uM0 e00 Dc0 11A0 s00 e00 IM0 WM0 mo0 gM0 LA0 WM0 jA0 e00 28M0 e00 2600 gM0 2600 e00 2600 gM0 2600 gM0 2600 e00 2600 gM0 2600 e00 28M0 e00 2600 gM0 2600 e00 2600 gM0 2600 gM0 2600 e00 2600 gM0 2600 e00 2600 gM0 2600 gM0 2600 e00 2600 gM0|20e4","Africa/Johannesburg|SAST SAST SAST|-1u -20 -30|012121|-2GJdu 1Ajdu 1cL0 1cN0 1cL0|84e5","Africa/Juba|LMT CAT CAST EAT|-26.s -20 -30 -30|012121212121212121212121212121212131|-1yW26.s 1zK06.s 16L0 1iN0 17b0 1jd0 17b0 1ip0 17z0 1i10 17X0 1hB0 18n0 1hd0 19b0 1gp0 19z0 1iN0 17b0 1ip0 17z0 1i10 18n0 1hd0 18L0 1gN0 19b0 1gp0 19z0 1iN0 17z0 1i10 17X0 yGd0 PeX0|","Africa/Khartoum|LMT CAT CAST EAT|-2a.8 -20 -30 -30|012121212121212121212121212121212131|-1yW2a.8 1zK0a.8 16L0 1iN0 17b0 1jd0 17b0 1ip0 17z0 1i10 17X0 1hB0 18n0 1hd0 19b0 1gp0 19z0 1iN0 17b0 1ip0 17z0 1i10 18n0 1hd0 18L0 1gN0 19b0 1gp0 19z0 1iN0 17z0 1i10 17X0 yGd0 HjL0|51e5","Africa/Monrovia|MMT MMT GMT|H.8 I.u 0|012|-23Lzg.Q 28G01.m|11e5","Africa/Ndjamena|LMT WAT WAST|-10.c -10 -20|0121|-2le10.c 2J3c0.c Wn0|13e5","Africa/Sao_Tome|LMT GMT WAT|A.J 0 -10|0121|-2le00 4i6N0 2q00|","Africa/Tripoli|LMT CET CEST EET|-Q.I -10 -20 -20|012121213121212121212121213123123|-21JcQ.I 1hnBQ.I vx0 4iP0 xx0 4eN0 Bb0 7ip0 U0n0 A10 1db0 1cN0 1db0 1dd0 1db0 1eN0 1bb0 1e10 1cL0 1c10 1db0 1dd0 1db0 1cN0 1db0 1q10 fAn0 1ep0 1db0 AKq0 TA0 1o00|11e5","Africa/Tunis|PMT CET CEST|-9.l -10 -20|0121212121212121212121212121212121|-2nco9.l 18pa9.l 1qM0 DA0 3Tc0 11B0 1ze0 WM0 7z0 3d0 14L0 1cN0 1f90 1ar0 16J0 1gXB0 WM0 1rA0 11c0 nwo0 Ko0 1cM0 1cM0 1rA0 10M0 zuM0 10N0 1aN0 1qM0 WM0 1qM0 11A0 1o00|20e5","Africa/Windhoek|+0130 SAST SAST CAT WAT|-1u -20 -30 -20 -10|01213434343434343434343434343434343434343434343434343|-2GJdu 1Ajdu 1cL0 1SqL0 9Io0 16P0 1nX0 11B0 1qL0 WN0 1qL0 11B0 1nX0 11B0 1nX0 11B0 1nX0 11B0 1nX0 11B0 1qL0 WN0 1qL0 11B0 1nX0 11B0 1nX0 11B0 1nX0 11B0 1nX0 11B0 1qL0 11B0 1nX0 11B0 1nX0 11B0 1nX0 11B0 1nX0 11B0 1qL0 WN0 1qL0 11B0 1nX0 11B0 1nX0 11B0 1nX0 11B0|32e4","America/Adak|NST NWT NPT BST BDT AHST HST HDT|b0 a0 a0 b0 a0 a0 a0 90|012034343434343434343434343434343456767676767676767676767676767676767676767676767676767676767676767676767676767676767676767676767676767676767676|-17SX0 8wW0 iB0 Qlb0 52O0 1cL0 1cN0 1cL0 1cN0 1fz0 1cN0 1cL0 1cN0 1cL0 s10 1Vz0 LB0 1BX0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1a10 1fz0 cm0 10q0 1cL0 1cN0 1cL0 1cN0 1cL0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0|326","America/Anchorage|AST AWT APT AHST AHDT YST AKST AKDT|a0 90 90 a0 90 90 90 80|012034343434343434343434343434343456767676767676767676767676767676767676767676767676767676767676767676767676767676767676767676767676767676767676|-17T00 8wX0 iA0 Qlb0 52O0 1cL0 1cN0 1cL0 1cN0 1fz0 1cN0 1cL0 1cN0 1cL0 s10 1Vz0 LB0 1BX0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1a10 1fz0 cm0 10q0 1cL0 1cN0 1cL0 1cN0 1cL0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0|30e4","America/Port_of_Spain|LMT AST|46.4 40|01|-2kNvR.U|43e3","America/Araguaina|LMT -03 -02|3c.M 30 20|0121212121212121212121212121212121212121212121212121|-2glwL.c HdKL.c 1cc0 1e10 1bX0 Ezd0 So0 1vA0 Mn0 1BB0 ML0 1BB0 zX0 qe10 xb0 2ep0 nz0 1C10 zX0 1C10 LX0 1C10 Mn0 H210 Rb0 1tB0 IL0 1Fd0 FX0 1EN0 FX0 1HB0 Lz0 dMN0 Lz0 1zd0 Rb0 1wN0 Wn0 1tB0 Rb0 1tB0 WL0 1tB0 Rb0 1zd0 On0 1HB0 FX0 ny10 Lz0|14e4","America/Argentina/Buenos_Aires|CMT -04 -03 -02|4g.M 40 30 20|01212121212121212121212121212121212121212123232323232323232|-20UHH.c pKnH.c Mn0 1iN0 Tb0 1C10 LX0 1C10 LX0 1C10 LX0 1C10 Mn0 1C10 LX0 1C10 LX0 1C10 LX0 1C10 Mn0 MN0 2jz0 MN0 4lX0 u10 5Lb0 1pB0 Fnz0 u10 uL0 1vd0 SL0 1vd0 SL0 1vd0 17z0 1cN0 1fz0 1cN0 1cL0 1cN0 asn0 Db0 zvd0 Bz0 1tB0 TX0 1wp0 Rb0 1wp0 Rb0 1wp0 TX0 A4p0 uL0 1qN0 WL0|","America/Argentina/Catamarca|CMT -04 -03 -02|4g.M 40 30 20|01212121212121212121212121212121212121212123232323132321232|-20UHH.c pKnH.c Mn0 1iN0 Tb0 1C10 LX0 1C10 LX0 1C10 LX0 1C10 Mn0 1C10 LX0 1C10 LX0 1C10 LX0 1C10 Mn0 MN0 2jz0 MN0 4lX0 u10 5Lb0 1pB0 Fnz0 u10 uL0 1vd0 SL0 1vd0 SL0 1vd0 17z0 1cN0 1fz0 1cN0 1cL0 1cN0 asn0 Db0 zvd0 Bz0 1tB0 TX0 1wp0 Rb0 1wq0 Ra0 1wp0 TX0 rlB0 7B0 8zb0 uL0|","America/Argentina/Cordoba|CMT -04 -03 -02|4g.M 40 30 20|01212121212121212121212121212121212121212123232323132323232|-20UHH.c pKnH.c Mn0 1iN0 Tb0 1C10 LX0 1C10 LX0 1C10 LX0 1C10 Mn0 1C10 LX0 1C10 LX0 1C10 LX0 1C10 Mn0 MN0 2jz0 MN0 4lX0 u10 5Lb0 1pB0 Fnz0 u10 uL0 1vd0 SL0 1vd0 SL0 1vd0 17z0 1cN0 1fz0 1cN0 1cL0 1cN0 asn0 Db0 zvd0 Bz0 1tB0 TX0 1wp0 Rb0 1wq0 Ra0 1wp0 TX0 A4p0 uL0 1qN0 WL0|","America/Argentina/Jujuy|CMT -04 -03 -02|4g.M 40 30 20|012121212121212121212121212121212121212121232323121323232|-20UHH.c pKnH.c Mn0 1iN0 Tb0 1C10 LX0 1C10 LX0 1C10 LX0 1C10 Mn0 1C10 LX0 1C10 LX0 1C10 LX0 1C10 Mn0 MN0 2jz0 MN0 4lX0 u10 5Lb0 1pB0 Fnz0 u10 uL0 1vd0 SL0 1vd0 SL0 1vd0 17z0 1cN0 1fz0 1cN0 1cL0 1cN0 asn0 Db0 zvd0 Bz0 1tB0 TX0 1ze0 TX0 1ld0 WK0 1wp0 TX0 A4p0 uL0|","America/Argentina/La_Rioja|CMT -04 -03 -02|4g.M 40 30 20|012121212121212121212121212121212121212121232323231232321232|-20UHH.c pKnH.c Mn0 1iN0 Tb0 1C10 LX0 1C10 LX0 1C10 LX0 1C10 Mn0 1C10 LX0 1C10 LX0 1C10 LX0 1C10 Mn0 MN0 2jz0 MN0 4lX0 u10 5Lb0 1pB0 Fnz0 u10 uL0 1vd0 SL0 1vd0 SL0 1vd0 17z0 1cN0 1fz0 1cN0 1cL0 1cN0 asn0 Db0 zvd0 Bz0 1tB0 TX0 1wp0 Qn0 qO0 16n0 Rb0 1wp0 TX0 rlB0 7B0 8zb0 uL0|","America/Argentina/Mendoza|CMT -04 -03 -02|4g.M 40 30 20|01212121212121212121212121212121212121212123232312121321232|-20UHH.c pKnH.c Mn0 1iN0 Tb0 1C10 LX0 1C10 LX0 1C10 LX0 1C10 Mn0 1C10 LX0 1C10 LX0 1C10 LX0 1C10 Mn0 MN0 2jz0 MN0 4lX0 u10 5Lb0 1pB0 Fnz0 u10 uL0 1vd0 SL0 1vd0 SL0 1vd0 17z0 1cN0 1fz0 1cN0 1cL0 1cN0 asn0 Db0 zvd0 Bz0 1tB0 TX0 1u20 SL0 1vd0 Tb0 1wp0 TW0 ri10 Op0 7TX0 uL0|","America/Argentina/Rio_Gallegos|CMT -04 -03 -02|4g.M 40 30 20|01212121212121212121212121212121212121212123232323232321232|-20UHH.c pKnH.c Mn0 1iN0 Tb0 1C10 LX0 1C10 LX0 1C10 LX0 1C10 Mn0 1C10 LX0 1C10 LX0 1C10 LX0 1C10 Mn0 MN0 2jz0 MN0 4lX0 u10 5Lb0 1pB0 Fnz0 u10 uL0 1vd0 SL0 1vd0 SL0 1vd0 17z0 1cN0 1fz0 1cN0 1cL0 1cN0 asn0 Db0 zvd0 Bz0 1tB0 TX0 1wp0 Rb0 1wp0 Rb0 1wp0 TX0 rlB0 7B0 8zb0 uL0|","America/Argentina/Salta|CMT -04 -03 -02|4g.M 40 30 20|012121212121212121212121212121212121212121232323231323232|-20UHH.c pKnH.c Mn0 1iN0 Tb0 1C10 LX0 1C10 LX0 1C10 LX0 1C10 Mn0 1C10 LX0 1C10 LX0 1C10 LX0 1C10 Mn0 MN0 2jz0 MN0 4lX0 u10 5Lb0 1pB0 Fnz0 u10 uL0 1vd0 SL0 1vd0 SL0 1vd0 17z0 1cN0 1fz0 1cN0 1cL0 1cN0 asn0 Db0 zvd0 Bz0 1tB0 TX0 1wp0 Rb0 1wq0 Ra0 1wp0 TX0 A4p0 uL0|","America/Argentina/San_Juan|CMT -04 -03 -02|4g.M 40 30 20|012121212121212121212121212121212121212121232323231232321232|-20UHH.c pKnH.c Mn0 1iN0 Tb0 1C10 LX0 1C10 LX0 1C10 LX0 1C10 Mn0 1C10 LX0 1C10 LX0 1C10 LX0 1C10 Mn0 MN0 2jz0 MN0 4lX0 u10 5Lb0 1pB0 Fnz0 u10 uL0 1vd0 SL0 1vd0 SL0 1vd0 17z0 1cN0 1fz0 1cN0 1cL0 1cN0 asn0 Db0 zvd0 Bz0 1tB0 TX0 1wp0 Qn0 qO0 16n0 Rb0 1wp0 TX0 rld0 m10 8lb0 uL0|","America/Argentina/San_Luis|CMT -04 -03 -02|4g.M 40 30 20|012121212121212121212121212121212121212121232323121212321212|-20UHH.c pKnH.c Mn0 1iN0 Tb0 1C10 LX0 1C10 LX0 1C10 LX0 1C10 Mn0 1C10 LX0 1C10 LX0 1C10 LX0 1C10 Mn0 MN0 2jz0 MN0 4lX0 u10 5Lb0 1pB0 Fnz0 u10 uL0 1vd0 SL0 1vd0 SL0 1vd0 17z0 1cN0 1fz0 1cN0 1cL0 1cN0 asn0 Db0 zvd0 Bz0 1tB0 XX0 1q20 SL0 AN0 vDb0 m10 8lb0 8L0 jd0 1qN0 WL0 1qN0|","America/Argentina/Tucuman|CMT -04 -03 -02|4g.M 40 30 20|0121212121212121212121212121212121212121212323232313232123232|-20UHH.c pKnH.c Mn0 1iN0 Tb0 1C10 LX0 1C10 LX0 1C10 LX0 1C10 Mn0 1C10 LX0 1C10 LX0 1C10 LX0 1C10 Mn0 MN0 2jz0 MN0 4lX0 u10 5Lb0 1pB0 Fnz0 u10 uL0 1vd0 SL0 1vd0 SL0 1vd0 17z0 1cN0 1fz0 1cN0 1cL0 1cN0 asn0 Db0 zvd0 Bz0 1tB0 TX0 1wp0 Rb0 1wq0 Ra0 1wp0 TX0 rlB0 4N0 8BX0 uL0 1qN0 WL0|","America/Argentina/Ushuaia|CMT -04 -03 -02|4g.M 40 30 20|01212121212121212121212121212121212121212123232323232321232|-20UHH.c pKnH.c Mn0 1iN0 Tb0 1C10 LX0 1C10 LX0 1C10 LX0 1C10 Mn0 1C10 LX0 1C10 LX0 1C10 LX0 1C10 Mn0 MN0 2jz0 MN0 4lX0 u10 5Lb0 1pB0 Fnz0 u10 uL0 1vd0 SL0 1vd0 SL0 1vd0 17z0 1cN0 1fz0 1cN0 1cL0 1cN0 asn0 Db0 zvd0 Bz0 1tB0 TX0 1wp0 Rb0 1wp0 Rb0 1wp0 TX0 rkN0 8p0 8zb0 uL0|","America/Curacao|LMT -0430 AST|4z.L 4u 40|012|-2kV7o.d 28KLS.d|15e4","America/Asuncion|AMT -04 -03|3O.E 40 30|012121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212|-1x589.k 1DKM9.k 3CL0 3Dd0 10L0 1pB0 10n0 1pB0 10n0 1pB0 1cL0 1dd0 1db0 1dd0 1cL0 1dd0 1cL0 1dd0 1cL0 1dd0 1db0 1dd0 1cL0 1dd0 1cL0 1dd0 1cL0 1dd0 1db0 1dd0 1cL0 1lB0 14n0 1dd0 1cL0 1fd0 WL0 1rd0 1aL0 1dB0 Xz0 1qp0 Xb0 1qN0 10L0 1rB0 TX0 1tB0 WL0 1qN0 11z0 1o10 11z0 1o10 11z0 1qN0 1cL0 WN0 1qL0 11B0 1nX0 1ip0 WL0 1qN0 WL0 1qN0 WL0 1tB0 TX0 1tB0 TX0 1tB0 19X0 1a10 1fz0 1a10 1fz0 1cN0 17b0 1ip0 17b0 1ip0 17b0 1ip0 19X0 1fB0 19X0 1fB0 19X0 1ip0 17b0 1ip0 17b0 1ip0 19X0 1fB0 19X0 1fB0 19X0 1fB0 19X0 1ip0 17b0 1ip0 17b0 1ip0 19X0 1fB0 19X0 1fB0 19X0 1ip0 17b0 1ip0 17b0 1ip0 19X0 1fB0 19X0 1fB0 19X0 1fB0 19X0 1ip0 17b0 1ip0 17b0 1ip0|28e5","America/Atikokan|CST CDT CWT CPT EST|60 50 50 50 50|0101234|-25TQ0 1in0 Rnb0 3je0 8x30 iw0|28e2","America/Bahia_Banderas|LMT MST CST PST MDT CDT|71 70 60 80 60 50|0121212131414141414141414141414141414152525252525252525252525252525252525252525252525252525252|-1UQF0 deL0 8lc0 17c0 10M0 1dd0 otX0 gmN0 P2N0 13Vd0 1lb0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 1fB0 WL0 1fB0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nW0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0|84e3","America/Bahia|LMT -03 -02|2y.4 30 20|01212121212121212121212121212121212121212121212121212121212121|-2glxp.U HdLp.U 1cc0 1e10 1bX0 Ezd0 So0 1vA0 Mn0 1BB0 ML0 1BB0 zX0 qe10 xb0 2ep0 nz0 1C10 zX0 1C10 LX0 1C10 Mn0 H210 Rb0 1tB0 IL0 1Fd0 FX0 1EN0 FX0 1HB0 Lz0 1EN0 Lz0 1C10 IL0 1HB0 Db0 1HB0 On0 1zd0 On0 1zd0 Lz0 1zd0 Rb0 1wN0 Wn0 1tB0 Rb0 1tB0 WL0 1tB0 Rb0 1zd0 On0 1HB0 FX0 l5B0 Rb0|27e5","America/Barbados|LMT BMT AST ADT|3W.t 3W.t 40 30|01232323232|-1Q0I1.v jsM0 1ODC1.v IL0 1ip0 17b0 1ip0 17b0 1ld0 13b0|28e4","America/Belem|LMT -03 -02|3d.U 30 20|012121212121212121212121212121|-2glwK.4 HdKK.4 1cc0 1e10 1bX0 Ezd0 So0 1vA0 Mn0 1BB0 ML0 1BB0 zX0 qe10 xb0 2ep0 nz0 1C10 zX0 1C10 LX0 1C10 Mn0 H210 Rb0 1tB0 IL0 1Fd0 FX0|20e5","America/Belize|LMT CST -0530 CWT CPT CDT|5Q.M 60 5u 50 50 50|012121212121212121212121212121212121212121212121213412121212121212121212121212121212121212121215151|-2kBu7.c fPA7.c Onu 1zcu Rbu 1wou Rbu 1wou Rbu 1zcu Onu 1zcu Onu 1zcu Rbu 1wou Rbu 1wou Rbu 1wou Rbu 1zcu Onu 1zcu Onu 1zcu Rbu 1wou Rbu 1wou Rbu 1zcu Onu 1zcu Onu 1zcu Onu 1zcu Rbu 1wou Rbu 1wou Rbu 1zcu Onu 1zcu Onu 1zcu Rbu Rcu 7Bt0 Ni0 4nd0 Rbu 1wou Rbu 1wou Rbu 1zcu Onu 1zcu Onu 1zcu Rbu 1wou Rbu 1wou Rbu 1wou Rbu 1zcu Onu 1zcu Onu 1zcu Rbu 1wou Rbu 1wou Rbu 1zcu Onu 1zcu Onu 1zcu Onu 1zcu Rbu 1wou Rbu 1wou Rbu 1zcu Onu e9Au qn0 lxB0 mn0|57e3","America/Blanc-Sablon|AST ADT AWT APT|40 30 30 30|010230|-25TS0 1in0 UGp0 8x50 iu0|11e2","America/Boa_Vista|LMT -04 -03|42.E 40 30|0121212121212121212121212121212121|-2glvV.k HdKV.k 1cc0 1e10 1bX0 Ezd0 So0 1vA0 Mn0 1BB0 ML0 1BB0 zX0 qe10 xb0 2ep0 nz0 1C10 zX0 1C10 LX0 1C10 Mn0 H210 Rb0 1tB0 IL0 1Fd0 FX0 smp0 WL0 1tB0 2L0|62e2","America/Bogota|BMT -05 -04|4U.g 50 40|0121|-2eb73.I 38yo3.I 2en0|90e5","America/Boise|PST PDT MST MWT MPT MDT|80 70 70 60 60 60|0101023425252525252525252525252525252525252525252525252525252525252525252525252525252525252525252525252525252525252525252525252525252525252525252525252|-261q0 1nX0 11B0 1nX0 8C10 JCL0 8x20 ix0 QwN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1cN0 1cL0 1cN0 1cL0 Dd0 1Kn0 LB0 1BX0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0|21e4","America/Cambridge_Bay|-00 MST MWT MPT MDDT MDT CST CDT EST|0 70 60 60 50 60 60 50 50|0123141515151515151515151515151515151515151515678651515151515151515151515151515151515151515151515151515151515151515151515151|-21Jc0 RO90 8x20 ix0 LCL0 1fA0 zgO0 1cL0 1cN0 1cL0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11A0 1nX0 2K0 WQ0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0|15e2","America/Campo_Grande|LMT -04 -03|3C.s 40 30|01212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121|-2glwl.w HdLl.w 1cc0 1e10 1bX0 Ezd0 So0 1vA0 Mn0 1BB0 ML0 1BB0 zX0 qe10 xb0 2ep0 nz0 1C10 zX0 1C10 LX0 1C10 Mn0 H210 Rb0 1tB0 IL0 1Fd0 FX0 1EN0 FX0 1HB0 Lz0 1EN0 Lz0 1C10 IL0 1HB0 Db0 1HB0 On0 1zd0 On0 1zd0 Lz0 1zd0 Rb0 1wN0 Wn0 1tB0 Rb0 1tB0 WL0 1tB0 Rb0 1zd0 On0 1HB0 FX0 1C10 Lz0 1Ip0 HX0 1zd0 On0 1HB0 IL0 1wp0 On0 1C10 Lz0 1C10 On0 1zd0 On0 1zd0 Rb0 1zd0 Lz0 1C10 Lz0 1C10 On0 1zd0 On0 1zd0 On0 1zd0 On0 1HB0 FX0|77e4","America/Cancun|LMT CST EST EDT CDT|5L.4 60 50 40 50|0123232341414141414141414141414141414141412|-1UQG0 2q2o0 yLB0 1lb0 14p0 1lb0 14p0 Lz0 xB0 14p0 1nX0 11B0 1nX0 1fB0 WL0 1fB0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 Dd0|63e4","America/Caracas|CMT -0430 -04|4r.E 4u 40|01212|-2kV7w.k 28KM2.k 1IwOu kqo0|29e5","America/Cayenne|LMT -04 -03|3t.k 40 30|012|-2mrwu.E 2gWou.E|58e3","America/Panama|CMT EST|5j.A 50|01|-2uduE.o|15e5","America/Chicago|CST CDT EST CWT CPT|60 50 50 50 50|01010101010101010101010101010101010102010101010103401010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010|-261s0 1nX0 11B0 1nX0 1wp0 TX0 WN0 1qL0 1cN0 WL0 1qN0 11z0 1o10 11z0 1o10 11z0 1o10 11z0 1o10 11z0 1qN0 11z0 1o10 11z0 1o10 11z0 1o10 11z0 1o10 11z0 1qN0 WL0 1qN0 11z0 1o10 11z0 11B0 1Hz0 14p0 11z0 1o10 11z0 1qN0 WL0 1qN0 11z0 1o10 11z0 RB0 8x30 iw0 1o10 11z0 1o10 11z0 1o10 11z0 1o10 11z0 1qN0 WL0 1qN0 11z0 1o10 11z0 1o10 11z0 1o10 11z0 1o10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1cN0 1cL0 1cN0 1cL0 s10 1Vz0 LB0 1BX0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0|92e5","America/Chihuahua|LMT MST CST CDT MDT|74.k 70 60 50 60|0121212323241414141414141414141414141414141414141414141414141414141414141414141414141414141|-1UQF0 deL0 8lc0 17c0 10M0 1dd0 2zQN0 1lb0 14p0 1lb0 14q0 1lb0 14p0 1nX0 11B0 1nX0 1fB0 WL0 1fB0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0|81e4","America/Costa_Rica|SJMT CST CDT|5A.d 60 50|0121212121|-1Xd6n.L 2lu0n.L Db0 1Kp0 Db0 pRB0 15b0 1kp0 mL0|12e5","America/Creston|MST PST|70 80|010|-29DR0 43B0|53e2","America/Cuiaba|LMT -04 -03|3I.k 40 30|012121212121212121212121212121212121212121212121212121212121212121212121212121212121212121|-2glwf.E HdLf.E 1cc0 1e10 1bX0 Ezd0 So0 1vA0 Mn0 1BB0 ML0 1BB0 zX0 qe10 xb0 2ep0 nz0 1C10 zX0 1C10 LX0 1C10 Mn0 H210 Rb0 1tB0 IL0 1Fd0 FX0 1EN0 FX0 1HB0 Lz0 1EN0 Lz0 1C10 IL0 1HB0 Db0 1HB0 On0 1zd0 On0 1zd0 Lz0 1zd0 Rb0 1wN0 Wn0 1tB0 Rb0 1tB0 WL0 1tB0 Rb0 1zd0 On0 1HB0 FX0 4a10 HX0 1zd0 On0 1HB0 IL0 1wp0 On0 1C10 Lz0 1C10 On0 1zd0 On0 1zd0 Rb0 1zd0 Lz0 1C10 Lz0 1C10 On0 1zd0 On0 1zd0 On0 1zd0 On0 1HB0 FX0|54e4","America/Danmarkshavn|LMT -03 -02 GMT|1e.E 30 20 0|01212121212121212121212121212121213|-2a5WJ.k 2z5fJ.k 19U0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 DC0|8","America/Dawson_Creek|PST PDT PWT PPT MST|80 70 70 70 70|0102301010101010101010101010101010101010101010101010101014|-25TO0 1in0 UGp0 8x10 iy0 3NB0 11z0 1o10 11z0 1o10 11z0 1qN0 WL0 1qN0 11z0 1o10 11z0 1o10 11z0 1o10 11z0 1o10 11z0 1qN0 11z0 1o10 11z0 1o10 11z0 1o10 11z0 1o10 11z0 1qN0 WL0 1qN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1cN0 ML0|12e3","America/Dawson|YST YDT YWT YPT YDDT PST PDT MST|90 80 80 80 70 80 70 70|010102304056565656565656565656565656565656565656565656565656565656565656565656565656565656567|-25TN0 1in0 1o10 13V0 Ser0 8x00 iz0 LCL0 1fA0 jrA0 fNd0 1cL0 1cN0 1cL0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1z90|13e2","America/Denver|MST MDT MWT MPT|70 60 60 60|01010101023010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010|-261r0 1nX0 11B0 1nX0 11B0 1qL0 WN0 mn0 Ord0 8x20 ix0 LCN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1cN0 1cL0 1cN0 1cL0 s10 1Vz0 LB0 1BX0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0|26e5","America/Detroit|LMT CST EST EWT EPT EDT|5w.b 60 50 40 40 40|0123425252525252525252525252525252525252525252525252525252525252525252525252525252525252525252525252525252525252525252525252525252525252525252|-2Cgir.N peqr.N 156L0 8x40 iv0 6fd0 11z0 JxX1 SMX 1cN0 1cL0 aW10 1cL0 s10 1Vz0 1cN0 1cL0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0|37e5","America/Edmonton|LMT MST MDT MWT MPT|7x.Q 70 60 60 60|0121212121212134121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121|-2yd4q.8 shdq.8 1in0 17d0 hz0 2dB0 1fz0 1a10 11z0 1qN0 WL0 1qN0 11z0 IGN0 8x20 ix0 3NB0 11z0 XQp0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0|10e5","America/Eirunepe|LMT -05 -04|4D.s 50 40|0121212121212121212121212121212121|-2glvk.w HdLk.w 1cc0 1e10 1bX0 Ezd0 So0 1vA0 Mn0 1BB0 ML0 1BB0 zX0 qe10 xb0 2ep0 nz0 1C10 zX0 1C10 LX0 1C10 Mn0 H210 Rb0 1tB0 IL0 1Fd0 FX0 dPB0 On0 yTd0 d5X0|31e3","America/El_Salvador|LMT CST CDT|5U.M 60 50|012121|-1XiG3.c 2Fvc3.c WL0 1qN0 WL0|11e5","America/Tijuana|LMT MST PST PDT PWT PPT|7M.4 70 80 70 70 70|012123245232323232323232323232323232323232323232323232323232323232323232323232323232323232323232323232323232323232323232323232323232323232323232323232|-1UQE0 4PX0 8mM0 8lc0 SN0 1cL0 pHB0 83r0 zI0 5O10 1Rz0 cOO0 11A0 1o00 11A0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1o00 11A0 BUp0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 U10 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0|20e5","America/Fort_Nelson|PST PDT PWT PPT MST|80 70 70 70 70|01023010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010104|-25TO0 1in0 UGp0 8x10 iy0 3NB0 11z0 1o10 11z0 1o10 11z0 1qN0 WL0 1qN0 11z0 1o10 11z0 1o10 11z0 1o10 11z0 1o10 11z0 1qN0 11z0 1o10 11z0 1o10 11z0 1o10 11z0 1o10 11z0 1qN0 WL0 1qN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0|39e2","America/Fort_Wayne|CST CDT CWT CPT EST EDT|60 50 50 50 50 40|010101023010101010101010101040454545454545454545454545454545454545454545454545454545454545454545454|-261s0 1nX0 11B0 1nX0 QI10 Db0 RB0 8x30 iw0 1o10 11z0 1o10 11z0 1o10 11z0 1o10 11z0 1qN0 WL0 1qN0 11z0 1o10 11z0 1o10 11z0 1o10 11z0 1o10 5Tz0 1o10 qLb0 1cL0 1cN0 1cL0 1qhd0 1nX0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0|","America/Fortaleza|LMT -03 -02|2y 30 20|0121212121212121212121212121212121212121|-2glxq HdLq 1cc0 1e10 1bX0 Ezd0 So0 1vA0 Mn0 1BB0 ML0 1BB0 zX0 qe10 xb0 2ep0 nz0 1C10 zX0 1C10 LX0 1C10 Mn0 H210 Rb0 1tB0 IL0 1Fd0 FX0 1EN0 FX0 1HB0 Lz0 nsp0 WL0 1tB0 5z0 2mN0 On0|34e5","America/Glace_Bay|LMT AST ADT AWT APT|3X.M 40 30 30 30|012134121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121|-2IsI0.c CwO0.c 1in0 UGp0 8x50 iu0 iq10 11z0 Jg10 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0|19e3","America/Godthab|LMT -03 -02|3q.U 30 20|0121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121|-2a5Ux.4 2z5dx.4 19U0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00|17e3","America/Goose_Bay|NST NDT NST NDT NWT NPT AST ADT ADDT|3u.Q 2u.Q 3u 2u 2u 2u 40 30 20|010232323232323245232323232323232323232323232323232323232326767676767676767676767676767676767676767676768676767676767676767676767676767676767676767676767676767676767676767676767676767676767676767676767676|-25TSt.8 1in0 DXb0 2HbX.8 WL0 1qN0 WL0 1qN0 WL0 1tB0 TX0 1tB0 WL0 1qN0 WL0 1qN0 7UHu itu 1tB0 WL0 1qN0 WL0 1qN0 WL0 1qN0 WL0 1tB0 WL0 1ld0 11z0 1o10 11z0 1o10 11z0 1o10 11z0 1o10 11z0 1qN0 11z0 1o10 11z0 1o10 11z0 1o10 11z0 1o10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 S10 g0u 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 14n1 1lb0 14p0 1nW0 11C0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zcX Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0|76e2","America/Grand_Turk|KMT EST EDT AST|57.a 50 40 40|0121212121212121212121212121212121212121212121212121212121212121212121212132121212121212121212121212121212121212121|-2l1uQ.O 2HHBQ.O 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 7jA0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0|37e2","America/Guatemala|LMT CST CDT|62.4 60 50|0121212121|-24KhV.U 2efXV.U An0 mtd0 Nz0 ifB0 17b0 zDB0 11z0|13e5","America/Guayaquil|QMT -05 -04|5e 50 40|0121|-1yVSK 2uILK rz0|27e5","America/Guyana|LMT -0345 -03 -04|3Q.E 3J 30 40|0123|-2dvU7.k 2r6LQ.k Bxbf|80e4","America/Halifax|LMT AST ADT AWT APT|4e.o 40 30 30 30|0121212121212121212121212121212121212121212121212134121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121|-2IsHJ.A xzzJ.A 1db0 3I30 1in0 3HX0 IL0 1E10 ML0 1yN0 Pb0 1Bd0 Mn0 1Bd0 Rz0 1w10 Xb0 1w10 LX0 1w10 Xb0 1w10 Lz0 1C10 Jz0 1E10 OL0 1yN0 Un0 1qp0 Xb0 1qp0 11X0 1w10 Lz0 1HB0 LX0 1C10 FX0 1w10 Xb0 1qp0 Xb0 1BB0 LX0 1td0 Xb0 1qp0 Xb0 Rf0 8x50 iu0 1o10 11z0 1o10 11z0 1o10 11z0 1o10 11z0 3Qp0 11z0 1o10 11z0 1o10 11z0 1o10 11z0 3Qp0 11z0 1o10 11z0 1o10 11z0 1o10 11z0 6i10 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0|39e4","America/Havana|HMT CST CDT|5t.A 50 40|012121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121|-1Meuu.o 72zu.o ML0 sld0 An0 1Nd0 Db0 1Nd0 An0 6Ep0 An0 1Nd0 An0 JDd0 Mn0 1Ap0 On0 1fd0 11X0 1qN0 WL0 1wp0 1cL0 1cN0 1cL0 1cN0 1fz0 1cN0 14n0 1ld0 14L0 1kN0 15b0 1kp0 1cL0 1cN0 1fz0 1a10 1fz0 1fB0 11z0 14p0 1nX0 11B0 1nX0 1o10 11z0 1o10 11z0 1o10 11z0 1o10 14n0 1ld0 14n0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 1a10 1in0 1a10 1fA0 1a00 1fA0 1a00 1fA0 1a00 1fA0 1a00 1fA0 1cM0 1cM0 1cM0 1fA0 17c0 1o00 11A0 1qM0 11A0 1o00 11A0 1o00 14o0 1lc0 14o0 1lc0 11A0 6i00 Rc0 1wo0 U00 1tA0 Rc0 1wo0 U00 1wo0 U00 1zc0 U00 1qM0 Oo0 1zc0 Oo0 1zc0 Oo0 1zc0 Rc0 1zc0 Oo0 1zc0 Oo0 1zc0 Oo0 1zc0 Oo0 1zc0 Rc0 1zc0 Oo0 1zc0 Oo0 1zc0 Oo0 1zc0 Oo0 1zc0 Oo0 1zc0 Rc0 1zc0 Oo0 1zc0 Oo0 1zc0 Oo0 1zc0 Oo0 1zc0 Rc0 1zc0 Oo0 1zc0 Oo0 1zc0 Oo0 1zc0 Oo0 1zc0 Oo0 1zc0|21e5","America/Hermosillo|LMT MST CST PST MDT|7n.Q 70 60 80 60|0121212131414141|-1UQF0 deL0 8lc0 17c0 10M0 1dd0 otX0 gmN0 P2N0 13Vd0 1lb0 14p0 1lb0 14p0 1lb0|64e4","America/Indiana/Knox|CST CDT CWT CPT EST|60 50 50 50 50|0101023010101010101010101010101010101040101010101010101010101010101010101010101010101010141010101010101010101010101010101010101010101010101010101010101010|-261s0 1nX0 11B0 1nX0 SgN0 8x30 iw0 3NB0 11z0 1o10 11z0 1o10 11z0 1qN0 WL0 1qN0 11z0 1o10 11z0 1o10 11z0 1o10 11z0 1o10 1fz0 1cN0 1cL0 1cN0 11z0 1o10 11z0 1o10 1cL0 1cN0 1fz0 1cN0 1cL0 1cN0 3Cn0 8wp0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1cN0 1cL0 1cN0 1cL0 s10 1Vz0 LB0 1BX0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 z8o0 1o00 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0|","America/Indiana/Marengo|CST CDT CWT CPT EST EDT|60 50 50 50 50 40|0101023010101010101010104545454545414545454545454545454545454545454545454545454545454545454545454545454|-261s0 1nX0 11B0 1nX0 SgN0 8x30 iw0 dyN0 11z0 6fd0 11z0 1o10 11z0 1qN0 11z0 1o10 11z0 1o10 11z0 1o10 11z0 1o10 11z0 1qN0 jrz0 1cL0 1cN0 1cL0 1cN0 1fz0 1cN0 1cL0 1cN0 1cL0 s10 1VA0 LA0 1BX0 1e6p0 1nX0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0|","America/Indiana/Petersburg|CST CDT CWT CPT EST EDT|60 50 50 50 50 40|01010230101010101010101010104010101010101010101010141014545454545454545454545454545454545454545454545454545454545454|-261s0 1nX0 11B0 1nX0 SgN0 8x30 iw0 njX0 WN0 1qN0 11z0 1o10 11z0 1o10 11z0 1o10 11z0 1o10 11z0 1qN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 3Fb0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1cN0 1cL0 1cN0 1cL0 s10 1Vz0 LB0 1BX0 1cN0 1fz0 1a10 1fz0 19co0 1o00 Rd0 1zb0 Oo0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0|","America/Indiana/Tell_City|CST CDT CWT CPT EST EDT|60 50 50 50 50 40|01010230101010101010101010401054541010101010101010101010101010101010101010101010101010101010101010|-261s0 1nX0 11B0 1nX0 SgN0 8x30 iw0 njX0 WN0 1qN0 11z0 1o10 11z0 1o10 11z0 1o10 11z0 1o10 11z0 1qN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 8wn0 1cN0 1cL0 1cN0 1cK0 1cN0 1cL0 1qhd0 1o00 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0|","America/Indiana/Vevay|CST CDT CWT CPT EST EDT|60 50 50 50 50 40|010102304545454545454545454545454545454545454545454545454545454545454545454545454|-261s0 1nX0 11B0 1nX0 SgN0 8x30 iw0 kPB0 Awn0 1cL0 1cN0 1cL0 1cN0 1fz0 1cN0 1cL0 1lnd0 1nX0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0|","America/Indiana/Vincennes|CST CDT CWT CPT EST EDT|60 50 50 50 50 40|01010230101010101010101010101010454541014545454545454545454545454545454545454545454545454545454545454|-261s0 1nX0 11B0 1nX0 SgN0 8x30 iw0 1o10 11z0 g0p0 11z0 1o10 11z0 1qL0 WN0 1qN0 11z0 1o10 11z0 1o10 11z0 1o10 11z0 1o10 1fz0 1cN0 WL0 1qN0 1cL0 1cN0 1cL0 1cN0 caL0 1cL0 1cN0 1cL0 1qhd0 1o00 Rd0 1zb0 Oo0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0|","America/Indiana/Winamac|CST CDT CWT CPT EST EDT|60 50 50 50 50 40|01010230101010101010101010101010101010454541054545454545454545454545454545454545454545454545454545454545454|-261s0 1nX0 11B0 1nX0 SgN0 8x30 iw0 1o10 11z0 1o10 11z0 1o10 11z0 1o10 11z0 1qN0 WL0 1qN0 11z0 1o10 11z0 1o10 11z0 1o10 11z0 1o10 1fz0 1cN0 1cL0 1cN0 11z0 1o10 11z0 1o10 11z0 1o10 11z0 1qN0 jrz0 1cL0 1cN0 1cL0 1qhd0 1o00 Rd0 1za0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0|","America/Inuvik|-00 PST PDDT MST MDT|0 80 60 70 60|0121343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343|-FnA0 tWU0 1fA0 wPe0 2pz0 1cL0 1cN0 1cL0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0|35e2","America/Iqaluit|-00 EWT EPT EST EDDT EDT CST CDT|0 40 40 50 30 40 60 50|01234353535353535353535353535353535353535353567353535353535353535353535353535353535353535353535353535353535353535353535353|-16K00 7nX0 iv0 LCL0 1fA0 zgO0 1cL0 1cN0 1cL0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11C0 1nX0 11A0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0|67e2","America/Jamaica|KMT EST EDT|57.a 50 40|0121212121212121212121|-2l1uQ.O 2uM1Q.O 1Vz0 LB0 1BX0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1a10 1fz0|94e4","America/Juneau|PST PWT PPT PDT YDT YST AKST AKDT|80 70 70 70 80 90 90 80|01203030303030303030303030403030356767676767676767676767676767676767676767676767676767676767676767676767676767676767676767676767676767676767676|-17T20 8x10 iy0 Vo10 1cL0 1cN0 1cL0 1cN0 1fz0 1cN0 1cL0 1cN0 1cL0 s10 1Vz0 LB0 1BX0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cM0 1cM0 1cL0 1cN0 1fz0 1a10 1fz0 co0 10q0 1cL0 1cN0 1cL0 1cN0 1cL0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0|33e3","America/Kentucky/Louisville|CST CDT CWT CPT EST EDT|60 50 50 50 50 40|0101010102301010101010101010101010101454545454545414545454545454545454545454545454545454545454545454545454545454545454545454545454545454545454545454545454545454545454545454545454|-261s0 1nX0 11B0 1nX0 3Fd0 Nb0 LPd0 11z0 RB0 8x30 iw0 1nX1 e0X 9vd0 WL0 1qN0 11z0 1o10 11z0 1o10 11z0 1o10 11z0 1o10 11z0 1qN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1cN0 xz0 gso0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1cN0 1cL0 1cN0 1cL0 s10 1VA0 LA0 1BX0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0|","America/Kentucky/Monticello|CST CDT CWT CPT EST EDT|60 50 50 50 50 40|0101023010101010101010101010101010101010101010101010101010101010101010101454545454545454545454545454545454545454545454545454545454545454545454545454|-261s0 1nX0 11B0 1nX0 SgN0 8x30 iw0 SWp0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1cN0 1cL0 1cN0 1cL0 s10 1Vz0 LB0 1BX0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11A0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0|","America/La_Paz|CMT BST -04|4w.A 3w.A 40|012|-1x37r.o 13b0|19e5","America/Lima|LMT -05 -04|58.A 50 40|0121212121212121|-2tyGP.o 1bDzP.o zX0 1aN0 1cL0 1cN0 1cL0 1PrB0 zX0 1O10 zX0 6Gp0 zX0 98p0 zX0|11e6","America/Los_Angeles|PST PDT PWT PPT|80 70 70 70|010102301010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010|-261q0 1nX0 11B0 1nX0 SgN0 8x10 iy0 5Wp1 1VaX 3dA0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1a00 1fA0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1cN0 1cL0 1cN0 1cL0 s10 1Vz0 LB0 1BX0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0|15e6","America/Maceio|LMT -03 -02|2m.Q 30 20|012121212121212121212121212121212121212121|-2glxB.8 HdLB.8 1cc0 1e10 1bX0 Ezd0 So0 1vA0 Mn0 1BB0 ML0 1BB0 zX0 qe10 xb0 2ep0 nz0 1C10 zX0 1C10 LX0 1C10 Mn0 H210 Rb0 1tB0 IL0 1Fd0 FX0 1EN0 FX0 1HB0 Lz0 dMN0 Lz0 8Q10 WL0 1tB0 5z0 2mN0 On0|93e4","America/Managua|MMT CST EST CDT|5J.c 60 50 50|0121313121213131|-1quie.M 1yAMe.M 4mn0 9Up0 Dz0 1K10 Dz0 s3F0 1KH0 DB0 9In0 k8p0 19X0 1o30 11y0|22e5","America/Manaus|LMT -04 -03|40.4 40 30|01212121212121212121212121212121|-2glvX.U HdKX.U 1cc0 1e10 1bX0 Ezd0 So0 1vA0 Mn0 1BB0 ML0 1BB0 zX0 qe10 xb0 2ep0 nz0 1C10 zX0 1C10 LX0 1C10 Mn0 H210 Rb0 1tB0 IL0 1Fd0 FX0 dPB0 On0|19e5","America/Martinique|FFMT AST ADT|44.k 40 30|0121|-2mPTT.E 2LPbT.E 19X0|39e4","America/Matamoros|LMT CST CDT|6E 60 50|0121212121212121212121212121212121212121212121212121212121212121212121212121212121212121|-1UQG0 2FjC0 1nX0 i6p0 1lb0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 1fB0 WL0 1fB0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 U10 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0|45e4","America/Mazatlan|LMT MST CST PST MDT|75.E 70 60 80 60|0121212131414141414141414141414141414141414141414141414141414141414141414141414141414141414141|-1UQF0 deL0 8lc0 17c0 10M0 1dd0 otX0 gmN0 P2N0 13Vd0 1lb0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 1fB0 WL0 1fB0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0|44e4","America/Menominee|CST CDT CWT CPT EST|60 50 50 50 50|01010230101041010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010|-261s0 1nX0 11B0 1nX0 SgN0 8x30 iw0 1o10 11z0 LCN0 1fz0 6410 9Jb0 1cM0 s10 1Vz0 LB0 1BX0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0|85e2","America/Merida|LMT CST EST CDT|5W.s 60 50 50|0121313131313131313131313131313131313131313131313131313131313131313131313131313131313131|-1UQG0 2q2o0 2hz0 wu30 1lb0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 1fB0 WL0 1fB0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0|11e5","America/Metlakatla|PST PWT PPT PDT AKST AKDT|80 70 70 70 90 80|01203030303030303030303030303030304545450454545454545454545454545454545454545454|-17T20 8x10 iy0 Vo10 1cL0 1cN0 1cL0 1cN0 1fz0 1cN0 1cL0 1cN0 1cL0 s10 1Vz0 LB0 1BX0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1a10 1fz0 1hU10 Rd0 1zb0 Op0 1zb0 Op0 1zb0 uM0 jB0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0|14e2","America/Mexico_City|LMT MST CST CDT CWT|6A.A 70 60 50 50|012121232324232323232323232323232323232323232323232323232323232323232323232323232323232323232323232|-1UQF0 deL0 8lc0 17c0 10M0 1dd0 gEn0 TX0 3xd0 Jb0 6zB0 SL0 e5d0 17b0 1Pff0 1lb0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 1fB0 WL0 1fB0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0|20e6","America/Miquelon|LMT AST -03 -02|3I.E 40 30 20|012323232323232323232323232323232323232323232323232323232323232323232323232323232323232323232323232323232|-2mKkf.k 2LTAf.k gQ10 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0|61e2","America/Moncton|EST AST ADT AWT APT|50 40 30 30 30|012121212121212121212134121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121|-2IsH0 CwN0 1in0 zAo0 An0 1Nd0 An0 1Nd0 An0 1Nd0 An0 1Nd0 An0 1Nd0 An0 1K10 Lz0 1zB0 NX0 1u10 Wn0 S20 8x50 iu0 1o10 11z0 1o10 11z0 1o10 11z0 1o10 11z0 1qN0 WL0 1qN0 11z0 1o10 11z0 1o10 11z0 1o10 11z0 1o10 11z0 1qN0 11z0 1o10 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1cN0 1cL0 3Cp0 1cL0 1cN0 1cL0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14n1 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 ReX 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0|64e3","America/Monterrey|LMT CST CDT|6F.g 60 50|0121212121212121212121212121212121212121212121212121212121212121212121212121212121212121|-1UQG0 2FjC0 1nX0 i6p0 1lb0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 1fB0 WL0 1fB0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0|41e5","America/Montevideo|LMT MMT -04 -03 -0330 -0230 -02 -0130|3I.P 3I.P 40 30 3u 2u 20 1u|012343434343434343434343435353636353636375363636363636363636363636363636363636363636363|-2tRUf.9 sVc0 8jcf.9 1db0 1dcu 1cLu 1dcu 1cLu ircu 11zu 1o0u 11zu 1o0u 11zu 1o0u 11zu 1qMu WLu 1qMu WLu 1fAu 1cLu 1o0u 11zu NAu 3jXu zXu Dq0u 19Xu pcu jz0 cm10 19X0 6tB0 1fbu 3o0u jX0 4vB0 xz0 3Cp0 mmu 1a10 IMu Db0 4c10 uL0 1Nd0 An0 1SN0 uL0 mp0 28L0 iPB0 un0 1SN0 xz0 1zd0 Lz0 1zd0 Rb0 1zd0 On0 1wp0 Rb0 s8p0 1fB0 1ip0 11z0 1ld0 14n0 1o10 11z0 1o10 11z0 1o10 14n0 1ld0 14n0 1ld0 14n0 1o10 11z0 1o10 11z0 1o10 11z0|17e5","America/Toronto|EST EDT EWT EPT|50 40 40 40|01010101010101010101010101010101010101010101012301010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010|-25TR0 1in0 11Wu 1nzu 1fD0 WJ0 1wr0 Nb0 1Ap0 On0 1zd0 On0 1wp0 TX0 1tB0 TX0 1tB0 TX0 1tB0 WL0 1qN0 11z0 1o10 11z0 1o10 11z0 1o10 11z0 1qN0 WL0 1qN0 11z0 1o10 11z0 1o10 11z0 1o10 11z0 1o10 11z0 1o10 11z0 1qN0 WL0 1qN0 4kM0 8x40 iv0 1o10 11z0 1nX0 11z0 1o10 11z0 1o10 1qL0 11D0 1nX0 11B0 11z0 1o10 11z0 1o10 11z0 1o10 11z0 1o10 11z0 1qN0 11z0 1o10 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0|65e5","America/Nassau|LMT EST EWT EPT EDT|59.u 50 40 40 40|01212314141414141414141414141414141414141414141414141414141414141414141414141414141414141414141414141414141414141414141414141414141414141414141414141414141|-2kNuO.u 1drbO.u 6tX0 cp0 1hS0 pF0 J630 1cL0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0|24e4","America/New_York|EST EDT EWT EPT|50 40 40 40|01010101010101010101010101010101010101010101010102301010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010|-261t0 1nX0 11B0 1nX0 11B0 1qL0 1a10 11z0 1qN0 WL0 1qN0 11z0 1o10 11z0 1o10 11z0 1o10 11z0 1o10 11z0 1qN0 11z0 1o10 11z0 1o10 11z0 1o10 11z0 1o10 11z0 1qN0 WL0 1qN0 11z0 1o10 11z0 1o10 11z0 1o10 11z0 1o10 11z0 1qN0 WL0 1qN0 11z0 1o10 11z0 RB0 8x40 iv0 1o10 11z0 1o10 11z0 1o10 11z0 1o10 11z0 1qN0 WL0 1qN0 11z0 1o10 11z0 1o10 11z0 1o10 11z0 1o10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1cN0 1cL0 1cN0 1cL0 s10 1Vz0 LB0 1BX0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0|21e6","America/Nipigon|EST EDT EWT EPT|50 40 40 40|010123010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010|-25TR0 1in0 Rnb0 3je0 8x40 iv0 19yN0 1cL0 1cN0 1cL0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0|16e2","America/Nome|NST NWT NPT BST BDT YST AKST AKDT|b0 a0 a0 b0 a0 90 90 80|012034343434343434343434343434343456767676767676767676767676767676767676767676767676767676767676767676767676767676767676767676767676767676767676|-17SX0 8wW0 iB0 Qlb0 52O0 1cL0 1cN0 1cL0 1cN0 1fz0 1cN0 1cL0 1cN0 1cL0 s10 1Vz0 LB0 1BX0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1a10 1fz0 cl0 10q0 1cL0 1cN0 1cL0 1cN0 1cL0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0|38e2","America/Noronha|LMT -02 -01|29.E 20 10|0121212121212121212121212121212121212121|-2glxO.k HdKO.k 1cc0 1e10 1bX0 Ezd0 So0 1vA0 Mn0 1BB0 ML0 1BB0 zX0 qe10 xb0 2ep0 nz0 1C10 zX0 1C10 LX0 1C10 Mn0 H210 Rb0 1tB0 IL0 1Fd0 FX0 1EN0 FX0 1HB0 Lz0 nsp0 WL0 1tB0 2L0 2pB0 On0|30e2","America/North_Dakota/Beulah|MST MDT MWT MPT CST CDT|70 60 60 60 60 50|010102301010101010101010101010101010101010101010101010101010101010101010101010101010101010101014545454545454545454545454545454545454545454545454545454|-261r0 1nX0 11B0 1nX0 SgN0 8x20 ix0 QwN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1cN0 1cL0 1cN0 1cL0 s10 1Vz0 LB0 1BX0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Oo0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0|","America/North_Dakota/Center|MST MDT MWT MPT CST CDT|70 60 60 60 60 50|010102301010101010101010101010101010101010101010101010101014545454545454545454545454545454545454545454545454545454545454545454545454545454545454545454|-261r0 1nX0 11B0 1nX0 SgN0 8x20 ix0 QwN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1cN0 1cL0 1cN0 1cL0 s10 1Vz0 LB0 1BX0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14o0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0|","America/North_Dakota/New_Salem|MST MDT MWT MPT CST CDT|70 60 60 60 60 50|010102301010101010101010101010101010101010101010101010101010101010101010101010101454545454545454545454545454545454545454545454545454545454545454545454|-261r0 1nX0 11B0 1nX0 SgN0 8x20 ix0 QwN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1cN0 1cL0 1cN0 1cL0 s10 1Vz0 LB0 1BX0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14o0 1nX0 11B0 1nX0 11B0 1nX0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0|","America/Ojinaga|LMT MST CST CDT MDT|6V.E 70 60 50 60|0121212323241414141414141414141414141414141414141414141414141414141414141414141414141414141|-1UQF0 deL0 8lc0 17c0 10M0 1dd0 2zQN0 1lb0 14p0 1lb0 14q0 1lb0 14p0 1nX0 11B0 1nX0 1fB0 WL0 1fB0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 U10 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0|23e3","America/Pangnirtung|-00 AST AWT APT ADDT ADT EDT EST CST CDT|0 40 30 30 20 30 40 50 60 50|012314151515151515151515151515151515167676767689767676767676767676767676767676767676767676767676767676767676767676767676767|-1XiM0 PnG0 8x50 iu0 LCL0 1fA0 zgO0 1cL0 1cN0 1cL0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1o00 14p0 1lb0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11C0 1nX0 11A0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0|14e2","America/Paramaribo|LMT PMT PMT -0330 -03|3E.E 3E.Q 3E.A 3u 30|01234|-2nDUj.k Wqo0.c qanX.I 1yVXN.o|24e4","America/Phoenix|MST MDT MWT|70 60 60|01010202010|-261r0 1nX0 11B0 1nX0 SgN0 4Al1 Ap0 1db0 SWqX 1cL0|42e5","America/Port-au-Prince|PPMT EST EDT|4N 50 40|01212121212121212121212121212121212121212121212121212121212121212121212121212121212121|-28RHb 2FnMb 19X0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 14q0 1o00 11A0 1o00 11A0 1o00 14o0 1lc0 14o0 1lc0 14o0 1o00 11A0 1o00 11A0 1o00 14o0 1lc0 14o0 1lc0 i6n0 1nX0 11B0 1nX0 d430 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 3iN0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0|23e5","America/Rio_Branco|LMT -05 -04|4v.c 50 40|01212121212121212121212121212121|-2glvs.M HdLs.M 1cc0 1e10 1bX0 Ezd0 So0 1vA0 Mn0 1BB0 ML0 1BB0 zX0 qe10 xb0 2ep0 nz0 1C10 zX0 1C10 LX0 1C10 Mn0 H210 Rb0 1tB0 IL0 1Fd0 FX0 NBd0 d5X0|31e4","America/Porto_Velho|LMT -04 -03|4f.A 40 30|012121212121212121212121212121|-2glvI.o HdKI.o 1cc0 1e10 1bX0 Ezd0 So0 1vA0 Mn0 1BB0 ML0 1BB0 zX0 qe10 xb0 2ep0 nz0 1C10 zX0 1C10 LX0 1C10 Mn0 H210 Rb0 1tB0 IL0 1Fd0 FX0|37e4","America/Puerto_Rico|AST AWT APT|40 30 30|0120|-17lU0 7XT0 iu0|24e5","America/Punta_Arenas|SMT -05 -04 -03|4G.K 50 40 30|0102021212121212121232323232323232323232323232323232323232323232323232323232323232323232323232323232323232323232323|-2q2jh.e fJAh.e 5knG.K 1Vzh.e jRAG.K 1pbh.e 11d0 1oL0 11d0 1oL0 11d0 1oL0 11d0 1pb0 11d0 nHX0 op0 blz0 ko0 Qeo0 WL0 1zd0 On0 1ip0 11z0 1o10 11z0 1qN0 WL0 1ld0 14n0 1qN0 WL0 1qN0 11z0 1o10 11z0 1o10 11z0 1qN0 WL0 1qN0 WL0 1qN0 11z0 1o10 11z0 1o10 11z0 1o10 11z0 1qN0 WL0 1qN0 WL0 1qN0 1cL0 1cN0 11z0 1o10 11z0 1qN0 WL0 1fB0 19X0 1qN0 11z0 1o10 11z0 1o10 11z0 1o10 11z0 1qN0 WL0 1qN0 17b0 1ip0 11z0 1ip0 1fz0 1fB0 11z0 1qN0 WL0 1qN0 WL0 1qN0 WL0 1qN0 11z0 1o10 11z0 1o10 11z0 1qN0 WL0 1qN0 17b0 1ip0 11z0 1o10 19X0 1fB0 1nX0 G10 1EL0 Op0 1zb0 Rd0 1wn0 Rd0 46n0 Ap0|","America/Rainy_River|CST CDT CWT CPT|60 50 50 50|010123010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010|-25TQ0 1in0 Rnb0 3je0 8x30 iw0 19yN0 1cL0 1cN0 1cL0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0|842","America/Rankin_Inlet|-00 CST CDDT CDT EST|0 60 40 50 50|012131313131313131313131313131313131313131313431313131313131313131313131313131313131313131313131313131313131313131313131|-vDc0 keu0 1fA0 zgO0 1cL0 1cN0 1cL0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0|26e2","America/Recife|LMT -03 -02|2j.A 30 20|0121212121212121212121212121212121212121|-2glxE.o HdLE.o 1cc0 1e10 1bX0 Ezd0 So0 1vA0 Mn0 1BB0 ML0 1BB0 zX0 qe10 xb0 2ep0 nz0 1C10 zX0 1C10 LX0 1C10 Mn0 H210 Rb0 1tB0 IL0 1Fd0 FX0 1EN0 FX0 1HB0 Lz0 nsp0 WL0 1tB0 2L0 2pB0 On0|33e5","America/Regina|LMT MST MDT MWT MPT CST|6W.A 70 60 60 60 60|012121212121212121212121341212121212121212121212121215|-2AD51.o uHe1.o 1in0 s2L0 11z0 1o10 11z0 1o10 11z0 1qN0 WL0 1qN0 11z0 66N0 1cL0 1cN0 19X0 1fB0 1cL0 1fB0 1cL0 1cN0 1cL0 M30 8x20 ix0 1ip0 1cL0 1ip0 11z0 1o10 11z0 1o10 11z0 1qN0 WL0 1qN0 11z0 1o10 11z0 1o10 11z0 1o10 11z0 1o10 11z0 1qN0 11z0 1o10 11z0 3NB0 1cL0 1cN0|19e4","America/Resolute|-00 CST CDDT CDT EST|0 60 40 50 50|012131313131313131313131313131313131313131313431313131313431313131313131313131313131313131313131313131313131313131313131|-SnA0 GWS0 1fA0 zgO0 1cL0 1cN0 1cL0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0|229","America/Santarem|LMT -04 -03|3C.M 40 30|0121212121212121212121212121212|-2glwl.c HdLl.c 1cc0 1e10 1bX0 Ezd0 So0 1vA0 Mn0 1BB0 ML0 1BB0 zX0 qe10 xb0 2ep0 nz0 1C10 zX0 1C10 LX0 1C10 Mn0 H210 Rb0 1tB0 IL0 1Fd0 FX0 NBd0|21e4","America/Santiago|SMT -05 -04 -03|4G.K 50 40 30|010202121212121212321232323232323232323232323232323232323232323232323232323232323232323232323232323232323232323232323232323232323232323232323232323232323232323|-2q2jh.e fJAh.e 5knG.K 1Vzh.e jRAG.K 1pbh.e 11d0 1oL0 11d0 1oL0 11d0 1oL0 11d0 1pb0 11d0 nHX0 op0 9Bz0 jb0 1oN0 ko0 Qeo0 WL0 1zd0 On0 1ip0 11z0 1o10 11z0 1qN0 WL0 1ld0 14n0 1qN0 WL0 1qN0 11z0 1o10 11z0 1o10 11z0 1qN0 WL0 1qN0 WL0 1qN0 11z0 1o10 11z0 1o10 11z0 1o10 11z0 1qN0 WL0 1qN0 WL0 1qN0 1cL0 1cN0 11z0 1o10 11z0 1qN0 WL0 1fB0 19X0 1qN0 11z0 1o10 11z0 1o10 11z0 1o10 11z0 1qN0 WL0 1qN0 17b0 1ip0 11z0 1ip0 1fz0 1fB0 11z0 1qN0 WL0 1qN0 WL0 1qN0 WL0 1qN0 11z0 1o10 11z0 1o10 11z0 1qN0 WL0 1qN0 17b0 1ip0 11z0 1o10 19X0 1fB0 1nX0 G10 1EL0 Op0 1zb0 Rd0 1wn0 Rd0 46n0 Ap0 1Nb0 Ap0 1Nb0 Ap0 1zb0 11B0 1nX0 11B0 1nX0 11B0 1nX0 11B0 1nX0 11B0 1qL0 11B0 1nX0 11B0 1nX0 11B0 1nX0 11B0 1nX0 11B0 1qL0 WN0 1qL0 11B0 1nX0 11B0 1nX0 11B0 1nX0 11B0 1nX0 11B0 1qL0 WN0 1qL0 11B0 1nX0 11B0|62e5","America/Santo_Domingo|SDMT EST EDT -0430 AST|4E 50 40 4u 40|01213131313131414|-1ttjk 1lJMk Mn0 6sp0 Lbu 1Cou yLu 1RAu wLu 1QMu xzu 1Q0u xXu 1PAu 13jB0 e00|29e5","America/Sao_Paulo|LMT -03 -02|36.s 30 20|01212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121|-2glwR.w HdKR.w 1cc0 1e10 1bX0 Ezd0 So0 1vA0 Mn0 1BB0 ML0 1BB0 zX0 pTd0 PX0 2ep0 nz0 1C10 zX0 1C10 LX0 1C10 Mn0 H210 Rb0 1tB0 IL0 1Fd0 FX0 1EN0 FX0 1HB0 Lz0 1EN0 Lz0 1C10 IL0 1HB0 Db0 1HB0 On0 1zd0 On0 1zd0 Lz0 1zd0 Rb0 1wN0 Wn0 1tB0 Rb0 1tB0 WL0 1tB0 Rb0 1zd0 On0 1HB0 FX0 1C10 Lz0 1Ip0 HX0 1zd0 On0 1HB0 IL0 1wp0 On0 1C10 Lz0 1C10 On0 1zd0 On0 1zd0 Rb0 1zd0 Lz0 1C10 Lz0 1C10 On0 1zd0 On0 1zd0 On0 1zd0 On0 1HB0 FX0|20e6","America/Scoresbysund|LMT -02 -01 +00|1r.Q 20 10 0|0121323232323232323232323232323232323232323232323232323232323232323232323232323232323232323232323232323232323232323232|-2a5Ww.8 2z5ew.8 1a00 1cK0 1cL0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00|452","America/Sitka|PST PWT PPT PDT YST AKST AKDT|80 70 70 70 90 90 80|01203030303030303030303030303030345656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565|-17T20 8x10 iy0 Vo10 1cL0 1cN0 1cL0 1cN0 1fz0 1cN0 1cL0 1cN0 1cL0 s10 1Vz0 LB0 1BX0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1a10 1fz0 co0 10q0 1cL0 1cN0 1cL0 1cN0 1cL0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0|90e2","America/St_Johns|NST NDT NST NDT NWT NPT NDDT|3u.Q 2u.Q 3u 2u 2u 2u 1u|01010101010101010101010101010101010102323232323232324523232323232323232323232323232323232323232323232323232323232323232323232323232323232326232323232323232323232323232323232323232323232323232323232323232323232323232323232323232323232323232|-28oit.8 14L0 1nB0 1in0 1gm0 Dz0 1JB0 1cL0 1cN0 1cL0 1fB0 19X0 1fB0 19X0 1fB0 19X0 1fB0 19X0 1fB0 1cL0 1cN0 1cL0 1fB0 19X0 1fB0 19X0 1fB0 19X0 1fB0 19X0 1fB0 1cL0 1fB0 19X0 1fB0 19X0 10O0 eKX.8 19X0 1iq0 WL0 1qN0 WL0 1qN0 WL0 1tB0 TX0 1tB0 WL0 1qN0 WL0 1qN0 7UHu itu 1tB0 WL0 1qN0 WL0 1qN0 WL0 1qN0 WL0 1tB0 WL0 1ld0 11z0 1o10 11z0 1o10 11z0 1o10 11z0 1o10 11z0 1qN0 11z0 1o10 11z0 1o10 11z0 1o10 11z0 1o10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 14n1 1lb0 14p0 1nW0 11C0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zcX Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0|11e4","America/Swift_Current|LMT MST MDT MWT MPT CST|7b.k 70 60 60 60 60|012134121212121212121215|-2AD4M.E uHdM.E 1in0 UGp0 8x20 ix0 1o10 17b0 1ip0 11z0 1o10 11z0 1o10 11z0 isN0 1cL0 3Cp0 1cL0 1cN0 11z0 1qN0 WL0 pMp0|16e3","America/Tegucigalpa|LMT CST CDT|5M.Q 60 50|01212121|-1WGGb.8 2ETcb.8 WL0 1qN0 WL0 GRd0 AL0|11e5","America/Thule|LMT AST ADT|4z.8 40 30|012121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121|-2a5To.Q 31NBo.Q 1cL0 1cN0 1cL0 1fB0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0|656","America/Thunder_Bay|CST EST EWT EPT EDT|60 50 40 40 40|0123141414141414141414141414141414141414141414141414141414141414141414141414141414141414141414141414141414141414141414141414141414141414141|-2q5S0 1iaN0 8x40 iv0 XNB0 1cL0 1cN0 1fz0 1cN0 1cL0 3Cp0 1cL0 1cN0 1cL0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0|11e4","America/Vancouver|PST PDT PWT PPT|80 70 70 70|0102301010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010|-25TO0 1in0 UGp0 8x10 iy0 1o10 11z0 1o10 11z0 1o10 11z0 1o10 11z0 1qN0 WL0 1qN0 11z0 1o10 11z0 1o10 11z0 1o10 11z0 1o10 11z0 1qN0 11z0 1o10 11z0 1o10 11z0 1o10 11z0 1o10 11z0 1qN0 WL0 1qN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0|23e5","America/Whitehorse|YST YDT YWT YPT YDDT PST PDT MST|90 80 80 80 70 80 70 70|010102304056565656565656565656565656565656565656565656565656565656565656565656565656565656567|-25TN0 1in0 1o10 13V0 Ser0 8x00 iz0 LCL0 1fA0 3NA0 vrd0 1cL0 1cN0 1cL0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1z90|23e3","America/Winnipeg|CST CDT CWT CPT|60 50 50 50|010101023010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010|-2aIi0 WL0 3ND0 1in0 Jap0 Rb0 aCN0 8x30 iw0 1tB0 11z0 1ip0 11z0 1o10 11z0 1o10 11z0 1rd0 10L0 1op0 11z0 1o10 11z0 1o10 11z0 1o10 11z0 1o10 11z0 1qN0 11z0 1o10 11z0 1o10 11z0 1o10 1cL0 1cN0 11z0 6i10 WL0 6i10 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1a00 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1a00 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 14o0 1lc0 14o0 1o00 11A0 1o00 11A0 1o00 14o0 1lc0 14o0 1lc0 14o0 1o00 11A0 1o00 11A0 1o00 14o0 1lc0 14o0 1lc0 14o0 1lc0 14o0 1o00 11A0 1o00 11A0 1o00 14o0 1lc0 14o0 1lc0 14o0 1o00 11A0 1o00 11A0 1nX0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0|66e4","America/Yakutat|YST YWT YPT YDT AKST AKDT|90 80 80 80 90 80|01203030303030303030303030303030304545454545454545454545454545454545454545454545454545454545454545454545454545454545454545454545454545454545454|-17T10 8x00 iz0 Vo10 1cL0 1cN0 1cL0 1cN0 1fz0 1cN0 1cL0 1cN0 1cL0 s10 1Vz0 LB0 1BX0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1a10 1fz0 cn0 10q0 1cL0 1cN0 1cL0 1cN0 1cL0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0|642","America/Yellowknife|-00 MST MWT MPT MDDT MDT|0 70 60 60 50 60|012314151515151515151515151515151515151515151515151515151515151515151515151515151515151515151515151515151515151515151515151|-1pdA0 hix0 8x20 ix0 LCL0 1fA0 zgO0 1cL0 1cN0 1cL0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0|19e3","Antarctica/Casey|-00 +08 +11|0 -80 -b0|0121212121212|-2q00 1DjS0 T90 40P0 KL0 blz0 3m10 1o30 14k0 1kr0 12l0 1o01|10","Antarctica/Davis|-00 +07 +05|0 -70 -50|01012121|-vyo0 iXt0 alj0 1D7v0 VB0 3Wn0 KN0|70","Antarctica/DumontDUrville|-00 +10|0 -a0|0101|-U0o0 cfq0 bFm0|80","Antarctica/Macquarie|AEST AEDT -00|-a0 -b0 0|010201010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101|-29E80 1a00 4SK0 1ayy0 Lvs0 1cM0 1o00 Rc0 1wo0 Rc0 1wo0 U00 1wo0 LA0 1C00 Oo0 1zc0 Oo0 1zc0 Oo0 1zc0 Rc0 1zc0 Oo0 1zc0 Oo0 1zc0 Oo0 1zc0 Oo0 1zc0 Oo0 1zc0 11A0 1qM0 WM0 1qM0 Oo0 1zc0 Oo0 1zc0 Oo0 1wo0 WM0 1tA0 WM0 1tA0 U00 1tA0 U00 1tA0 11A0 1fA0 1a00 1fA0 1a00 1fA0 1a00 1fA0 1a00 1fA0 1cM0 1fA0 1a00 1fA0 1a00 1fA0 1a00 1fA0 1a00 11A0 1o00 1io0 1a00 1fA0 1a00 1fA0 1a00 1fA0 1a00 1fA0 1cM0 1cM0 1a00 1io0 1cM0 1cM0 1cM0 1cM0 3Co0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0|1","Antarctica/Mawson|-00 +06 +05|0 -60 -50|012|-CEo0 2fyk0|60","Pacific/Auckland|NZMT NZST NZST NZDT|-bu -cu -c0 -d0|01020202020202020202020202023232323232323232323232323232323232323232323232323232323232323232323232323232323232323232323232323232323232323232323232323232323|-1GCVu Lz0 1tB0 11zu 1o0u 11zu 1o0u 11zu 1o0u 14nu 1lcu 14nu 1lcu 1lbu 11Au 1nXu 11Au 1nXu 11Au 1nXu 11Au 1nXu 11Au 1qLu WMu 1qLu 11Au 1n1bu IM0 1C00 Rc0 1zc0 Oo0 1zc0 Oo0 1zc0 Oo0 1zc0 Oo0 1zc0 Oo0 1zc0 Rc0 1zc0 Oo0 1zc0 Oo0 1zc0 Oo0 1zc0 Oo0 1zc0 Oo0 1zc0 Rc0 1zc0 Oo0 1qM0 14o0 1lc0 14o0 1lc0 14o0 1lc0 17c0 1io0 17c0 1io0 17c0 1io0 17c0 1lc0 14o0 1lc0 14o0 1lc0 17c0 1io0 17c0 1io0 17c0 1lc0 14o0 1lc0 14o0 1lc0 17c0 1io0 17c0 1io0 17c0 1io0 17c0 1io0 1fA0 1a00 1fA0 1a00 1fA0 1a00 1fA0 1a00 1fA0 1cM0 1fA0 1a00 1fA0 1a00 1fA0 1a00 1fA0 1a00 1fA0 1a00 1fA0 1cM0 1fA0 1a00 1fA0 1a00 1fA0 1a00 1fA0 1a00 1fA0 1a00 1io0 1a00 1fA0 1a00 1fA0 1a00 1fA0 1a00 1fA0 1a00 1fA0 1cM0 1fA0 1a00 1fA0 1a00 1fA0 1a00 1fA0 1a00 1fA0 1a00 1fA0 1cM0 1fA0 1a00 1fA0 1a00|14e5","Antarctica/Palmer|-00 -03 -04 -02|0 30 40 20|0121212121213121212121212121212121212121212121212121212121212121212121212121212121|-cao0 nD0 1vd0 SL0 1vd0 17z0 1cN0 1fz0 1cN0 1cL0 1cN0 asn0 Db0 jsN0 14N0 11z0 1o10 11z0 1qN0 WL0 1qN0 WL0 1qN0 1cL0 1cN0 11z0 1o10 11z0 1qN0 WL0 1fB0 19X0 1qN0 11z0 1o10 11z0 1o10 11z0 1o10 11z0 1qN0 WL0 1qN0 17b0 1ip0 11z0 1ip0 1fz0 1fB0 11z0 1qN0 WL0 1qN0 WL0 1qN0 WL0 1qN0 11z0 1o10 11z0 1o10 11z0 1qN0 WL0 1qN0 17b0 1ip0 11z0 1o10 19X0 1fB0 1nX0 G10 1EL0 Op0 1zb0 Rd0 1wn0 Rd0 46n0 Ap0|40","Antarctica/Rothera|-00 -03|0 30|01|gOo0|130","Antarctica/Syowa|-00 +03|0 -30|01|-vs00|20","Antarctica/Troll|-00 +00 +02|0 0 -20|01212121212121212121212121212121212121212121212121212121212121212121|1puo0 hd0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00|40","Antarctica/Vostok|-00 +06|0 -60|01|-tjA0|25","Europe/Oslo|CET CEST|-10 -20|010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010|-2awM0 Qm0 W6o0 5pf0 WM0 1fA0 1cM0 1cM0 1cM0 1cM0 wJc0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1qM0 WM0 zpc0 1a00 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00|62e4","Asia/Riyadh|LMT +03|-36.Q -30|01|-TvD6.Q|57e5","Asia/Almaty|LMT +05 +06 +07|-57.M -50 -60 -70|012323232323232323232321232323232323232323232323232|-1Pc57.M eUo7.M 23CL0 1db0 1cN0 1db0 1cN0 1db0 1dd0 1cO0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 2pB0 IM0 rX0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0|15e5","Asia/Amman|LMT EET EEST|-2n.I -20 -30|0121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121|-1yW2n.I 1HiMn.I KL0 1oN0 11b0 1oN0 11b0 1pd0 1dz0 1cp0 11b0 1op0 11b0 fO10 1db0 1e10 1cL0 1cN0 1cL0 1cN0 1fz0 1pd0 10n0 1ld0 14n0 1hB0 15b0 1ip0 19X0 1cN0 1cL0 1cN0 17b0 1ld0 14o0 1lc0 17c0 1io0 17c0 1io0 17c0 1So0 y00 1fc0 1dc0 1co0 1dc0 1cM0 1cM0 1cM0 1o00 11A0 1lc0 17c0 1cM0 1cM0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 4bX0 Dd0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0|25e5","Asia/Anadyr|LMT +12 +13 +14 +11|-bN.U -c0 -d0 -e0 -b0|01232121212121212121214121212121212121212121212121212121212141|-1PcbN.U eUnN.U 23CL0 1db0 2q10 1cN0 1db0 1dd0 1cO0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 2pB0 IM0 rX0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 2sp0 WM0|13e3","Asia/Aqtau|LMT +04 +05 +06|-3l.4 -40 -50 -60|012323232323232323232123232312121212121212121212|-1Pc3l.4 eUnl.4 24PX0 2pX0 1cN0 1db0 1dd0 1cO0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 2pB0 IM0 rX0 1cM0 1cM0 1cM0 1cM0 1cM0 1cN0 1cM0 1fA0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0|15e4","Asia/Aqtobe|LMT +04 +05 +06|-3M.E -40 -50 -60|0123232323232323232321232323232323232323232323232|-1Pc3M.E eUnM.E 23CL0 3Db0 1cN0 1db0 1dd0 1cO0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 2pB0 IM0 rX0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0|27e4","Asia/Ashgabat|LMT +04 +05 +06|-3R.w -40 -50 -60|0123232323232323232323212|-1Pc3R.w eUnR.w 23CL0 1db0 1cN0 1db0 1cN0 1db0 1dd0 1cO0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 2pB0 IM0|41e4","Asia/Atyrau|LMT +03 +05 +06 +04|-3r.I -30 -50 -60 -40|01232323232323232323242323232323232324242424242|-1Pc3r.I eUor.I 24PW0 2pX0 1cN0 1db0 1dd0 1cO0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 2pB0 IM0 rX0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1o00 11A0 1o00 11A0 1o00 2sp0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0|","Asia/Baghdad|BMT +03 +04|-2V.A -30 -40|012121212121212121212121212121212121212121212121212121|-26BeV.A 2ACnV.A 11b0 1cp0 1dz0 1dd0 1db0 1cN0 1cp0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1de0 1dc0 1dc0 1dc0 1cM0 1dc0 1cM0 1dc0 1cM0 1dc0 1dc0 1dc0 1cM0 1dc0 1cM0 1dc0 1cM0 1dc0 1dc0 1dc0 1cM0 1dc0 1cM0 1dc0 1cM0 1dc0 1dc0 1dc0 1cM0 1dc0 1cM0 1dc0 1cM0 1dc0|66e5","Asia/Qatar|LMT +04 +03|-3q.8 -40 -30|012|-21Jfq.8 27BXq.8|96e4","Asia/Baku|LMT +03 +04 +05|-3j.o -30 -40 -50|01232323232323232323232123232323232323232323232323232323232323232|-1Pc3j.o 1jUoj.o WCL0 1db0 1cN0 1db0 1cN0 1db0 1dd0 1cO0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 2pB0 1cM0 9Je0 1o00 11z0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00|27e5","Asia/Bangkok|BMT +07|-6G.4 -70|01|-218SG.4|15e6","Asia/Barnaul|LMT +06 +07 +08|-5z -60 -70 -80|0123232323232323232323212323232321212121212121212121212121212121212|-21S5z pCnz 23CL0 1db0 1cN0 1db0 1cN0 1db0 1dd0 1cO0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 2pB0 IM0 rX0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 p90 LE0 1fA0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 8Hz0 3rd0|","Asia/Beirut|EET EEST|-20 -30|010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010|-21aq0 1on0 1410 1db0 19B0 1in0 1ip0 WL0 1lQp0 11b0 1oN0 11b0 1oN0 11b0 1pd0 11b0 1oN0 11b0 q6N0 En0 1oN0 11b0 1oN0 11b0 1oN0 11b0 1pd0 11b0 1oN0 11b0 1op0 11b0 dA10 17b0 1iN0 17b0 1iN0 17b0 1iN0 17b0 1vB0 SL0 1mp0 13z0 1iN0 17b0 1iN0 17b0 1jd0 12n0 1a10 1cL0 1cN0 1cL0 1cN0 1cL0 1fB0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1qL0 WN0 1qL0 WN0 1qL0 11B0 1nX0 11B0 1nX0 11B0 1qL0 WN0 1qL0 WN0 1qL0 WN0 1qL0 11B0 1nX0 11B0 1nX0 11B0 1qL0 WN0 1qL0 WN0 1qL0 11B0 1nX0 11B0 1nX0 11B0 1nX0 11B0 1qL0 WN0 1qL0 WN0 1qL0 11B0 1nX0 11B0 1nX0 11B0 1qL0 WN0 1qL0 WN0 1qL0 11B0 1nX0 11B0 1nX0 11B0 1nX0 11B0 1qL0 WN0 1qL0 WN0 1qL0 11B0 1nX0 11B0 1nX0 11B0 1qL0 WN0 1qL0 WN0 1qL0 WN0 1qL0 11B0 1nX0 11B0 1nX0|22e5","Asia/Bishkek|LMT +05 +06 +07|-4W.o -50 -60 -70|012323232323232323232321212121212121212121212121212|-1Pc4W.o eUnW.o 23CL0 1db0 1cN0 1db0 1cN0 1db0 1dd0 1cO0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 2e00 1tX0 17b0 1ip0 17b0 1ip0 17b0 1ip0 17b0 1ip0 19X0 1cPu 1nX0 11B0 1nX0 11B0 1qL0 WN0 1qL0 WN0 1qL0 11B0 1nX0 11B0 1nX0 11B0 1qL0 WN0|87e4","Asia/Brunei|LMT +0730 +08|-7D.E -7u -80|012|-1KITD.E gDc9.E|42e4","Asia/Kolkata|MMT IST +0630|-5l.a -5u -6u|012121|-2zOtl.a 1r2LP.a 1un0 HB0 7zX0|15e6","Asia/Chita|LMT +08 +09 +10|-7x.Q -80 -90 -a0|012323232323232323232321232323232323232323232323232323232323232312|-21Q7x.Q pAnx.Q 23CL0 1db0 1cN0 1db0 1cN0 1db0 1dd0 1cO0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 2pB0 IM0 rX0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 8Hz0 3re0|33e4","Asia/Choibalsan|LMT +07 +08 +10 +09|-7C -70 -80 -a0 -90|0123434343434343434343434343434343434343434343424242|-2APHC 2UkoC cKn0 1da0 1dd0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1fB0 1cL0 1cN0 1cL0 1cN0 1cL0 6hD0 11z0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 3Db0 h1f0 1cJ0 1cP0 1cJ0|38e3","Asia/Shanghai|CST CDT|-80 -90|01010101010101010101010101010|-23uw0 18n0 OjB0 Rz0 11d0 1wL0 A10 8HX0 1G10 Tz0 1ip0 1jX0 1cN0 11b0 1oN0 aL0 1tU30 Rb0 1o10 11z0 1qN0 WL0 1qN0 11z0 1o10 11z0 1o10 11z0|23e6","Asia/Colombo|MMT +0530 +06 +0630|-5j.w -5u -60 -6u|01231321|-2zOtj.w 1rFbN.w 1zzu 7Apu 23dz0 11zu n3cu|22e5","Asia/Dhaka|HMT +0630 +0530 +06 +07|-5R.k -6u -5u -60 -70|0121343|-18LFR.k 1unn.k HB0 m6n0 2kxbu 1i00|16e6","Asia/Damascus|LMT EET EEST|-2p.c -20 -30|01212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121|-21Jep.c Hep.c 17b0 1ip0 17b0 1ip0 17b0 1ip0 19X0 1xRB0 11X0 1oN0 10L0 1pB0 11b0 1oN0 10L0 1mp0 13X0 1oN0 11b0 1pd0 11b0 1oN0 11b0 1oN0 11b0 1oN0 11b0 1pd0 11b0 1oN0 11b0 1oN0 11b0 1oN0 11b0 1pd0 11b0 1oN0 Nb0 1AN0 Nb0 bcp0 19X0 1gp0 19X0 3ld0 1xX0 Vd0 1Bz0 Sp0 1vX0 10p0 1dz0 1cN0 1cL0 1db0 1db0 1g10 1an0 1ap0 1db0 1fd0 1db0 1cN0 1db0 1dd0 1db0 1cp0 1dz0 1c10 1dX0 1cN0 1db0 1dd0 1db0 1cN0 1db0 1cN0 1db0 1cN0 1db0 1dd0 1db0 1cN0 1db0 1cN0 19z0 1fB0 1qL0 11B0 1on0 Wp0 1qL0 11B0 1nX0 11B0 1nX0 11B0 1nX0 11B0 1nX0 11B0 1qL0 WN0 1qL0 WN0 1qL0 11B0 1nX0 11B0 1nX0 11B0 1nX0 11B0 1qL0 WN0 1qL0 WN0 1qL0 11B0 1nX0 11B0 1nX0 11B0 1qL0 WN0 1qL0 WN0 1qL0 11B0 1nX0 11B0 1nX0 11B0 1nX0 11B0 1qL0 WN0 1qL0 WN0 1qL0 11B0 1nX0 11B0 1nX0 11B0 1qL0 WN0 1qL0|26e5","Asia/Dili|LMT +08 +09|-8m.k -80 -90|01212|-2le8m.k 1dnXm.k 1nfA0 Xld0|19e4","Asia/Dubai|LMT +04|-3F.c -40|01|-21JfF.c|39e5","Asia/Dushanbe|LMT +05 +06 +07|-4z.c -50 -60 -70|012323232323232323232321|-1Pc4z.c eUnz.c 23CL0 1db0 1cN0 1db0 1cN0 1db0 1dd0 1cO0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 2hB0|76e4","Asia/Famagusta|LMT EET EEST +03|-2f.M -20 -30 -30|0121212121212121212121212121212121212121212121212121212121212121212121212121212121212312121212121212121212121212121212121212121|-1Vc2f.M 2a3cf.M 1cL0 1qp0 Xz0 19B0 19X0 1fB0 1db0 1cp0 1cL0 1fB0 19X0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1fB0 1cL0 1cN0 1cL0 1cN0 1o30 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 15U0 2Ks0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00|","Asia/Gaza|EET EEST IST IDT|-20 -30 -20 -30|010101010101010101010101010101010123232323232323232323232323232320101010101010101010101010101010101010101010101010101010101010101010101010101010101010|-1c2o0 MM0 iM0 4JA0 10o0 1pA0 10M0 1pA0 16o0 1jA0 16o0 1jA0 pBa0 Vz0 1oN0 11b0 1oO0 10N0 1pz0 10N0 1pb0 10N0 1pb0 10N0 1pb0 10N0 1pz0 10N0 1pb0 10N0 1pb0 11d0 1oL0 dW0 hfB0 Db0 1fB0 Rb0 bXB0 gM0 8Q00 IM0 1wo0 TX0 1HB0 IL0 1s10 10n0 1o10 WL0 1zd0 On0 1ld0 11z0 1o10 14n0 1o10 14n0 1nd0 12n0 1nd0 Xz0 1q10 12n0 M10 C00 17c0 1io0 17c0 1io0 17c0 1o00 1cL0 1fB0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 17c0 1io0 18N0 1bz0 19z0 1gp0 1610 1iL0 11z0 1o10 14o0 1lA1 SKX 1xd1 MKX 1AN0 1a00 1fA0 1cL0 1cN0 1nX0 1210 1nA0 1210 1qL0 WN0 1qL0 WN0 1qL0 11c0 1on0 11B0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00|18e5","Asia/Hebron|EET EEST IST IDT|-20 -30 -20 -30|01010101010101010101010101010101012323232323232323232323232323232010101010101010101010101010101010101010101010101010101010101010101010101010101010101010|-1c2o0 MM0 iM0 4JA0 10o0 1pA0 10M0 1pA0 16o0 1jA0 16o0 1jA0 pBa0 Vz0 1oN0 11b0 1oO0 10N0 1pz0 10N0 1pb0 10N0 1pb0 10N0 1pb0 10N0 1pz0 10N0 1pb0 10N0 1pb0 11d0 1oL0 dW0 hfB0 Db0 1fB0 Rb0 bXB0 gM0 8Q00 IM0 1wo0 TX0 1HB0 IL0 1s10 10n0 1o10 WL0 1zd0 On0 1ld0 11z0 1o10 14n0 1o10 14n0 1nd0 12n0 1nd0 Xz0 1q10 12n0 M10 C00 17c0 1io0 17c0 1io0 17c0 1o00 1cL0 1fB0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 17c0 1io0 18N0 1bz0 19z0 1gp0 1610 1iL0 12L0 1mN0 14o0 1lc0 Tb0 1xd1 MKX bB0 cn0 1cN0 1a00 1fA0 1cL0 1cN0 1nX0 1210 1nA0 1210 1qL0 WN0 1qL0 WN0 1qL0 11c0 1on0 11B0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00|25e4","Asia/Ho_Chi_Minh|LMT PLMT +07 +08 +09|-76.E -76.u -70 -80 -90|0123423232|-2yC76.E bK00.a 1h7b6.u 5lz0 18o0 3Oq0 k5b0 aW00 BAM0|90e5","Asia/Hong_Kong|LMT HKT HKST HKWT JST|-7A.G -80 -90 -8u -90|0123412121212121212121212121212121212121212121212121212121212121212121|-2CFH0 1taO0 Hc0 xUu 9tBu 11z0 1tDu Rc0 1wo0 11A0 1cM0 11A0 1o00 11A0 1o00 11A0 1o00 14o0 1o00 11A0 1nX0 U10 1tz0 U10 1wn0 Rd0 1wn0 U10 1tz0 U10 1tz0 U10 1tz0 U10 1wn0 Rd0 1wn0 Rd0 1wn0 U10 1tz0 U10 1tz0 17d0 1cL0 1cN0 1cL0 1cN0 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1cN0 1cL0 s10 1Vz0 1cN0 1cL0 1cN0 1cL0 6fd0 14n0|73e5","Asia/Hovd|LMT +06 +07 +08|-66.A -60 -70 -80|012323232323232323232323232323232323232323232323232|-2APG6.A 2Uko6.A cKn0 1db0 1dd0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1fB0 1cL0 1cN0 1cL0 1cN0 1cL0 6hD0 11z0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 kEp0 1cJ0 1cP0 1cJ0|81e3","Asia/Irkutsk|IMT +07 +08 +09|-6V.5 -70 -80 -90|01232323232323232323232123232323232323232323232323232323232323232|-21zGV.5 pjXV.5 23CL0 1db0 1cN0 1db0 1cN0 1db0 1dd0 1cO0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 2pB0 IM0 rX0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 8Hz0|60e4","Europe/Istanbul|IMT EET EEST +03 +04|-1U.U -20 -30 -30 -40|0121212121212121212121212121212121212121212121234312121212121212121212121212121212121212121212121212121212121212123|-2ogNU.U dzzU.U 11b0 8tB0 1on0 1410 1db0 19B0 1in0 3Rd0 Un0 1oN0 11b0 zSN0 CL0 mp0 1Vz0 1gN0 8yn0 1yp0 ML0 1kp0 17b0 1ip0 17b0 1fB0 19X0 1ip0 19X0 1ip0 17b0 qdB0 38L0 1jd0 Tz0 l6O0 11A0 WN0 1qL0 TB0 1tX0 U10 1tz0 11B0 1in0 17d0 z90 cne0 pb0 2Cp0 1800 14o0 1dc0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1a00 1fA0 1cM0 1cM0 1fA0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WO0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 Xc0 1qo0 WM0 1qM0 11A0 1o00 1200 1nA0 11A0 1tA0 U00 15w0|13e6","Asia/Jakarta|BMT +0720 +0730 +09 +08 WIB|-77.c -7k -7u -90 -80 -70|01232425|-1Q0Tk luM0 mPzO 8vWu 6kpu 4PXu xhcu|31e6","Asia/Jayapura|LMT +09 +0930 WIT|-9m.M -90 -9u -90|0123|-1uu9m.M sMMm.M L4nu|26e4","Asia/Jerusalem|JMT IST IDT IDDT|-2k.E -20 -30 -40|01212121212121321212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121|-26Bek.E SyOk.E MM0 iM0 4JA0 10o0 1pA0 10M0 1pA0 16o0 1jA0 16o0 1jA0 3LA0 Eo0 oo0 1co0 1dA0 16o0 10M0 1jc0 1tA0 14o0 1cM0 1a00 11A0 1Nc0 Ao0 1Nc0 Ao0 1Ko0 LA0 1o00 WM0 EQK0 Db0 1fB0 Rb0 bXB0 gM0 8Q00 IM0 1wo0 TX0 1HB0 IL0 1s10 10n0 1o10 WL0 1zd0 On0 1ld0 11z0 1o10 14n0 1o10 14n0 1nd0 12n0 1nd0 Xz0 1q10 12n0 1hB0 1dX0 1ep0 1aL0 1eN0 17X0 1nf0 11z0 1tB0 19W0 1e10 17b0 1ep0 1gL0 18N0 1fz0 1eN0 17b0 1gq0 1gn0 19d0 1dz0 1c10 17X0 1hB0 1gn0 19d0 1dz0 1c10 17X0 1kp0 1dz0 1c10 1aL0 1eN0 1oL0 10N0 1oL0 10N0 1oL0 10N0 1rz0 W10 1rz0 W10 1rz0 10N0 1oL0 10N0 1oL0 10N0 1rz0 W10 1rz0 W10 1rz0 10N0 1oL0 10N0 1oL0 10N0 1oL0 10N0 1rz0 W10 1rz0 W10 1rz0 10N0 1oL0 10N0 1oL0 10N0 1rz0 W10 1rz0 W10 1rz0 W10 1rz0 10N0 1oL0 10N0 1oL0|81e4","Asia/Kabul|+04 +0430|-40 -4u|01|-10Qs0|46e5","Asia/Kamchatka|LMT +11 +12 +13|-ay.A -b0 -c0 -d0|012323232323232323232321232323232323232323232323232323232323212|-1SLKy.A ivXy.A 23CL0 1db0 1cN0 1db0 1cN0 1db0 1dd0 1cO0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 2pB0 IM0 rX0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 2sp0 WM0|18e4","Asia/Karachi|LMT +0530 +0630 +05 PKT PKST|-4s.c -5u -6u -50 -50 -60|012134545454|-2xoss.c 1qOKW.c 7zX0 eup0 LqMu 1fy00 1cL0 dK10 11b0 1610 1jX0|24e6","Asia/Urumqi|LMT +06|-5O.k -60|01|-1GgtO.k|32e5","Asia/Kathmandu|LMT +0530 +0545|-5F.g -5u -5J|012|-21JhF.g 2EGMb.g|12e5","Asia/Khandyga|LMT +08 +09 +10 +11|-92.d -80 -90 -a0 -b0|0123232323232323232323212323232323232323232323232343434343434343432|-21Q92.d pAp2.d 23CL0 1db0 1cN0 1db0 1cN0 1db0 1dd0 1cO0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 2pB0 IM0 rX0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 qK0 yN0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 17V0 7zD0|66e2","Asia/Krasnoyarsk|LMT +06 +07 +08|-6b.q -60 -70 -80|01232323232323232323232123232323232323232323232323232323232323232|-21Hib.q prAb.q 23CL0 1db0 1cN0 1db0 1cN0 1db0 1dd0 1cO0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 2pB0 IM0 rX0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 8Hz0|10e5","Asia/Kuala_Lumpur|SMT +07 +0720 +0730 +09 +08|-6T.p -70 -7k -7u -90 -80|0123435|-2Bg6T.p 17anT.p l5XE 17bO 8Fyu 1so1u|71e5","Asia/Kuching|LMT +0730 +08 +0820 +09|-7l.k -7u -80 -8k -90|0123232323232323242|-1KITl.k gDbP.k 6ynu AnE 1O0k AnE 1NAk AnE 1NAk AnE 1NAk AnE 1O0k AnE 1NAk AnE pAk 8Fz0|13e4","Asia/Macau|LMT CST +09 +10 CDT|-7y.a -80 -90 -a0 -90|012323214141414141414141414141414141414141414141414141414141414141414141|-2CFHy.a 1uqKy.a PX0 1kn0 15B0 11b0 4Qq0 1oM0 11c0 1ko0 1u00 11A0 1cM0 11c0 1o00 11A0 1o00 11A0 1oo0 1400 1o00 11A0 1o00 U00 1tA0 U00 1wo0 Rc0 1wru U10 1tz0 U10 1tz0 U10 1tz0 U10 1wn0 Rd0 1wn0 Rd0 1wn0 U10 1tz0 U10 1tz0 17d0 1cK0 1cO0 1cK0 1cO0 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1cN0 1cL0 s10 1Vz0 1cN0 1cL0 1cN0 1cL0 6fd0 14n0|57e4","Asia/Magadan|LMT +10 +11 +12|-a3.c -a0 -b0 -c0|012323232323232323232321232323232323232323232323232323232323232312|-1Pca3.c eUo3.c 23CL0 1db0 1cN0 1db0 1cN0 1db0 1dd0 1cO0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 2pB0 IM0 rX0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 8Hz0 3Cq0|95e3","Asia/Makassar|LMT MMT +08 +09 WITA|-7V.A -7V.A -80 -90 -80|01234|-21JjV.A vfc0 myLV.A 8ML0|15e5","Asia/Manila|PST PDT JST|-80 -90 -90|010201010|-1kJI0 AL0 cK10 65X0 mXB0 vX0 VK10 1db0|24e6","Asia/Nicosia|LMT EET EEST|-2d.s -20 -30|01212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121|-1Vc2d.s 2a3cd.s 1cL0 1qp0 Xz0 19B0 19X0 1fB0 1db0 1cp0 1cL0 1fB0 19X0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1fB0 1cL0 1cN0 1cL0 1cN0 1o30 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00|32e4","Asia/Novokuznetsk|LMT +06 +07 +08|-5M.M -60 -70 -80|012323232323232323232321232323232323232323232323232323232323212|-1PctM.M eULM.M 23CL0 1db0 1cN0 1db0 1cN0 1db0 1dd0 1cO0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 2pB0 IM0 rX0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 2sp0 WM0|55e4","Asia/Novosibirsk|LMT +06 +07 +08|-5v.E -60 -70 -80|0123232323232323232323212323212121212121212121212121212121212121212|-21Qnv.E pAFv.E 23CL0 1db0 1cN0 1db0 1cN0 1db0 1dd0 1cO0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 2pB0 IM0 rX0 1cM0 1cM0 ml0 Os0 1cM0 1cM0 1cM0 1cM0 1fA0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 8Hz0 4eN0|15e5","Asia/Omsk|LMT +05 +06 +07|-4R.u -50 -60 -70|01232323232323232323232123232323232323232323232323232323232323232|-224sR.u pMLR.u 23CL0 1db0 1cN0 1db0 1cN0 1db0 1dd0 1cO0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 2pB0 IM0 rX0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 8Hz0|12e5","Asia/Oral|LMT +03 +05 +06 +04|-3p.o -30 -50 -60 -40|01232323232323232424242424242424242424242424242|-1Pc3p.o eUop.o 23CK0 3Db0 1cN0 1db0 1dd0 1cO0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 2pB0 1cM0 1fA0 1cM0 1cM0 IM0 1EM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0|27e4","Asia/Pontianak|LMT PMT +0730 +09 +08 WITA WIB|-7h.k -7h.k -7u -90 -80 -80 -70|012324256|-2ua7h.k XE00 munL.k 8Rau 6kpu 4PXu xhcu Wqnu|23e4","Asia/Pyongyang|LMT KST JST KST|-8n -8u -90 -90|012313|-2um8n 97XR 1lTzu 2Onc0 6BA0|29e5","Asia/Qostanay|LMT +04 +05 +06|-4e.s -40 -50 -60|012323232323232323232123232323232323232323232323|-1Pc4e.s eUoe.s 23CL0 3Db0 1cN0 1db0 1dd0 1cO0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 2pB0 IM0 rX0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0|","Asia/Qyzylorda|LMT +04 +05 +06|-4l.Q -40 -50 -60|01232323232323232323232323232323232323232323232|-1Pc4l.Q eUol.Q 23CL0 3Db0 1cN0 1db0 1dd0 1cO0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 3ao0 1EM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 zQl0|73e4","Asia/Rangoon|RMT +0630 +09|-6o.L -6u -90|0121|-21Jio.L SmnS.L 7j9u|48e5","Asia/Sakhalin|LMT +09 +11 +12 +10|-9u.M -90 -b0 -c0 -a0|01232323232323232323232423232323232424242424242424242424242424242|-2AGVu.M 1BoMu.M 1qFa0 1db0 1cN0 1db0 1cN0 1db0 1dd0 1cO0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 2pB0 IM0 rX0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1o00 2pB0 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 8Hz0 3rd0|58e4","Asia/Samarkand|LMT +04 +05 +06|-4r.R -40 -50 -60|01232323232323232323232|-1Pc4r.R eUor.R 23CL0 3Db0 1cN0 1db0 1dd0 1cO0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0|36e4","Asia/Seoul|LMT KST JST KST KDT KDT|-8r.Q -8u -90 -90 -a0 -9u|012343434343151515151515134343|-2um8r.Q 97XV.Q 1m1zu 6CM0 Fz0 1kN0 14n0 1kN0 14L0 1zd0 On0 69B0 2I0u OL0 1FB0 Rb0 1qN0 TX0 1tB0 TX0 1tB0 TX0 1tB0 TX0 2ap0 12FBu 11A0 1o00 11A0|23e6","Asia/Srednekolymsk|LMT +10 +11 +12|-ae.Q -a0 -b0 -c0|01232323232323232323232123232323232323232323232323232323232323232|-1Pcae.Q eUoe.Q 23CL0 1db0 1cN0 1db0 1cN0 1db0 1dd0 1cO0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 2pB0 IM0 rX0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 8Hz0|35e2","Asia/Taipei|CST JST CDT|-80 -90 -90|01020202020202020202020202020202020202020|-1iw80 joM0 1yo0 Tz0 1ip0 1jX0 1cN0 11b0 1oN0 11b0 1oN0 11b0 1oN0 11b0 10N0 1BX0 10p0 1pz0 10p0 1pz0 10p0 1db0 1dd0 1db0 1cN0 1db0 1cN0 1db0 1cN0 1db0 1BB0 ML0 1Bd0 ML0 uq10 1db0 1cN0 1db0 97B0 AL0|74e5","Asia/Tashkent|LMT +05 +06 +07|-4B.b -50 -60 -70|012323232323232323232321|-1Pc4B.b eUnB.b 23CL0 1db0 1cN0 1db0 1cN0 1db0 1dd0 1cO0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 2pB0|23e5","Asia/Tbilisi|TBMT +03 +04 +05|-2X.b -30 -40 -50|0123232323232323232323212121232323232323232323212|-1Pc2X.b 1jUnX.b WCL0 1db0 1cN0 1db0 1cN0 1db0 1dd0 1cO0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 2pB0 1cK0 1cL0 1cN0 1cL0 1cN0 2pz0 1cL0 1fB0 3Nz0 11B0 1nX0 11B0 1qL0 WN0 1qL0 WN0 1qL0 11B0 1nX0 11B0 1nX0 11B0 An0 Os0 WM0|11e5","Asia/Tehran|LMT TMT +0330 +04 +05 +0430|-3p.I -3p.I -3u -40 -50 -4u|01234325252525252525252525252525252525252525252525252525252525252525252525252525252525252525252525252|-2btDp.I 1d3c0 1huLT.I TXu 1pz0 sN0 vAu 1cL0 1dB0 1en0 pNB0 UL0 1cN0 1dz0 1cp0 1dz0 1cp0 1dz0 1cp0 1dz0 1cp0 1dz0 1cN0 1dz0 1cp0 1dz0 1cp0 1dz0 1cp0 1dz0 1cN0 1dz0 1cp0 1dz0 1cp0 1dz0 1cp0 1dz0 1cN0 1dz0 64p0 1dz0 1cN0 1dz0 1cp0 1dz0 1cp0 1dz0 1cp0 1dz0 1cN0 1dz0 1cp0 1dz0 1cp0 1dz0 1cp0 1dz0 1cN0 1dz0 1cp0 1dz0 1cp0 1dz0 1cp0 1dz0 1cN0 1dz0 1cp0 1dz0 1cp0 1dz0 1cp0 1dz0 1cN0 1dz0 1cp0 1dz0 1cp0 1dz0 1cp0 1dz0 1cp0 1dz0 1cN0 1dz0 1cp0 1dz0 1cp0 1dz0 1cp0 1dz0 1cN0 1dz0 1cp0 1dz0 1cp0 1dz0 1cp0 1dz0|14e6","Asia/Thimphu|LMT +0530 +06|-5W.A -5u -60|012|-Su5W.A 1BGMs.A|79e3","Asia/Tokyo|JST JDT|-90 -a0|010101010|-QJJ0 Rc0 1lc0 14o0 1zc0 Oo0 1zc0 Oo0|38e6","Asia/Tomsk|LMT +06 +07 +08|-5D.P -60 -70 -80|0123232323232323232323212323232323232323232323212121212121212121212|-21NhD.P pxzD.P 23CL0 1db0 1cN0 1db0 1cN0 1db0 1dd0 1cO0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 2pB0 IM0 rX0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 co0 1bB0 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 8Hz0 3Qp0|10e5","Asia/Ulaanbaatar|LMT +07 +08 +09|-77.w -70 -80 -90|012323232323232323232323232323232323232323232323232|-2APH7.w 2Uko7.w cKn0 1db0 1dd0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1fB0 1cL0 1cN0 1cL0 1cN0 1cL0 6hD0 11z0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 kEp0 1cJ0 1cP0 1cJ0|12e5","Asia/Ust-Nera|LMT +08 +09 +12 +11 +10|-9w.S -80 -90 -c0 -b0 -a0|012343434343434343434345434343434343434343434343434343434343434345|-21Q9w.S pApw.S 23CL0 1d90 1cN0 1db0 1cN0 1db0 1dd0 1cO0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 2pB0 IM0 rX0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 17V0 7zD0|65e2","Asia/Vladivostok|LMT +09 +10 +11|-8L.v -90 -a0 -b0|01232323232323232323232123232323232323232323232323232323232323232|-1SJIL.v itXL.v 23CL0 1db0 1cN0 1db0 1cN0 1db0 1dd0 1cO0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 2pB0 IM0 rX0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 8Hz0|60e4","Asia/Yakutsk|LMT +08 +09 +10|-8C.W -80 -90 -a0|01232323232323232323232123232323232323232323232323232323232323232|-21Q8C.W pAoC.W 23CL0 1db0 1cN0 1db0 1cN0 1db0 1dd0 1cO0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 2pB0 IM0 rX0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 8Hz0|28e4","Asia/Yekaterinburg|LMT PMT +04 +05 +06|-42.x -3J.5 -40 -50 -60|012343434343434343434343234343434343434343434343434343434343434343|-2ag42.x 7mQh.s qBvJ.5 23CL0 1db0 1cN0 1db0 1cN0 1db0 1dd0 1cO0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 2pB0 IM0 rX0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 8Hz0|14e5","Asia/Yerevan|LMT +03 +04 +05|-2W -30 -40 -50|0123232323232323232323212121212323232323232323232323232323232|-1Pc2W 1jUnW WCL0 1db0 1cN0 1db0 1cN0 1db0 1dd0 1cO0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 2pB0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 4RX0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0|13e5","Atlantic/Azores|HMT -02 -01 +00 WET|1S.w 20 10 0 0|01212121212121212121212121212121212121212121232123212321232121212121212121212121212121212121212121232323232323232323232323232323234323232323232323232323232323232323232323232323232323232323232323232323232323232323232323232|-2ldW0 aPX0 Sp0 LX0 1vc0 Tc0 1uM0 SM0 1vc0 Tc0 1vc0 SM0 1vc0 6600 1co0 3E00 17c0 1fA0 1a00 1io0 1a00 1io0 17c0 3I00 17c0 1cM0 1cM0 3Fc0 1cM0 1a00 1fA0 1io0 17c0 1cM0 1cM0 1a00 1fA0 1io0 1qM0 Dc0 1tA0 1cM0 1dc0 1400 gL0 IM0 s10 U00 dX0 Rc0 pd0 Rc0 gL0 Oo0 pd0 Rc0 gL0 Oo0 pd0 14o0 1cM0 1cP0 1cM0 1cM0 1cM0 1cM0 1cM0 3Co0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 qIl0 1cM0 1fA0 1cM0 1cM0 1cN0 1cL0 1cN0 1cM0 1cM0 1cM0 1cM0 1cN0 1cL0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cL0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00|25e4","Atlantic/Bermuda|BMT BST AST ADT|4j.i 3j.i 40 30|010102323232323232323232323232323232323232323232323232323232323232323232323232323232323232323232323232323232323232323232323232323232323232323232323232323232|-28p7E.G 1bb0 1i10 11X0 ru30 thbE.G 1PX0 11B0 1tz0 Rd0 1zb0 Op0 1zb0 3I10 Lz0 1EN0 FX0 1HB0 FX0 1Kp0 Db0 1Kp0 Db0 1Kp0 FX0 93d0 11z0 GAp0 1cL0 1cN0 1cL0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0|65e3","Atlantic/Canary|LMT -01 WET WEST|11.A 10 0 -10|01232323232323232323232323232323232323232323232323232323232323232323232323232323232323232323232323232323232323232323232|-1UtaW.o XPAW.o 1lAK0 1a10 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00|54e4","Atlantic/Cape_Verde|LMT -02 -01|1y.4 20 10|01212|-2ldW0 1eEo0 7zX0 1djf0|50e4","Atlantic/Faroe|LMT WET WEST|r.4 0 -10|01212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121|-2uSnw.U 2Wgow.U 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00|49e3","Atlantic/Madeira|FMT -01 +00 +01 WET WEST|17.A 10 0 -10 0 -10|01212121212121212121212121212121212121212121232123212321232121212121212121212121212121212121212121454545454545454545454545454545454545454545454545454545454545454545454545454545454545454545454545454545454545454545454545454|-2ldX0 aPX0 Sp0 LX0 1vc0 Tc0 1uM0 SM0 1vc0 Tc0 1vc0 SM0 1vc0 6600 1co0 3E00 17c0 1fA0 1a00 1io0 1a00 1io0 17c0 3I00 17c0 1cM0 1cM0 3Fc0 1cM0 1a00 1fA0 1io0 17c0 1cM0 1cM0 1a00 1fA0 1io0 1qM0 Dc0 1tA0 1cM0 1dc0 1400 gL0 IM0 s10 U00 dX0 Rc0 pd0 Rc0 gL0 Oo0 pd0 Rc0 gL0 Oo0 pd0 14o0 1cM0 1cP0 1cM0 1cM0 1cM0 1cM0 1cM0 3Co0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 qIl0 1cM0 1fA0 1cM0 1cM0 1cN0 1cL0 1cN0 1cM0 1cM0 1cM0 1cM0 1cN0 1cL0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00|27e4","Atlantic/Reykjavik|LMT -01 +00 GMT|1s 10 0 0|012121212121212121212121212121212121212121212121212121212121212121213|-2uWmw mfaw 1Bd0 ML0 1LB0 Cn0 1LB0 3fX0 C10 HrX0 1cO0 LB0 1EL0 LA0 1C00 Oo0 1wo0 Rc0 1wo0 Rc0 1wo0 Rc0 1zc0 Oo0 1zc0 14o0 1lc0 14o0 1lc0 14o0 1o00 11A0 1lc0 14o0 1o00 14o0 1lc0 14o0 1lc0 14o0 1lc0 14o0 1lc0 14o0 1o00 14o0 1lc0 14o0 1lc0 14o0 1lc0 14o0 1lc0 14o0 1lc0 14o0 1o00 14o0 1lc0 14o0 1lc0 14o0 1lc0 14o0 1lc0 14o0 1o00 14o0|12e4","Atlantic/South_Georgia|-02|20|0||30","Atlantic/Stanley|SMT -04 -03 -02|3P.o 40 30 20|012121212121212323212121212121212121212121212121212121212121212121212|-2kJw8.A 12bA8.A 19X0 1fB0 19X0 1ip0 19X0 1fB0 19X0 1fB0 19X0 1fB0 Cn0 1Cc10 WL0 1qL0 U10 1tz0 2mN0 WN0 1qL0 WN0 1qL0 WN0 1qL0 WN0 1tz0 U10 1tz0 WN0 1qL0 WN0 1qL0 WN0 1qL0 WN0 1qL0 WN0 1tz0 WN0 1qL0 WN0 1qL0 WN0 1qL0 WN0 1qL0 WN0 1qN0 U10 1wn0 Rd0 1wn0 U10 1tz0 U10 1tz0 U10 1tz0 U10 1tz0 U10 1wn0 U10 1tz0 U10 1tz0 U10|21e2","Australia/Sydney|AEST AEDT|-a0 -b0|0101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101|-293k0 xc0 10jc0 yM0 1cM0 1cM0 1fA0 1a00 17c00 LA0 1C00 Oo0 1zc0 Oo0 1zc0 Oo0 1zc0 Rc0 1zc0 Oo0 1zc0 Oo0 1zc0 Oo0 1zc0 Oo0 1zc0 Oo0 1zc0 14o0 1o00 Oo0 1zc0 Oo0 1zc0 Oo0 1zc0 U00 1qM0 WM0 1tA0 WM0 1tA0 U00 1tA0 Oo0 1zc0 Oo0 1zc0 Oo0 1zc0 Rc0 1zc0 Oo0 1zc0 Oo0 1zc0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 11A0 1o00 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 11A0 1o00 WM0 1qM0 14o0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0|40e5","Australia/Adelaide|ACST ACDT|-9u -au|0101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101|-293ju xc0 10jc0 yM0 1cM0 1cM0 1fA0 1a00 17c00 LA0 1C00 Oo0 1zc0 Oo0 1zc0 Oo0 1zc0 Rc0 1zc0 Oo0 1zc0 Oo0 1zc0 Oo0 1zc0 Oo0 1zc0 Oo0 1zc0 Rc0 1zc0 Oo0 1zc0 Oo0 1zc0 Oo0 1zc0 U00 1qM0 WM0 1tA0 WM0 1tA0 U00 1tA0 U00 1tA0 Oo0 1zc0 WM0 1qM0 Rc0 1zc0 U00 1tA0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 11A0 1o00 WM0 1qM0 14o0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0|11e5","Australia/Brisbane|AEST AEDT|-a0 -b0|01010101010101010|-293k0 xc0 10jc0 yM0 1cM0 1cM0 1fA0 1a00 17c00 LA0 H1A0 Oo0 1zc0 Oo0 1zc0 Oo0|20e5","Australia/Broken_Hill|ACST ACDT|-9u -au|0101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101|-293ju xc0 10jc0 yM0 1cM0 1cM0 1fA0 1a00 17c00 LA0 1C00 Oo0 1zc0 Oo0 1zc0 Oo0 1zc0 Rc0 1zc0 Oo0 1zc0 Oo0 1zc0 Oo0 1zc0 Oo0 1zc0 Oo0 1zc0 14o0 1o00 Oo0 1zc0 Oo0 1zc0 Oo0 1zc0 U00 1qM0 WM0 1tA0 WM0 1tA0 U00 1tA0 Oo0 1zc0 Oo0 1zc0 Oo0 1zc0 Rc0 1zc0 Oo0 1zc0 Oo0 1zc0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 11A0 1o00 WM0 1qM0 14o0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0|18e3","Australia/Hobart|AEST AEDT|-a0 -b0|0101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101|-29E80 1a00 1qM0 Oo0 1zc0 Oo0 TAo0 yM0 1cM0 1cM0 1fA0 1a00 VfA0 1cM0 1o00 Rc0 1wo0 Rc0 1wo0 U00 1wo0 LA0 1C00 Oo0 1zc0 Oo0 1zc0 Oo0 1zc0 Rc0 1zc0 Oo0 1zc0 Oo0 1zc0 Oo0 1zc0 Oo0 1zc0 Oo0 1zc0 11A0 1qM0 WM0 1qM0 Oo0 1zc0 Oo0 1zc0 Oo0 1wo0 WM0 1tA0 WM0 1tA0 U00 1tA0 U00 1tA0 11A0 1fA0 1a00 1fA0 1a00 1fA0 1a00 1fA0 1a00 1fA0 1cM0 1fA0 1a00 1fA0 1a00 1fA0 1a00 1fA0 1a00 11A0 1o00 1io0 1a00 1fA0 1a00 1fA0 1a00 1fA0 1a00 1fA0 1cM0 1cM0 1a00 1io0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0|21e4","Australia/Darwin|ACST ACDT|-9u -au|010101010|-293ju xc0 10jc0 yM0 1cM0 1cM0 1fA0 1a00|12e4","Australia/Eucla|+0845 +0945|-8J -9J|0101010101010101010|-293iJ xc0 10jc0 yM0 1cM0 1cM0 1gSo0 Oo0 l5A0 Oo0 iJA0 G00 zU00 IM0 1qM0 11A0 1o00 11A0|368","Australia/Lord_Howe|AEST +1030 +1130 +11|-a0 -au -bu -b0|0121212121313131313131313131313131313131313131313131313131313131313131313131313131313131313131313131313131313131313|raC0 1zdu Rb0 1zd0 On0 1zd0 On0 1zd0 On0 1zd0 TXu 1qMu WLu 1tAu WLu 1tAu TXu 1tAu Onu 1zcu Onu 1zcu Onu 1zcu Rbu 1zcu Onu 1zcu Onu 1zcu 11zu 1o0u 11zu 1o0u 11zu 1o0u 11zu 1qMu WLu 11Au 1nXu 1qMu 11zu 1o0u 11zu 1o0u 11zu 1qMu WLu 1qMu 11zu 1o0u WLu 1qMu 14nu 1cMu 1cLu 1cMu 1cLu 1cMu 1cLu 1cMu 1cLu 1fAu 1cLu 1cMu 1cLu 1cMu 1cLu 1cMu 1cLu 1cMu 1cLu 1cMu 1cLu 1fAu 1cLu 1cMu 1cLu 1cMu 1cLu 1cMu 1cLu 1cMu 1cLu 1cMu 1fzu 1cMu 1cLu 1cMu 1cLu 1cMu 1cLu 1cMu 1cLu 1cMu 1cLu 1fAu 1cLu 1cMu 1cLu 1cMu 1cLu 1cMu 1cLu 1cMu 1cLu 1cMu 1cLu 1fAu 1cLu 1cMu 1cLu 1cMu|347","Australia/Lindeman|AEST AEDT|-a0 -b0|010101010101010101010|-293k0 xc0 10jc0 yM0 1cM0 1cM0 1fA0 1a00 17c00 LA0 H1A0 Oo0 1zc0 Oo0 1zc0 Oo0 1zc0 Rc0 1zc0 Oo0|10","Australia/Melbourne|AEST AEDT|-a0 -b0|0101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101|-293k0 xc0 10jc0 yM0 1cM0 1cM0 1fA0 1a00 17c00 LA0 1C00 Oo0 1zc0 Oo0 1zc0 Oo0 1zc0 Rc0 1zc0 Oo0 1zc0 Oo0 1zc0 Oo0 1zc0 Oo0 1zc0 Oo0 1zc0 Rc0 1zc0 Oo0 1zc0 Oo0 1zc0 Oo0 1zc0 U00 1qM0 WM0 1qM0 11A0 1tA0 U00 1tA0 U00 1tA0 Oo0 1zc0 Oo0 1zc0 Rc0 1zc0 Oo0 1zc0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 11A0 1o00 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 11A0 1o00 WM0 1qM0 14o0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0|39e5","Australia/Perth|AWST AWDT|-80 -90|0101010101010101010|-293i0 xc0 10jc0 yM0 1cM0 1cM0 1gSo0 Oo0 l5A0 Oo0 iJA0 G00 zU00 IM0 1qM0 11A0 1o00 11A0|18e5","CET|CET CEST|-10 -20|01010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010|-2aFe0 11d0 1iO0 11A0 1o00 11A0 Qrc0 6i00 WM0 1fA0 1cM0 1cM0 1cM0 16M0 1gMM0 1a00 1fA0 1cM0 1cM0 1cM0 1fA0 1a00 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00|","Pacific/Easter|EMT -07 -06 -05|7h.s 70 60 50|012121212121212121212121212123232323232323232323232323232323232323232323232323232323232323232323232323232323232323232323232323232323232323|-1uSgG.w 1s4IG.w WL0 1zd0 On0 1ip0 11z0 1o10 11z0 1qN0 WL0 1ld0 14n0 1qN0 WL0 1qN0 11z0 1o10 11z0 1o10 11z0 1qN0 WL0 1qN0 WL0 1qN0 11z0 1o10 2pA0 11z0 1o10 11z0 1qN0 WL0 1qN0 WL0 1qN0 1cL0 1cN0 11z0 1o10 11z0 1qN0 WL0 1fB0 19X0 1qN0 11z0 1o10 11z0 1o10 11z0 1o10 11z0 1qN0 WL0 1qN0 17b0 1ip0 11z0 1ip0 1fz0 1fB0 11z0 1qN0 WL0 1qN0 WL0 1qN0 WL0 1qN0 11z0 1o10 11z0 1o10 11z0 1qN0 WL0 1qN0 17b0 1ip0 11z0 1o10 19X0 1fB0 1nX0 G10 1EL0 Op0 1zb0 Rd0 1wn0 Rd0 46n0 Ap0 1Nb0 Ap0 1Nb0 Ap0 1zb0 11B0 1nX0 11B0 1nX0 11B0 1nX0 11B0 1nX0 11B0 1qL0 11B0 1nX0 11B0 1nX0 11B0 1nX0 11B0 1nX0 11B0 1qL0 WN0 1qL0 11B0 1nX0 11B0 1nX0 11B0 1nX0 11B0 1nX0 11B0 1qL0 WN0 1qL0 11B0 1nX0 11B0|30e2","CST6CDT|CST CDT CWT CPT|60 50 50 50|010102301010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010|-261s0 1nX0 11B0 1nX0 SgN0 8x30 iw0 QwN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1cN0 1cL0 1cN0 1cL0 s10 1Vz0 LB0 1BX0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0|","EET|EET EEST|-20 -30|010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010|hDB0 1a00 1fA0 1cM0 1cM0 1cM0 1fA0 1a00 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00|","Europe/Dublin|DMT IST GMT BST IST|p.l -y.D 0 -10 -10|01232323232324242424242424242424242424242424242424242424242424242424242424242424242424242424242424242424242424242424242424242424242424242424242424242424242424242424242424242424242424242424242424242424242424242424242424242424242|-2ax9y.D Rc0 1fzy.D 14M0 1fc0 1g00 1co0 1dc0 1co0 1oo0 1400 1dc0 19A0 1io0 1io0 WM0 1o00 14o0 1o00 17c0 1io0 17c0 1fA0 1a00 1lc0 17c0 1io0 17c0 1fA0 1a00 1io0 17c0 1io0 17c0 1fA0 1cM0 1io0 17c0 1fA0 1a00 1io0 17c0 1io0 17c0 1fA0 1a00 1io0 1qM0 Dc0 g600 14o0 1wo0 17c0 1io0 11A0 1o00 17c0 1fA0 1a00 1fA0 1cM0 1fA0 1a00 17c0 1fA0 1a00 1io0 17c0 1lc0 17c0 1fA0 1a00 1io0 17c0 1io0 17c0 1fA0 1a00 1a00 1qM0 WM0 1qM0 11A0 1o00 WM0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1tA0 IM0 90o0 U00 1tA0 U00 1tA0 U00 1tA0 U00 1tA0 WM0 1qM0 WM0 1qM0 WM0 1tA0 U00 1tA0 U00 1tA0 11z0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1o00 14o0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00|12e5","EST|EST|50|0||","EST5EDT|EST EDT EWT EPT|50 40 40 40|010102301010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010|-261t0 1nX0 11B0 1nX0 SgN0 8x40 iv0 QwN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1cN0 1cL0 1cN0 1cL0 s10 1Vz0 LB0 1BX0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0|","Etc/GMT-0|GMT|0|0||","Etc/GMT-1|+01|-10|0||","Pacific/Port_Moresby|+10|-a0|0||25e4","Etc/GMT-11|+11|-b0|0||","Pacific/Tarawa|+12|-c0|0||29e3","Etc/GMT-13|+13|-d0|0||","Etc/GMT-14|+14|-e0|0||","Etc/GMT-2|+02|-20|0||","Etc/GMT-3|+03|-30|0||","Etc/GMT-4|+04|-40|0||","Etc/GMT-5|+05|-50|0||","Etc/GMT-6|+06|-60|0||","Indian/Christmas|+07|-70|0||21e2","Etc/GMT-8|+08|-80|0||","Pacific/Palau|+09|-90|0||21e3","Etc/GMT+1|-01|10|0||","Etc/GMT+10|-10|a0|0||","Etc/GMT+11|-11|b0|0||","Etc/GMT+12|-12|c0|0||","Etc/GMT+3|-03|30|0||","Etc/GMT+4|-04|40|0||","Etc/GMT+5|-05|50|0||","Etc/GMT+6|-06|60|0||","Etc/GMT+7|-07|70|0||","Etc/GMT+8|-08|80|0||","Etc/GMT+9|-09|90|0||","Etc/UTC|UTC|0|0||","Europe/Amsterdam|AMT NST +0120 +0020 CEST CET|-j.w -1j.w -1k -k -20 -10|010101010101010101010101010101010101010101012323234545454545454545454545454545454545454545454545454545454545454545454545454545454545454545454545454545454545454545454545454545454545|-2aFcj.w 11b0 1iP0 11A0 1io0 1cM0 1fA0 1a00 1fA0 1a00 1fA0 1a00 1co0 1io0 1yo0 Pc0 1a00 1fA0 1Bc0 Mo0 1tc0 Uo0 1tA0 U00 1uo0 W00 1s00 VA0 1so0 Vc0 1sM0 UM0 1wo0 Rc0 1u00 Wo0 1rA0 W00 1s00 VA0 1sM0 UM0 1w00 fV0 BCX.w 1tA0 U00 1u00 Wo0 1sm0 601k WM0 1fA0 1cM0 1cM0 1cM0 16M0 1gMM0 1a00 1fA0 1cM0 1cM0 1cM0 1fA0 1a00 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00|16e5","Europe/Andorra|WET CET CEST|0 -10 -20|012121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121|-UBA0 1xIN0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00|79e3","Europe/Astrakhan|LMT +03 +04 +05|-3c.c -30 -40 -50|012323232323232323212121212121212121212121212121212121212121212|-1Pcrc.c eUMc.c 23CL0 1db0 1cN0 1db0 1cN0 1db0 1dd0 1cO0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 2pB0 1cM0 1fA0 1cM0 3Co0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 8Hz0 3rd0|10e5","Europe/Athens|AMT EET EEST CEST CET|-1y.Q -20 -30 -20 -10|012123434121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121|-2a61x.Q CNbx.Q mn0 kU10 9b0 3Es0 Xa0 1fb0 1dd0 k3X0 Nz0 SCp0 1vc0 SO0 1cM0 1a00 1ao0 1fc0 1a10 1fG0 1cg0 1dX0 1bX0 1cQ0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00|35e5","Europe/London|GMT BST BDST|0 -10 -20|0101010101010101010101010101010101010101010101010121212121210101210101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010|-2axa0 Rc0 1fA0 14M0 1fc0 1g00 1co0 1dc0 1co0 1oo0 1400 1dc0 19A0 1io0 1io0 WM0 1o00 14o0 1o00 17c0 1io0 17c0 1fA0 1a00 1lc0 17c0 1io0 17c0 1fA0 1a00 1io0 17c0 1io0 17c0 1fA0 1cM0 1io0 17c0 1fA0 1a00 1io0 17c0 1io0 17c0 1fA0 1a00 1io0 1qM0 Dc0 2Rz0 Dc0 1zc0 Oo0 1zc0 Rc0 1wo0 17c0 1iM0 FA0 xB0 1fA0 1a00 14o0 bb0 LA0 xB0 Rc0 1wo0 11A0 1o00 17c0 1fA0 1a00 1fA0 1cM0 1fA0 1a00 17c0 1fA0 1a00 1io0 17c0 1lc0 17c0 1fA0 1a00 1io0 17c0 1io0 17c0 1fA0 1a00 1a00 1qM0 WM0 1qM0 11A0 1o00 WM0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1tA0 IM0 90o0 U00 1tA0 U00 1tA0 U00 1tA0 U00 1tA0 WM0 1qM0 WM0 1qM0 WM0 1tA0 U00 1tA0 U00 1tA0 11z0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1o00 14o0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00|10e6","Europe/Belgrade|CET CEST|-10 -20|01010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010|-19RC0 3IP0 WM0 1fA0 1cM0 1cM0 1rc0 Qo0 1vmo0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00|12e5","Europe/Berlin|CET CEST CEMT|-10 -20 -30|01010101010101210101210101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010|-2aFe0 11d0 1iO0 11A0 1o00 11A0 Qrc0 6i00 WM0 1fA0 1cM0 1cM0 1cM0 kL0 Nc0 m10 WM0 1ao0 1cp0 dX0 jz0 Dd0 1io0 17c0 1fA0 1a00 1ehA0 1a00 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00|41e5","Europe/Prague|CET CEST GMT|-10 -20 0|01010101010101010201010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010|-2aFe0 11d0 1iO0 11A0 1o00 11A0 Qrc0 6i00 WM0 1fA0 1cM0 1cM0 1cM0 1cM0 1qM0 11c0 mp0 xA0 mn0 17c0 1io0 17c0 1fc0 1ao0 1bNc0 1cM0 1fA0 1a00 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00|13e5","Europe/Brussels|WET CET CEST WEST|0 -10 -20 -10|0121212103030303030303030303030303030303030303030303212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121|-2ehc0 3zX0 11c0 1iO0 11A0 1o00 11A0 my0 Ic0 1qM0 Rc0 1EM0 UM0 1u00 10o0 1io0 1io0 17c0 1a00 1fA0 1cM0 1cM0 1io0 17c0 1fA0 1a00 1io0 1a30 1io0 17c0 1fA0 1a00 1io0 17c0 1cM0 1cM0 1a00 1io0 1cM0 1cM0 1a00 1fA0 1io0 17c0 1cM0 1cM0 1a00 1fA0 1io0 1qM0 Dc0 y00 5Wn0 WM0 1fA0 1cM0 16M0 1iM0 16M0 1C00 Uo0 1eeo0 1a00 1fA0 1cM0 1cM0 1cM0 1fA0 1a00 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00|21e5","Europe/Bucharest|BMT EET EEST|-1I.o -20 -30|0121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121|-1xApI.o 20LI.o RA0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1Axc0 On0 1fA0 1a10 1cO0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cK0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cL0 1cN0 1cL0 1fB0 1nX0 11E0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00|19e5","Europe/Budapest|CET CEST|-10 -20|0101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010|-2aFe0 11d0 1iO0 11A0 1o00 11A0 1oo0 11c0 1lc0 17c0 O1V0 3Nf0 WM0 1fA0 1cM0 1cM0 1oJ0 1dd0 1020 1fX0 1cp0 1cM0 1cM0 1cM0 1fA0 1a00 bhy0 Rb0 1wr0 Rc0 1C00 LA0 1C00 LA0 SNW0 1a00 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cO0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00|17e5","Europe/Zurich|CET CEST|-10 -20|01010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010|-19Lc0 11A0 1o00 11A0 1xG10 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00|38e4","Europe/Chisinau|CMT BMT EET EEST CEST CET MSK MSD|-1T -1I.o -20 -30 -20 -10 -30 -40|012323232323232323234545467676767676767676767323232323232323232323232323232323232323232323232323232323232323232323232323232323232323232323232|-26jdT wGMa.A 20LI.o RA0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 27A0 2en0 39g0 WM0 1fA0 1cM0 V90 1t7z0 1db0 1cN0 1db0 1cN0 1db0 1dd0 1cO0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 gL0 WO0 1cM0 1cM0 1cK0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1fB0 1nX0 11D0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00|67e4","Europe/Copenhagen|CET CEST|-10 -20|0101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010|-2azC0 Tz0 VuO0 60q0 WM0 1fA0 1cM0 1cM0 1cM0 S00 1HA0 Nc0 1C00 Dc0 1Nc0 Ao0 1h5A0 1a00 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00|12e5","Europe/Gibraltar|GMT BST BDST CET CEST|0 -10 -20 -10 -20|010101010101010101010101010101010101010101010101012121212121010121010101010101010101034343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343|-2axa0 Rc0 1fA0 14M0 1fc0 1g00 1co0 1dc0 1co0 1oo0 1400 1dc0 19A0 1io0 1io0 WM0 1o00 14o0 1o00 17c0 1io0 17c0 1fA0 1a00 1lc0 17c0 1io0 17c0 1fA0 1a00 1io0 17c0 1io0 17c0 1fA0 1cM0 1io0 17c0 1fA0 1a00 1io0 17c0 1io0 17c0 1fA0 1a00 1io0 1qM0 Dc0 2Rz0 Dc0 1zc0 Oo0 1zc0 Rc0 1wo0 17c0 1iM0 FA0 xB0 1fA0 1a00 14o0 bb0 LA0 xB0 Rc0 1wo0 11A0 1o00 17c0 1fA0 1a00 1fA0 1cM0 1fA0 1a00 17c0 1fA0 1a00 1io0 17c0 1lc0 17c0 1fA0 10Jz0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00|30e3","Europe/Helsinki|HMT EET EEST|-1D.N -20 -30|0121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121|-1WuND.N OULD.N 1dA0 1xGq0 1cM0 1cM0 1cM0 1cN0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00|12e5","Europe/Kaliningrad|CET CEST EET EEST MSK MSD +03|-10 -20 -20 -30 -30 -40 -30|01010101010101232454545454545454543232323232323232323232323232323232323232323262|-2aFe0 11d0 1iO0 11A0 1o00 11A0 Qrc0 6i00 WM0 1fA0 1cM0 1cM0 1cM0 390 7A0 1en0 12N0 1pbb0 1db0 1cN0 1db0 1cN0 1db0 1dd0 1cO0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cN0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 8Hz0|44e4","Europe/Kiev|KMT EET MSK CEST CET MSD EEST|-22.4 -20 -30 -20 -10 -40 -30|0123434252525252525252525256161616161616161616161616161616161616161616161616161616161616161616161616161616161616161616161|-1Pc22.4 eUo2.4 rnz0 2Hg0 WM0 1fA0 da0 1v4m0 1db0 1cN0 1db0 1cN0 1db0 1dd0 1cO0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 Db0 3220 1cK0 1cL0 1cN0 1cL0 1cN0 1cL0 1cQ0 1cM0 1fA0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00|34e5","Europe/Kirov|LMT +03 +04 +05|-3i.M -30 -40 -50|01232323232323232321212121212121212121212121212121212121212121|-22WM0 qH90 23CL0 1db0 1cN0 1db0 1cN0 1db0 1dd0 1cO0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 2pB0 1cM0 1fA0 1cM0 3Co0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 8Hz0|48e4","Europe/Lisbon|LMT WET WEST WEMT CET CEST|A.J 0 -10 -20 -10 -20|012121212121212121212121212121212121212121212321232123212321212121212121212121212121212121212121214121212121212121212121212121212124545454212121212121212121212121212121212121212121212121212121212121212121212121212121212121|-2le00 aPX0 Sp0 LX0 1vc0 Tc0 1uM0 SM0 1vc0 Tc0 1vc0 SM0 1vc0 6600 1co0 3E00 17c0 1fA0 1a00 1io0 1a00 1io0 17c0 3I00 17c0 1cM0 1cM0 3Fc0 1cM0 1a00 1fA0 1io0 17c0 1cM0 1cM0 1a00 1fA0 1io0 1qM0 Dc0 1tA0 1cM0 1dc0 1400 gL0 IM0 s10 U00 dX0 Rc0 pd0 Rc0 gL0 Oo0 pd0 Rc0 gL0 Oo0 pd0 14o0 1cM0 1cP0 1cM0 1cM0 1cM0 1cM0 1cM0 3Co0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 pvy0 1cM0 1cM0 1fA0 1cM0 1cM0 1cN0 1cL0 1cN0 1cM0 1cM0 1cM0 1cM0 1cN0 1cL0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00|27e5","Europe/Luxembourg|LMT CET CEST WET WEST WEST WET|-o.A -10 -20 0 -10 -20 -10|0121212134343434343434343434343434343434343434343434565651212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121|-2DG0o.A t6mo.A TB0 1nX0 Up0 1o20 11A0 rW0 CM0 1qP0 R90 1EO0 UK0 1u20 10m0 1ip0 1in0 17e0 19W0 1fB0 1db0 1cp0 1in0 17d0 1fz0 1a10 1in0 1a10 1in0 17f0 1fA0 1a00 1io0 17c0 1cM0 1cM0 1a00 1io0 1cM0 1cM0 1a00 1fA0 1io0 17c0 1cM0 1cM0 1a00 1fA0 1io0 1qM0 Dc0 vA0 60L0 WM0 1fA0 1cM0 17c0 1io0 16M0 1C00 Uo0 1eeo0 1a00 1fA0 1cM0 1cM0 1cM0 1fA0 1a00 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00|54e4","Europe/Madrid|WET WEST WEMT CET CEST|0 -10 -20 -10 -20|010101010101010101210343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343|-25Td0 19B0 1cL0 1dd0 b1z0 18p0 3HX0 17d0 1fz0 1a10 1io0 1a00 1in0 17d0 iIn0 Hd0 1cL0 bb0 1200 2s20 14n0 5aL0 Mp0 1vz0 17d0 1in0 17d0 1in0 17d0 1in0 17d0 6hX0 11B0 XHX0 1a10 1fz0 1a10 19X0 1cN0 1fz0 1a10 1fC0 1cM0 1cM0 1cM0 1fA0 1a00 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00|62e5","Europe/Malta|CET CEST|-10 -20|0101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010|-2arB0 Lz0 1cN0 1db0 1410 1on0 Wp0 1qL0 17d0 1cL0 M3B0 5M20 WM0 1fA0 1co0 17c0 1iM0 16m0 1de0 1lc0 14m0 1lc0 WO0 1qM0 GTW0 On0 1C10 LA0 1C00 LA0 1EM0 LA0 1C00 LA0 1zc0 Oo0 1C00 Oo0 1co0 1cM0 1lA0 Xc0 1qq0 11z0 1o10 11z0 1o10 11z0 1o10 11z0 1o10 11z0 1iN0 19z0 1fB0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00|42e4","Europe/Minsk|MMT EET MSK CEST CET MSD EEST +03|-1O -20 -30 -20 -10 -40 -30 -30|01234343252525252525252525261616161616161616161616161616161616161617|-1Pc1O eUnO qNX0 3gQ0 WM0 1fA0 1cM0 Al0 1tsn0 1db0 1cN0 1db0 1cN0 1db0 1dd0 1cO0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 3Fc0 1cN0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0|19e5","Europe/Monaco|PMT WET WEST WEMT CET CEST|-9.l 0 -10 -20 -10 -20|01212121212121212121212121212121212121212121212121232323232345454545454545454545454545454545454545454545454545454545454545454545454545454545454545454545454545454545454545454545454545454|-2n5c9.l cFX9.l HA0 19A0 1iM0 11c0 1oo0 Wo0 1rc0 QM0 1EM0 UM0 1u00 10o0 1io0 1wo0 Rc0 1a00 1fA0 1cM0 1cM0 1io0 17c0 1fA0 1a00 1io0 1a00 1io0 17c0 1fA0 1a00 1io0 17c0 1cM0 1cM0 1a00 1io0 1cM0 1cM0 1a00 1fA0 1io0 17c0 1cM0 1cM0 1a00 1fA0 1io0 1qM0 Df0 2RV0 11z0 11B0 1ze0 WM0 1fA0 1cM0 1fa0 1aq0 16M0 1ekn0 1cL0 1fC0 1a00 1fA0 1cM0 1cM0 1cM0 1fA0 1a00 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00|38e3","Europe/Moscow|MMT MMT MST MDST MSD MSK +05 EET EEST MSK|-2u.h -2v.j -3v.j -4v.j -40 -30 -50 -20 -30 -40|012132345464575454545454545454545458754545454545454545454545454545454545454595|-2ag2u.h 2pyW.W 1bA0 11X0 GN0 1Hb0 c4v.j ik0 3DA0 dz0 15A0 c10 2q10 iM10 23CL0 1db0 1cN0 1db0 1cN0 1db0 1dd0 1cO0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cN0 IM0 rX0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 8Hz0|16e6","Europe/Paris|PMT WET WEST CEST CET WEMT|-9.l 0 -10 -20 -10 -20|0121212121212121212121212121212121212121212121212123434352543434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434|-2nco9.l cNb9.l HA0 19A0 1iM0 11c0 1oo0 Wo0 1rc0 QM0 1EM0 UM0 1u00 10o0 1io0 1wo0 Rc0 1a00 1fA0 1cM0 1cM0 1io0 17c0 1fA0 1a00 1io0 1a00 1io0 17c0 1fA0 1a00 1io0 17c0 1cM0 1cM0 1a00 1io0 1cM0 1cM0 1a00 1fA0 1io0 17c0 1cM0 1cM0 1a00 1fA0 1io0 1qM0 Df0 Ik0 5M30 WM0 1fA0 1cM0 Vx0 hB0 1aq0 16M0 1ekn0 1cL0 1fC0 1a00 1fA0 1cM0 1cM0 1cM0 1fA0 1a00 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00|11e6","Europe/Riga|RMT LST EET MSK CEST CET MSD EEST|-1A.y -2A.y -20 -30 -20 -10 -40 -30|010102345454536363636363636363727272727272727272727272727272727272727272727272727272727272727272727272727272727272727272727272|-25TzA.y 11A0 1iM0 ko0 gWm0 yDXA.y 2bX0 3fE0 WM0 1fA0 1cM0 1cM0 4m0 1sLy0 1db0 1cN0 1db0 1cN0 1db0 1dd0 1cO0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cN0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cN0 1o00 11A0 1o00 11A0 1qM0 3oo0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00|64e4","Europe/Rome|CET CEST|-10 -20|0101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010|-2arB0 Lz0 1cN0 1db0 1410 1on0 Wp0 1qL0 17d0 1cL0 M3B0 5M20 WM0 1fA0 1cM0 16M0 1iM0 16m0 1de0 1lc0 14m0 1lc0 WO0 1qM0 GTW0 On0 1C10 LA0 1C00 LA0 1EM0 LA0 1C00 LA0 1zc0 Oo0 1C00 Oo0 1C00 LA0 1zc0 Oo0 1C00 LA0 1C00 LA0 1zc0 Oo0 1C00 Oo0 1zc0 Oo0 1fC0 1a00 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00|39e5","Europe/Samara|LMT +03 +04 +05|-3k.k -30 -40 -50|0123232323232323232121232323232323232323232323232323232323212|-22WM0 qH90 23CL0 1db0 1cN0 1db0 1cN0 1db0 1dd0 1cO0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 2pB0 1cM0 1fA0 2y10 14m0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 2sp0 WM0|12e5","Europe/Saratov|LMT +03 +04 +05|-34.i -30 -40 -50|012323232323232321212121212121212121212121212121212121212121212|-22WM0 qH90 23CL0 1db0 1cN0 1db0 1cN0 1db0 1dd0 1cO0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 2pB0 1cM0 1cM0 1cM0 1fA0 1cM0 3Co0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 8Hz0 5810|","Europe/Simferopol|SMT EET MSK CEST CET MSD EEST MSK|-2g -20 -30 -20 -10 -40 -30 -40|012343432525252525252525252161616525252616161616161616161616161616161616172|-1Pc2g eUog rEn0 2qs0 WM0 1fA0 1cM0 3V0 1u0L0 1db0 1cN0 1db0 1cN0 1db0 1dd0 1cO0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1Q00 4eL0 1cL0 1cN0 1cL0 1cN0 dX0 WL0 1cN0 1cL0 1fB0 1o30 11B0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11z0 1nW0|33e4","Europe/Sofia|EET CET CEST EEST|-20 -10 -20 -30|01212103030303030303030303030303030303030303030303030303030303030303030303030303030303030303030303030303030303030303030303030|-168L0 WM0 1fA0 1cM0 1cM0 1cN0 1mKH0 1dd0 1fb0 1ap0 1fb0 1a20 1fy0 1a30 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cK0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1fB0 1nX0 11E0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00|12e5","Europe/Stockholm|CET CEST|-10 -20|01010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010|-2azC0 TB0 2yDe0 1a00 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00|15e5","Europe/Tallinn|TMT CET CEST EET MSK MSD EEST|-1D -10 -20 -20 -30 -40 -30|012103421212454545454545454546363636363636363636363636363636363636363636363636363636363636363636363636363636363636363636363|-26oND teD 11A0 1Ta0 4rXl KSLD 2FX0 2Jg0 WM0 1fA0 1cM0 18J0 1sTX0 1db0 1cN0 1db0 1cN0 1db0 1dd0 1cO0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cN0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1o00 11A0 1o00 11A0 1o10 11A0 1qM0 5QM0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00|41e4","Europe/Tirane|LMT CET CEST|-1j.k -10 -20|01212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121|-2glBj.k 14pcj.k 5LC0 WM0 4M0 1fCK0 10n0 1op0 11z0 1pd0 11z0 1qN0 WL0 1qp0 Xb0 1qp0 Xb0 1qp0 11z0 1lB0 11z0 1qN0 11z0 1iN0 16n0 1dd0 1cO0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00|42e4","Europe/Ulyanovsk|LMT +03 +04 +05 +02|-3d.A -30 -40 -50 -20|01232323232323232321214121212121212121212121212121212121212121212|-22WM0 qH90 23CL0 1db0 1cN0 1db0 1cN0 1db0 1dd0 1cO0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 2pB0 1cM0 1fA0 2pB0 IM0 rX0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 8Hz0 3rd0|13e5","Europe/Uzhgorod|CET CEST MSK MSD EET EEST|-10 -20 -30 -40 -20 -30|010101023232323232323232320454545454545454545454545454545454545454545454545454545454545454545454545454545454545454545454|-1cqL0 6i00 WM0 1fA0 1cM0 1ml0 1Cp0 1r3W0 1db0 1cN0 1db0 1cN0 1db0 1dd0 1cO0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1Q00 1Nf0 2pw0 1cL0 1cN0 1cL0 1cN0 1cL0 1cQ0 1cM0 1fA0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00|11e4","Europe/Vienna|CET CEST|-10 -20|0101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010|-2aFe0 11d0 1iO0 11A0 1o00 11A0 3KM0 14o0 LA00 6i00 WM0 1fA0 1cM0 1cM0 1cM0 400 2qM0 1ao0 1co0 1cM0 1io0 17c0 1gHa0 19X0 1cP0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00|18e5","Europe/Vilnius|WMT KMT CET EET MSK CEST MSD EEST|-1o -1z.A -10 -20 -30 -20 -40 -30|012324525254646464646464646473737373737373737352537373737373737373737373737373737373737373737373737373737373737373737373|-293do 6ILM.o 1Ooz.A zz0 Mfd0 29W0 3is0 WM0 1fA0 1cM0 LV0 1tgL0 1db0 1cN0 1db0 1cN0 1db0 1dd0 1cO0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cN0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1o00 11A0 1o00 11B0 1o00 11A0 1qM0 8io0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00|54e4","Europe/Volgograd|LMT +03 +04 +05|-2V.E -30 -40 -50|0123232323232323212121212121212121212121212121212121212121212121|-21IqV.E psLV.E 23CL0 1db0 1cN0 1db0 1cN0 1db0 1dd0 1cO0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 2pB0 1cM0 1cM0 1cM0 1fA0 1cM0 3Co0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 8Hz0 9Jd0 5gn0|10e5","Europe/Warsaw|WMT CET CEST EET EEST|-1o -10 -20 -20 -30|012121234312121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121|-2ctdo 1LXo 11d0 1iO0 11A0 1o00 11A0 1on0 11A0 6zy0 HWP0 5IM0 WM0 1fA0 1cM0 1dz0 1mL0 1en0 15B0 1aq0 1nA0 11A0 1io0 17c0 1fA0 1a00 iDX0 LA0 1cM0 1cM0 1C00 Oo0 1cM0 1cM0 1zc0 Oo0 1zc0 Oo0 1zc0 Oo0 1C00 LA0 uso0 1a00 1fA0 1cM0 1cM0 1cM0 1fA0 1a00 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cN0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00|17e5","Europe/Zaporozhye|+0220 EET MSK CEST CET MSD EEST|-2k -20 -30 -20 -10 -40 -30|01234342525252525252525252526161616161616161616161616161616161616161616161616161616161616161616161616161616161616161616161|-1Pc2k eUok rdb0 2RE0 WM0 1fA0 8m0 1v9a0 1db0 1cN0 1db0 1cN0 1db0 1dd0 1cO0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cK0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cQ0 1cM0 1fA0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00|77e4","HST|HST|a0|0||","Indian/Chagos|LMT +05 +06|-4N.E -50 -60|012|-2xosN.E 3AGLN.E|30e2","Indian/Cocos|+0630|-6u|0||596","Indian/Kerguelen|-00 +05|0 -50|01|-MG00|130","Indian/Mahe|LMT +04|-3F.M -40|01|-2xorF.M|79e3","Indian/Maldives|MMT +05|-4S -50|01|-olgS|35e4","Indian/Mauritius|LMT +04 +05|-3O -40 -50|012121|-2xorO 34unO 14L0 12kr0 11z0|15e4","Indian/Reunion|LMT +04|-3F.Q -40|01|-2mDDF.Q|84e4","Pacific/Kwajalein|+11 +10 +09 -12 +12|-b0 -a0 -90 c0 -c0|012034|-1kln0 akp0 6Up0 12ry0 Wan0|14e3","MET|MET MEST|-10 -20|01010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010|-2aFe0 11d0 1iO0 11A0 1o00 11A0 Qrc0 6i00 WM0 1fA0 1cM0 1cM0 1cM0 16M0 1gMM0 1a00 1fA0 1cM0 1cM0 1cM0 1fA0 1a00 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00|","MST|MST|70|0||","MST7MDT|MST MDT MWT MPT|70 60 60 60|010102301010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010|-261r0 1nX0 11B0 1nX0 SgN0 8x20 ix0 QwN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1cN0 1cL0 1cN0 1cL0 s10 1Vz0 LB0 1BX0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0|","Pacific/Chatham|+1215 +1245 +1345|-cf -cJ -dJ|012121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212|-WqAf 1adef IM0 1C00 Rc0 1zc0 Oo0 1zc0 Oo0 1zc0 Oo0 1zc0 Oo0 1zc0 Oo0 1zc0 Rc0 1zc0 Oo0 1zc0 Oo0 1zc0 Oo0 1zc0 Oo0 1zc0 Oo0 1zc0 Rc0 1zc0 Oo0 1qM0 14o0 1lc0 14o0 1lc0 14o0 1lc0 17c0 1io0 17c0 1io0 17c0 1io0 17c0 1lc0 14o0 1lc0 14o0 1lc0 17c0 1io0 17c0 1io0 17c0 1lc0 14o0 1lc0 14o0 1lc0 17c0 1io0 17c0 1io0 17c0 1io0 17c0 1io0 1fA0 1a00 1fA0 1a00 1fA0 1a00 1fA0 1a00 1fA0 1cM0 1fA0 1a00 1fA0 1a00 1fA0 1a00 1fA0 1a00 1fA0 1a00 1fA0 1cM0 1fA0 1a00 1fA0 1a00 1fA0 1a00 1fA0 1a00 1fA0 1a00 1io0 1a00 1fA0 1a00 1fA0 1a00 1fA0 1a00 1fA0 1a00 1fA0 1cM0 1fA0 1a00 1fA0 1a00 1fA0 1a00 1fA0 1a00 1fA0 1a00 1fA0 1cM0 1fA0 1a00 1fA0 1a00|600","Pacific/Apia|LMT -1130 -11 -10 +14 +13|bq.U bu b0 a0 -e0 -d0|01232345454545454545454545454545454545454545454545454545454|-2nDMx.4 1yW03.4 2rRbu 1ff0 1a00 CI0 AQ0 1cM0 1fA0 1a00 1fA0 1a00 1fA0 1a00 1fA0 1a00 1fA0 1a00 1fA0 1cM0 1fA0 1a00 1fA0 1a00 1fA0 1a00 1fA0 1a00 1fA0 1a00 1io0 1a00 1fA0 1a00 1fA0 1a00 1fA0 1a00 1fA0 1a00 1fA0 1cM0 1fA0 1a00 1fA0 1a00 1fA0 1a00 1fA0 1a00 1fA0 1a00 1fA0 1cM0 1fA0 1a00 1fA0 1a00|37e3","Pacific/Bougainville|+10 +09 +11|-a0 -90 -b0|0102|-16Wy0 7CN0 2MQp0|18e4","Pacific/Chuuk|+10 +09|-a0 -90|01010|-2ewy0 axB0 RVX0 axd0|49e3","Pacific/Efate|LMT +11 +12|-bd.g -b0 -c0|012121212121212121212121|-2l9nd.g 2uNXd.g Dc0 n610 1cL0 1cN0 1cL0 1fB0 19X0 1fB0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1fB0 Lz0 1Nd0 An0|66e3","Pacific/Enderbury|-12 -11 +13|c0 b0 -d0|012|nIc0 B7X0|1","Pacific/Fakaofo|-11 +13|b0 -d0|01|1Gfn0|483","Pacific/Fiji|LMT +12 +13|-bT.I -c0 -d0|0121212121212121212121212121212121212121212121212121212121212121|-2bUzT.I 3m8NT.I LA0 1EM0 IM0 nJc0 LA0 1o00 Rc0 1wo0 Ao0 1Nc0 Ao0 1Q00 xz0 1SN0 uM0 1SM0 uM0 1VA0 s00 1VA0 s00 1VA0 s00 20o0 pc0 2hc0 bc0 20o0 pc0 20o0 pc0 20o0 pc0 20o0 pc0 20o0 s00 1VA0 s00 20o0 pc0 20o0 pc0 20o0 pc0 20o0 pc0 20o0 s00 20o0 pc0 20o0 pc0 20o0 pc0 20o0 pc0 20o0 s00 1VA0 s00|88e4","Pacific/Galapagos|LMT -05 -06|5W.o 50 60|01212|-1yVS1.A 2dTz1.A gNd0 rz0|25e3","Pacific/Gambier|LMT -09|8X.M 90|01|-2jof0.c|125","Pacific/Guadalcanal|LMT +11|-aD.M -b0|01|-2joyD.M|11e4","Pacific/Guam|GST +09 GDT ChST|-a0 -90 -b0 -a0|01020202020202020203|-18jK0 6pB0 AhB0 3QL0 g2p0 3p91 WOX rX0 1zd0 Rb0 1wp0 Rb0 5xd0 rX0 5sN0 zb1 1C0X On0 ULb0|17e4","Pacific/Honolulu|HST HDT HWT HPT HST|au 9u 9u 9u a0|0102304|-1thLu 8x0 lef0 8wWu iAu 46p0|37e4","Pacific/Kiritimati|-1040 -10 +14|aE a0 -e0|012|nIaE B7Xk|51e2","Pacific/Kosrae|+11 +09 +10 +12|-b0 -90 -a0 -c0|01021030|-2ewz0 axC0 HBy0 akp0 axd0 WOK0 1bdz0|66e2","Pacific/Majuro|+11 +09 +10 +12|-b0 -90 -a0 -c0|0102103|-2ewz0 axC0 HBy0 akp0 6RB0 12um0|28e3","Pacific/Marquesas|LMT -0930|9i 9u|01|-2joeG|86e2","Pacific/Pago_Pago|LMT SST|bm.M b0|01|-2nDMB.c|37e2","Pacific/Nauru|LMT +1130 +09 +12|-b7.E -bu -90 -c0|01213|-1Xdn7.E QCnB.E 7mqu 1lnbu|10e3","Pacific/Niue|-1120 -1130 -11|bk bu b0|012|-KfME 17y0a|12e2","Pacific/Norfolk|+1112 +1130 +1230 +11 +12|-bc -bu -cu -b0 -c0|012134343434343434343434343434343434343434|-Kgbc W01G Oo0 1COo0 9Jcu 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0|25e4","Pacific/Noumea|LMT +11 +12|-b5.M -b0 -c0|01212121|-2l9n5.M 2EqM5.M xX0 1PB0 yn0 HeP0 Ao0|98e3","Pacific/Pitcairn|-0830 -08|8u 80|01|18Vku|56","Pacific/Pohnpei|+11 +09 +10|-b0 -90 -a0|010210|-2ewz0 axC0 HBy0 akp0 axd0|34e3","Pacific/Rarotonga|-1030 -0930 -10|au 9u a0|012121212121212121212121212|lyWu IL0 1zcu Onu 1zcu Onu 1zcu Rbu 1zcu Onu 1zcu Onu 1zcu Onu 1zcu Onu 1zcu Onu 1zcu Rbu 1zcu Onu 1zcu Onu 1zcu Onu|13e3","Pacific/Tahiti|LMT -10|9W.g a0|01|-2joe1.I|18e4","Pacific/Tongatapu|+1220 +13 +14|-ck -d0 -e0|0121212121|-1aB0k 2n5dk 15A0 1wo0 xz0 1Q10 xz0 zWN0 s00|75e3","PST8PDT|PST PDT PWT PPT|80 70 70 70|010102301010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010|-261q0 1nX0 11B0 1nX0 SgN0 8x10 iy0 QwN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1cN0 1cL0 1cN0 1cL0 s10 1Vz0 LB0 1BX0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 1cN0 1fz0 1a10 1fz0 1cN0 1cL0 1cN0 1cL0 1cN0 1cL0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 14p0 1lb0 14p0 1lb0 14p0 1nX0 11B0 1nX0 11B0 1nX0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Rd0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0 Op0 1zb0|","WET|WET WEST|0 -10|010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010101010|hDB0 1a00 1fA0 1cM0 1cM0 1cM0 1fA0 1a00 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1cM0 1fA0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00 11A0 1qM0 WM0 1qM0 WM0 1qM0 WM0 1qM0 11A0 1o00 11A0 1o00|"],"links":["Africa/Abidjan|Africa/Bamako","Africa/Abidjan|Africa/Banjul","Africa/Abidjan|Africa/Conakry","Africa/Abidjan|Africa/Dakar","Africa/Abidjan|Africa/Freetown","Africa/Abidjan|Africa/Lome","Africa/Abidjan|Africa/Nouakchott","Africa/Abidjan|Africa/Ouagadougou","Africa/Abidjan|Africa/Timbuktu","Africa/Abidjan|Atlantic/St_Helena","Africa/Cairo|Egypt","Africa/Johannesburg|Africa/Maseru","Africa/Johannesburg|Africa/Mbabane","Africa/Lagos|Africa/Bangui","Africa/Lagos|Africa/Brazzaville","Africa/Lagos|Africa/Douala","Africa/Lagos|Africa/Kinshasa","Africa/Lagos|Africa/Libreville","Africa/Lagos|Africa/Luanda","Africa/Lagos|Africa/Malabo","Africa/Lagos|Africa/Niamey","Africa/Lagos|Africa/Porto-Novo","Africa/Maputo|Africa/Blantyre","Africa/Maputo|Africa/Bujumbura","Africa/Maputo|Africa/Gaborone","Africa/Maputo|Africa/Harare","Africa/Maputo|Africa/Kigali","Africa/Maputo|Africa/Lubumbashi","Africa/Maputo|Africa/Lusaka","Africa/Nairobi|Africa/Addis_Ababa","Africa/Nairobi|Africa/Asmara","Africa/Nairobi|Africa/Asmera","Africa/Nairobi|Africa/Dar_es_Salaam","Africa/Nairobi|Africa/Djibouti","Africa/Nairobi|Africa/Kampala","Africa/Nairobi|Africa/Mogadishu","Africa/Nairobi|Indian/Antananarivo","Africa/Nairobi|Indian/Comoro","Africa/Nairobi|Indian/Mayotte","Africa/Tripoli|Libya","America/Adak|America/Atka","America/Adak|US/Aleutian","America/Anchorage|US/Alaska","America/Argentina/Buenos_Aires|America/Buenos_Aires","America/Argentina/Catamarca|America/Argentina/ComodRivadavia","America/Argentina/Catamarca|America/Catamarca","America/Argentina/Cordoba|America/Cordoba","America/Argentina/Cordoba|America/Rosario","America/Argentina/Jujuy|America/Jujuy","America/Argentina/Mendoza|America/Mendoza","America/Atikokan|America/Coral_Harbour","America/Chicago|US/Central","America/Curacao|America/Aruba","America/Curacao|America/Kralendijk","America/Curacao|America/Lower_Princes","America/Denver|America/Shiprock","America/Denver|Navajo","America/Denver|US/Mountain","America/Detroit|US/Michigan","America/Edmonton|Canada/Mountain","America/Fort_Wayne|America/Indiana/Indianapolis","America/Fort_Wayne|America/Indianapolis","America/Fort_Wayne|US/East-Indiana","America/Godthab|America/Nuuk","America/Halifax|Canada/Atlantic","America/Havana|Cuba","America/Indiana/Knox|America/Knox_IN","America/Indiana/Knox|US/Indiana-Starke","America/Jamaica|Jamaica","America/Kentucky/Louisville|America/Louisville","America/Los_Angeles|US/Pacific","America/Manaus|Brazil/West","America/Mazatlan|Mexico/BajaSur","America/Mexico_City|Mexico/General","America/New_York|US/Eastern","America/Noronha|Brazil/DeNoronha","America/Panama|America/Cayman","America/Phoenix|US/Arizona","America/Port_of_Spain|America/Anguilla","America/Port_of_Spain|America/Antigua","America/Port_of_Spain|America/Dominica","America/Port_of_Spain|America/Grenada","America/Port_of_Spain|America/Guadeloupe","America/Port_of_Spain|America/Marigot","America/Port_of_Spain|America/Montserrat","America/Port_of_Spain|America/St_Barthelemy","America/Port_of_Spain|America/St_Kitts","America/Port_of_Spain|America/St_Lucia","America/Port_of_Spain|America/St_Thomas","America/Port_of_Spain|America/St_Vincent","America/Port_of_Spain|America/Tortola","America/Port_of_Spain|America/Virgin","America/Regina|Canada/Saskatchewan","America/Rio_Branco|America/Porto_Acre","America/Rio_Branco|Brazil/Acre","America/Santiago|Chile/Continental","America/Sao_Paulo|Brazil/East","America/St_Johns|Canada/Newfoundland","America/Tijuana|America/Ensenada","America/Tijuana|America/Santa_Isabel","America/Tijuana|Mexico/BajaNorte","America/Toronto|America/Montreal","America/Toronto|Canada/Eastern","America/Vancouver|Canada/Pacific","America/Whitehorse|Canada/Yukon","America/Winnipeg|Canada/Central","Asia/Ashgabat|Asia/Ashkhabad","Asia/Bangkok|Asia/Phnom_Penh","Asia/Bangkok|Asia/Vientiane","Asia/Dhaka|Asia/Dacca","Asia/Dubai|Asia/Muscat","Asia/Ho_Chi_Minh|Asia/Saigon","Asia/Hong_Kong|Hongkong","Asia/Jerusalem|Asia/Tel_Aviv","Asia/Jerusalem|Israel","Asia/Kathmandu|Asia/Katmandu","Asia/Kolkata|Asia/Calcutta","Asia/Kuala_Lumpur|Asia/Singapore","Asia/Kuala_Lumpur|Singapore","Asia/Macau|Asia/Macao","Asia/Makassar|Asia/Ujung_Pandang","Asia/Nicosia|Europe/Nicosia","Asia/Qatar|Asia/Bahrain","Asia/Rangoon|Asia/Yangon","Asia/Riyadh|Asia/Aden","Asia/Riyadh|Asia/Kuwait","Asia/Seoul|ROK","Asia/Shanghai|Asia/Chongqing","Asia/Shanghai|Asia/Chungking","Asia/Shanghai|Asia/Harbin","Asia/Shanghai|PRC","Asia/Taipei|ROC","Asia/Tehran|Iran","Asia/Thimphu|Asia/Thimbu","Asia/Tokyo|Japan","Asia/Ulaanbaatar|Asia/Ulan_Bator","Asia/Urumqi|Asia/Kashgar","Atlantic/Faroe|Atlantic/Faeroe","Atlantic/Reykjavik|Iceland","Atlantic/South_Georgia|Etc/GMT+2","Australia/Adelaide|Australia/South","Australia/Brisbane|Australia/Queensland","Australia/Broken_Hill|Australia/Yancowinna","Australia/Darwin|Australia/North","Australia/Hobart|Australia/Currie","Australia/Hobart|Australia/Tasmania","Australia/Lord_Howe|Australia/LHI","Australia/Melbourne|Australia/Victoria","Australia/Perth|Australia/West","Australia/Sydney|Australia/ACT","Australia/Sydney|Australia/Canberra","Australia/Sydney|Australia/NSW","Etc/GMT-0|Etc/GMT","Etc/GMT-0|Etc/GMT+0","Etc/GMT-0|Etc/GMT0","Etc/GMT-0|Etc/Greenwich","Etc/GMT-0|GMT","Etc/GMT-0|GMT+0","Etc/GMT-0|GMT-0","Etc/GMT-0|GMT0","Etc/GMT-0|Greenwich","Etc/UTC|Etc/UCT","Etc/UTC|Etc/Universal","Etc/UTC|Etc/Zulu","Etc/UTC|UCT","Etc/UTC|UTC","Etc/UTC|Universal","Etc/UTC|Zulu","Europe/Belgrade|Europe/Ljubljana","Europe/Belgrade|Europe/Podgorica","Europe/Belgrade|Europe/Sarajevo","Europe/Belgrade|Europe/Skopje","Europe/Belgrade|Europe/Zagreb","Europe/Chisinau|Europe/Tiraspol","Europe/Dublin|Eire","Europe/Helsinki|Europe/Mariehamn","Europe/Istanbul|Asia/Istanbul","Europe/Istanbul|Turkey","Europe/Lisbon|Portugal","Europe/London|Europe/Belfast","Europe/London|Europe/Guernsey","Europe/London|Europe/Isle_of_Man","Europe/London|Europe/Jersey","Europe/London|GB","Europe/London|GB-Eire","Europe/Moscow|W-SU","Europe/Oslo|Arctic/Longyearbyen","Europe/Oslo|Atlantic/Jan_Mayen","Europe/Prague|Europe/Bratislava","Europe/Rome|Europe/San_Marino","Europe/Rome|Europe/Vatican","Europe/Warsaw|Poland","Europe/Zurich|Europe/Busingen","Europe/Zurich|Europe/Vaduz","Indian/Christmas|Etc/GMT-7","Pacific/Auckland|Antarctica/McMurdo","Pacific/Auckland|Antarctica/South_Pole","Pacific/Auckland|NZ","Pacific/Chatham|NZ-CHAT","Pacific/Chuuk|Pacific/Truk","Pacific/Chuuk|Pacific/Yap","Pacific/Easter|Chile/EasterIsland","Pacific/Guam|Pacific/Saipan","Pacific/Honolulu|Pacific/Johnston","Pacific/Honolulu|US/Hawaii","Pacific/Kwajalein|Kwajalein","Pacific/Pago_Pago|Pacific/Midway","Pacific/Pago_Pago|Pacific/Samoa","Pacific/Pago_Pago|US/Samoa","Pacific/Palau|Etc/GMT-9","Pacific/Pohnpei|Pacific/Ponape","Pacific/Port_Moresby|Etc/GMT-10","Pacific/Tarawa|Etc/GMT-12","Pacific/Tarawa|Pacific/Funafuti","Pacific/Tarawa|Pacific/Wake","Pacific/Tarawa|Pacific/Wallis"],"countries":["AD|Europe/Andorra","AE|Asia/Dubai","AF|Asia/Kabul","AG|America/Port_of_Spain America/Antigua","AI|America/Port_of_Spain America/Anguilla","AL|Europe/Tirane","AM|Asia/Yerevan","AO|Africa/Lagos Africa/Luanda","AQ|Antarctica/Casey Antarctica/Davis Antarctica/DumontDUrville Antarctica/Mawson Antarctica/Palmer Antarctica/Rothera Antarctica/Syowa Antarctica/Troll Antarctica/Vostok Pacific/Auckland Antarctica/McMurdo","AR|America/Argentina/Buenos_Aires America/Argentina/Cordoba America/Argentina/Salta America/Argentina/Jujuy America/Argentina/Tucuman America/Argentina/Catamarca America/Argentina/La_Rioja America/Argentina/San_Juan America/Argentina/Mendoza America/Argentina/San_Luis America/Argentina/Rio_Gallegos America/Argentina/Ushuaia","AS|Pacific/Pago_Pago","AT|Europe/Vienna","AU|Australia/Lord_Howe Antarctica/Macquarie Australia/Hobart Australia/Currie Australia/Melbourne Australia/Sydney Australia/Broken_Hill Australia/Brisbane Australia/Lindeman Australia/Adelaide Australia/Darwin Australia/Perth Australia/Eucla","AW|America/Curacao America/Aruba","AX|Europe/Helsinki Europe/Mariehamn","AZ|Asia/Baku","BA|Europe/Belgrade Europe/Sarajevo","BB|America/Barbados","BD|Asia/Dhaka","BE|Europe/Brussels","BF|Africa/Abidjan Africa/Ouagadougou","BG|Europe/Sofia","BH|Asia/Qatar Asia/Bahrain","BI|Africa/Maputo Africa/Bujumbura","BJ|Africa/Lagos Africa/Porto-Novo","BL|America/Port_of_Spain America/St_Barthelemy","BM|Atlantic/Bermuda","BN|Asia/Brunei","BO|America/La_Paz","BQ|America/Curacao America/Kralendijk","BR|America/Noronha America/Belem America/Fortaleza America/Recife America/Araguaina America/Maceio America/Bahia America/Sao_Paulo America/Campo_Grande America/Cuiaba America/Santarem America/Porto_Velho America/Boa_Vista America/Manaus America/Eirunepe America/Rio_Branco","BS|America/Nassau","BT|Asia/Thimphu","BW|Africa/Maputo Africa/Gaborone","BY|Europe/Minsk","BZ|America/Belize","CA|America/St_Johns America/Halifax America/Glace_Bay America/Moncton America/Goose_Bay America/Blanc-Sablon America/Toronto America/Nipigon America/Thunder_Bay America/Iqaluit America/Pangnirtung America/Atikokan America/Winnipeg America/Rainy_River America/Resolute America/Rankin_Inlet America/Regina America/Swift_Current America/Edmonton America/Cambridge_Bay America/Yellowknife America/Inuvik America/Creston America/Dawson_Creek America/Fort_Nelson America/Vancouver America/Whitehorse America/Dawson","CC|Indian/Cocos","CD|Africa/Maputo Africa/Lagos Africa/Kinshasa Africa/Lubumbashi","CF|Africa/Lagos Africa/Bangui","CG|Africa/Lagos Africa/Brazzaville","CH|Europe/Zurich","CI|Africa/Abidjan","CK|Pacific/Rarotonga","CL|America/Santiago America/Punta_Arenas Pacific/Easter","CM|Africa/Lagos Africa/Douala","CN|Asia/Shanghai Asia/Urumqi","CO|America/Bogota","CR|America/Costa_Rica","CU|America/Havana","CV|Atlantic/Cape_Verde","CW|America/Curacao","CX|Indian/Christmas","CY|Asia/Nicosia Asia/Famagusta","CZ|Europe/Prague","DE|Europe/Zurich Europe/Berlin Europe/Busingen","DJ|Africa/Nairobi Africa/Djibouti","DK|Europe/Copenhagen","DM|America/Port_of_Spain America/Dominica","DO|America/Santo_Domingo","DZ|Africa/Algiers","EC|America/Guayaquil Pacific/Galapagos","EE|Europe/Tallinn","EG|Africa/Cairo","EH|Africa/El_Aaiun","ER|Africa/Nairobi Africa/Asmara","ES|Europe/Madrid Africa/Ceuta Atlantic/Canary","ET|Africa/Nairobi Africa/Addis_Ababa","FI|Europe/Helsinki","FJ|Pacific/Fiji","FK|Atlantic/Stanley","FM|Pacific/Chuuk Pacific/Pohnpei Pacific/Kosrae","FO|Atlantic/Faroe","FR|Europe/Paris","GA|Africa/Lagos Africa/Libreville","GB|Europe/London","GD|America/Port_of_Spain America/Grenada","GE|Asia/Tbilisi","GF|America/Cayenne","GG|Europe/London Europe/Guernsey","GH|Africa/Accra","GI|Europe/Gibraltar","GL|America/Nuuk America/Danmarkshavn America/Scoresbysund America/Thule","GM|Africa/Abidjan Africa/Banjul","GN|Africa/Abidjan Africa/Conakry","GP|America/Port_of_Spain America/Guadeloupe","GQ|Africa/Lagos Africa/Malabo","GR|Europe/Athens","GS|Atlantic/South_Georgia","GT|America/Guatemala","GU|Pacific/Guam","GW|Africa/Bissau","GY|America/Guyana","HK|Asia/Hong_Kong","HN|America/Tegucigalpa","HR|Europe/Belgrade Europe/Zagreb","HT|America/Port-au-Prince","HU|Europe/Budapest","ID|Asia/Jakarta Asia/Pontianak Asia/Makassar Asia/Jayapura","IE|Europe/Dublin","IL|Asia/Jerusalem","IM|Europe/London Europe/Isle_of_Man","IN|Asia/Kolkata","IO|Indian/Chagos","IQ|Asia/Baghdad","IR|Asia/Tehran","IS|Atlantic/Reykjavik","IT|Europe/Rome","JE|Europe/London Europe/Jersey","JM|America/Jamaica","JO|Asia/Amman","JP|Asia/Tokyo","KE|Africa/Nairobi","KG|Asia/Bishkek","KH|Asia/Bangkok Asia/Phnom_Penh","KI|Pacific/Tarawa Pacific/Enderbury Pacific/Kiritimati","KM|Africa/Nairobi Indian/Comoro","KN|America/Port_of_Spain America/St_Kitts","KP|Asia/Pyongyang","KR|Asia/Seoul","KW|Asia/Riyadh Asia/Kuwait","KY|America/Panama America/Cayman","KZ|Asia/Almaty Asia/Qyzylorda Asia/Qostanay Asia/Aqtobe Asia/Aqtau Asia/Atyrau Asia/Oral","LA|Asia/Bangkok Asia/Vientiane","LB|Asia/Beirut","LC|America/Port_of_Spain America/St_Lucia","LI|Europe/Zurich Europe/Vaduz","LK|Asia/Colombo","LR|Africa/Monrovia","LS|Africa/Johannesburg Africa/Maseru","LT|Europe/Vilnius","LU|Europe/Luxembourg","LV|Europe/Riga","LY|Africa/Tripoli","MA|Africa/Casablanca","MC|Europe/Monaco","MD|Europe/Chisinau","ME|Europe/Belgrade Europe/Podgorica","MF|America/Port_of_Spain America/Marigot","MG|Africa/Nairobi Indian/Antananarivo","MH|Pacific/Majuro Pacific/Kwajalein","MK|Europe/Belgrade Europe/Skopje","ML|Africa/Abidjan Africa/Bamako","MM|Asia/Yangon","MN|Asia/Ulaanbaatar Asia/Hovd Asia/Choibalsan","MO|Asia/Macau","MP|Pacific/Guam Pacific/Saipan","MQ|America/Martinique","MR|Africa/Abidjan Africa/Nouakchott","MS|America/Port_of_Spain America/Montserrat","MT|Europe/Malta","MU|Indian/Mauritius","MV|Indian/Maldives","MW|Africa/Maputo Africa/Blantyre","MX|America/Mexico_City America/Cancun America/Merida America/Monterrey America/Matamoros America/Mazatlan America/Chihuahua America/Ojinaga America/Hermosillo America/Tijuana America/Bahia_Banderas","MY|Asia/Kuala_Lumpur Asia/Kuching","MZ|Africa/Maputo","NA|Africa/Windhoek","NC|Pacific/Noumea","NE|Africa/Lagos Africa/Niamey","NF|Pacific/Norfolk","NG|Africa/Lagos","NI|America/Managua","NL|Europe/Amsterdam","NO|Europe/Oslo","NP|Asia/Kathmandu","NR|Pacific/Nauru","NU|Pacific/Niue","NZ|Pacific/Auckland Pacific/Chatham","OM|Asia/Dubai Asia/Muscat","PA|America/Panama","PE|America/Lima","PF|Pacific/Tahiti Pacific/Marquesas Pacific/Gambier","PG|Pacific/Port_Moresby Pacific/Bougainville","PH|Asia/Manila","PK|Asia/Karachi","PL|Europe/Warsaw","PM|America/Miquelon","PN|Pacific/Pitcairn","PR|America/Puerto_Rico","PS|Asia/Gaza Asia/Hebron","PT|Europe/Lisbon Atlantic/Madeira Atlantic/Azores","PW|Pacific/Palau","PY|America/Asuncion","QA|Asia/Qatar","RE|Indian/Reunion","RO|Europe/Bucharest","RS|Europe/Belgrade","RU|Europe/Kaliningrad Europe/Moscow Europe/Simferopol Europe/Kirov Europe/Astrakhan Europe/Volgograd Europe/Saratov Europe/Ulyanovsk Europe/Samara Asia/Yekaterinburg Asia/Omsk Asia/Novosibirsk Asia/Barnaul Asia/Tomsk Asia/Novokuznetsk Asia/Krasnoyarsk Asia/Irkutsk Asia/Chita Asia/Yakutsk Asia/Khandyga Asia/Vladivostok Asia/Ust-Nera Asia/Magadan Asia/Sakhalin Asia/Srednekolymsk Asia/Kamchatka Asia/Anadyr","RW|Africa/Maputo Africa/Kigali","SA|Asia/Riyadh","SB|Pacific/Guadalcanal","SC|Indian/Mahe","SD|Africa/Khartoum","SE|Europe/Stockholm","SG|Asia/Singapore","SH|Africa/Abidjan Atlantic/St_Helena","SI|Europe/Belgrade Europe/Ljubljana","SJ|Europe/Oslo Arctic/Longyearbyen","SK|Europe/Prague Europe/Bratislava","SL|Africa/Abidjan Africa/Freetown","SM|Europe/Rome Europe/San_Marino","SN|Africa/Abidjan Africa/Dakar","SO|Africa/Nairobi Africa/Mogadishu","SR|America/Paramaribo","SS|Africa/Juba","ST|Africa/Sao_Tome","SV|America/El_Salvador","SX|America/Curacao America/Lower_Princes","SY|Asia/Damascus","SZ|Africa/Johannesburg Africa/Mbabane","TC|America/Grand_Turk","TD|Africa/Ndjamena","TF|Indian/Reunion Indian/Kerguelen","TG|Africa/Abidjan Africa/Lome","TH|Asia/Bangkok","TJ|Asia/Dushanbe","TK|Pacific/Fakaofo","TL|Asia/Dili","TM|Asia/Ashgabat","TN|Africa/Tunis","TO|Pacific/Tongatapu","TR|Europe/Istanbul","TT|America/Port_of_Spain","TV|Pacific/Funafuti","TW|Asia/Taipei","TZ|Africa/Nairobi Africa/Dar_es_Salaam","UA|Europe/Simferopol Europe/Kiev Europe/Uzhgorod Europe/Zaporozhye","UG|Africa/Nairobi Africa/Kampala","UM|Pacific/Pago_Pago Pacific/Wake Pacific/Honolulu Pacific/Midway","US|America/New_York America/Detroit America/Kentucky/Louisville America/Kentucky/Monticello America/Indiana/Indianapolis America/Indiana/Vincennes America/Indiana/Winamac America/Indiana/Marengo America/Indiana/Petersburg America/Indiana/Vevay America/Chicago America/Indiana/Tell_City America/Indiana/Knox America/Menominee America/North_Dakota/Center America/North_Dakota/New_Salem America/North_Dakota/Beulah America/Denver America/Boise America/Phoenix America/Los_Angeles America/Anchorage America/Juneau America/Sitka America/Metlakatla America/Yakutat America/Nome America/Adak Pacific/Honolulu","UY|America/Montevideo","UZ|Asia/Samarkand Asia/Tashkent","VA|Europe/Rome Europe/Vatican","VC|America/Port_of_Spain America/St_Vincent","VE|America/Caracas","VG|America/Port_of_Spain America/Tortola","VI|America/Port_of_Spain America/St_Thomas","VN|Asia/Bangkok Asia/Ho_Chi_Minh","VU|Pacific/Efate","WF|Pacific/Wallis","WS|Pacific/Apia","YE|Asia/Riyadh Asia/Aden","YT|Africa/Nairobi Indian/Mayotte","ZA|Africa/Johannesburg","ZM|Africa/Maputo Africa/Lusaka","ZW|Africa/Maputo Africa/Harare"]}')}},t={};function n(r){var o=t[r];if(void 0!==o)return o.exports;var a=t[r]={id:r,loaded:!1,exports:{}};return e[r].call(a.exports,a,a.exports,n),a.loaded=!0,a.exports}n.n=e=>{var t=e&&e.__esModule?()=>e.default:()=>e;return n.d(t,{a:t}),t},n.d=(e,t)=>{for(var r in t)n.o(t,r)&&!n.o(e,r)&&Object.defineProperty(e,r,{enumerable:!0,get:t[r]})},n.g=function(){if("object"==typeof globalThis)return globalThis;try{return this||new Function("return this")()}catch(e){if("object"==typeof window)return window}}(),n.o=(e,t)=>Object.prototype.hasOwnProperty.call(e,t),n.r=e=>{"undefined"!=typeof Symbol&&Symbol.toStringTag&&Object.defineProperty(e,Symbol.toStringTag,{value:"Module"}),Object.defineProperty(e,"__esModule",{value:!0})},n.nmd=e=>(e.paths=[],e.children||(e.children=[]),e),(()=>{"use strict";var e={};n.r(e),n.d(e,{getCachedResolvers:()=>jt,getIsResolving:()=>Wt,hasFinishedResolution:()=>Ht,hasStartedResolution:()=>Yt,isResolving:()=>qt});var t={};n.r(t),n.d(t,{finishResolution:()=>Vt,finishResolutions:()=>Ut,invalidateResolution:()=>$t,invalidateResolutionForStore:()=>Kt,invalidateResolutionForStoreSelector:()=>Gt,startResolution:()=>Ft,startResolutions:()=>Xt});var r={};n.r(r),n.d(r,{getActiveBlockVariation:()=>kr,getBlockStyles:()=>_r,getBlockSupport:()=>zr,getBlockType:()=>vr,getBlockTypes:()=>yr,getBlockVariations:()=>Mr,getCategories:()=>Er,getChildBlockNames:()=>xr,getCollections:()=>Lr,getDefaultBlockName:()=>Ar,getDefaultBlockVariation:()=>wr,getFreeformFallbackBlockName:()=>Sr,getGroupingBlockName:()=>Tr,getUnregisteredFallbackBlockName:()=>Cr,hasBlockSupport:()=>Or,hasChildBlocks:()=>Dr,hasChildBlocksWithInserterSupport:()=>Br,isMatchingSearchTerm:()=>Nr});var o={};n.r(o),n.d(o,{addBlockCollection:()=>$r,addBlockStyles:()=>Rr,addBlockTypes:()=>Ir,addBlockVariations:()=>Yr,removeBlockCollection:()=>Kr,removeBlockStyles:()=>Wr,removeBlockTypes:()=>Pr,removeBlockVariations:()=>Hr,setCategories:()=>Xr,setDefaultBlockName:()=>qr,setFreeformFallbackBlockName:()=>jr,setGroupingBlockName:()=>Vr,setUnregisteredFallbackBlockName:()=>Fr,updateCategory:()=>Ur});var a={};n.r(a),n.d(a,{__unstableAcquireStoreLock:()=>lc,__unstableEnqueueLockRequest:()=>cc,__unstableProcessPendingLockRequests:()=>dc,__unstableReleaseStoreLock:()=>uc});var i={};n.r(i),n.d(i,{__experimentalBatch:()=>Tc,__experimentalSaveSpecifiedEntityEdits:()=>zc,__unstableCreateUndoLevel:()=>Sc,addEntities:()=>yc,deleteEntityRecord:()=>wc,editEntityRecord:()=>Ec,receiveAutosaves:()=>Dc,receiveCurrentTheme:()=>_c,receiveCurrentUser:()=>bc,receiveEmbedPreview:()=>kc,receiveEntityRecords:()=>vc,receiveThemeSupports:()=>Mc,receiveUploadPermissions:()=>Oc,receiveUserPermission:()=>Nc,receiveUserQuery:()=>gc,redo:()=>Ac,saveEditedEntityRecord:()=>xc,saveEntityRecord:()=>Cc,undo:()=>Lc});var s={};n.r(s),n.d(s,{__experimentalGetDirtyEntityRecords:()=>gu,__experimentalGetEntitiesBeingSaved:()=>bu,__experimentalGetEntityRecordNoResolver:()=>pu,__experimentalGetTemplateForLink:()=>qu,__unstableGetAuthor:()=>iu,canUser:()=>Iu,canUserEditEntityRecord:()=>Pu,getAuthors:()=>au,getAutosave:()=>Wu,getAutosaves:()=>Ru,getCurrentTheme:()=>Ou,getCurrentUser:()=>su,getEditedEntityRecord:()=>Mu,getEmbedPreview:()=>Du,getEntitiesByKind:()=>cu,getEntity:()=>uu,getEntityRecord:()=>du,getEntityRecordEdits:()=>yu,getEntityRecordNonTransientEdits:()=>vu,getEntityRecords:()=>fu,getLastEntityDeleteError:()=>Au,getLastEntitySaveError:()=>Lu,getRawEntityRecord:()=>mu,getRedoEdit:()=>Tu,getReferenceByDistinctEdits:()=>Hu,getThemeSupports:()=>Nu,getUndoEdit:()=>Cu,getUserQueryResults:()=>lu,hasEditsForEntityRecord:()=>_u,hasEntityRecords:()=>hu,hasFetchedAutosaves:()=>Yu,hasRedo:()=>zu,hasUndo:()=>xu,isAutosavingEntityRecord:()=>ku,isDeletingEntityRecord:()=>Eu,isPreviewEmbedFallback:()=>Bu,isRequestingEmbedPreview:()=>ou,isSavingEntityRecord:()=>wu});var l={};n.r(l),n.d(l,{__experimentalGetTemplateForLink:()=>od,__unstableGetAuthor:()=>Vu,canUser:()=>ed,canUserEditEntityRecord:()=>td,getAuthors:()=>Fu,getAutosave:()=>rd,getAutosaves:()=>nd,getCurrentTheme:()=>Ju,getCurrentUser:()=>Xu,getEditedEntityRecord:()=>Ku,getEmbedPreview:()=>Qu,getEntityRecord:()=>Uu,getEntityRecords:()=>Gu,getRawEntityRecord:()=>$u,getThemeSupports:()=>Zu});var c={};n.r(c),n.d(c,{__unstableGetPendingLockRequests:()=>ad,__unstableIsLockAvailable:()=>id});var u={};n.r(u),n.d(u,{find:()=>zm});var d={};n.r(d),n.d(d,{find:()=>Rm,findNext:()=>Ym,findPrevious:()=>Wm,isTabbableIndex:()=>Nm});var p={};n.r(p),n.d(p,{__experimentalGetActiveBlockIdByBlockNames:()=>yv,__experimentalGetAllowedBlocks:()=>Zy,__experimentalGetAllowedPatterns:()=>tv,__experimentalGetBlockListSettingsForBlocks:()=>sv,__experimentalGetLastBlockAttributeChanges:()=>dv,__experimentalGetParsedPattern:()=>Qy,__experimentalGetParsedReusableBlock:()=>lv,__experimentalGetPatternTransformItems:()=>rv,__experimentalGetPatternsByBlockTypes:()=>nv,__experimentalGetReusableBlockTitle:()=>cv,__unstableGetBlockTree:()=>Wb,__unstableGetBlockWithBlockTree:()=>Rb,__unstableGetBlockWithoutInnerBlocks:()=>Ib,__unstableGetClientIdWithClientIdsTree:()=>Yb,__unstableGetClientIdsTree:()=>Hb,__unstableIsLastBlockChangeIgnored:()=>uv,areInnerBlocksControlled:()=>bv,canInsertBlockType:()=>qy,canInsertBlocks:()=>jy,didAutomaticChange:()=>fv,getAdjacentBlockClientId:()=>iy,getBlock:()=>Bb,getBlockAttributes:()=>Db,getBlockCount:()=>Xb,getBlockHierarchyRootClientId:()=>oy,getBlockIndex:()=>My,getBlockInsertionPoint:()=>By,getBlockListSettings:()=>ov,getBlockMode:()=>Cy,getBlockName:()=>Ob,getBlockOrder:()=>_y,getBlockParents:()=>ny,getBlockParentsByBlockName:()=>ry,getBlockRootClientId:()=>ty,getBlockSelectionEnd:()=>Gb,getBlockSelectionStart:()=>Kb,getBlockTransformItems:()=>Gy,getBlocks:()=>Pb,getBlocksByClientId:()=>Vb,getClientIdsOfDescendants:()=>qb,getClientIdsWithDescendants:()=>jb,getDraggedBlockClientIds:()=>zy,getFirstMultiSelectedBlockClientId:()=>my,getGlobalBlockCount:()=>Fb,getInserterItems:()=>Ky,getLastMultiSelectedBlockClientId:()=>hy,getLowestCommonAncestorWithSelectedBlock:()=>ay,getMultiSelectedBlockClientIds:()=>dy,getMultiSelectedBlocks:()=>py,getMultiSelectedBlocksEndClientId:()=>vy,getMultiSelectedBlocksStartClientId:()=>yy,getNextBlockClientId:()=>ly,getPreviousBlockClientId:()=>sy,getSelectedBlock:()=>ey,getSelectedBlockClientId:()=>Qb,getSelectedBlockClientIds:()=>uy,getSelectedBlockCount:()=>Jb,getSelectedBlocksInitialCaretPosition:()=>cy,getSelectionEnd:()=>$b,getSelectionStart:()=>Ub,getSettings:()=>av,getTemplate:()=>Ry,getTemplateLock:()=>Wy,hasBlockMovingClientId:()=>hv,hasInserterItems:()=>Jy,hasMultiSelection:()=>Ly,hasSelectedBlock:()=>Zb,hasSelectedInnerBlock:()=>wy,isAncestorBeingDragged:()=>Ny,isAncestorMultiSelected:()=>by,isBlockBeingDragged:()=>Oy,isBlockHighlighted:()=>gv,isBlockInsertionPointVisible:()=>Iy,isBlockMultiSelected:()=>gy,isBlockSelected:()=>ky,isBlockValid:()=>Nb,isBlockWithinSelection:()=>Ey,isCaretWithinFormattedText:()=>Dy,isDraggingBlocks:()=>xy,isFirstMultiSelectedBlock:()=>fy,isLastBlockChangePersistent:()=>iv,isMultiSelecting:()=>Ay,isNavigationMode:()=>mv,isSelectionEnabled:()=>Sy,isTyping:()=>Ty,isValidTemplate:()=>Py,wasBlockJustInserted:()=>vv});var m={};n.r(m),n.d(m,{getFormatType:()=>Av,getFormatTypeForBareElement:()=>Sv,getFormatTypeForClassName:()=>Cv,getFormatTypes:()=>Lv});var h={};n.r(h),n.d(h,{addFormatTypes:()=>Tv,removeFormatTypes:()=>xv});var f={};n.r(f),n.d(f,{__unstableMarkAutomaticChange:()=>tk,__unstableMarkAutomaticChangeFinal:()=>nk,__unstableMarkLastChangeAsPersistent:()=>QM,__unstableMarkNextChangeAsNotPersistent:()=>ek,__unstableSaveReusableBlock:()=>ZM,clearSelectedBlock:()=>MM,duplicateBlocks:()=>ak,enterFormattedText:()=>XM,exitFormattedText:()=>UM,flashBlock:()=>ck,hideInsertionPoint:()=>DM,insertAfterBlock:()=>sk,insertBeforeBlock:()=>ik,insertBlock:()=>zM,insertBlocks:()=>OM,insertDefaultBlock:()=>KM,mergeBlocks:()=>PM,moveBlockToPosition:()=>xM,moveBlocksDown:()=>SM,moveBlocksToPosition:()=>TM,moveBlocksUp:()=>CM,multiSelect:()=>_M,receiveBlocks:()=>pM,removeBlock:()=>WM,removeBlocks:()=>RM,replaceBlock:()=>LM,replaceBlocks:()=>EM,replaceInnerBlocks:()=>YM,resetBlocks:()=>cM,resetSelection:()=>dM,selectBlock:()=>fM,selectNextBlock:()=>bM,selectPreviousBlock:()=>gM,selectionChange:()=>$M,setBlockMovingClientId:()=>ok,setHasControlledInnerBlocks:()=>uk,setNavigationMode:()=>rk,setTemplateValidity:()=>BM,showInsertionPoint:()=>NM,startDraggingBlocks:()=>FM,startMultiSelect:()=>yM,startTyping:()=>qM,stopDraggingBlocks:()=>VM,stopMultiSelect:()=>vM,stopTyping:()=>jM,synchronizeTemplate:()=>IM,toggleBlockHighlight:()=>lk,toggleBlockMode:()=>HM,toggleSelection:()=>kM,updateBlock:()=>hM,updateBlockAttributes:()=>mM,updateBlockListSettings:()=>GM,updateSettings:()=>JM,validateBlocksToTemplate:()=>uM});var g={};n.r(g),n.d(g,{Text:()=>Iw,block:()=>Pw,destructive:()=>Ww,highlighterText:()=>Hw,muted:()=>Yw,positive:()=>Rw,upperCase:()=>qw});var b={};n.r(b),n.d(b,{registerShortcut:()=>EI,unregisterShortcut:()=>LI});var y={};n.r(y),n.d(y,{getAllShortcutKeyCombinations:()=>NI,getAllShortcutRawKeyCombinations:()=>DI,getCategoryShortcuts:()=>BI,getShortcutAliases:()=>OI,getShortcutDescription:()=>zI,getShortcutKeyCombination:()=>TI,getShortcutRepresentation:()=>xI});var v={};n.r(v),n.d(v,{createErrorNotice:()=>ZI,createInfoNotice:()=>JI,createNotice:()=>KI,createSuccessNotice:()=>GI,createWarningNotice:()=>QI,removeNotice:()=>eP});var _={};n.r(_),n.d(_,{getNotices:()=>nP});var M={};n.r(M),n.d(M,{__experimentalGetDefaultTemplatePartAreas:()=>UU,__experimentalGetDefaultTemplateType:()=>$U,__experimentalGetDefaultTemplateTypes:()=>XU,__experimentalGetTemplateInfo:()=>KU,__unstableGetBlockWithoutInnerBlocks:()=>QX,__unstableIsEditorReady:()=>jX,canInsertBlockType:()=>qU,canUserUseUnfilteredHTML:()=>PX,didPostSaveRequestFail:()=>vX,didPostSaveRequestSucceed:()=>yX,getActivePostLock:()=>IX,getAdjacentBlockClientId:()=>mU,getAutosave:()=>pX,getAutosaveAttribute:()=>rX,getBlock:()=>JX,getBlockAttributes:()=>GX,getBlockCount:()=>oU,getBlockHierarchyRootClientId:()=>pU,getBlockIndex:()=>SU,getBlockInsertionPoint:()=>PU,getBlockListSettings:()=>VU,getBlockMode:()=>DU,getBlockName:()=>$X,getBlockOrder:()=>AU,getBlockRootClientId:()=>dU,getBlockSelectionEnd:()=>iU,getBlockSelectionStart:()=>aU,getBlocks:()=>ZX,getBlocksByClientId:()=>rU,getBlocksForSerialization:()=>EX,getClientIdsOfDescendants:()=>eU,getClientIdsWithDescendants:()=>tU,getCurrentPost:()=>$V,getCurrentPostAttribute:()=>tX,getCurrentPostId:()=>GV,getCurrentPostLastRevisionId:()=>ZV,getCurrentPostRevisionsCount:()=>JV,getCurrentPostType:()=>KV,getEditedPostAttribute:()=>nX,getEditedPostContent:()=>LX,getEditedPostPreviewLink:()=>kX,getEditedPostSlug:()=>TX,getEditedPostVisibility:()=>oX,getEditorBlocks:()=>WX,getEditorSelection:()=>qX,getEditorSelectionEnd:()=>HX,getEditorSelectionStart:()=>YX,getEditorSettings:()=>FX,getFirstMultiSelectedBlockClientId:()=>vU,getGlobalBlockCount:()=>nU,getInserterItems:()=>jU,getLastMultiSelectedBlockClientId:()=>_U,getMultiSelectedBlockClientIds:()=>bU,getMultiSelectedBlocks:()=>yU,getMultiSelectedBlocksEndClientId:()=>LU,getMultiSelectedBlocksStartClientId:()=>EU,getNextBlockClientId:()=>fU,getPermalink:()=>CX,getPermalinkParts:()=>xX,getPostEdits:()=>QV,getPostLockUser:()=>BX,getPostTypeLabel:()=>GU,getPreviousBlockClientId:()=>hU,getReferenceByDistinctEdits:()=>eX,getSelectedBlock:()=>uU,getSelectedBlockClientId:()=>cU,getSelectedBlockCount:()=>sU,getSelectedBlocksInitialCaretPosition:()=>gU,getStateBeforeOptimisticTransaction:()=>VX,getSuggestedPostFormat:()=>wX,getTemplate:()=>YU,getTemplateLock:()=>HU,hasAutosave:()=>mX,hasChangedContent:()=>FV,hasEditorRedo:()=>qV,hasEditorUndo:()=>HV,hasInserterItems:()=>FU,hasMultiSelection:()=>zU,hasNonPostEntityChanges:()=>XV,hasSelectedBlock:()=>lU,hasSelectedInnerBlock:()=>TU,inSomeHistory:()=>XX,isAncestorMultiSelected:()=>wU,isAutosavingPost:()=>_X,isBlockInsertionPointVisible:()=>RU,isBlockMultiSelected:()=>kU,isBlockSelected:()=>CU,isBlockValid:()=>KX,isBlockWithinSelection:()=>xU,isCaretWithinFormattedText:()=>IU,isCleanNewPost:()=>UV,isCurrentPostPending:()=>aX,isCurrentPostPublished:()=>iX,isCurrentPostScheduled:()=>sX,isEditedPostAutosaveable:()=>dX,isEditedPostBeingScheduled:()=>hX,isEditedPostDateFloating:()=>fX,isEditedPostDirty:()=>VV,isEditedPostEmpty:()=>uX,isEditedPostNew:()=>jV,isEditedPostPublishable:()=>lX,isEditedPostSaveable:()=>cX,isFirstMultiSelectedBlock:()=>MU,isMultiSelecting:()=>OU,isPermalinkEditable:()=>SX,isPostAutosavingLocked:()=>NX,isPostLockTakeover:()=>DX,isPostLocked:()=>zX,isPostSavingLocked:()=>OX,isPreviewingPost:()=>MX,isPublishSidebarEnabled:()=>RX,isPublishingPost:()=>AX,isSavingNonPostEntityChanges:()=>bX,isSavingPost:()=>gX,isSelectionEnabled:()=>NU,isTyping:()=>BU,isValidTemplate:()=>WU});var k={};n.r(k),n.d(k,{__experimentalRequestPostUpdateFinish:()=>n$,__experimentalRequestPostUpdateStart:()=>t$,__experimentalTearDownEditor:()=>ZU,autosave:()=>c$,clearSelectedBlock:()=>z$,createUndoLevel:()=>p$,disablePublishSidebar:()=>f$,editPost:()=>a$,enablePublishSidebar:()=>h$,enterFormattedText:()=>G$,exitFormattedText:()=>J$,hideInsertionPoint:()=>H$,insertBlock:()=>R$,insertBlocks:()=>W$,insertDefaultBlock:()=>Z$,lockPostAutosaving:()=>y$,lockPostSaving:()=>g$,mergeBlocks:()=>F$,moveBlockToPosition:()=>P$,moveBlocksDown:()=>B$,moveBlocksUp:()=>I$,multiSelect:()=>x$,receiveBlocks:()=>E$,redo:()=>u$,refreshPost:()=>s$,removeBlock:()=>X$,removeBlocks:()=>V$,replaceBlock:()=>D$,replaceBlocks:()=>N$,resetAutosave:()=>e$,resetBlocks:()=>w$,resetEditorBlocks:()=>_$,resetPost:()=>QU,savePost:()=>i$,selectBlock:()=>S$,setTemplateValidity:()=>q$,setupEditor:()=>JU,setupEditorState:()=>o$,showInsertionPoint:()=>Y$,startMultiSelect:()=>C$,startTyping:()=>$$,stopMultiSelect:()=>T$,stopTyping:()=>K$,synchronizeTemplate:()=>j$,toggleBlockMode:()=>U$,toggleSelection:()=>O$,trashPost:()=>l$,undo:()=>d$,unlockPostAutosaving:()=>v$,unlockPostSaving:()=>b$,updateBlock:()=>L$,updateBlockAttributes:()=>A$,updateBlockListSettings:()=>Q$,updateEditorSettings:()=>M$,updatePost:()=>r$,updatePostLock:()=>m$});var w={};n.r(w),n.d(w,{metadata:()=>FK,name:()=>VK,settings:()=>XK});var E={};n.r(E),n.d(E,{metadata:()=>HJ,name:()=>qJ,settings:()=>jJ});var L={};n.r(L),n.d(L,{metadata:()=>oZ,name:()=>aZ,settings:()=>iZ});var A={};n.r(A),n.d(A,{metadata:()=>pZ,name:()=>mZ,settings:()=>hZ});var S={};n.r(S),n.d(S,{setIsMatching:()=>vZ});var C={};n.r(C),n.d(C,{isViewportMatch:()=>_Z});var T={};n.r(T),n.d(T,{metadata:()=>WZ,name:()=>YZ,settings:()=>HZ});var x={};n.r(x),n.d(x,{metadata:()=>GZ,name:()=>JZ,settings:()=>ZZ});var z={};n.r(z),n.d(z,{metadata:()=>oQ,name:()=>aQ,settings:()=>iQ});var O={};n.r(O),n.d(O,{metadata:()=>MQ,name:()=>kQ,settings:()=>wQ});var N={};n.r(N),n.d(N,{metadata:()=>xQ,name:()=>zQ,settings:()=>OQ});var D={};n.r(D),n.d(D,{metadata:()=>BQ,name:()=>IQ,settings:()=>PQ});var B={};n.r(B),n.d(B,{metadata:()=>YQ,name:()=>HQ,settings:()=>qQ});var I={};n.r(I),n.d(I,{metadata:()=>UQ,name:()=>$Q,settings:()=>KQ});var P={};n.r(P),n.d(P,{metadata:()=>c0,name:()=>u0,settings:()=>d0});var R={};n.r(R),n.d(R,{metadata:()=>f0,name:()=>g0,settings:()=>b0});var W={};n.r(W),n.d(W,{metadata:()=>f1,name:()=>g1,settings:()=>b1});var Y={};n.r(Y),n.d(Y,{metadata:()=>J1,name:()=>Z1,settings:()=>Q1});var H={};n.r(H),n.d(H,{metadata:()=>c2,name:()=>u2,settings:()=>d2});var q={};n.r(q),n.d(q,{metadata:()=>h2,name:()=>f2,settings:()=>g2});var j={};n.r(j),n.d(j,{metadata:()=>I2,name:()=>P2,settings:()=>R2});var F={};n.r(F),n.d(F,{metadata:()=>r3,name:()=>o3,settings:()=>a3});var V={};n.r(V),n.d(V,{metadata:()=>_3,name:()=>M3,settings:()=>k3});var X={};n.r(X),n.d(X,{metadata:()=>L3,name:()=>A3,settings:()=>S3});var U={};n.r(U),n.d(U,{metadata:()=>T3,name:()=>x3,settings:()=>z3});var $={};n.r($),n.d($,{metadata:()=>Q3,name:()=>e4,settings:()=>t4});var K={};n.r(K),n.d(K,{metadata:()=>r4,name:()=>o4,settings:()=>a4});var G={};n.r(G),n.d(G,{metadata:()=>b4,name:()=>y4,settings:()=>v4});var J={};n.r(J),n.d(J,{metadata:()=>M4,name:()=>k4,settings:()=>w4});var Z={};n.r(Z),n.d(Z,{metadata:()=>S4,name:()=>C4,settings:()=>T4});var Q={};n.r(Q),n.d(Q,{metadata:()=>O4,name:()=>N4,settings:()=>D4});var ee={};n.r(ee),n.d(ee,{metadata:()=>W4,name:()=>Y4,settings:()=>H4});var te={};n.r(te),n.d(te,{metadata:()=>F4,name:()=>V4,settings:()=>X4});var ne={};n.r(ne),n.d(ne,{metadata:()=>e5,name:()=>t5,settings:()=>n5});var re={};n.r(re),n.d(re,{__experimentalConvertBlockToStatic:()=>r5,__experimentalConvertBlocksToReusable:()=>o5,__experimentalDeleteReusableBlock:()=>a5,__experimentalSetEditingReusableBlock:()=>i5});var oe={};n.r(oe),n.d(oe,{__experimentalIsEditingReusableBlock:()=>s5});var ae={};n.r(ae),n.d(ae,{metadata:()=>u5,name:()=>d5,settings:()=>p5});var ie={};n.r(ie),n.d(ie,{metadata:()=>h5,name:()=>f5,settings:()=>g5});var se={};n.r(se),n.d(se,{metadata:()=>E5,name:()=>L5,settings:()=>A5});var le={};n.r(le),n.d(le,{metadata:()=>z5,name:()=>O5,settings:()=>N5});var ce={};n.r(ce),n.d(ce,{metadata:()=>R5,name:()=>W5,settings:()=>Y5});var ue={};n.r(ue),n.d(ue,{metadata:()=>j5,name:()=>F5,settings:()=>V5});var de={};n.r(de),n.d(de,{metadata:()=>$5,name:()=>K5,settings:()=>G5});var pe={};n.r(pe),n.d(pe,{metadata:()=>_6,name:()=>M6,settings:()=>k6});var me={};n.r(me),n.d(me,{metadata:()=>E6,name:()=>L6,settings:()=>A6});var he={};n.r(he),n.d(he,{metadata:()=>x6,name:()=>z6,settings:()=>O6});var fe={};n.r(fe),n.d(fe,{metadata:()=>$6,name:()=>K6,settings:()=>G6});var ge={};n.r(ge),n.d(ge,{metadata:()=>Z6,name:()=>Q6,settings:()=>e7});var be={};n.r(be),n.d(be,{metadata:()=>o7,name:()=>a7,settings:()=>i7});var ye={};n.r(ye),n.d(ye,{metadata:()=>p7,name:()=>m7,settings:()=>h7});var ve={};n.r(ve),n.d(ve,{metadata:()=>_7,name:()=>M7,settings:()=>k7});var _e={};n.r(_e),n.d(_e,{metadata:()=>S7,name:()=>C7,settings:()=>T7});var Me={};n.r(Me),n.d(Me,{metadata:()=>z7,name:()=>O7,settings:()=>N7});var ke={};n.r(ke),n.d(ke,{metadata:()=>P7,name:()=>R7,settings:()=>W7});var we={};n.r(we),n.d(we,{metadata:()=>o8,name:()=>a8,settings:()=>i8});var Ee={};n.r(Ee),n.d(Ee,{metadata:()=>S8,name:()=>C8,settings:()=>T8});var Le={};n.r(Le),n.d(Le,{metadata:()=>z8,name:()=>O8,settings:()=>N8});var Ae={};n.r(Ae),n.d(Ae,{metadata:()=>R8,name:()=>W8,settings:()=>Y8});var Se={};n.r(Se),n.d(Se,{metadata:()=>j8,name:()=>F8,settings:()=>V8});var Ce={};n.r(Ce),n.d(Ce,{metadata:()=>U8,name:()=>$8,settings:()=>K8});var Te={};n.r(Te),n.d(Te,{metadata:()=>Z8,name:()=>Q8,settings:()=>e9});var xe={};n.r(xe),n.d(xe,{metadata:()=>n9,name:()=>r9,settings:()=>o9});var ze={};n.r(ze),n.d(ze,{metadata:()=>c9,name:()=>u9,settings:()=>d9});var Oe={};n.r(Oe),n.d(Oe,{metadata:()=>m9,name:()=>h9,settings:()=>f9});var Ne={};n.r(Ne),n.d(Ne,{metadata:()=>k9,name:()=>w9,settings:()=>E9});var De={};n.r(De),n.d(De,{metadata:()=>S9,name:()=>C9,settings:()=>T9});var Be={};n.r(Be),n.d(Be,{metadata:()=>z9,name:()=>O9,settings:()=>N9});var Ie={};n.r(Ie),n.d(Ie,{metadata:()=>D9,name:()=>B9,settings:()=>I9});var Pe={};n.r(Pe),n.d(Pe,{metadata:()=>P9,name:()=>R9,settings:()=>W9});var Re={};n.r(Re),n.d(Re,{metadata:()=>H9,name:()=>q9,settings:()=>j9});var We={};n.r(We),n.d(We,{metadata:()=>X9,name:()=>U9,settings:()=>$9});var Ye={};n.r(Ye),n.d(Ye,{metadata:()=>G9,name:()=>J9,settings:()=>Z9});var He={};n.r(He),n.d(He,{metadata:()=>eee,name:()=>tee,settings:()=>nee});var qe={};n.r(qe),n.d(qe,{metadata:()=>oee,name:()=>aee,settings:()=>iee});var je={};n.r(je),n.d(je,{metadata:()=>gee,name:()=>bee,settings:()=>yee});var Fe={};n.r(Fe),n.d(Fe,{metadata:()=>_ee,name:()=>Mee,settings:()=>kee});var Ve={};n.r(Ve),n.d(Ve,{metadata:()=>See,name:()=>Cee,settings:()=>Tee});var Xe={};n.r(Xe),n.d(Xe,{metadata:()=>Oee,name:()=>Nee,settings:()=>Dee});var Ue={};n.r(Ue),n.d(Ue,{metadata:()=>Iee,name:()=>Pee,settings:()=>Ree});var $e={};n.r($e),n.d($e,{getCurrentPattern:()=>Wse,getCurrentPatternName:()=>Rse,getEditorMode:()=>Bse,getEditorSettings:()=>Ise,getIgnoredContent:()=>Yse,getNamedPattern:()=>Hse,getPatterns:()=>Vse,isEditing:()=>Fse,isEditorReady:()=>Pse,isInserterOpened:()=>qse,isInspecting:()=>jse});var Ke={};n.r(Ke),n.d(Ke,{getBlocks:()=>Xse,getEditCount:()=>Gse,getEditorSelection:()=>Use,hasEditorRedo:()=>Kse,hasEditorUndo:()=>$se});var Ge={};n.r(Ge),n.d(Ge,{isFeatureActive:()=>Jse});var Je={};n.r(Je),n.d(Je,{isOptionActive:()=>Zse});var Ze={};n.r(Ze),n.d(Ze,{getPeers:()=>Qse,hasPeers:()=>ele});var Qe={};n.r(Qe),n.d(Qe,{__experimentalConvertBlockToStatic:()=>Mle,__experimentalConvertBlocksToReusable:()=>kle,__experimentalDeleteReusableBlock:()=>wle,__experimentalSetEditingReusableBlock:()=>Ele});var et={};n.r(et),n.d(et,{__experimentalIsEditingReusableBlock:()=>Lle});var tt=n(3804),nt=n.n(tt);const rt=ReactDOM;function ot(){return(ot=Object.assign||function(e){for(var t=1;t(n,r,o,a,i)=>{if(!function(e,t){return wt(e)&&e.type===t}(n,t))return!1;const s=e(n);return kt(s)?s.then(a,i):a(s),!0}));n.push(((e,n)=>!!wt(e)&&(t(e),n(),!0)));const r=(0,Mt.create)(n);return e=>new Promise(((n,o)=>r(e,(e=>{wt(e)&&t(e),n(e)}),o)))}function Lt(e={}){return t=>{const n=Et(e,t.dispatch);return e=>t=>function(e){return!!e&&"function"==typeof e[Symbol.iterator]&&"function"==typeof e.next}(t)?n(t):e(t)}}function At(e){const t=(...n)=>e(t.registry.select)(...n);return t.isRegistrySelector=!0,t}function St(e){return e.isRegistryControl=!0,e}const Ct="@@data/SELECT",Tt="@@data/RESOLVE_SELECT",xt="@@data/DISPATCH";const zt={select:function(e,t,...n){return{type:Ct,storeKey:e,selectorName:t,args:n}},resolveSelect:function(e,t,...n){return{type:Tt,storeKey:e,selectorName:t,args:n}},dispatch:function(e,t,...n){return{type:xt,storeKey:e,actionName:t,args:n}}},Ot={[Ct]:St((e=>({storeKey:t,selectorName:n,args:r})=>e.select(t)[n](...r))),[Tt]:St((e=>({storeKey:t,selectorName:n,args:r})=>{const o=e.select(t)[n].hasResolver?"resolveSelect":"select";return e[o](t)[n](...r)})),[xt]:St((e=>({storeKey:t,actionName:n,args:r})=>e.dispatch(t)[n](...r)))},Nt=()=>e=>t=>kt(t)?t.then((t=>{if(t)return e(t)})):e(t),Dt="core/data",Bt=(e,t)=>()=>n=>r=>{const o=e.select(Dt).getCachedResolvers(t);return Object.entries(o).forEach((([n,o])=>{const a=(0,at.get)(e.stores,[t,"resolvers",n]);a&&a.shouldInvalidate&&o.forEach(((o,i)=>{!1===o&&a.shouldInvalidate(r,...i)&&e.dispatch(Dt).invalidateResolution(t,n,i)}))})),n(r)};const It=(Pt="selectorName",e=>(t={},n)=>{const r=n[Pt];if(void 0===r)return t;const o=e(t[r],n);return o===t[r]?t:{...t,[r]:o}})(((e=new(_t()),t)=>{switch(t.type){case"START_RESOLUTION":case"FINISH_RESOLUTION":{const n="START_RESOLUTION"===t.type,r=new(_t())(e);return r.set(t.args,n),r}case"START_RESOLUTIONS":case"FINISH_RESOLUTIONS":{const n="START_RESOLUTIONS"===t.type,r=new(_t())(e);for(const e of t.args)r.set(e,n);return r}case"INVALIDATE_RESOLUTION":{const n=new(_t())(e);return n.delete(t.args),n}}return e}));var Pt;const Rt=(e={},t)=>{switch(t.type){case"INVALIDATE_RESOLUTION_FOR_STORE":return{};case"INVALIDATE_RESOLUTION_FOR_STORE_SELECTOR":return(0,at.has)(e,[t.selectorName])?(0,at.omit)(e,[t.selectorName]):e;case"START_RESOLUTION":case"FINISH_RESOLUTION":case"START_RESOLUTIONS":case"FINISH_RESOLUTIONS":case"INVALIDATE_RESOLUTION":return It(e,t)}return e};function Wt(e,t,n){const r=(0,at.get)(e,[t]);if(r)return r.get(n)}function Yt(e,t,n=[]){return void 0!==Wt(e,t,n)}function Ht(e,t,n=[]){return!1===Wt(e,t,n)}function qt(e,t,n=[]){return!0===Wt(e,t,n)}function jt(e){return e}function Ft(e,t){return{type:"START_RESOLUTION",selectorName:e,args:t}}function Vt(e,t){return{type:"FINISH_RESOLUTION",selectorName:e,args:t}}function Xt(e,t){return{type:"START_RESOLUTIONS",selectorName:e,args:t}}function Ut(e,t){return{type:"FINISH_RESOLUTIONS",selectorName:e,args:t}}function $t(e,t){return{type:"INVALIDATE_RESOLUTION",selectorName:e,args:t}}function Kt(){return{type:"INVALIDATE_RESOLUTION_FOR_STORE"}}function Gt(e){return{type:"INVALIDATE_RESOLUTION_FOR_STORE_SELECTOR",selectorName:e}}function Jt(n,r){return{name:n,instantiate:o=>{const a=r.reducer,i=function(e,t,n,r){const o={...t.controls,...Ot},a=(0,at.mapValues)(o,(e=>e.isRegistryControl?e(n):e)),i=[Bt(n,e),Nt,Lt(a)];t.__experimentalUseThunks&&i.push(function(e){return()=>t=>n=>"function"==typeof n?n(e):t(n)}(r));const s=[yt(...i)];"undefined"!=typeof window&&window.__REDUX_DEVTOOLS_EXTENSION__&&s.push(window.__REDUX_DEVTOOLS_EXTENSION__({name:e,instanceId:e}));const{reducer:l,initialState:c}=t;return gt(st()({metadata:Rt,root:l}),{root:c},(0,at.flowRight)(s))}(n,r,o,{registry:o,get dispatch(){return Object.assign((e=>i.dispatch(e)),m())},get select(){return Object.assign((e=>e(i.__unstableOriginalGetState())),p())},get resolveSelect(){return h()}}),s=function(){const e={};return{isRunning:(t,n)=>e[t]&&e[t].get(n),clear(t,n){e[t]&&e[t].delete(n)},markAsRunning(t,n){e[t]||(e[t]=new(_t())),e[t].set(n,!0)}}}();let l;const c=function(e,t){const n=e=>(...n)=>Promise.resolve(t.dispatch(e(...n)));return(0,at.mapValues)(e,n)}({...t,...r.actions},i);let u=function(e,t){const n=e=>{const n=function(){const n=arguments.length,r=new Array(n+1);r[0]=t.__unstableOriginalGetState();for(let e=0;e(t,...n)=>e(t.metadata,...n))),...(0,at.mapValues)(r.selectors,(e=>(e.isRegistrySelector&&(e.registry=o),(t,...n)=>e(t.root,...n))))},i);if(r.resolvers){const e=function(e,t,n,r){const o=(0,at.mapValues)(e,(e=>e.fulfill?e:{...e,fulfill:e})),a=(t,a)=>{const i=e[a];if(!i)return t.hasResolver=!1,t;const s=(...e)=>{async function s(){const t=n.getState();if(r.isRunning(a,e)||"function"==typeof i.isFulfilled&&i.isFulfilled(t,...e))return;const{metadata:s}=n.__unstableOriginalGetState();Yt(s,a,e)||(r.markAsRunning(a,e),setTimeout((async()=>{r.clear(a,e),n.dispatch(Ft(a,e)),await async function(e,t,n,...r){const o=(0,at.get)(t,[n]);if(!o)return;const a=o.fulfill(...r);a&&await e.dispatch(a)}(n,o,a,...e),n.dispatch(Vt(a,e))})))}return s(...e),t(...e)};return s.hasResolver=!0,s};return{resolvers:o,selectors:(0,at.mapValues)(t,a)}}(r.resolvers,u,i,s);l=e.resolvers,u=e.selectors}const d=function(e,t){return(0,at.mapValues)((0,at.omit)(e,["getIsResolving","hasStartedResolution","hasFinishedResolution","isResolving","getCachedResolvers"]),((n,r)=>(...o)=>new Promise((a=>{const i=()=>e.hasFinishedResolution(r,o),s=()=>n.apply(null,o),l=s();if(i())return a(l);const c=t.subscribe((()=>{i()&&(c(),a(s()))}))}))))}(u,i),p=()=>u,m=()=>c,h=()=>d;i.__unstableOriginalGetState=i.getState,i.getState=()=>i.__unstableOriginalGetState().root;const f=i&&(e=>{let t=i.__unstableOriginalGetState();return i.subscribe((()=>{const n=i.__unstableOriginalGetState(),r=n!==t;t=n,r&&e()}))});return{reducer:a,store:i,actions:c,selectors:u,resolvers:l,getSelectors:p,getResolveSelectors:h,getActions:m,subscribe:f}}}}const Zt=function(e){const t=t=>(n,...r)=>e.select(n)[t](...r),n=t=>(n,...r)=>e.dispatch(n)[t](...r);return{getSelectors:()=>["getIsResolving","hasStartedResolution","hasFinishedResolution","isResolving","getCachedResolvers"].reduce(((e,n)=>({...e,[n]:t(n)})),{}),getActions:()=>["startResolution","finishResolution","invalidateResolution","invalidateResolutionForStore","invalidateResolutionForStoreSelector"].reduce(((e,t)=>({...e,[t]:n(t)})),{}),subscribe:()=>()=>{}}};function Qt(e={},t=null){const n={};let r=[];const o=new Set;function a(){r.forEach((e=>e()))}const i=e=>(r.push(e),()=>{r=(0,at.without)(r,e)});function s(e,t){if("function"!=typeof t.getSelectors)throw new TypeError("config.getSelectors must be a function");if("function"!=typeof t.getActions)throw new TypeError("config.getActions must be a function");if("function"!=typeof t.subscribe)throw new TypeError("config.subscribe must be a function");n[e]=t,t.subscribe(a)}let l={registerGenericStore:s,stores:n,namespaces:n,subscribe:i,select:function(e){const r=(0,at.isObject)(e)?e.name:e;o.add(r);const a=n[r];return a?a.getSelectors():t&&t.select(r)},resolveSelect:function(e){const r=(0,at.isObject)(e)?e.name:e;o.add(r);const a=n[r];return a?a.getResolveSelectors():t&&t.resolveSelect(r)},dispatch:function(e){const r=(0,at.isObject)(e)?e.name:e,o=n[r];return o?o.getActions():t&&t.dispatch(r)},use:function(e,t){return l={...l,...e(l,t)},l},register:function(e){s(e.name,e.instantiate(l))},__experimentalMarkListeningStores:function(e,t){o.clear();const n=e.call(this);return t.current=Array.from(o),n},__experimentalSubscribeStore:function(e,r){return e in n?n[e].subscribe(r):t?t.__experimentalSubscribeStore(e,r):i(r)}};return l.registerStore=(e,t)=>{if(!t.reducer)throw new TypeError("Must specify store reducer");const n=Jt(e,t).instantiate(l);return s(e,n),n.store},s(Dt,Zt(l)),Object.entries(e).forEach((([e,t])=>l.registerStore(e,t))),t&&t.subscribe(a),function(e){return(0,at.mapValues)(e,((e,t)=>"function"!=typeof e?e:function(){return l[t].apply(null,arguments)}))}(l)}const en=Qt(),tn=en.select,nn=(en.resolveSelect,en.dispatch),rn=(en.subscribe,en.registerGenericStore,en.registerStore),on=en.use,an=en.register;var sn=n(9588),ln=n.n(sn),cn=n(8975),un=n.n(cn);const dn=ln()(console.error);function pn(e,...t){try{return un().sprintf(e,...t)}catch(t){return dn("sprintf error: \n\n"+t.toString()),e}}var mn,hn,fn,gn;mn={"(":9,"!":8,"*":7,"/":7,"%":7,"+":6,"-":6,"<":5,"<=":5,">":5,">=":5,"==":4,"!=":4,"&&":3,"||":2,"?":1,"?:":1},hn=["(","?"],fn={")":["("],":":["?","?:"]},gn=/<=|>=|==|!=|&&|\|\||\?:|\(|!|\*|\/|%|\+|-|<|>|\?|\)|:/;var bn={"!":function(e){return!e},"*":function(e,t){return e*t},"/":function(e,t){return e/t},"%":function(e,t){return e%t},"+":function(e,t){return e+t},"-":function(e,t){return e-t},"<":function(e,t){return e":function(e,t){return e>t},">=":function(e,t){return e>=t},"==":function(e,t){return e===t},"!=":function(e,t){return e!==t},"&&":function(e,t){return e&&t},"||":function(e,t){return e||t},"?:":function(e,t,n){if(e)throw t;return n}};function yn(e){var t=function(e){for(var t,n,r,o,a=[],i=[];t=e.match(gn);){for(n=t[0],(r=e.substr(0,t.index).trim())&&a.push(r);o=i.pop();){if(fn[n]){if(fn[n][0]===o){n=fn[n][1]||n;break}}else if(hn.indexOf(o)>=0||mn[o]1===e?0:1}},kn=/^i18n\.(n?gettext|has_translation)(_|$)/;const wn=function(e){return"string"!=typeof e||""===e?(console.error("The namespace must be a non-empty string."),!1):!!/^[a-zA-Z][a-zA-Z0-9_.\-\/]*$/.test(e)||(console.error("The namespace can only contain numbers, letters, dashes, periods, underscores and slashes."),!1)};const En=function(e){return"string"!=typeof e||""===e?(console.error("The hook name must be a non-empty string."),!1):/^__/.test(e)?(console.error("The hook name cannot begin with `__`."),!1):!!/^[a-zA-Z][a-zA-Z0-9_.-]*$/.test(e)||(console.error("The hook name can only contain numbers, letters, dashes, periods and underscores."),!1)};const Ln=function(e,t){return function(n,r,o,a=10){const i=e[t];if(!En(n))return;if(!wn(r))return;if("function"!=typeof o)return void console.error("The hook callback must be a function.");if("number"!=typeof a)return void console.error("If specified, the hook priority must be a number.");const s={callback:o,priority:a,namespace:r};if(i[n]){const e=i[n].handlers;let t;for(t=e.length;t>0&&!(a>=e[t-1].priority);t--);t===e.length?e[t]=s:e.splice(t,0,s),i.__current.forEach((e=>{e.name===n&&e.currentIndex>=t&&e.currentIndex++}))}else i[n]={handlers:[s],runs:0};"hookAdded"!==n&&e.doAction("hookAdded",n,r,o,a)}};const An=function(e,t,n=!1){return function(r,o){const a=e[t];if(!En(r))return;if(!n&&!wn(o))return;if(!a[r])return 0;let i=0;if(n)i=a[r].handlers.length,a[r]={runs:a[r].runs,handlers:[]};else{const e=a[r].handlers;for(let t=e.length-1;t>=0;t--)e[t].namespace===o&&(e.splice(t,1),i++,a.__current.forEach((e=>{e.name===r&&e.currentIndex>=t&&e.currentIndex--})))}return"hookRemoved"!==r&&e.doAction("hookRemoved",r,o),i}};const Sn=function(e,t){return function(n,r){const o=e[t];return void 0!==r?n in o&&o[n].handlers.some((e=>e.namespace===r)):n in o}};const Cn=function(e,t,n=!1){return function(r,...o){const a=e[t];a[r]||(a[r]={handlers:[],runs:0}),a[r].runs++;const i=a[r].handlers;if(!i||!i.length)return n?o[0]:void 0;const s={name:r,currentIndex:0};for(a.__current.push(s);s.currentIndex{const r=new _n({}),o=new Set,a=()=>{o.forEach((e=>e()))},i=(e,t="default")=>{r.data[t]={...Mn,...r.data[t],...e},r.data[t][""]={...Mn[""],...r.data[t][""]}},s=(e,t)=>{i(e,t),a()},l=(e="default",t,n,o,a)=>(r.data[e]||i(void 0,e),r.dcnpgettext(e,t,n,o,a)),c=(e="default")=>e,u=(e,t,r)=>{let o=l(r,t,e);return n?(o=n.applyFilters("i18n.gettext_with_context",o,e,t,r),n.applyFilters("i18n.gettext_with_context_"+c(r),o,e,t,r)):o};if(e&&s(e,t),n){const e=e=>{kn.test(e)&&a()};n.addAction("hookAdded","core/i18n",e),n.addAction("hookRemoved","core/i18n",e)}return{getLocaleData:(e="default")=>r.data[e],setLocaleData:s,resetLocaleData:(e,t)=>{r.data={},r.pluralForms={},s(e,t)},subscribe:e=>(o.add(e),()=>o.delete(e)),__:(e,t)=>{let r=l(t,void 0,e);return n?(r=n.applyFilters("i18n.gettext",r,e,t),n.applyFilters("i18n.gettext_"+c(t),r,e,t)):r},_x:u,_n:(e,t,r,o)=>{let a=l(o,void 0,e,t,r);return n?(a=n.applyFilters("i18n.ngettext",a,e,t,r,o),n.applyFilters("i18n.ngettext_"+c(o),a,e,t,r,o)):a},_nx:(e,t,r,o,a)=>{let i=l(a,o,e,t,r);return n?(i=n.applyFilters("i18n.ngettext_with_context",i,e,t,r,o,a),n.applyFilters("i18n.ngettext_with_context_"+c(a),i,e,t,r,o,a)):i},isRTL:()=>"rtl"===u("ltr","text direction"),hasTranslation:(e,t,o)=>{var a,i;const s=t?t+""+e:e;let l=!(null===(a=r.data)||void 0===a||null===(i=a[null!=o?o:"default"])||void 0===i||!i[s]);return n&&(l=n.applyFilters("i18n.has_translation",l,e,t,o),l=n.applyFilters("i18n.has_translation_"+c(o),l,e,t,o)),l}}})(void 0,void 0,Dn),er=(Qn.getLocaleData.bind(Qn),Qn.setLocaleData.bind(Qn),Qn.resetLocaleData.bind(Qn),Qn.subscribe.bind(Qn),Qn.__.bind(Qn)),tr=Qn._x.bind(Qn),nr=Qn._n.bind(Qn),rr=(Qn._nx.bind(Qn),Qn.isRTL.bind(Qn)),or=(Qn.hasTranslation.bind(Qn),[{slug:"text",title:er("Text")},{slug:"media",title:er("Media")},{slug:"design",title:er("Design")},{slug:"widgets",title:er("Widgets")},{slug:"theme",title:er("Theme")},{slug:"embed",title:er("Embeds")},{slug:"reusable",title:er("Reusable blocks")}]);function ar(e){return(t=null,n)=>{switch(n.type){case"REMOVE_BLOCK_TYPES":return-1!==n.names.indexOf(t)?null:t;case e:return n.name||null}return t}}const ir=ar("SET_DEFAULT_BLOCK_NAME"),sr=ar("SET_FREEFORM_FALLBACK_BLOCK_NAME"),lr=ar("SET_UNREGISTERED_FALLBACK_BLOCK_NAME"),cr=ar("SET_GROUPING_BLOCK_NAME");const ur=st()({blockTypes:function(e={},t){switch(t.type){case"ADD_BLOCK_TYPES":return{...e,...(0,at.keyBy)((0,at.map)(t.blockTypes,(e=>(0,at.omit)(e,"styles "))),"name")};case"REMOVE_BLOCK_TYPES":return(0,at.omit)(e,t.names)}return e},blockStyles:function(e={},t){switch(t.type){case"ADD_BLOCK_TYPES":return{...e,...(0,at.mapValues)((0,at.keyBy)(t.blockTypes,"name"),(t=>(0,at.uniqBy)([...(0,at.get)(t,["styles"],[]),...(0,at.get)(e,[t.name],[])],(e=>e.name))))};case"ADD_BLOCK_STYLES":return{...e,[t.blockName]:(0,at.uniqBy)([...(0,at.get)(e,[t.blockName],[]),...t.styles],(e=>e.name))};case"REMOVE_BLOCK_STYLES":return{...e,[t.blockName]:(0,at.filter)((0,at.get)(e,[t.blockName],[]),(e=>-1===t.styleNames.indexOf(e.name)))}}return e},blockVariations:function(e={},t){switch(t.type){case"ADD_BLOCK_TYPES":return{...e,...(0,at.mapValues)((0,at.keyBy)(t.blockTypes,"name"),(t=>(0,at.uniqBy)([...(0,at.get)(t,["variations"],[]),...(0,at.get)(e,[t.name],[])],(e=>e.name))))};case"ADD_BLOCK_VARIATIONS":return{...e,[t.blockName]:(0,at.uniqBy)([...(0,at.get)(e,[t.blockName],[]),...t.variations],(e=>e.name))};case"REMOVE_BLOCK_VARIATIONS":return{...e,[t.blockName]:(0,at.filter)((0,at.get)(e,[t.blockName],[]),(e=>-1===t.variationNames.indexOf(e.name)))}}return e},defaultBlockName:ir,freeformFallbackBlockName:sr,unregisteredFallbackBlockName:lr,groupingBlockName:cr,categories:function(e=or,t){switch(t.type){case"SET_CATEGORIES":return t.categories||[];case"UPDATE_CATEGORY":if(!t.category||(0,at.isEmpty)(t.category))return e;if((0,at.find)(e,["slug",t.slug]))return(0,at.map)(e,(e=>e.slug===t.slug?{...e,...t.category}:e))}return e},collections:function(e={},t){switch(t.type){case"ADD_BLOCK_COLLECTION":return{...e,[t.namespace]:{title:t.title,icon:t.icon}};case"REMOVE_BLOCK_COLLECTION":return(0,at.omit)(e,t.namespace)}return e}});var dr,pr;function mr(e){return[e]}function hr(){var e={clear:function(){e.head=null}};return e}function fr(e,t,n){var r;if(e.length!==t.length)return!1;for(r=n;r"string"==typeof t?vr(e,t):t,yr=gr((e=>Object.values(e.blockTypes).map((t=>({...t,variations:Mr(e,t.name)})))),(e=>[e.blockTypes,e.blockVariations]));function vr(e,t){return e.blockTypes[t]}function _r(e,t){return e.blockStyles[t]}const Mr=gr(((e,t,n)=>{const r=e.blockVariations[t];return r&&n?r.filter((e=>(e.scope||["block","inserter"]).includes(n))):r}),((e,t)=>[e.blockVariations[t]]));function kr(e,t,n,r){const o=Mr(e,t,r);return null==o?void 0:o.find((r=>{var o;if(Array.isArray(r.isActive)){const o=vr(e,t),a=Object.keys(o.attributes||{}),i=r.isActive.filter((e=>a.includes(e)));return 0!==i.length&&i.every((e=>n[e]===r.attributes[e]))}return null===(o=r.isActive)||void 0===o?void 0:o.call(r,n,r.attributes)}))}function wr(e,t,n){const r=Mr(e,t,n);return(0,at.findLast)(r,"isDefault")||(0,at.first)(r)}function Er(e){return e.categories}function Lr(e){return e.collections}function Ar(e){return e.defaultBlockName}function Sr(e){return e.freeformFallbackBlockName}function Cr(e){return e.unregisteredFallbackBlockName}function Tr(e){return e.groupingBlockName}const xr=gr(((e,t)=>(0,at.map)((0,at.filter)(e.blockTypes,(e=>(0,at.includes)(e.parent,t))),(({name:e})=>e))),(e=>[e.blockTypes])),zr=(e,t,n,r)=>{const o=br(e,t);return null!=o&&o.supports?(0,at.get)(o.supports,n,r):r};function Or(e,t,n,r){return!!zr(e,t,n,r)}function Nr(e,t,n){const r=br(e,t),o=(0,at.flow)([at.deburr,e=>e.toLowerCase(),e=>e.trim()]),a=o(n),i=(0,at.flow)([o,e=>(0,at.includes)(e,a)]);return i(r.title)||(0,at.some)(r.keywords,i)||i(r.category)}const Dr=(e,t)=>xr(e,t).length>0,Br=(e,t)=>(0,at.some)(xr(e,t),(t=>Or(e,t,"inserter",!0)));function Ir(e){return{type:"ADD_BLOCK_TYPES",blockTypes:(0,at.castArray)(e)}}function Pr(e){return{type:"REMOVE_BLOCK_TYPES",names:(0,at.castArray)(e)}}function Rr(e,t){return{type:"ADD_BLOCK_STYLES",styles:(0,at.castArray)(t),blockName:e}}function Wr(e,t){return{type:"REMOVE_BLOCK_STYLES",styleNames:(0,at.castArray)(t),blockName:e}}function Yr(e,t){return{type:"ADD_BLOCK_VARIATIONS",variations:(0,at.castArray)(t),blockName:e}}function Hr(e,t){return{type:"REMOVE_BLOCK_VARIATIONS",variationNames:(0,at.castArray)(t),blockName:e}}function qr(e){return{type:"SET_DEFAULT_BLOCK_NAME",name:e}}function jr(e){return{type:"SET_FREEFORM_FALLBACK_BLOCK_NAME",name:e}}function Fr(e){return{type:"SET_UNREGISTERED_FALLBACK_BLOCK_NAME",name:e}}function Vr(e){return{type:"SET_GROUPING_BLOCK_NAME",name:e}}function Xr(e){return{type:"SET_CATEGORIES",categories:e}}function Ur(e,t){return{type:"UPDATE_CATEGORY",slug:e,category:t}}function $r(e,t,n){return{type:"ADD_BLOCK_COLLECTION",namespace:e,title:t,icon:n}}function Kr(e){return{type:"REMOVE_BLOCK_COLLECTION",namespace:e}}const Gr=Jt("core/blocks",{reducer:ur,selectors:r,actions:o});var Jr;an(Gr);var Zr=new Uint8Array(16);function Qr(){if(!Jr&&!(Jr="undefined"!=typeof crypto&&crypto.getRandomValues&&crypto.getRandomValues.bind(crypto)||"undefined"!=typeof msCrypto&&"function"==typeof msCrypto.getRandomValues&&msCrypto.getRandomValues.bind(msCrypto)))throw new Error("crypto.getRandomValues() not supported. See https://github.com/uuidjs/uuid#getrandomvalues-not-supported");return Jr(Zr)}const eo=/^(?:[0-9a-f]{8}-[0-9a-f]{4}-[1-5][0-9a-f]{3}-[89ab][0-9a-f]{3}-[0-9a-f]{12}|00000000-0000-0000-0000-000000000000)$/i;const to=function(e){return"string"==typeof e&&eo.test(e)};for(var no=[],ro=0;ro<256;++ro)no.push((ro+256).toString(16).substr(1));const oo=function(e){var t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:0,n=(no[e[t+0]]+no[e[t+1]]+no[e[t+2]]+no[e[t+3]]+"-"+no[e[t+4]]+no[e[t+5]]+"-"+no[e[t+6]]+no[e[t+7]]+"-"+no[e[t+8]]+no[e[t+9]]+"-"+no[e[t+10]]+no[e[t+11]]+no[e[t+12]]+no[e[t+13]]+no[e[t+14]]+no[e[t+15]]).toLowerCase();if(!to(n))throw TypeError("Stringified UUID is invalid");return n};const ao=function(e,t,n){var r=(e=e||{}).random||(e.rng||Qr)();if(r[6]=15&r[6]|64,r[8]=63&r[8]|128,t){n=n||0;for(var o=0;o<16;++o)t[n+o]=r[o];return t}return oo(r)};var io=n(4184),so=n.n(io);const lo=e=>(0,tt.createElement)("circle",e),co=e=>(0,tt.createElement)("g",e),uo=e=>(0,tt.createElement)("path",e),po=e=>(0,tt.createElement)("rect",e),mo=({className:e,isPressed:t,...n})=>{const r={...n,className:so()(e,{"is-pressed":t})||void 0,role:"img","aria-hidden":!0,focusable:!1};return(0,tt.createElement)("svg",r)},ho=(0,tt.createElement)(mo,{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24"},(0,tt.createElement)(uo,{d:"M19 8h-1V6h-5v2h-2V6H6v2H5c-1.1 0-2 .9-2 2v8c0 1.1.9 2 2 2h14c1.1 0 2-.9 2-2v-8c0-1.1-.9-2-2-2zm.5 10c0 .3-.2.5-.5.5H5c-.3 0-.5-.2-.5-.5v-8c0-.3.2-.5.5-.5h14c.3 0 .5.2.5.5v8z"}));var fo=n(7621),go=n.n(fo);const bo=["#191e23","#f8f9f9"];function yo(e){const t=Do();if(e.name!==t)return!1;yo.block&&yo.block.name===t||(yo.block=Ho(t));const n=yo.block,r=Bo(t);return(0,at.every)(r.attributes,((t,r)=>n.attributes[r]===e.attributes[r]))}function vo(e){return!!e&&((0,at.isString)(e)||(0,tt.isValidElement)(e)||(0,at.isFunction)(e)||e instanceof tt.Component)}function _o(e){return(0,at.isString)(e)?Bo(e):e}function Mo(e,t,n="visual"){const{__experimentalLabel:r,title:o}=e,a=r&&r(t,{context:n});return a?function(e){return(new window.DOMParser).parseFromString(e,"text/html").body.textContent||""}(a):o}function ko(e,t){const n=Bo(e);if(void 0===n)throw new Error(`Block type '${e}' is not registered.`);return(0,at.reduce)(n.attributes,((e,n,r)=>{const o=t[r];return void 0!==o?e[r]=o:n.hasOwnProperty("default")&&(e[r]=n.default),-1!==["node","children"].indexOf(n.source)&&("string"==typeof e[r]?e[r]=[e[r]]:Array.isArray(e[r])||(e[r]=[])),e}),{})}const wo=["attributes","supports","save","migrate","isEligible","apiVersion"],Eo={"--wp--style--color--link":{value:["color","link"],support:["color","link"]},background:{value:["color","gradient"],support:["color","gradients"]},backgroundColor:{value:["color","background"],support:["color"]},borderColor:{value:["border","color"],support:["__experimentalBorder","color"]},borderRadius:{value:["border","radius"],support:["__experimentalBorder","radius"],properties:{borderTopLeftRadius:"topLeft",borderTopRightRadius:"topRight",borderBottomLeftRadius:"bottomLeft",borderBottomRightRadius:"bottomRight"}},borderStyle:{value:["border","style"],support:["__experimentalBorder","style"]},borderWidth:{value:["border","width"],support:["__experimentalBorder","width"]},color:{value:["color","text"],support:["color"]},linkColor:{value:["elements","link","color","text"],support:["color","link"]},fontFamily:{value:["typography","fontFamily"],support:["typography","__experimentalFontFamily"]},fontSize:{value:["typography","fontSize"],support:["typography","fontSize"]},fontStyle:{value:["typography","fontStyle"],support:["typography","__experimentalFontStyle"]},fontWeight:{value:["typography","fontWeight"],support:["typography","__experimentalFontWeight"]},lineHeight:{value:["typography","lineHeight"],support:["typography","lineHeight"]},margin:{value:["spacing","margin"],support:["spacing","margin"],properties:{marginTop:"top",marginRight:"right",marginBottom:"bottom",marginLeft:"left"}},padding:{value:["spacing","padding"],support:["spacing","padding"],properties:{paddingTop:"top",paddingRight:"right",paddingBottom:"bottom",paddingLeft:"left"}},textDecoration:{value:["typography","textDecoration"],support:["typography","__experimentalTextDecoration"]},textTransform:{value:["typography","textTransform"],support:["typography","__experimentalTextTransform"]},letterSpacing:{value:["typography","letterSpacing"],support:["__experimentalLetterSpacing"]}},Lo={link:"a",h1:"h1",h2:"h2",h3:"h3",h4:"h4",h5:"h5",h6:"h6"},Ao={title:"block title",description:"block description",keywords:["block keyword"],styles:[{label:"block style label"}],variations:[{title:"block variation title",description:"block variation description",keywords:["block variation keyword"]}]},So={common:"text",formatting:"text",layout:"design"},Co={};function To({textdomain:e,...t}){const n=(0,at.pick)(t,["apiVersion","title","category","parent","icon","description","keywords","attributes","providesContext","usesContext","supports","styles","example","variations"]);return e&&Object.keys(Ao).forEach((t=>{n[t]&&(n[t]=zo(Ao[t],n[t],e))})),n}function xo(e,t){const n=(0,at.isObject)(e)?e.name:e;if("string"!=typeof n)return void console.error("Block names must be strings.");if((0,at.isObject)(e)&&function(e){for(const t of Object.keys(e))Co[t]?void 0===Co[t].apiVersion&&e[t].apiVersion&&(Co[t].apiVersion=e[t].apiVersion):Co[t]=(0,at.mapKeys)((0,at.pickBy)(e[t],(e=>!(0,at.isNil)(e))),((e,t)=>(0,at.camelCase)(t)))}({[n]:To(e)}),t={name:n,icon:ho,keywords:[],attributes:{},providesContext:{},usesContext:[],supports:{},styles:[],save:()=>null,...null==Co?void 0:Co[n],...t},!/^[a-z][a-z0-9-]*\/[a-z][a-z0-9-]*$/.test(n))return void console.error("Block names must contain a namespace prefix, include only lowercase alphanumeric characters or dashes, and start with a letter. Example: my-plugin/my-custom-block");if(tn(Gr).getBlockType(n))return void console.error('Block "'+n+'" is already registered.');const r={...t};if((t=Fn("blocks.registerBlockType",t,n)).deprecated&&(t.deprecated=t.deprecated.map((e=>(0,at.pick)(Fn("blocks.registerBlockType",{...(0,at.omit)(r,wo),...e},n),wo)))),(0,at.isPlainObject)(t))if((0,at.isFunction)(t.save))if(!("edit"in t)||(0,at.isFunction)(t.edit))if(So.hasOwnProperty(t.category)&&(t.category=So[t.category]),"category"in t&&!(0,at.some)(tn(Gr).getCategories(),{slug:t.category})&&(console.warn('The block "'+n+'" is registered with an invalid category "'+t.category+'".'),delete t.category),"title"in t&&""!==t.title)if("string"==typeof t.title){if(t.icon=function(e){if(vo(e))return{src:e};if((0,at.has)(e,["background"])){const t=go()(e.background);return{...e,foreground:e.foreground?e.foreground:(0,fo.mostReadable)(t,bo,{includeFallbackColors:!0,level:"AA",size:"large"}).toHexString(),shadowColor:t.setAlpha(.3).toRgbString()}}return e}(t.icon),vo(t.icon.src))return nn(Gr).addBlockTypes(t),t;console.error("The icon passed is invalid. The icon should be a string, an element, a function, or an object following the specifications documented in https://developer.wordpress.org/block-editor/developers/block-api/block-registration/#icon-optional")}else console.error("Block titles must be strings.");else console.error('The block "'+n+'" must have a title.');else console.error('The "edit" property must be a valid function.');else console.error('The "save" property must be a valid function.');else console.error("Block settings must be a valid object.")}function zo(e,t,n){return(0,at.isString)(e)&&(0,at.isString)(t)?tr(t,e,n):(0,at.isArray)(e)&&!(0,at.isEmpty)(e)&&(0,at.isArray)(t)?t.map((t=>zo(e[0],t,n))):(0,at.isObject)(e)&&!(0,at.isEmpty)(e)&&(0,at.isObject)(t)?Object.keys(t).reduce(((r,o)=>e[o]?(r[o]=zo(e[o],t[o],n),r):(r[o]=t[o],r)),{}):t}function Oo(){return tn(Gr).getFreeformFallbackBlockName()}function No(){return tn(Gr).getUnregisteredFallbackBlockName()}function Do(){return tn(Gr).getDefaultBlockName()}function Bo(e){return tn(Gr).getBlockType(e)}function Io(){return tn(Gr).getBlockTypes()}function Po(e,t,n){return tn(Gr).getBlockSupport(e,t,n)}function Ro(e,t,n){return tn(Gr).hasBlockSupport(e,t,n)}function Wo(e){return"core/block"===e.name}const Yo=(e,t)=>tn(Gr).getBlockVariations(e,t);function Ho(e,t={},n=[]){const r=ko(e,t);return{clientId:ao(),name:e,isValid:!0,attributes:r,innerBlocks:n}}function qo(e=[]){return e.map((e=>{const t=Array.isArray(e)?e:[e.name,e.attributes,e.innerBlocks],[n,r,o=[]]=t;return Ho(n,r,qo(o))}))}function jo(e,t={},n){const r=ao(),o=ko(e.name,{...e.attributes,...t});return{...e,clientId:r,attributes:o,innerBlocks:n||e.innerBlocks.map((e=>jo(e)))}}function Fo(e,t={},n){const r=ao();return{...e,clientId:r,attributes:{...e.attributes,...t},innerBlocks:n||e.innerBlocks.map((e=>Fo(e)))}}const Vo=(e,t,n)=>{if((0,at.isEmpty)(n))return!1;const r=n.length>1,o=(0,at.first)(n).name;if(!(Xo(e)||!r||e.isMultiBlock))return!1;if(!Xo(e)&&!(0,at.every)(n,{name:o}))return!1;if(!("block"===e.type))return!1;const a=(0,at.first)(n);if(!("from"!==t||-1!==e.blocks.indexOf(a.name)||Xo(e)))return!1;if(!r&&Uo(a.name)&&Uo(e.blockName))return!1;if((0,at.isFunction)(e.isMatch)){const t=e.isMultiBlock?n.map((e=>e.attributes)):a.attributes;if(!e.isMatch(t))return!1}return!(e.usingMobileTransformations&&Xo(e)&&!Uo(a.name))},Xo=e=>e&&"block"===e.type&&Array.isArray(e.blocks)&&e.blocks.includes("*"),Uo=e=>e===tn(Gr).getGroupingBlockName();function $o(e){if((0,at.isEmpty)(e))return[];const t=(e=>{if((0,at.isEmpty)(e))return[];const t=Io();return(0,at.filter)(t,(t=>!!Ko(Go("from",t.name),(t=>Vo(t,"from",e)))))})(e),n=(e=>{if((0,at.isEmpty)(e))return[];const t=Go("to",Bo((0,at.first)(e).name).name),n=(0,at.filter)(t,(t=>t&&Vo(t,"to",e)));return(0,at.flatMap)(n,(e=>e.blocks)).map((e=>Bo(e)))})(e);return(0,at.uniq)([...t,...n])}function Ko(e,t){const n=Nn();for(let r=0;re||o),o.priority)}return n.applyFilters("transform",null)}function Go(e,t){if(void 0===t)return(0,at.flatMap)(Io(),(({name:t})=>Go(e,t)));const n=_o(t),{name:r,transforms:o}=n||{};if(!o||!Array.isArray(o[e]))return[];const a=o.supportedMobileTransforms&&Array.isArray(o.supportedMobileTransforms);return(a?(0,at.filter)(o[e],(e=>"raw"===e.type||!(!e.blocks||!e.blocks.length)&&(!!Xo(e)||(0,at.every)(e.blocks,(e=>o.supportedMobileTransforms.includes(e)))))):o[e]).map((e=>({...e,blockName:r,usingMobileTransformations:a})))}function Jo(e,t){const n=(0,at.castArray)(e),r=n.length>1,o=n[0],a=o.name,i=Go("from",t),s=Ko(Go("to",a),(e=>"block"===e.type&&(Xo(e)||-1!==e.blocks.indexOf(t))&&(!r||e.isMultiBlock)))||Ko(i,(e=>"block"===e.type&&(Xo(e)||-1!==e.blocks.indexOf(a))&&(!r||e.isMultiBlock)));if(!s)return null;let l;if(l=s.isMultiBlock?(0,at.has)(s,"__experimentalConvert")?s.__experimentalConvert(n):s.transform(n.map((e=>e.attributes)),n.map((e=>e.innerBlocks))):(0,at.has)(s,"__experimentalConvert")?s.__experimentalConvert(o):s.transform(o.attributes,o.innerBlocks),!(0,at.isObjectLike)(l))return null;if(l=(0,at.castArray)(l),l.some((e=>!Bo(e.name))))return null;if(!(0,at.some)(l,(e=>e.name===t)))return null;return l.map((t=>Fn("blocks.switchToBlockType.transformedBlock",t,e)))}const Zo=(e,t)=>Ho(e,t.attributes,(0,at.map)(t.innerBlocks,(e=>Zo(e.name,e))));function Qo(e,t){for(var n,r=t.split(".");n=r.shift();){if(!(n in e))return;e=e[n]}return e}var ea=function(){var e;return function(){return e||(e=document.implementation.createHTMLDocument("")),e}}();function ta(e,t){if(t){if("string"==typeof e){var n=ea();n.body.innerHTML=e,e=n.body}if("function"==typeof t)return t(e);if(Object===t.constructor)return Object.keys(t).reduce((function(n,r){return n[r]=ta(e,t[r]),n}),{})}}function na(e,t){return 1===arguments.length&&(t=e,e=void 0),function(n){var r=n;if(e&&(r=n.querySelector(e)),r)return Qo(r,t)}}const ra=new RegExp("(<((?=!--|!\\[CDATA\\[)((?=!-)!(?:-(?!->)[^\\-]*)*(?:--\x3e)?|!\\[CDATA\\[[^\\]]*(?:](?!]>)[^\\]]*)*?(?:]]>)?)|[^>]*>?))");function oa(e,t){const n=function(e){const t=[];let n,r=e;for(;n=r.match(ra);){const e=n.index;t.push(r.slice(0,e)),t.push(n[0]),r=r.slice(e+n[0].length)}return r.length&&t.push(r),t}(e);let r=!1;const o=Object.keys(t);for(let e=1;e"),r=t.pop();e="";for(let r=0;r";n.push([i,o.substr(a)+""]),e+=o.substr(0,a)+i}e+=r}const r="(?:table|thead|tfoot|caption|col|colgroup|tbody|tr|td|th|div|dl|dd|dt|ul|ol|li|pre|form|map|area|blockquote|address|math|style|p|h[1-6]|hr|fieldset|legend|section|article|aside|hgroup|header|footer|nav|figure|figcaption|details|menu|summary)";-1!==(e=oa(e=(e=(e=(e=e.replace(/\s*/g,"\n\n")).replace(new RegExp("(<"+r+"[\\s/>])","g"),"\n\n$1")).replace(new RegExp("()","g"),"$1\n\n")).replace(/\r\n|\r/g,"\n"),{"\n":" \x3c!-- wpnl --\x3e "})).indexOf("\s*/g,"")),-1!==e.indexOf("")&&(e=(e=(e=e.replace(/(]*>)\s*/g,"$1")).replace(/\s*<\/object>/g,"")).replace(/\s*(<\/?(?:param|embed)[^>]*>)\s*/g,"$1")),-1===e.indexOf("\]]*[>\]])\s*/g,"$1")).replace(/\s*([<\[]\/(?:audio|video)[>\]])/g,"$1")).replace(/\s*(<(?:source|track)[^>]*>)\s*/g,"$1")),-1!==e.indexOf("]*>)/,"$1")).replace(/<\/figcaption>\s*/,""));const o=(e=e.replace(/\n\n+/g,"\n\n")).split(/\n\s*\n/).filter(Boolean);return e="",o.forEach((t=>{e+="

"+t.replace(/^\n*|\n*$/g,"")+"

\n"})),e=(e=(e=(e=(e=(e=(e=(e=e.replace(/

\s*<\/p>/g,"")).replace(/

([^<]+)<\/(div|address|form)>/g,"

$1

")).replace(new RegExp("

\\s*(]*>)\\s*

","g"),"$1")).replace(/

(/g,"$1")).replace(/

]*)>/gi,"

")).replace(/<\/blockquote><\/p>/g,"

")).replace(new RegExp("

\\s*(]*>)","g"),"$1")).replace(new RegExp("(]*>)\\s*

","g"),"$1"),t&&(e=(e=(e=(e=e.replace(/<(script|style).*?<\/\\1>/g,(e=>e[0].replace(/\n/g,"")))).replace(/
|/g,"
")).replace(/(
)?\s*\n/g,((e,t)=>t?e:"
\n"))).replace(//g,"\n")),e=(e=(e=e.replace(new RegExp("(]*>)\\s*
","g"),"$1")).replace(/
(\s*<\/?(?:p|li|div|dl|dd|dt|th|pre|td|ul|ol)[^>]*>)/g,"$1")).replace(/\n<\/p>$/g,"

"),n.forEach((t=>{const[n,r]=t;e=e.replace(n,r)})),-1!==e.indexOf("\x3c!-- wpnl --\x3e")&&(e=e.replace(/\s?\s?/g,"\n")),e}function ia(e){const t="blockquote|ul|ol|li|dl|dt|dd|table|thead|tbody|tfoot|tr|th|td|h[1-6]|fieldset|figure",n=t+"|div|p",r=t+"|pre",o=[];let a=!1,i=!1;return e?(-1===e.indexOf("]*>[\s\S]*?<\/\1>/g,(e=>(o.push(e),"")))),-1!==e.indexOf("]*>[\s\S]+?<\/pre>/g,(e=>(e=(e=e.replace(/
(\r\n|\n)?/g,"")).replace(/<\/?p( [^>]*)?>(\r\n|\n)?/g,"")).replace(/\r?\n/g,"")))),-1!==e.indexOf("[caption")&&(i=!0,e=e.replace(/\[caption[\s\S]+?\[\/caption\]/g,(e=>e.replace(/]*)>/g,"").replace(/[\r\n\t]+/,"")))),-1!==(e=(e=(e=(e=(e=(e=(e=(e=(e=(e=(e=(e=(e=(e=(e=e.replace(new RegExp("\\s*\\s*","g"),"\n")).replace(new RegExp("\\s*<((?:"+n+")(?: [^>]*)?)>","g"),"\n<$1>")).replace(/(

]+>[\s\S]*?)<\/p>/g,"$1")).replace(/]*)?>\s*

/gi,"\n\n")).replace(/\s*

/gi,"")).replace(/\s*<\/p>\s*/gi,"\n\n")).replace(/\n[\s\u00a0]+\n/g,"\n\n")).replace(/(\s*)
\s*/gi,((e,t)=>t&&-1!==t.indexOf("\n")?"\n\n":"\n"))).replace(/\s*

\s*/g,"
\n")).replace(/\s*\[caption([^\[]+)\[\/caption\]\s*/gi,"\n\n[caption$1[/caption]\n\n")).replace(/caption\]\n\n+\[caption/g,"caption]\n\n[caption")).replace(new RegExp("\\s*<((?:"+r+")(?: [^>]*)?)\\s*>","g"),"\n<$1>")).replace(new RegExp("\\s*\\s*","g"),"\n")).replace(/<((li|dt|dd)[^>]*)>/g," \t<$1>")).indexOf("/g,"\n")),-1!==e.indexOf("]*)?>\s*/g,"\n\n\n\n")),-1!==e.indexOf("/g,(e=>e.replace(/[\r\n]+/g,"")))),e=(e=(e=(e=e.replace(/<\/p#>/g,"

\n")).replace(/\s*(

]+>[\s\S]*?<\/p>)/g,"\n$1")).replace(/^\s+/,"")).replace(/[\s\u00a0]+$/,""),a&&(e=e.replace(//g,"\n")),i&&(e=e.replace(/]*)>/g,"")),o.length&&(e=e.replace(//g,(()=>o.shift()))),e):""}let sa,la,ca,ua;const da=/)[^])*)\5|[^]*?)}\s+)?(\/)?-->/g;function pa(e,t,n,r,o){return{blockName:e,attrs:t,innerBlocks:n,innerHTML:r,innerContent:o}}function ma(e){return pa(null,{},[],e,[e])}function ha(){const e=function(){const e=da.exec(sa);if(null===e)return["no-more-tokens"];const t=e.index,[n,r,o,a,i,,s]=e,l=n.length,c=!!r,u=!!s,d=(o||"core/")+a,p=!!i,m=p?function(e){try{return JSON.parse(e)}catch(e){return null}}(i):{};if(u)return["void-block",d,m,t,l];if(c)return["block-closer",d,null,t,l];return["block-opener",d,m,t,l]}(),[t,n,r,o,a]=e,i=ua.length,s=o>la?la:null;switch(t){case"no-more-tokens":if(0===i)return fa(),!1;if(1===i)return ba(),!1;for(;0"===e?(this.delegate.endDoctype&&this.delegate.endDoctype(),this.transitionTo("beforeData")):this.delegate.appendToDoctypeName&&this.delegate.appendToDoctypeName(e.toLowerCase())},afterDoctypeName:function(){var e=this.consume();if(!Ea(e))if(">"===e)this.delegate.endDoctype&&this.delegate.endDoctype(),this.transitionTo("beforeData");else{var t=e.toUpperCase()+this.input.substring(this.index,this.index+5).toUpperCase(),n="PUBLIC"===t.toUpperCase(),r="SYSTEM"===t.toUpperCase();(n||r)&&(this.consume(),this.consume(),this.consume(),this.consume(),this.consume(),this.consume()),n?this.transitionTo("afterDoctypePublicKeyword"):r&&this.transitionTo("afterDoctypeSystemKeyword")}},afterDoctypePublicKeyword:function(){var e=this.peek();Ea(e)?(this.transitionTo("beforeDoctypePublicIdentifier"),this.consume()):'"'===e?(this.transitionTo("doctypePublicIdentifierDoubleQuoted"),this.consume()):"'"===e?(this.transitionTo("doctypePublicIdentifierSingleQuoted"),this.consume()):">"===e&&(this.consume(),this.delegate.endDoctype&&this.delegate.endDoctype(),this.transitionTo("beforeData"))},doctypePublicIdentifierDoubleQuoted:function(){var e=this.consume();'"'===e?this.transitionTo("afterDoctypePublicIdentifier"):">"===e?(this.delegate.endDoctype&&this.delegate.endDoctype(),this.transitionTo("beforeData")):this.delegate.appendToDoctypePublicIdentifier&&this.delegate.appendToDoctypePublicIdentifier(e)},doctypePublicIdentifierSingleQuoted:function(){var e=this.consume();"'"===e?this.transitionTo("afterDoctypePublicIdentifier"):">"===e?(this.delegate.endDoctype&&this.delegate.endDoctype(),this.transitionTo("beforeData")):this.delegate.appendToDoctypePublicIdentifier&&this.delegate.appendToDoctypePublicIdentifier(e)},afterDoctypePublicIdentifier:function(){var e=this.consume();Ea(e)?this.transitionTo("betweenDoctypePublicAndSystemIdentifiers"):">"===e?(this.delegate.endDoctype&&this.delegate.endDoctype(),this.transitionTo("beforeData")):'"'===e?this.transitionTo("doctypeSystemIdentifierDoubleQuoted"):"'"===e&&this.transitionTo("doctypeSystemIdentifierSingleQuoted")},betweenDoctypePublicAndSystemIdentifiers:function(){var e=this.consume();Ea(e)||(">"===e?(this.delegate.endDoctype&&this.delegate.endDoctype(),this.transitionTo("beforeData")):'"'===e?this.transitionTo("doctypeSystemIdentifierDoubleQuoted"):"'"===e&&this.transitionTo("doctypeSystemIdentifierSingleQuoted"))},doctypeSystemIdentifierDoubleQuoted:function(){var e=this.consume();'"'===e?this.transitionTo("afterDoctypeSystemIdentifier"):">"===e?(this.delegate.endDoctype&&this.delegate.endDoctype(),this.transitionTo("beforeData")):this.delegate.appendToDoctypeSystemIdentifier&&this.delegate.appendToDoctypeSystemIdentifier(e)},doctypeSystemIdentifierSingleQuoted:function(){var e=this.consume();"'"===e?this.transitionTo("afterDoctypeSystemIdentifier"):">"===e?(this.delegate.endDoctype&&this.delegate.endDoctype(),this.transitionTo("beforeData")):this.delegate.appendToDoctypeSystemIdentifier&&this.delegate.appendToDoctypeSystemIdentifier(e)},afterDoctypeSystemIdentifier:function(){var e=this.consume();Ea(e)||">"===e&&(this.delegate.endDoctype&&this.delegate.endDoctype(),this.transitionTo("beforeData"))},commentStart:function(){var e=this.consume();"-"===e?this.transitionTo("commentStartDash"):">"===e?(this.delegate.finishComment(),this.transitionTo("beforeData")):(this.delegate.appendToCommentData(e),this.transitionTo("comment"))},commentStartDash:function(){var e=this.consume();"-"===e?this.transitionTo("commentEnd"):">"===e?(this.delegate.finishComment(),this.transitionTo("beforeData")):(this.delegate.appendToCommentData("-"),this.transitionTo("comment"))},comment:function(){var e=this.consume();"-"===e?this.transitionTo("commentEndDash"):this.delegate.appendToCommentData(e)},commentEndDash:function(){var e=this.consume();"-"===e?this.transitionTo("commentEnd"):(this.delegate.appendToCommentData("-"+e),this.transitionTo("comment"))},commentEnd:function(){var e=this.consume();">"===e?(this.delegate.finishComment(),this.transitionTo("beforeData")):(this.delegate.appendToCommentData("--"+e),this.transitionTo("comment"))},tagName:function(){var e=this.consume();Ea(e)?this.transitionTo("beforeAttributeName"):"/"===e?this.transitionTo("selfClosingStartTag"):">"===e?(this.delegate.finishTag(),this.transitionTo("beforeData")):this.appendToTagName(e)},endTagName:function(){var e=this.consume();Ea(e)?(this.transitionTo("beforeAttributeName"),this.tagNameBuffer=""):"/"===e?(this.transitionTo("selfClosingStartTag"),this.tagNameBuffer=""):">"===e?(this.delegate.finishTag(),this.transitionTo("beforeData"),this.tagNameBuffer=""):this.appendToTagName(e)},beforeAttributeName:function(){var e=this.peek();Ea(e)?this.consume():"/"===e?(this.transitionTo("selfClosingStartTag"),this.consume()):">"===e?(this.consume(),this.delegate.finishTag(),this.transitionTo("beforeData")):"="===e?(this.delegate.reportSyntaxError("attribute name cannot start with equals sign"),this.transitionTo("attributeName"),this.delegate.beginAttribute(),this.consume(),this.delegate.appendToAttributeName(e)):(this.transitionTo("attributeName"),this.delegate.beginAttribute())},attributeName:function(){var e=this.peek();Ea(e)?(this.transitionTo("afterAttributeName"),this.consume()):"/"===e?(this.delegate.beginAttributeValue(!1),this.delegate.finishAttributeValue(),this.consume(),this.transitionTo("selfClosingStartTag")):"="===e?(this.transitionTo("beforeAttributeValue"),this.consume()):">"===e?(this.delegate.beginAttributeValue(!1),this.delegate.finishAttributeValue(),this.consume(),this.delegate.finishTag(),this.transitionTo("beforeData")):'"'===e||"'"===e||"<"===e?(this.delegate.reportSyntaxError(e+" is not a valid character within attribute names"),this.consume(),this.delegate.appendToAttributeName(e)):(this.consume(),this.delegate.appendToAttributeName(e))},afterAttributeName:function(){var e=this.peek();Ea(e)?this.consume():"/"===e?(this.delegate.beginAttributeValue(!1),this.delegate.finishAttributeValue(),this.consume(),this.transitionTo("selfClosingStartTag")):"="===e?(this.consume(),this.transitionTo("beforeAttributeValue")):">"===e?(this.delegate.beginAttributeValue(!1),this.delegate.finishAttributeValue(),this.consume(),this.delegate.finishTag(),this.transitionTo("beforeData")):(this.delegate.beginAttributeValue(!1),this.delegate.finishAttributeValue(),this.transitionTo("attributeName"),this.delegate.beginAttribute(),this.consume(),this.delegate.appendToAttributeName(e))},beforeAttributeValue:function(){var e=this.peek();Ea(e)?this.consume():'"'===e?(this.transitionTo("attributeValueDoubleQuoted"),this.delegate.beginAttributeValue(!0),this.consume()):"'"===e?(this.transitionTo("attributeValueSingleQuoted"),this.delegate.beginAttributeValue(!0),this.consume()):">"===e?(this.delegate.beginAttributeValue(!1),this.delegate.finishAttributeValue(),this.consume(),this.delegate.finishTag(),this.transitionTo("beforeData")):(this.transitionTo("attributeValueUnquoted"),this.delegate.beginAttributeValue(!1),this.consume(),this.delegate.appendToAttributeValue(e))},attributeValueDoubleQuoted:function(){var e=this.consume();'"'===e?(this.delegate.finishAttributeValue(),this.transitionTo("afterAttributeValueQuoted")):"&"===e?this.delegate.appendToAttributeValue(this.consumeCharRef()||"&"):this.delegate.appendToAttributeValue(e)},attributeValueSingleQuoted:function(){var e=this.consume();"'"===e?(this.delegate.finishAttributeValue(),this.transitionTo("afterAttributeValueQuoted")):"&"===e?this.delegate.appendToAttributeValue(this.consumeCharRef()||"&"):this.delegate.appendToAttributeValue(e)},attributeValueUnquoted:function(){var e=this.peek();Ea(e)?(this.delegate.finishAttributeValue(),this.consume(),this.transitionTo("beforeAttributeName")):"/"===e?(this.delegate.finishAttributeValue(),this.consume(),this.transitionTo("selfClosingStartTag")):"&"===e?(this.consume(),this.delegate.appendToAttributeValue(this.consumeCharRef()||"&")):">"===e?(this.delegate.finishAttributeValue(),this.consume(),this.delegate.finishTag(),this.transitionTo("beforeData")):(this.consume(),this.delegate.appendToAttributeValue(e))},afterAttributeValueQuoted:function(){var e=this.peek();Ea(e)?(this.consume(),this.transitionTo("beforeAttributeName")):"/"===e?(this.consume(),this.transitionTo("selfClosingStartTag")):">"===e?(this.consume(),this.delegate.finishTag(),this.transitionTo("beforeData")):this.transitionTo("beforeAttributeName")},selfClosingStartTag:function(){">"===this.peek()?(this.consume(),this.delegate.markTagAsSelfClosing(),this.delegate.finishTag(),this.transitionTo("beforeData")):this.transitionTo("beforeAttributeName")},endTagOpen:function(){var e=this.consume();("@"===e||":"===e||La(e))&&(this.transitionTo("endTagName"),this.tagNameBuffer="",this.delegate.beginEndTag(),this.appendToTagName(e))}},this.reset()}return e.prototype.reset=function(){this.transitionTo("beforeData"),this.input="",this.tagNameBuffer="",this.index=0,this.line=1,this.column=0,this.delegate.reset()},e.prototype.transitionTo=function(e){this.state=e},e.prototype.tokenize=function(e){this.reset(),this.tokenizePart(e),this.tokenizeEOF()},e.prototype.tokenizePart=function(e){for(this.input+=function(e){return e.replace(wa,"\n")}(e);this.index"!==this.input.substring(this.index,this.index+8)||"style"===e&&""!==this.input.substring(this.index,this.index+8)||"script"===e&&"<\/script>"!==this.input.substring(this.index,this.index+9)},e}(),Sa=function(){function e(e,t){void 0===t&&(t={}),this.options=t,this.token=null,this.startLine=1,this.startColumn=0,this.tokens=[],this.tokenizer=new Aa(this,e,t.mode),this._currentAttribute=void 0}return e.prototype.tokenize=function(e){return this.tokens=[],this.tokenizer.tokenize(e),this.tokens},e.prototype.tokenizePart=function(e){return this.tokens=[],this.tokenizer.tokenizePart(e),this.tokens},e.prototype.tokenizeEOF=function(){return this.tokens=[],this.tokenizer.tokenizeEOF(),this.tokens[0]},e.prototype.reset=function(){this.token=null,this.startLine=1,this.startColumn=0},e.prototype.current=function(){var e=this.token;if(null===e)throw new Error("token was unexpectedly null");if(0===arguments.length)return e;for(var t=0;te("Block validation: "+t,...n)}return{error:e(console.error),warning:e(console.warn),getItems:()=>[]}}const za=/[\u007F-\u009F "'>/="\uFDD0-\uFDEF]/;function Oa(e){return e.replace(/&(?!([a-z0-9]+|#[0-9]+|#x[a-f0-9]+);)/gi,"&")}function Na(e){return e.replace(//g,">")}(function(e){return e.replace(/"/g,""")}(Oa(e)))}function Ba(e){return!za.test(e)}function Ia({children:e,...t}){return(0,tt.createElement)("div",{dangerouslySetInnerHTML:{__html:e},...t})}const{Provider:Pa,Consumer:Ra}=(0,tt.createContext)(void 0),Wa=(0,tt.forwardRef)((()=>null)),Ya=new Set(["string","boolean","number"]),Ha=new Set(["area","base","br","col","command","embed","hr","img","input","keygen","link","meta","param","source","track","wbr"]),qa=new Set(["allowfullscreen","allowpaymentrequest","allowusermedia","async","autofocus","autoplay","checked","controls","default","defer","disabled","download","formnovalidate","hidden","ismap","itemscope","loop","multiple","muted","nomodule","novalidate","open","playsinline","readonly","required","reversed","selected","typemustmatch"]),ja=new Set(["autocapitalize","autocomplete","charset","contenteditable","crossorigin","decoding","dir","draggable","enctype","formenctype","formmethod","http-equiv","inputmode","kind","method","preload","scope","shape","spellcheck","translate","type","wrap"]),Fa=new Set(["animation","animationIterationCount","baselineShift","borderImageOutset","borderImageSlice","borderImageWidth","columnCount","cx","cy","fillOpacity","flexGrow","flexShrink","floodOpacity","fontWeight","gridColumnEnd","gridColumnStart","gridRowEnd","gridRowStart","lineHeight","opacity","order","orphans","r","rx","ry","shapeImageThreshold","stopOpacity","strokeDasharray","strokeDashoffset","strokeMiterlimit","strokeOpacity","strokeWidth","tabSize","widows","x","y","zIndex","zoom"]);function Va(e,t){return t.some((t=>0===e.indexOf(t)))}function Xa(e){return"key"===e||"children"===e}function Ua(e,t){switch(e){case"style":return function(e){if(!(0,at.isPlainObject)(e))return e;let t;for(const n in e){const r=e[n];if(null==r)continue;t?t+=";":t="";t+=Ka(n)+":"+Ga(n,r)}return t}(t)}return t}function $a(e){switch(e){case"htmlFor":return"for";case"className":return"class"}return e.toLowerCase()}function Ka(e){return(0,at.startsWith)(e,"--")?e:Va(e,["ms","O","Moz","Webkit"])?"-"+(0,at.kebabCase)(e):(0,at.kebabCase)(e)}function Ga(e,t){return"number"!=typeof t||0===t||Fa.has(e)?t:t+"px"}function Ja(e,t,n={}){if(null==e||!1===e)return"";if(Array.isArray(e))return Qa(e,t,n);switch(typeof e){case"string":return Na(Oa(e));case"number":return e.toString()}const{type:r,props:o}=e;switch(r){case tt.StrictMode:case tt.Fragment:return Qa(o.children,t,n);case Ia:const{children:e,...r}=o;return Za((0,at.isEmpty)(r)?null:"div",{...r,dangerouslySetInnerHTML:{__html:e}},t,n)}switch(typeof r){case"string":return Za(r,o,t,n);case"function":return r.prototype&&"function"==typeof r.prototype.render?function(e,t,n,r={}){const o=new e(t,r);"function"==typeof o.getChildContext&&Object.assign(r,o.getChildContext());return Ja(o.render(),n,r)}(r,o,t,n):Ja(r(o,n),t,n)}switch(r&&r.$$typeof){case Pa.$$typeof:return Qa(o.children,o.value,n);case Ra.$$typeof:return Ja(o.children(t||r._currentValue),t,n);case Wa.$$typeof:return Ja(r.render(o),t,n)}return""}function Za(e,t,n,r={}){let o="";if("textarea"===e&&t.hasOwnProperty("value")?(o=Qa(t.value,n,r),t=(0,at.omit)(t,"value")):t.dangerouslySetInnerHTML&&"string"==typeof t.dangerouslySetInnerHTML.__html?o=t.dangerouslySetInnerHTML.__html:void 0!==t.children&&(o=Qa(t.children,n,r)),!e)return o;const a=function(e){let t="";for(const n in e){const r=$a(n);if(!Ba(r))continue;let o=Ua(n,e[n]);if(!Ya.has(typeof o))continue;if(Xa(n))continue;const a=qa.has(r);if(a&&!1===o)continue;const i=a||Va(n,["data-","aria-"])||ja.has(r);("boolean"!=typeof o||i)&&(t+=" "+r,a||("string"==typeof o&&(o=Da(o)),t+='="'+o+'"'))}return t}(t);return Ha.has(e)?"<"+e+a+"/>":"<"+e+a+">"+o+""}function Qa(e,t,n={}){let r="";e=(0,at.castArray)(e);for(let o=0;o{const r=e(n),o=n.displayName||n.name||"Component";return r.displayName=`${(0,at.upperFirst)((0,at.camelCase)(t))}(${o})`,r}},{Consumer:ri,Provider:oi}=(0,tt.createContext)((()=>{})),ai=ni((e=>t=>(0,tt.createElement)(ri,null,(n=>(0,tt.createElement)(e,ot({},t,{BlockContent:n}))))),"withBlockContentContext"),ii=({children:e,innerBlocks:t})=>(0,tt.createElement)(oi,{value:()=>{const e=fi(t,{isInnerBlocks:!0});return(0,tt.createElement)(Ia,null,e)}},e);function si(e){const t="wp-block-"+e.replace(/\//,"-").replace(/^core-/,"");return Fn("blocks.getBlockDefaultClassName",t,e)}function li(e){const t="editor-block-list-item-"+e.replace(/\//,"-").replace(/^core-/,"");return Fn("blocks.getBlockMenuDefaultClassName",t,e)}const ci={};function ui(e,t,n){const r=_o(e);return ei(function(e,t,n=[]){const r=_o(e);let{save:o}=r;if(o.prototype instanceof tt.Component){const e=new o({attributes:t});o=e.render.bind(e)}ci.blockType=r,ci.attributes=t;let a=o({attributes:t,innerBlocks:n});const i=r.apiVersion>1||Ro(r,"lightBlockWrapper",!1);if((0,at.isObject)(a)&&Yn("blocks.getSaveContent.extraProps")&&!i){const e=Fn("blocks.getSaveContent.extraProps",{...a.props},r,t);ti(e,a.props)||(a=(0,tt.cloneElement)(a,e))}return a=Fn("blocks.getSaveElement",a,r,t),(0,tt.createElement)(ii,{innerBlocks:n},a)}(r,t,n))}function di(e){let t=e.originalContent;if(e.isValid||e.innerBlocks.length)try{t=ui(e.name,e.attributes,e.innerBlocks)}catch(e){}return t}function pi(e,t,n){const r=(0,at.isEmpty)(t)?"":function(e){return JSON.stringify(e).replace(/--/g,"\\u002d\\u002d").replace(//g,"\\u003e").replace(/&/g,"\\u0026").replace(/\\"/g,"\\u0022")}(t)+" ",o=(0,at.startsWith)(e,"core/")?e.slice(5):e;return n?`\x3c!-- wp:${o} ${r}--\x3e\n`+n+`\n\x3c!-- /wp:${o} --\x3e`:`\x3c!-- wp:${o} ${r}/--\x3e`}function mi(e,{isInnerBlocks:t=!1}={}){const n=e.name,r=di(e);if(n===No()||!t&&n===Oo())return r;return pi(n,function(e,t){return(0,at.reduce)(e.attributes,((e,n,r)=>{const o=t[r];return void 0===o||void 0!==n.source||"default"in n&&n.default===o||(e[r]=o),e}),{})}(Bo(n),e.attributes),r)}function hi(e){1===e.length&&yo(e[0])&&(e=[]);let t=fi(e);return 1===e.length&&e[0].name===Oo()&&(t=ia(t)),t}function fi(e,t){return(0,at.castArray)(e).map((e=>mi(e,t))).join("\n\n")}const gi=/[\t\n\r\v\f ]+/g,bi=/^[\t\n\r\v\f ]*$/,yi=/^url\s*\(['"\s]*(.*?)['"\s]*\)$/,vi=["allowfullscreen","allowpaymentrequest","allowusermedia","async","autofocus","autoplay","checked","controls","default","defer","disabled","download","formnovalidate","hidden","ismap","itemscope","loop","multiple","muted","nomodule","novalidate","open","playsinline","readonly","required","reversed","selected","typemustmatch"],_i=[...vi,"autocapitalize","autocomplete","charset","contenteditable","crossorigin","decoding","dir","draggable","enctype","formenctype","formmethod","http-equiv","inputmode","kind","method","preload","scope","shape","spellcheck","translate","type","wrap"],Mi=[at.identity,function(e){return Ai(e).join(" ")}],ki=/^[\da-z]+$/i,wi=/^#\d+$/,Ei=/^#x[\da-f]+$/i;class Li{parse(e){if(t=e,ki.test(t)||wi.test(t)||Ei.test(t))return Ta("&"+e+";");var t}}function Ai(e){return e.trim().split(gi)}function Si(e){return e.attributes.filter((e=>{const[t,n]=e;return n||0===t.indexOf("data-")||(0,at.includes)(_i,t)}))}function Ci(e,t,n=xa()){let r=e.chars,o=t.chars;for(let e=0;e{const[t,...n]=e.split(":"),r=n.join(":");return[t.trim(),xi(r.trim())]}));return(0,at.fromPairs)(t)}const Oi={class:(e,t)=>!(0,at.xor)(...[e,t].map(Ai)).length,style:(e,t)=>(0,at.isEqual)(...[e,t].map(zi)),...(0,at.fromPairs)(vi.map((e=>[e,at.stubTrue])))};const Ni={StartTag:(e,t,n=xa())=>e.tagName!==t.tagName&&e.tagName.toLowerCase()!==t.tagName.toLowerCase()?(n.warning("Expected tag name `%s`, instead saw `%s`.",t.tagName,e.tagName),!1):function(e,t,n=xa()){if(e.length!==t.length)return n.warning("Expected attributes %o, instead saw %o.",t,e),!1;const r={};for(let e=0;efunction(e,t=xa()){try{return new Sa(new Li).tokenize(e)}catch(n){t.warning("Malformed HTML detected: %s",e)}return null}(e,n)));if(!r||!o)return!1;let a,i;for(;a=Di(r);){if(i=Di(o),!i)return n.warning("Expected end of content, instead saw %o.",a),!1;if(a.type!==i.type)return n.warning("Expected token of type `%s` (%o), instead saw `%s` (%o).",i.type,i,a.type,a),!1;const e=Ni[a.type];if(e&&!e(a,i,n))return!1;Bi(a,o[0])?Di(o):Bi(i,r[0])&&Di(r)}return!(i=Di(o))||(n.warning("Expected %o, instead saw end of content.",i),!1)}function Pi(e,t,n,r=function(){const e=[],t=xa();return{error(...n){e.push({log:t.error,args:n})},warning(...n){e.push({log:t.warning,args:n})},getItems:()=>e}}()){const o=_o(e);let a;try{a=ui(o,t)}catch(e){return r.error("Block validation failed because an error occurred while generating block content:\n\n%s",e.toString()),{isValid:!1,validationIssues:r.getItems()}}const i=Ii(n,a,r);return i||r.error("Block validation failed for `%s` (%o).\n\nContent generated by `save` function:\n\n%s\n\nContent retrieved from post body:\n\n%s",o.name,o,a,n),{isValid:i,validationIssues:r.getItems()}}function Ri(e){const t={};for(let n=0;n{let n=t;e&&(n=t.querySelector(e));try{return Wi(n)}catch(e){return null}}}function Hi(e){const t=[];for(let n=0;n{let n=t;return e&&(n=t.querySelector(e)),n?Hi(n.childNodes):[]}}const Fi={concat:function(...e){const t=[];for(let n=0;nfunction(e,t){switch(t){case"string":return"string"==typeof e;case"boolean":return"boolean"==typeof e;case"object":return!!e&&e.constructor===Object;case"null":return null===e;case"array":return Array.isArray(e);case"integer":case"number":return"number"==typeof e}return!0}(e,t)))}function Xi(e){switch(e.source){case"attribute":let t=function(e,t){return 1===arguments.length&&(t=e,e=void 0),function(n){var r=na(e,"attributes")(n);if(r&&r.hasOwnProperty(t))return r[t].value}}(e.selector,e.attribute);return"boolean"===e.type&&(t=(e=>(0,at.flow)([e,e=>void 0!==e]))(t)),t;case"html":return function(e,t){return n=>{let r=n;if(e&&(r=n.querySelector(e)),!r)return"";if(t){let e="";const n=r.children.length;for(let o=0;oe?e.toLowerCase():void 0]);default:console.error(`Unknown source type "${e.source}"`)}}function Ui(e,t){return ta(e,Xi(t))}function $i(e,t,n,r){const{type:o,enum:a}=t;let i;switch(t.source){case void 0:i=r?r[e]:void 0;break;case"attribute":case"property":case"html":case"text":case"children":case"node":case"query":case"tag":i=Ui(n,t)}return function(e,t){return void 0===t||Vi(e,(0,at.castArray)(t))}(i,o)&&function(e,t){return!Array.isArray(t)||t.includes(e)}(i,a)||(i=void 0),void 0===i?t.default:i}function Ki(e,t,n={}){const r=_o(e),o=(0,at.mapValues)(r.attributes,((e,r)=>$i(r,e,t,n)));return Fn("blocks.getBlockAttributes",o,r,t,n)}function Gi(e,t){const n={...t};if("core/cover-image"===e&&(e="core/cover"),"core/text"!==e&&"core/cover-text"!==e||(e="core/paragraph"),e&&0===e.indexOf("core/social-link-")&&(n.service=e.substring(17),e="core/social-link"),e&&0===e.indexOf("core-embed/")){const t=e.substring(11),r={speaker:"speaker-deck",polldaddy:"crowdsignal"};n.providerNameSlug=t in r?r[t]:t,["amazon-kindle","wordpress"].includes(t)||(n.responsive=!0),e="core/embed"}return"core/query-loop"===e&&(e="core/post-template"),{name:e,attributes:n}}function Ji(e){const{blockName:t}=e;let{attrs:n,innerBlocks:r=[],innerHTML:o}=e;const{innerContent:a}=e,i=Oo(),s=No()||i;n=n||{},o=o.trim();let l=t||i;({name:l,attributes:n}=Gi(l,n)),l===i&&(o=aa(o).trim());let c=Bo(l);if(!c){const e={attrs:n,blockName:t,innerBlocks:r,innerContent:a},i=Zi(e,{isCommentDelimited:!1}),u=Zi(e,{isCommentDelimited:!0});l&&(o=u),l=s,n={originalName:t,originalContent:u,originalUndelimitedContent:i},c=Bo(l)}r=r.map(Ji),r=r.filter((e=>e));const u=l===i||l===s;if(!c||!o&&u)return;let d=Ho(l,Ki(c,o,n),r);if(!u){const{isValid:e,validationIssues:t}=Pi(c,d.attributes,o);d.isValid=e,d.validationIssues=t}return d.originalContent=d.originalContent||o,d=function(e,t){const n=Bo(e.name),{deprecated:r}=n;if(!r||!r.length)return e;const{originalContent:o,innerBlocks:a}=e;for(let i=0;i0&&(d.isValid?console.info("Block successfully updated for `%s` (%o).\n\nNew content generated by `save` function:\n\n%s\n\nContent retrieved from post body:\n\n%s",c.name,c,ui(c,d.attributes),d.originalContent):d.validationIssues.forEach((({log:e,args:t})=>e(...t)))),d}function Zi(e,t={}){const{isCommentDelimited:n=!0}=t,{blockName:r,attrs:o={},innerBlocks:a=[],innerContent:i=[]}=e;let s=0;const l=i.map((e=>null!==e?e:Zi(a[s++],t))).join("\n").replace(/\n+/g,"\n").trim();return n?pi(r,o,l):l}const Qi=(es=e=>{sa=e,la=0,ca=[],ua=[],da.lastIndex=0;do{}while(ha());return ca},e=>es(e).reduce(((e,t)=>{const n=Ji(t);return n&&e.push(n),e}),[]));var es;const ts=Qi;function ns(){return(0,at.filter)(Go("from"),{type:"raw"}).map((e=>e.isMatch?e:{...e,isMatch:t=>e.selector&&t.matches(e.selector)}))}function rs(e){const t=document.implementation.createHTMLDocument("");return t.body.innerHTML=e,Array.from(t.body.children).flatMap((e=>{const t=Ko(ns(),(({isMatch:t})=>t(e)));if(!t)return Ho("core/html",Ki("core/html",e.outerHTML));const{transform:n,blockName:r}=t;return n?n(e):Ho(r,Ki(r,e.outerHTML))}))}function os(e){switch(e.nodeType){case e.TEXT_NODE:return/^[ \f\n\r\t\v\u00a0]*$/.test(e.nodeValue||"");case e.ELEMENT_NODE:return!e.hasAttributes()&&(!e.hasChildNodes()||Array.from(e.childNodes).every(os));default:return!0}}const as={strong:{},em:{},s:{},del:{},ins:{},a:{attributes:["href","target","rel"]},code:{},abbr:{attributes:["title"]},sub:{},sup:{},br:{},small:{},q:{attributes:["cite"]},dfn:{attributes:["title"]},data:{attributes:["value"]},time:{attributes:["datetime"]},var:{},samp:{},kbd:{},i:{},b:{},u:{},mark:{},ruby:{},rt:{},rp:{},bdi:{attributes:["dir"]},bdo:{attributes:["dir"]},wbr:{},"#text":{}};(0,at.without)(Object.keys(as),"#text","br").forEach((e=>{as[e].children=(0,at.omit)(as,e)}));const is={...as,audio:{attributes:["src","preload","autoplay","mediagroup","loop","muted"]},canvas:{attributes:["width","height"]},embed:{attributes:["src","type","width","height"]},img:{attributes:["alt","src","srcset","usemap","ismap","width","height"]},object:{attributes:["data","type","name","usemap","form","width","height"]},video:{attributes:["src","poster","preload","autoplay","mediagroup","loop","muted","controls","width","height"]}};function ss(e){return"paste"!==e?is:(0,at.omit)({...is,ins:{children:is.ins.children},del:{children:is.del.children}},["u","abbr","data","time","wbr","bdi","bdo"])}function ls(e){const t=e.nodeName.toLowerCase();return ss().hasOwnProperty(t)||"span"===t}function cs(e){const t=e.nodeName.toLowerCase();return as.hasOwnProperty(t)||"span"===t}function us(e){const t=document.implementation.createHTMLDocument(""),n=document.implementation.createHTMLDocument(""),r=t.body,o=n.body;for(r.innerHTML=e;r.firstChild;){const e=r.firstChild;e.nodeType===e.TEXT_NODE?os(e)?r.removeChild(e):(o.lastChild&&"P"===o.lastChild.nodeName||o.appendChild(n.createElement("P")),o.lastChild.appendChild(e)):e.nodeType===e.ELEMENT_NODE?"BR"===e.nodeName?(e.nextSibling&&"BR"===e.nextSibling.nodeName&&(o.appendChild(n.createElement("P")),r.removeChild(e.nextSibling)),o.lastChild&&"P"===o.lastChild.nodeName&&o.lastChild.hasChildNodes()?o.lastChild.appendChild(e):r.removeChild(e)):"P"===e.nodeName?os(e)?r.removeChild(e):o.appendChild(e):ls(e)?(o.lastChild&&"P"===o.lastChild.nodeName||o.appendChild(n.createElement("P")),o.lastChild.appendChild(e)):o.appendChild(e):r.removeChild(e)}return o.innerHTML}function ds(e,t){0}function ps(e,t){ds(t.parentNode),t.parentNode.insertBefore(e,t.nextSibling)}function ms(e){ds(e.parentNode),e.parentNode.removeChild(e)}function hs(e,t){ds(e.parentNode),ps(t,e.parentNode),ms(e)}function fs(e,t){if(e.nodeType===e.COMMENT_NODE)if("nextpage"!==e.nodeValue){if(0===e.nodeValue.indexOf("more")){const n=e.nodeValue.slice(4).trim();let r=e,o=!1;for(;r=r.nextSibling;)if(r.nodeType===r.COMMENT_NODE&&"noteaser"===r.nodeValue){o=!0,ms(r);break}hs(e,function(e,t,n){const r=n.createElement("wp-block");r.dataset.block="core/more",e&&(r.dataset.customText=e);t&&(r.dataset.noTeaser="");return r}(n,o,t))}}else hs(e,function(e){const t=e.createElement("wp-block");return t.dataset.block="core/nextpage",t}(t))}function gs(e){const t=e.parentNode;for(ds();e.firstChild;)t.insertBefore(e.firstChild,e);t.removeChild(e)}function bs(e){return"OL"===e.nodeName||"UL"===e.nodeName}function ys(e){if(!bs(e))return;const t=e,n=e.previousElementSibling;if(n&&n.nodeName===e.nodeName&&1===t.children.length){for(;t.firstChild;)n.appendChild(t.firstChild);t.parentNode.removeChild(t)}const r=e.parentNode;if(r&&"LI"===r.nodeName&&1===r.children.length&&!/\S/.test((o=r,Array.from(o.childNodes).map((({nodeValue:e=""})=>e)).join("")))){const e=r,n=e.previousElementSibling,o=e.parentNode;n?(n.appendChild(t),o.removeChild(e)):(o.parentNode.insertBefore(t,o),o.parentNode.removeChild(o))}var o;if(r&&bs(r)){const t=e.previousElementSibling;t?t.appendChild(e):gs(e)}}function vs(e){"BLOCKQUOTE"===e.nodeName&&(e.innerHTML=us(e.innerHTML))}function _s(e,t=e){const n=e.ownerDocument.createElement("figure");t.parentNode.insertBefore(n,t),n.appendChild(e)}function Ms(e,t,n){if(!function(e,t){const n=e.nodeName.toLowerCase();return"figcaption"!==n&&!cs(e)&&(0,at.has)(t,["figure","children",n])}(e,n))return;let r=e;const o=e.parentNode;(function(e,t){const n=e.nodeName.toLowerCase();return(0,at.has)(t,["figure","children","a","children",n])})(e,n)&&"A"===o.nodeName&&1===o.childNodes.length&&(r=e.parentNode);const a=r.closest("p,div");a?e.classList?(e.classList.contains("alignright")||e.classList.contains("alignleft")||e.classList.contains("aligncenter")||!a.textContent.trim())&&_s(r,a):_s(r,a):"BODY"===r.parentNode.nodeName&&_s(r)}function ks(e,t,n=0){const r=ws(e);r.lastIndex=n;const o=r.exec(t);if(!o)return;if("["===o[1]&&"]"===o[7])return ks(e,t,r.lastIndex);const a={index:o.index,content:o[0],shortcode:Ls(o)};return o[1]&&(a.content=a.content.slice(1),a.index++),o[7]&&(a.content=a.content.slice(0,-1)),a}function ws(e){return new RegExp("\\[(\\[?)("+e+")(?![\\w-])([^\\]\\/]*(?:\\/(?!\\])[^\\]\\/]*)*?)(?:(\\/)\\]|\\](?:([^\\[]*(?:\\[(?!\\/\\2\\])[^\\[]*)*)(\\[\\/\\2\\]))?)(\\]?)","g")}const Es=ln()((e=>{const t={},n=[],r=/([\w-]+)\s*=\s*"([^"]*)"(?:\s|$)|([\w-]+)\s*=\s*'([^']*)'(?:\s|$)|([\w-]+)\s*=\s*([^\s'"]+)(?:\s|$)|"([^"]*)"(?:\s|$)|'([^']*)'(?:\s|$)|(\S+)(?:\s|$)/g;let o;for(e=e.replace(/[\u00a0\u200b]/g," ");o=r.exec(e);)o[1]?t[o[1].toLowerCase()]=o[2]:o[3]?t[o[3].toLowerCase()]=o[4]:o[5]?t[o[5].toLowerCase()]=o[6]:o[7]?n.push(o[7]):o[8]?n.push(o[8]):o[9]&&n.push(o[9]);return{named:t,numeric:n}}));function Ls(e){let t;return t=e[4]?"self-closing":e[6]?"closed":"single",new As({tag:e[2],attrs:e[3],type:t,content:e[5]})}const As=(0,at.extend)((function(e){(0,at.extend)(this,(0,at.pick)(e||{},"tag","attrs","type","content"));const t=this.attrs;this.attrs={named:{},numeric:[]},t&&((0,at.isString)(t)?this.attrs=Es(t):(0,at.isEqual)(Object.keys(t),["named","numeric"])?this.attrs=t:(0,at.forEach)(t,((e,t)=>{this.set(t,e)})))}),{next:ks,replace:function(e,t,n){return t.replace(ws(e),(function(e,t,r,o,a,i,s,l){if("["===t&&"]"===l)return e;const c=n(Ls(arguments));return c||""===c?t+c+l:e}))},string:function(e){return new As(e).string()},regexp:ws,attrs:Es,fromMatch:Ls});(0,at.extend)(As.prototype,{get(e){return this.attrs[(0,at.isNumber)(e)?"numeric":"named"][e]},set(e,t){return this.attrs[(0,at.isNumber)(e)?"numeric":"named"][e]=t,this},string(){let e="["+this.tag;return(0,at.forEach)(this.attrs.numeric,(t=>{/\s/.test(t)?e+=' "'+t+'"':e+=" "+t})),(0,at.forEach)(this.attrs.named,((t,n)=>{e+=" "+n+'="'+t+'"'})),"single"===this.type?e+"]":"self-closing"===this.type?e+" /]":(e+="]",this.content&&(e+=this.content),e+"[/"+this.tag+"]")}});const Ss=function e(t,n=0,r=[]){const o=Ko(Go("from"),(e=>-1===r.indexOf(e.blockName)&&"shortcode"===e.type&&(0,at.some)((0,at.castArray)(e.tag),(e=>ws(e).test(t)))));if(!o)return[t];const a=(0,at.castArray)(o.tag),i=(0,at.find)(a,(e=>ws(e).test(t)));let s;const l=n;if(s=ks(i,t,n)){n=s.index+s.content.length;const a=t.substr(0,s.index),i=t.substr(n);if(!((0,at.includes)(s.shortcode.content||"","<")||/(\n|

)\s*$/.test(a)&&/^\s*(\n|<\/p>)/.test(i)))return e(t,n);if(o.isMatch&&!o.isMatch(s.shortcode.attrs))return e(t,l,[...r,o.blockName]);const c=(0,at.mapValues)((0,at.pickBy)(o.attributes,(e=>e.shortcode)),(e=>e.shortcode(s.shortcode.attrs,s))),u=Ho(o.blockName,Ki({...Bo(o.blockName),attributes:o.attributes},s.shortcode.content,c));return[...e(a),u,...e(i)]}return[t]};function Cs(e){return function(e,t){const n={phrasingContentSchema:ss(t),isPaste:"paste"===t},r=e.map((({isMatch:e,blockName:t,schema:r})=>{const o=Ro(t,"anchor");return r=(0,at.isFunction)(r)?r(n):r,o||e?(0,at.mapValues)(r,(t=>{let n=t.attributes||[];return o&&(n=[...n,"id"]),{...t,attributes:n,isMatch:e||void 0}})):r}));return(0,at.mergeWith)({},...r,((e,t,n)=>{switch(n){case"children":return"*"===e||"*"===t?"*":{...e,...t};case"attributes":case"require":return[...e||[],...t||[]];case"isMatch":if(!e||!t)return;return(...n)=>e(...n)||t(...n)}}))}(ns(),e)}function Ts(e,t,n,r){Array.from(e).forEach((e=>{Ts(e.childNodes,t,n,r),t.forEach((t=>{n.contains(e)&&t(e,n,r)}))}))}function xs(e,t=[],n){const r=document.implementation.createHTMLDocument("");return r.body.innerHTML=e,Ts(r.body.childNodes,t,r,n),r.body.innerHTML}function zs(e,t){const n=e[`${t}Sibling`];if(n&&ls(n))return n;const{parentNode:r}=e;return r&&ls(r)?zs(r,t):void 0}function Os({HTML:e=""}){if(-1!==e.indexOf("\x3c!-- wp:"))return Qi(e);const t=Ss(e),n=Cs();return(0,at.compact)((0,at.flatMap)(t,(e=>{if("string"!=typeof e)return e;return rs(e=us(e=xs(e,[ys,fs,Ms,vs],n)))})))}function Ns(e,t,n,r){Array.from(e).forEach((e=>{var o,a;const i=e.nodeName.toLowerCase();if(n.hasOwnProperty(i)&&(!n[i].isMatch||null!==(o=(a=n[i]).isMatch)&&void 0!==o&&o.call(a,e))){if(function(e){return!!e&&e.nodeType===e.ELEMENT_NODE}(e)){const{attributes:o=[],classes:a=[],children:s,require:l=[],allowEmpty:c}=n[i];if(s&&!c&&os(e))return void ms(e);if(e.hasAttributes()&&(Array.from(e.attributes).forEach((({name:t})=>{"class"===t||(0,at.includes)(o,t)||e.removeAttribute(t)})),e.classList&&e.classList.length)){const t=a.map((e=>"string"==typeof e?t=>t===e:e instanceof RegExp?t=>e.test(t):at.noop));Array.from(e.classList).forEach((n=>{t.some((e=>e(n)))||e.classList.remove(n)})),e.classList.length||e.removeAttribute("class")}if(e.hasChildNodes()){if("*"===s)return;if(s)l.length&&!e.querySelector(l.join(","))?(Ns(e.childNodes,t,n,r),gs(e)):e.parentNode&&"BODY"===e.parentNode.nodeName&&ls(e)?(Ns(e.childNodes,t,n,r),Array.from(e.childNodes).some((e=>!ls(e)))&&gs(e)):Ns(e.childNodes,t,s,r);else for(;e.firstChild;)ms(e.firstChild)}}}else Ns(e.childNodes,t,n,r),r&&!ls(e)&&e.nextElementSibling&&ps(t.createElement("br"),e),gs(e)}))}function Ds(e,t,n){const r=document.implementation.createHTMLDocument("");return r.body.innerHTML=e,Ns(r.body.childNodes,r,t,n),r.body.innerHTML}function Bs(e){e.nodeType===e.COMMENT_NODE&&ms(e)}function Is(e,t){return e.every((e=>function(e,t){if(cs(e))return!0;if(!t)return!1;const n=e.nodeName.toLowerCase();return[["ul","li","ol"],["h1","h2","h3","h4","h5","h6"]].some((e=>0===(0,at.difference)([n,t],e).length))}(e,t)&&Is(Array.from(e.children),t)))}function Ps(e){return"BR"===e.nodeName&&e.previousSibling&&"BR"===e.previousSibling.nodeName}function Rs(e,t){ds(t.parentNode),t.parentNode.insertBefore(e,t),e.appendChild(t)}function Ws(e,t){const n=e.ownerDocument.createElement(t);for(;e.firstChild;)n.appendChild(e.firstChild);return ds(e.parentNode),e.parentNode.replaceChild(n,e),n}function Ys(e,t){if("SPAN"===e.nodeName&&e.style){const{fontWeight:n,fontStyle:r,textDecorationLine:o,textDecoration:a,verticalAlign:i}=e.style;"bold"!==n&&"700"!==n||Rs(t.createElement("strong"),e),"italic"===r&&Rs(t.createElement("em"),e),("line-through"===o||(0,at.includes)(a,"line-through"))&&Rs(t.createElement("s"),e),"super"===i?Rs(t.createElement("sup"),e):"sub"===i&&Rs(t.createElement("sub"),e)}else"B"===e.nodeName?e=Ws(e,"strong"):"I"===e.nodeName?e=Ws(e,"em"):"A"===e.nodeName&&(e.target&&"_blank"===e.target.toLowerCase()?e.rel="noreferrer noopener":(e.removeAttribute("target"),e.removeAttribute("rel")))}function Hs(e){"SCRIPT"!==e.nodeName&&"NOSCRIPT"!==e.nodeName&&"TEMPLATE"!==e.nodeName&&"STYLE"!==e.nodeName||e.parentNode.removeChild(e)}const{parseInt:qs}=window;function js(e){return"OL"===e.nodeName||"UL"===e.nodeName}function Fs(e,t){if("P"!==e.nodeName)return;const n=e.getAttribute("style");if(!n)return;if(-1===n.indexOf("mso-list"))return;const r=/mso-list\s*:[^;]+level([0-9]+)/i.exec(n);if(!r)return;let o=qs(r[1],10)-1||0;const a=e.previousElementSibling;if(!a||!js(a)){const n=e.textContent.trim().slice(0,1),r=/[1iIaA]/.test(n),o=t.createElement(r?"ol":"ul");r&&o.setAttribute("type",n),e.parentNode.insertBefore(o,e)}const i=e.previousElementSibling,s=i.nodeName,l=t.createElement("li");let c=i;for(e.removeChild(e.firstElementChild);e.firstChild;)l.appendChild(e.firstChild);for(;o--;)c=c.lastElementChild||c,js(c)&&(c=c.lastElementChild||c);js(c)||(c=c.appendChild(t.createElement(s))),c.appendChild(l),e.parentNode.removeChild(e)}const{createObjectURL:Vs,revokeObjectURL:Xs}=window.URL,Us={};function $s(e){const t=Vs(e);return Us[t]=e,t}function Ks(e){return Us[e]}function Gs(e){Us[e]&&Xs(e),delete Us[e]}function Js(e){return!(!e||!e.indexOf)&&0===e.indexOf("blob:")}const{atob:Zs,File:Qs}=window;function el(e){if("IMG"===e.nodeName){if(0===e.src.indexOf("file:")&&(e.src=""),0===e.src.indexOf("data:")){const[t,n]=e.src.split(","),[r]=t.slice(5).split(";");if(!n||!r)return void(e.src="");let o;try{o=Zs(n)}catch(t){return void(e.src="")}const a=new Uint8Array(o.length);for(let e=0;e]+>/g,"")).replace(/^\s*]*>\s*]*>(?:\s*)?/i,"")).replace(/(?:\s*)?<\/body>\s*<\/html>\s*$/i,""),"INLINE"!==n){const n=e||t;if(-1!==n.indexOf("\x3c!-- wp:"))return Qi(n)}var a;if(String.prototype.normalize&&(e=e.normalize()),!t||e&&!function(e){return!/<(?!br[ />])/i.test(e)}(e)||(e=t,/^\s+$/.test(t)||(a=e,e=nl.makeHtml(function(e){return e.replace(/((?:^|\n)```)([^\n`]+)(```(?:$|\n))/,((e,t,n,r)=>`${t}\n${n}\n${r}`))}(a))),"AUTO"===n&&-1===t.indexOf("\n")&&0!==t.indexOf("

")&&0===e.indexOf("

")&&(n="INLINE")),"INLINE"===n)return cl(e,o);const i=Ss(e),s=i.length>1;if("AUTO"===n&&!s&&function(e,t){const n=document.implementation.createHTMLDocument("");n.body.innerHTML=e;const r=Array.from(n.body.children);return!r.some(Ps)&&Is(r,t)}(e,r))return cl(e,o);const l=ss("paste"),c=Cs("paste"),u=(0,at.compact)((0,at.flatMap)(i,(e=>{if("string"!=typeof e)return e;const t=[ol,Fs,Hs,ys,el,Ys,fs,Bs,rl,Ms,vs],n={...c,...l};return e=xs(e,t,c),e=xs(e=us(e=Ds(e,n)),[al,il,sl],c),ll.log("Processed HTML piece:\n\n",e),rs(e)})));if("AUTO"===n&&1===u.length&&Ro(u[0].name,"__unstablePasteTextInline",!1)){const e=t.replace(/^[\n]+|[\n]+$/g,"");if(""!==e&&-1===e.indexOf("\n"))return Ds(di(u[0]),l)}return u}function dl(e=[],t=[]){return e.length===t.length&&(0,at.every)(t,(([t,,n],r)=>{const o=e[r];return t===o.name&&dl(o.innerBlocks,n)}))}function pl(e=[],t){return t?(0,at.map)(t,(([t,n,r],o)=>{const a=e[o];if(a&&a.name===t){const e=pl(a.innerBlocks,r);return{...a,innerBlocks:e}}const i=Bo(t),s=(e,t)=>(0,at.mapValues)(t,((t,n)=>l(e[n],t))),l=(e,t)=>{return n=e,"html"===(0,at.get)(n,["source"])&&(0,at.isArray)(t)?ei(t):(e=>"query"===(0,at.get)(e,["source"]))(e)&&t?t.map((t=>s(e.query,t))):t;var n},c=s((0,at.get)(i,["attributes"],{}),n),{name:u,attributes:d}=Gi(t,c);return Ho(u,d,pl([],r))})):e}function ml(e,t){var n=(0,tt.useState)((function(){return{inputs:t,result:e()}}))[0],r=(0,tt.useRef)(!0),o=(0,tt.useRef)(n),a=r.current||Boolean(t&&o.current.inputs&&function(e,t){if(e.length!==t.length)return!1;for(var n=0;n{setTimeout((()=>e(Date.now())),0)}:window.requestIdleCallback||window.requestAnimationFrame,fl=()=>{let e=[],t=new WeakMap,n=!1;const r=o=>{const a="number"==typeof o?()=>!1:()=>o.timeRemaining()>0;do{if(0===e.length)return void(n=!1);const r=e.shift();t.get(r)(),t.delete(r)}while(a());hl(r)};return{add:(o,a)=>{t.has(o)||e.push(o),t.set(o,a),n||(n=!0,hl(r))},flush:n=>{if(!t.has(n))return!1;const r=e.indexOf(n);e.splice(r,1);const o=t.get(n);return t.delete(n),o(),!0},reset:()=>{e=[],t=new WeakMap,n=!1}}},gl="undefined"!=typeof window?tt.useLayoutEffect:tt.useEffect,bl=(0,tt.createContext)(en),{Consumer:yl,Provider:vl}=bl,_l=yl,Ml=vl;function kl(){return(0,tt.useContext)(bl)}const wl=(0,tt.createContext)(!1),{Consumer:El,Provider:Ll}=wl,Al=Ll;const Sl=fl();function Cl(e,t){const n="function"!=typeof e;n&&(t=[]);const r=(0,tt.useCallback)(e,t),o=kl(),a=(0,tt.useContext)(wl),i=ml((()=>({queue:!0})),[o]),[,s]=(0,tt.useReducer)((e=>e+1),0),l=(0,tt.useRef)(),c=(0,tt.useRef)(a),u=(0,tt.useRef)(),d=(0,tt.useRef)(),p=(0,tt.useRef)(),m=(0,tt.useRef)([]),h=(0,tt.useCallback)((e=>o.__experimentalMarkListeningStores(e,m)),[o]),f=(0,tt.useMemo)((()=>({})),t||[]);let g;if(!n)try{g=l.current!==r||d.current?h((()=>r(o.select,o))):u.current}catch(e){let t=`An error occurred while running 'mapSelect': ${e.message}`;d.current&&(t+="\nThe error may be correlated with this previous error:\n",t+=`${d.current.stack}\n\n`,t+="Original stack trace:"),console.error(t),g=u.current}return gl((()=>{n||(l.current=r,u.current=g,d.current=void 0,p.current=!0,c.current!==a&&(c.current=a,Sl.flush(i)))})),gl((()=>{if(n)return;const e=()=>{if(p.current){try{const e=h((()=>l.current(o.select,o)));if(ti(u.current,e))return;u.current=e}catch(e){d.current=e}s()}};c.current?Sl.add(i,e):e();const t=()=>{c.current?Sl.add(i,e):e()},r=m.current.map((e=>o.__experimentalSubscribeStore(e,t)));return()=>{p.current=!1,r.forEach((e=>null==e?void 0:e())),Sl.flush(i)}}),[o,h,f,n]),n?o.select(e):g}const Tl=function(e){const t=(e,n)=>{const{headers:r={}}=e;for(const o in r)if("x-wp-nonce"===o.toLowerCase()&&r[o]===t.nonce)return n(e);return n({...e,headers:{...r,"X-WP-Nonce":t.nonce}})};return t.nonce=e,t},xl=(e,t)=>{let n,r,o=e.path;return"string"==typeof e.namespace&&"string"==typeof e.endpoint&&(n=e.namespace.replace(/^\/|\/$/g,""),r=e.endpoint.replace(/^\//,""),o=r?n+"/"+r:n),delete e.namespace,delete e.endpoint,t({...e,path:o})},zl=e=>(t,n)=>xl(t,(t=>{let r,o=t.url,a=t.path;return"string"==typeof a&&(r=e,-1!==e.indexOf("?")&&(a=a.replace("?","&")),a=a.replace(/^\//,""),"string"==typeof r&&-1!==r.indexOf("?")&&(a=a.replace("?","&")),o=r+a),n({...t,url:o})}));function Ol(e){const t=e.split("?"),n=t[1],r=t[0];return n?r+"?"+n.split("&").map((e=>e.split("="))).sort(((e,t)=>e[0].localeCompare(t[0]))).map((e=>e.join("="))).join("&"):r}const Nl=function(e){const t=Object.keys(e).reduce(((t,n)=>(t[Ol(n)]=e[n],t)),{});return(e,n)=>{const{parse:r=!0}=e;if("string"==typeof e.path){const n=e.method||"GET",o=Ol(e.path);if("GET"===n&&t[o]){const e=t[o];return delete t[o],Promise.resolve(r?e.body:new window.Response(JSON.stringify(e.body),{status:200,statusText:"OK",headers:e.headers}))}if("OPTIONS"===n&&t[n]&&t[n][o])return Promise.resolve(r?t[n][o].body:t[n][o])}return n(e)}};function Dl(e){let t;try{t=new URL(e,"http://example.com").search.substring(1)}catch(e){}if(t)return t}function Bl(e){return(Dl(e)||"").replace(/\+/g,"%20").split("&").reduce(((e,t)=>{const[n,r=""]=t.split("=").filter(Boolean).map(decodeURIComponent);if(n){!function(e,t,n){const r=t.length,o=r-1;for(let a=0;a({...n,url:t&&Il(t,r),path:e&&Il(e,r)}),Rl=e=>e.json?e.json():Promise.reject(e),Wl=e=>{const{next:t}=(e=>{if(!e)return{};const t=e.match(/<([^>]+)>; rel="next"/);return t?{next:t[1]}:{}})(e.headers.get("link"));return t},Yl=async(e,t)=>{if(!1===e.parse)return t(e);if(!(e=>{const t=!!e.path&&-1!==e.path.indexOf("per_page=-1"),n=!!e.url&&-1!==e.url.indexOf("per_page=-1");return t||n})(e))return t(e);const n=await Ql({...Pl(e,{per_page:100}),parse:!1}),r=await Rl(n);if(!Array.isArray(r))return r;let o=Wl(n);if(!o)return r;let a=[].concat(r);for(;o;){const t=await Ql({...e,path:void 0,url:o,parse:!1}),n=await Rl(t);a=a.concat(n),o=Wl(t)}return a},Hl=new Set(["PATCH","PUT","DELETE"]),ql="GET";function jl(e,t){return void 0!==function(e,t){return Bl(e)[t]}(e,t)}const Fl=(e,t=!0)=>Promise.resolve(((e,t=!0)=>t?204===e.status?null:e.json?e.json():Promise.reject(e):e)(e,t)).catch((e=>Vl(e,t)));function Vl(e,t=!0){if(!t)throw e;return(e=>{const t={code:"invalid_json",message:er("The response is not a valid JSON response.")};if(!e||!e.json)throw t;return e.json().catch((()=>{throw t}))})(e).then((e=>{const t={code:"unknown_error",message:er("An unknown error occurred.")};throw e||t}))}const Xl=(e,t)=>{if(!(e.path&&-1!==e.path.indexOf("/wp/v2/media")||e.url&&-1!==e.url.indexOf("/wp/v2/media")))return t(e);let n=0;const r=e=>(n++,t({path:`/wp/v2/media/${e}/post-process`,method:"POST",data:{action:"create-image-subsizes"},parse:!1}).catch((()=>n<5?r(e):(t({path:`/wp/v2/media/${e}?force=true`,method:"DELETE"}),Promise.reject()))));return t({...e,parse:!1}).catch((t=>{const n=t.headers.get("x-wp-upload-attachment-id");return t.status>=500&&t.status<600&&n?r(n).catch((()=>!1!==e.parse?Promise.reject({code:"post_process",message:er("Media upload failed. If this is a photo or a large image, please scale it down and try again.")}):Promise.reject(t))):Vl(t,e.parse)})).then((t=>Fl(t,e.parse)))},Ul={Accept:"application/json, */*;q=0.1"},$l={credentials:"include"},Kl=[(e,t)=>("string"!=typeof e.url||jl(e.url,"_locale")||(e.url=Il(e.url,{_locale:"user"})),"string"!=typeof e.path||jl(e.path,"_locale")||(e.path=Il(e.path,{_locale:"user"})),t(e)),xl,(e,t)=>{const{method:n=ql}=e;return Hl.has(n.toUpperCase())&&(e={...e,headers:{...e.headers,"X-HTTP-Method-Override":n,"Content-Type":"application/json"},method:"POST"}),t(e)},Yl];const Gl=e=>{if(e.status>=200&&e.status<300)return e;throw e};let Jl=e=>{const{url:t,path:n,data:r,parse:o=!0,...a}=e;let{body:i,headers:s}=e;s={...Ul,...s},r&&(i=JSON.stringify(r),s["Content-Type"]="application/json");return window.fetch(t||n||window.location.href,{...$l,...a,body:i,headers:s}).then((e=>Promise.resolve(e).then(Gl).catch((e=>Vl(e,o))).then((e=>Fl(e,o)))),(e=>{if(e&&"AbortError"===e.name)throw e;throw{code:"fetch_error",message:er("You are probably offline.")}}))};function Zl(e){return Kl.reduceRight(((e,t)=>n=>t(n,e)),Jl)(e).catch((t=>"rest_cookie_invalid_nonce"!==t.code?Promise.reject(t):window.fetch(Zl.nonceEndpoint).then(Gl).then((e=>e.text())).then((t=>(Zl.nonceMiddleware.nonce=t,Zl(e))))))}Zl.use=function(e){Kl.unshift(e)},Zl.setFetchHandler=function(e){Jl=e},Zl.createNonceMiddleware=Tl,Zl.createPreloadingMiddleware=Nl,Zl.createRootURLMiddleware=zl,Zl.fetchAllMiddleware=Yl,Zl.mediaUploadMiddleware=Xl;const Ql=Zl;function ec(e){return{type:"API_FETCH",request:e}}const tc=function(e){return{type:"AWAIT_PROMISE",promise:e}},nc={AWAIT_PROMISE:({promise:e})=>e,API_FETCH:({request:e})=>Ql(e)},rc=e=>t=>(n,r)=>void 0===n||e(r)?t(n,r):n,oc=e=>t=>(n,r)=>t(n,e(r));const ac=e=>t=>(n={},r)=>{const o=r[e];if(void 0===o)return n;const a=t(n[o],r);return a===n[o]?n:{...n,[o]:a}};function ic(e,t){return{type:"RECEIVE_ITEMS",items:(0,at.castArray)(e),persistedEdits:t}}const sc="core";function*lc(e,t,{exclusive:n}){const r=yield*cc(e,t,{exclusive:n});return yield*dc(),yield tc(r)}function*cc(e,t,{exclusive:n}){let r;const o=new Promise((e=>{r=e}));return yield{type:"ENQUEUE_LOCK_REQUEST",request:{store:e,path:t,exclusive:n,notifyAcquired:r}},o}function*uc(e){yield{type:"RELEASE_LOCK",lock:e},yield*dc()}function*dc(){yield{type:"PROCESS_PENDING_LOCK_REQUESTS"};const e=yield zt.select(sc,"__unstableGetPendingLockRequests");for(const t of e){const{store:e,path:n,exclusive:r,notifyAcquired:o}=t;if(yield zt.select(sc,"__unstableIsLockAvailable",e,n,{exclusive:r})){const a={store:e,path:n,exclusive:r};yield{type:"GRANT_LOCK_REQUEST",lock:a,request:t},o(a)}}}async function pc(e){const t=await Ql({path:"/batch/v1",method:"POST",data:{validation:"require-all-validate",requests:e.map((e=>({path:e.path,body:e.data,method:e.method,headers:e.headers})))}});return t.failed?t.responses.map((e=>({error:null==e?void 0:e.body}))):t.responses.map((e=>{const t={};return e.status>=200&&e.status<300?t.output=e.body:t.error=e.body,t}))}function mc(e=pc){let t=0,n=[];const r=new hc;return{add(e){const o=++t;r.add(o);const a=e=>new Promise(((t,a)=>{n.push({input:e,resolve:t,reject:a}),r.delete(o)}));return(0,at.isFunction)(e)?Promise.resolve(e(a)).finally((()=>{r.delete(o)})):a(e)},async run(){let t;r.size&&await new Promise((e=>{const t=r.subscribe((()=>{r.size||(t(),e())}))}));try{if(t=await e(n.map((({input:e})=>e))),t.length!==n.length)throw new Error("run: Array returned by processor must be same size as input array.")}catch(e){for(const{reject:t}of n)t(e);throw e}let o=!0;for(const[e,{resolve:r,reject:i}]of(0,at.zip)(t,n)){var a;if(null!=e&&e.error)i(e.error),o=!1;else r(null!==(a=null==e?void 0:e.output)&&void 0!==a?a:e)}return n=[],o}}}class hc{constructor(...e){this.set=new Set(...e),this.subscribers=new Set}get size(){return this.set.size}add(...e){return this.set.add(...e),this.subscribers.forEach((e=>e())),this}delete(...e){const t=this.set.delete(...e);return this.subscribers.forEach((e=>e())),t}subscribe(e){return this.subscribers.add(e),()=>{this.subscribers.delete(e)}}}const fc={async REGULAR_FETCH({url:e}){const{data:t}=await window.fetch(e).then((e=>e.json()));return t},GET_DISPATCH:St((({dispatch:e})=>()=>e))};function gc(e,t){return{type:"RECEIVE_USER_QUERY",users:(0,at.castArray)(t),queryID:e}}function bc(e){return{type:"RECEIVE_CURRENT_USER",currentUser:e}}function yc(e){return{type:"ADD_ENTITIES",entities:e}}function vc(e,t,n,r,o=!1,a){let i;return"postType"===e&&(n=(0,at.castArray)(n).map((e=>"auto-draft"===e.status?{...e,title:""}:e))),i=r?function(e,t={},n){return{...ic(e,n),query:t}}(n,r,a):ic(n,a),{...i,kind:e,name:t,invalidateCache:o}}function _c(e){return{type:"RECEIVE_CURRENT_THEME",currentTheme:e}}function Mc(e){return{type:"RECEIVE_THEME_SUPPORTS",themeSupports:e}}function kc(e,t){return{type:"RECEIVE_EMBED_PREVIEW",url:e,preview:t}}function*wc(e,t,n,r,{__unstableFetch:o=null}={}){const a=yield Yc(e),i=(0,at.find)(a,{kind:e,name:t});let s,l=!1;if(!i)return;const c=yield*lc(sc,["entities","data",e,t,n],{exclusive:!0});try{yield{type:"DELETE_ENTITY_RECORD_START",kind:e,name:t,recordId:n};try{let a=`${i.baseURL}/${n}`;r&&(a=Il(a,r));const s={path:a,method:"DELETE"};l=o?yield tc(o(s)):yield ec(s),yield function(e,t,n,r=!1){return{type:"REMOVE_ITEMS",itemIds:(0,at.castArray)(n),kind:e,name:t,invalidateCache:r}}(e,t,n,!0)}catch(e){s=e}return yield{type:"DELETE_ENTITY_RECORD_FINISH",kind:e,name:t,recordId:n,error:s},l}finally{yield*uc(c)}}function*Ec(e,t,n,r,o={}){const a=yield zt.select(sc,"getEntity",e,t);if(!a)throw new Error(`The entity being edited (${e}, ${t}) does not have a loaded config.`);const{transientEdits:i={},mergedEdits:s={}}=a,l=yield zt.select(sc,"getRawEntityRecord",e,t,n),c=yield zt.select(sc,"getEditedEntityRecord",e,t,n),u={kind:e,name:t,recordId:n,edits:Object.keys(r).reduce(((e,t)=>{const n=l[t],o=c[t],a=s[t]?{...o,...r[t]}:r[t];return e[t]=(0,at.isEqual)(n,a)?void 0:a,e}),{}),transientEdits:i};return{type:"EDIT_ENTITY_RECORD",...u,meta:{undo:!o.undoIgnore&&{...u,edits:Object.keys(r).reduce(((e,t)=>(e[t]=c[t],e)),{})}}}}function*Lc(){const e=yield zt.select(sc,"getUndoEdit");e&&(yield{type:"EDIT_ENTITY_RECORD",...e,meta:{isUndo:!0}})}function*Ac(){const e=yield zt.select(sc,"getRedoEdit");e&&(yield{type:"EDIT_ENTITY_RECORD",...e,meta:{isRedo:!0}})}function Sc(){return{type:"CREATE_UNDO_LEVEL"}}function*Cc(e,t,n,{isAutosave:r=!1,__unstableFetch:o=null}={}){const a=yield Yc(e),i=(0,at.find)(a,{kind:e,name:t});if(!i)return;const s=n[i.key||Bc],l=yield*lc(sc,["entities","data",e,t,s||ao()],{exclusive:!0});try{for(const[r,o]of Object.entries(n))if("function"==typeof o){const a=o(yield zt.select(sc,"getEditedEntityRecord",e,t,s));yield Ec(e,t,s,{[r]:a},{undoIgnore:!0}),n[r]=a}let a,c;yield{type:"SAVE_ENTITY_RECORD_START",kind:e,name:t,recordId:s,isAutosave:r};try{const l=`${i.baseURL}${s?"/"+s:""}`,c=yield zt.select(sc,"getRawEntityRecord",e,t,s);if(r){const r=yield zt.select(sc,"getCurrentUser"),i=r?r.id:void 0,s=yield zt.select(sc,"getAutosave",c.type,c.id,i);let u={...c,...s,...n};u=Object.keys(u).reduce(((e,t)=>(["title","excerpt","content"].includes(t)&&(e[t]=(0,at.get)(u[t],"raw",u[t])),e)),{status:"auto-draft"===u.status?"draft":u.status});const d={path:`${l}/autosaves`,method:"POST",data:u};if(a=o?yield tc(o(d)):yield ec(d),c.id===a.id){let n={...c,...u,...a};n=Object.keys(n).reduce(((e,t)=>(["title","excerpt","content"].includes(t)?e[t]=(0,at.get)(n[t],"raw",n[t]):e[t]="status"===t?"auto-draft"===c.status&&"draft"===n.status?n.status:c.status:(0,at.get)(c[t],"raw",c[t]),e)),{}),yield vc(e,t,n,void 0,!0)}else yield Dc(c.id,a)}else{let r=n;i.__unstablePrePersist&&(r={...r,...i.__unstablePrePersist(c,r)});const u={path:l,method:s?"PUT":"POST",data:r};a=o?yield tc(o(u)):yield ec(u),yield vc(e,t,a,void 0,!0,r)}}catch(e){c=e}return yield{type:"SAVE_ENTITY_RECORD_FINISH",kind:e,name:t,recordId:s,error:c,isAutosave:r},a}finally{yield*uc(l)}}function*Tc(e){const t=mc(),n=yield{type:"GET_DISPATCH"},r={saveEntityRecord:(e,r,o,a)=>t.add((t=>n(sc).saveEntityRecord(e,r,o,{...a,__unstableFetch:t}))),saveEditedEntityRecord:(e,r,o,a)=>t.add((t=>n(sc).saveEditedEntityRecord(e,r,o,{...a,__unstableFetch:t}))),deleteEntityRecord:(e,r,o,a,i)=>t.add((t=>n(sc).deleteEntityRecord(e,r,o,a,{...i,__unstableFetch:t})))},o=e.map((e=>e(r))),[,...a]=yield tc(Promise.all([t.run(),...o]));return a}function*xc(e,t,n,r){if(!(yield zt.select(sc,"hasEditsForEntityRecord",e,t,n)))return;const o={id:n,...yield zt.select(sc,"getEntityRecordNonTransientEdits",e,t,n)};return yield*Cc(e,t,o,r)}function*zc(e,t,n,r,o){if(!(yield zt.select(sc,"hasEditsForEntityRecord",e,t,n)))return;const a=yield zt.select(sc,"getEntityRecordNonTransientEdits",e,t,n),i={};for(const e in a)r.some((t=>t===e))&&(i[e]=a[e]);return yield*Cc(e,t,i,o)}function Oc(e){return{type:"RECEIVE_USER_PERMISSION",key:"create/media",isAllowed:e}}function Nc(e,t){return{type:"RECEIVE_USER_PERMISSION",key:e,isAllowed:t}}function Dc(e,t){return{type:"RECEIVE_AUTOSAVES",postId:e,autosaves:(0,at.castArray)(t)}}const Bc="id",Ic=[{label:er("Base"),name:"__unstableBase",kind:"root",baseURL:""},{label:er("Site"),name:"site",kind:"root",baseURL:"/wp/v2/settings",getTitle:e=>(0,at.get)(e,["title"],er("Site Title"))},{label:er("Post Type"),name:"postType",kind:"root",key:"slug",baseURL:"/wp/v2/types",baseURLParams:{context:"edit"}},{name:"media",kind:"root",baseURL:"/wp/v2/media",baseURLParams:{context:"edit"},plural:"mediaItems",label:er("Media")},{name:"taxonomy",kind:"root",key:"slug",baseURL:"/wp/v2/taxonomies",baseURLParams:{context:"edit"},plural:"taxonomies",label:er("Taxonomy")},{name:"sidebar",kind:"root",baseURL:"/wp/v2/sidebars",plural:"sidebars",transientEdits:{blocks:!0},label:er("Widget areas")},{name:"widget",kind:"root",baseURL:"/wp/v2/widgets",baseURLParams:{context:"edit"},plural:"widgets",transientEdits:{blocks:!0},label:er("Widgets")},{name:"widgetType",kind:"root",baseURL:"/wp/v2/widget-types",baseURLParams:{context:"edit"},plural:"widgetTypes",label:er("Widget types")},{label:er("User"),name:"user",kind:"root",baseURL:"/wp/v2/users",baseURLParams:{context:"edit"},plural:"users"},{name:"comment",kind:"root",baseURL:"/wp/v2/comments",baseURLParams:{context:"edit"},plural:"comments",label:er("Comment")},{name:"menu",kind:"root",baseURL:"/__experimental/menus",baseURLParams:{context:"edit"},plural:"menus",label:er("Menu")},{name:"menuItem",kind:"root",baseURL:"/__experimental/menu-items",baseURLParams:{context:"edit"},plural:"menuItems",label:er("Menu Item")},{name:"menuLocation",kind:"root",baseURL:"/__experimental/menu-locations",baseURLParams:{context:"edit"},plural:"menuLocations",label:er("Menu Location"),key:"name"}],Pc=[{name:"postType",loadEntities:function*(){const e=yield ec({path:"/wp/v2/types?context=edit"});return(0,at.map)(e,((e,t)=>{const n=["wp_template","wp_template_part"].includes(t);return{kind:"postType",baseURL:"/wp/v2/"+e.rest_base,baseURLParams:{context:"edit"},name:t,label:e.labels.singular_name,transientEdits:{blocks:!0,selection:!0},mergedEdits:{meta:!0},getTitle:e=>{var t;return(null==e||null===(t=e.title)||void 0===t?void 0:t.rendered)||(null==e?void 0:e.title)||(n?(0,at.startCase)(e.slug):String(e.id))},__unstablePrePersist:n?void 0:Rc,__unstable_rest_base:e.rest_base}}))}},{name:"taxonomy",loadEntities:function*(){const e=yield ec({path:"/wp/v2/taxonomies?context=edit"});return(0,at.map)(e,((e,t)=>({kind:"taxonomy",baseURL:"/wp/v2/"+e.rest_base,baseURLParams:{context:"edit"},name:t,label:e.labels.singular_name})))}}],Rc=(e,t)=>{const n={};return"auto-draft"===(null==e?void 0:e.status)&&(t.status||n.status||(n.status="draft"),t.title&&"Auto Draft"!==t.title||n.title||null!=e&&e.title&&"Auto Draft"!==(null==e?void 0:e.title)||(n.title="")),n};const Wc=(e,t,n="get",r=!1)=>{const o=(0,at.find)(Ic,{kind:e,name:t}),a="root"===e?"":(0,at.upperFirst)((0,at.camelCase)(e)),i=(0,at.upperFirst)((0,at.camelCase)(t))+(r?"s":"");return`${n}${a}${r&&o.plural?(0,at.upperFirst)((0,at.camelCase)(o.plural)):i}`};function*Yc(e){let t=yield zt.select(sc,"getEntitiesByKind",e);if(t&&0!==t.length)return t;const n=(0,at.find)(Pc,{name:e});return n?(t=yield n.loadEntities(),yield yc(t),t):[]}const Hc=function(e){return"string"==typeof e?e.split(","):Array.isArray(e)?e:null};const qc=function(e){const t=new WeakMap;return n=>{let r;return t.has(n)?r=t.get(n):(r=e(n),(0,at.isObjectLike)(n)&&t.set(n,r)),r}}((function(e){const t={stableKey:"",page:1,perPage:10,fields:null,include:null,context:"default"},n=Object.keys(e).sort();for(let r=0;r"query"in e)),oc((e=>e.query?{...e,...qc(e.query)}:e)),ac("context"),ac("stableKey")])(((e=null,t)=>{const{type:n,page:r,perPage:o,key:a=Bc}=t;return"RECEIVE_ITEMS"!==n?e:function(e,t,n,r){if(1===n&&-1===r)return t;const o=(n-1)*r,a=Math.max(e.length,o+t.length),i=new Array(a);for(let n=0;n=o&&n{var a;const i=o[r];return t[i]=function(e,t){if(!e)return t;let n=!1;const r={};for(const o in t)(0,at.isEqual)(e[o],t[o])?r[o]=e[o]:(n=!0,r[o]=t[o]);if(!n)return e;for(const t in e)r.hasOwnProperty(t)||(r[t]=e[t]);return r}(null==e||null===(a=e[n])||void 0===a?void 0:a[i],o),t}),{})}}}case"REMOVE_ITEMS":return(0,at.mapValues)(e,(e=>(0,at.omit)(e,t.itemIds)))}return e},itemIsComplete:function(e={},t){switch(t.type){case"RECEIVE_ITEMS":{const n=jc(t),{query:r,key:o=Bc}=t,a=r?qc(r):{},i=!r||!Array.isArray(a.fields);return{...e,[n]:{...e[n],...t.items.reduce(((t,r)=>{var a;const s=r[o];return t[s]=(null==e||null===(a=e[n])||void 0===a?void 0:a[s])||i,t}),{})}}}case"REMOVE_ITEMS":return(0,at.mapValues)(e,(e=>(0,at.omit)(e,t.itemIds)))}return e},queries:(e={},t)=>{switch(t.type){case"RECEIVE_ITEMS":return Fc(e,t);case"REMOVE_ITEMS":const n=t.itemIds.reduce(((e,t)=>(e[t]=!0,e)),{});return(0,at.mapValues)(e,(e=>(0,at.mapValues)(e,(e=>(0,at.filter)(e,(e=>!n[e]))))));default:return e}}});function Xc(e,t){const n={...e};let r=n;for(const e of t)r.children={...r.children,[e]:{locks:[],children:{},...r.children[e]}},r=r.children[e];return n}function Uc(e,t){let n=e;for(const e of t){const t=n.children[e];if(!t)return null;n=t}return n}function $c({exclusive:e},t){return!(!e||!t.length)||!(e||!t.filter((e=>e.exclusive)).length)}const Kc={requests:[],tree:{locks:[],children:{}}};const Gc=function(e=Kc,t){switch(t.type){case"ENQUEUE_LOCK_REQUEST":{const{request:n}=t;return{...e,requests:[n,...e.requests]}}case"GRANT_LOCK_REQUEST":{const{lock:n,request:r}=t,{store:o,path:a}=r,i=[o,...a],s=Xc(e.tree,i),l=Uc(s,i);return l.locks=[...l.locks,n],{...e,requests:e.requests.filter((e=>e!==r)),tree:s}}case"RELEASE_LOCK":{const{lock:n}=t,r=[n.store,...n.path],o=Xc(e.tree,r),a=Uc(o,r);return a.locks=a.locks.filter((e=>e!==n)),{...e,tree:o}}}return e};function Jc(e){return(0,at.flowRight)([rc((t=>t.name&&t.kind&&t.name===e.name&&t.kind===e.kind)),oc((t=>({...t,key:e.key||Bc})))])(st()({queriedData:Vc,edits:(e={},t)=>{var n,r;switch(t.type){case"RECEIVE_ITEMS":if("default"!==(null!==(n=null==t||null===(r=t.query)||void 0===r?void 0:r.context)&&void 0!==n?n:"default"))return e;const o={...e};for(const e of t.items){const n=e[t.key],r=o[n];if(!r)continue;const a=Object.keys(r).reduce(((n,o)=>((0,at.isEqual)(r[o],(0,at.get)(e[o],"raw",e[o]))||t.persistedEdits&&(0,at.isEqual)(r[o],t.persistedEdits[o])||(n[o]=r[o]),n)),{});Object.keys(a).length?o[n]=a:delete o[n]}return o;case"EDIT_ENTITY_RECORD":const a={...e[t.recordId],...t.edits};return Object.keys(a).forEach((e=>{void 0===a[e]&&delete a[e]})),{...e,[t.recordId]:a}}return e},saving:(e={},t)=>{switch(t.type){case"SAVE_ENTITY_RECORD_START":case"SAVE_ENTITY_RECORD_FINISH":return{...e,[t.recordId]:{pending:"SAVE_ENTITY_RECORD_START"===t.type,error:t.error,isAutosave:t.isAutosave}}}return e},deleting:(e={},t)=>{switch(t.type){case"DELETE_ENTITY_RECORD_START":case"DELETE_ENTITY_RECORD_FINISH":return{...e,[t.recordId]:{pending:"DELETE_ENTITY_RECORD_START"===t.type,error:t.error}}}return e}}))}const Zc=[];let Qc;Zc.offset=0;const eu=st()({terms:function(e={},t){switch(t.type){case"RECEIVE_TERMS":return{...e,[t.taxonomy]:t.terms}}return e},users:function(e={byId:{},queries:{}},t){switch(t.type){case"RECEIVE_USER_QUERY":return{byId:{...e.byId,...(0,at.keyBy)(t.users,"id")},queries:{...e.queries,[t.queryID]:(0,at.map)(t.users,(e=>e.id))}}}return e},currentTheme:function(e,t){switch(t.type){case"RECEIVE_CURRENT_THEME":return t.currentTheme.stylesheet}return e},currentUser:function(e={},t){switch(t.type){case"RECEIVE_CURRENT_USER":return t.currentUser}return e},taxonomies:function(e=[],t){switch(t.type){case"RECEIVE_TAXONOMIES":return t.taxonomies}return e},themes:function(e={},t){switch(t.type){case"RECEIVE_CURRENT_THEME":return{...e,[t.currentTheme.stylesheet]:t.currentTheme}}return e},themeSupports:function(e={},t){switch(t.type){case"RECEIVE_THEME_SUPPORTS":return{...e,...t.themeSupports}}return e},entities:(e={},t)=>{const n=function(e=Ic,t){switch(t.type){case"ADD_ENTITIES":return[...e,...t.entities]}return e}(e.config,t);let r=e.reducer;if(!r||n!==e.config){const e=(0,at.groupBy)(n,"kind");r=st()(Object.entries(e).reduce(((e,[t,n])=>{const r=st()(n.reduce(((e,t)=>({...e,[t.name]:Jc(t)})),{}));return e[t]=r,e}),{}))}const o=r(e.data,t);return o===e.data&&n===e.config&&r===e.reducer?e:{reducer:r,data:o,config:n}},undo:function(e=Zc,t){switch(t.type){case"EDIT_ENTITY_RECORD":case"CREATE_UNDO_LEVEL":let n="CREATE_UNDO_LEVEL"===t.type;const r=!n&&(t.meta.isUndo||t.meta.isRedo);let o;if(n?t=Qc:r||(Qc=Object.keys(t.edits).some((e=>!t.transientEdits[e]))?t:{...t,edits:{...Qc&&Qc.edits,...t.edits}}),r){if(o=[...e],o.offset=e.offset+(t.meta.isUndo?-1:1),!e.flattenedUndo)return o;n=!0,t=Qc}if(!t.meta.undo)return e;if(!n&&!Object.keys(t.edits).some((e=>!t.transientEdits[e])))return o=[...e],o.flattenedUndo={...e.flattenedUndo,...t.edits},o.offset=e.offset,o;o=o||e.slice(0,e.offset||void 0),o.offset=o.offset||0,o.pop(),n||o.push({kind:t.meta.undo.kind,name:t.meta.undo.name,recordId:t.meta.undo.recordId,edits:{...e.flattenedUndo,...t.meta.undo.edits}});return ti(Object.values(t.meta.undo.edits).filter((e=>"function"!=typeof e)),Object.values(t.edits).filter((e=>"function"!=typeof e)))||o.push({kind:t.kind,name:t.name,recordId:t.recordId,edits:n?{...e.flattenedUndo,...t.edits}:t.edits}),o}return e},embedPreviews:function(e={},t){switch(t.type){case"RECEIVE_EMBED_PREVIEW":const{url:n,preview:r}=t;return{...e,[n]:r}}return e},userPermissions:function(e={},t){switch(t.type){case"RECEIVE_USER_PERMISSION":return{...e,[t.key]:t.isAllowed}}return e},autosaves:function(e={},t){switch(t.type){case"RECEIVE_AUTOSAVES":const{postId:n,autosaves:r}=t;return{...e,[n]:r}}return e},locks:Gc}),tu=new WeakMap;const nu=gr(((e,t={})=>{let n=tu.get(e);if(n){const e=n.get(t);if(void 0!==e)return e}else n=new(_t()),tu.set(e,n);const r=function(e,t){var n,r;const{stableKey:o,page:a,perPage:i,include:s,fields:l,context:c}=qc(t);let u;if(Array.isArray(s)&&!o?u=s:null!==(n=e.queries)&&void 0!==n&&null!==(r=n[c])&&void 0!==r&&r[o]&&(u=e.queries[c][o]),!u)return null;const d=-1===i?0:(a-1)*i,p=-1===i?u.length:Math.min(d+i,u.length),m=[];for(let t=d;t(t,n)=>e(sc).isResolving("getEmbedPreview",[n])));function au(e,t){const n=Il("/wp/v2/users/?who=authors&per_page=100",t);return lu(e,n)}function iu(e,t){return(0,at.get)(e,["users","byId",t],null)}function su(e){return e.currentUser}const lu=gr(((e,t)=>{const n=e.users.queries[t];return(0,at.map)(n,(t=>e.users.byId[t]))}),((e,t)=>[e.users.queries[t],e.users.byId]));function cu(e,t){return(0,at.filter)(e.entities.config,{kind:t})}function uu(e,t,n){return(0,at.find)(e.entities.config,{kind:t,name:n})}function du(e,t,n,r,o){var a,i;const s=(0,at.get)(e.entities.data,[t,n,"queriedData"]);if(!s)return;const l=null!==(a=null==o?void 0:o.context)&&void 0!==a?a:"default";if(void 0===o){var c;if(null===(c=s.itemIsComplete[l])||void 0===c||!c[r])return;return s.items[l][r]}const u=null===(i=s.items[l])||void 0===i?void 0:i[r];if(u&&o._fields){const e={},t=Hc(o._fields);for(let n=0;n{const o=du(e,t,n,r);return o&&Object.keys(o).reduce(((e,t)=>(e[t]=(0,at.get)(o[t],"raw",o[t]),e)),{})}),(e=>[e.entities.data]));function hu(e,t,n,r){return Array.isArray(fu(e,t,n,r))}function fu(e,t,n,r){const o=(0,at.get)(e.entities.data,[t,n,"queriedData"]);return o?nu(o,r):ru}const gu=gr((e=>{const{entities:{data:t}}=e,n=[];return Object.keys(t).forEach((r=>{Object.keys(t[r]).forEach((o=>{const a=Object.keys(t[r][o].edits).filter((t=>_u(e,r,o,t)));if(a.length){const t=uu(e,r,o);a.forEach((a=>{var i;const s=Mu(e,r,o,a);n.push({key:s[t.key||Bc],title:(null==t||null===(i=t.getTitle)||void 0===i?void 0:i.call(t,s))||"",name:o,kind:r})}))}}))})),n}),(e=>[e.entities.data])),bu=gr((e=>{const{entities:{data:t}}=e,n=[];return Object.keys(t).forEach((r=>{Object.keys(t[r]).forEach((o=>{const a=Object.keys(t[r][o].saving).filter((t=>wu(e,r,o,t)));if(a.length){const t=uu(e,r,o);a.forEach((a=>{var i;const s=Mu(e,r,o,a);n.push({key:s[t.key||Bc],title:(null==t||null===(i=t.getTitle)||void 0===i?void 0:i.call(t,s))||"",name:o,kind:r})}))}}))})),n}),(e=>[e.entities.data]));function yu(e,t,n,r){return(0,at.get)(e.entities.data,[t,n,"edits",r])}const vu=gr(((e,t,n,r)=>{const{transientEdits:o}=uu(e,t,n)||{},a=yu(e,t,n,r)||{};return o?Object.keys(a).reduce(((e,t)=>(o[t]||(e[t]=a[t]),e)),{}):a}),(e=>[e.entities.config,e.entities.data]));function _u(e,t,n,r){return wu(e,t,n,r)||Object.keys(vu(e,t,n,r)).length>0}const Mu=gr(((e,t,n,r)=>({...mu(e,t,n,r),...yu(e,t,n,r)})),(e=>[e.entities.data]));function ku(e,t,n,r){const{pending:o,isAutosave:a}=(0,at.get)(e.entities.data,[t,n,"saving",r],{});return Boolean(o&&a)}function wu(e,t,n,r){return(0,at.get)(e.entities.data,[t,n,"saving",r,"pending"],!1)}function Eu(e,t,n,r){return(0,at.get)(e.entities.data,[t,n,"deleting",r,"pending"],!1)}function Lu(e,t,n,r){return(0,at.get)(e.entities.data,[t,n,"saving",r,"error"])}function Au(e,t,n,r){return(0,at.get)(e.entities.data,[t,n,"deleting",r,"error"])}function Su(e){return e.undo.offset}function Cu(e){return e.undo[e.undo.length-2+Su(e)]}function Tu(e){return e.undo[e.undo.length+Su(e)]}function xu(e){return Boolean(Cu(e))}function zu(e){return Boolean(Tu(e))}function Ou(e){return e.themes[e.currentTheme]}function Nu(e){return e.themeSupports}function Du(e,t){return e.embedPreviews[t]}function Bu(e,t){const n=e.embedPreviews[t],r=''+t+"";return!!n&&n.html===r}function Iu(e,t,n,r){const o=(0,at.compact)([t,n,r]).join("/");return(0,at.get)(e,["userPermissions",o])}function Pu(e,t,n,r){const o=uu(e,t,n);if(!o)return!1;return Iu(e,"update",o.__unstable_rest_base,r)}function Ru(e,t,n){return e.autosaves[n]}function Wu(e,t,n,r){if(void 0===r)return;const o=e.autosaves[n];return(0,at.find)(o,{author:r})}const Yu=At((e=>(t,n,r)=>e(sc).hasFinishedResolution("getAutosaves",[n,r]))),Hu=gr((()=>[]),(e=>[e.undo.length,e.undo.offset,e.undo.flattenedUndo]));function qu(e,t){const n=fu(e,"postType","wp_template",{"find-template":t}),r=null!=n&&n.length?n[0]:null;return r?Mu(e,"postType","wp_template",r.id):r}const ju=(e,t)=>function*(...n){(yield zt.select(sc,"hasStartedResolution",t,n))||(yield*e(...n))};function*Fu(e){const t=Il("/wp/v2/users/?who=authors&per_page=100",e),n=yield ec({path:t});yield gc(t,n)}function*Vu(e){const t=`/wp/v2/users?who=authors&include=${e}`,n=yield ec({path:t});yield gc("author",n)}function*Xu(){const e=yield ec({path:"/wp/v2/users/me"});yield bc(e)}function*Uu(e,t,n="",r){const o=yield Yc(e),a=(0,at.find)(o,{kind:e,name:t});if(!a)return;const i=yield*lc(sc,["entities","data",e,t,n],{exclusive:!1});try{void 0!==r&&r._fields&&(r={...r,_fields:(0,at.uniq)([...Hc(r._fields)||[],a.key||Bc]).join()});const o=Il(a.baseURL+"/"+n,{...a.baseURLParams,...r});if(void 0!==r){r={...r,include:[n]};if(yield zt.select(sc,"hasEntityRecords",e,t,r))return}const s=yield ec({path:o});yield vc(e,t,s,r)}catch(e){}finally{yield*uc(i)}}const $u=ju(Uu,"getEntityRecord"),Ku=ju($u,"getRawEntityRecord");function*Gu(e,t,n={}){const r=yield Yc(e),o=(0,at.find)(r,{kind:e,name:t});if(!o)return;const a=yield*lc(sc,["entities","data",e,t],{exclusive:!1});try{var i;n._fields&&(n={...n,_fields:(0,at.uniq)([...Hc(n._fields)||[],o.key||Bc]).join()});const r=Il(o.baseURL,{...o.baseURLParams,...n});let s=Object.values(yield ec({path:r}));if(n._fields&&(s=s.map((e=>(n._fields.split(",").forEach((t=>{e.hasOwnProperty(t)||(e[t]=void 0)})),e)))),yield vc(e,t,s,n),!(null!==(i=n)&&void 0!==i&&i._fields||n.context)){const n=o.key||Bc,r=s.filter((e=>e[n])).map((r=>[e,t,r[n]]));yield{type:"START_RESOLUTIONS",selectorName:"getEntityRecord",args:r},yield{type:"FINISH_RESOLUTIONS",selectorName:"getEntityRecord",args:r}}}finally{yield*uc(a)}}function*Ju(){const e=yield ec({path:"/wp/v2/themes?status=active"});yield _c(e[0])}function*Zu(){const e=yield ec({path:"/wp/v2/themes?status=active"});yield Mc(e[0].theme_supports)}function*Qu(e){try{const t=yield ec({path:Il("/oembed/1.0/proxy",{url:e})});yield kc(e,t)}catch(t){yield kc(e,!1)}}function*ed(e,t,n){const r={create:"POST",read:"GET",update:"PUT",delete:"DELETE"}[e];if(!r)throw new Error(`'${e}' is not a valid action.`);const o=n?`/wp/v2/${t}/${n}`:`/wp/v2/${t}`;let a,i;try{a=yield ec({path:o,method:n?"GET":"OPTIONS",parse:!1})}catch(e){return}i=(0,at.hasIn)(a,["headers","get"])?a.headers.get("allow"):(0,at.get)(a,["headers","Allow"],"");const s=(0,at.compact)([e,t,n]).join("/"),l=(0,at.includes)(i,r);yield Nc(s,l)}function*td(e,t,n){const r=yield Yc(e),o=(0,at.find)(r,{kind:e,name:t});if(!o)return;const a=o.__unstable_rest_base;yield ed("update",a,n)}function*nd(e,t){const{rest_base:n}=yield zt.resolveSelect(sc,"getPostType",e),r=yield ec({path:`/wp/v2/${n}/${t}/autosaves?context=edit`});r&&r.length&&(yield Dc(t,r))}function*rd(e,t){yield zt.resolveSelect(sc,"getAutosaves",e,t)}function*od(e){let t;try{t=yield(n=Il(e,{"_wp-find-template":!0}),{type:"REGULAR_FETCH",url:n})}catch(e){}var n;if(!t)return;yield Uu("postType","wp_template",t.id);const r=yield zt.select(sc,"getEntityRecord","postType","wp_template",t.id);r&&(yield vc("postType","wp_template",[r],{"find-template":e}))}function ad(e){return e.locks.requests}function id(e,t,n,{exclusive:r}){const o=[t,...n],a=e.locks.tree;for(const e of function*(e,t){let n=e;yield n;for(const e of t){const t=n.children[e];if(!t)break;yield t,n=t}}(a,o))if($c({exclusive:r},e.locks))return!1;const i=Uc(a,o);if(!i)return!0;for(const e of function*(e){const t=Object.values(e.children);for(;t.length;){const e=t.pop();yield e,t.push(...Object.values(e.children))}}(i))if($c({exclusive:r},e.locks))return!1;return!0}Gu.shouldInvalidate=(e,t,n)=>("RECEIVE_ITEMS"===e.type||"REMOVE_ITEMS"===e.type)&&e.invalidateCache&&t===e.kind&&n===e.name,od.shouldInvalidate=e=>("RECEIVE_ITEMS"===e.type||"REMOVE_ITEMS"===e.type)&&e.invalidateCache&&"postType"===e.kind&&"wp_template"===e.name;const sd=e=>{const{dispatch:t}=kl();return void 0===e?t:t(e)},ld=[],cd={...Ic.reduce(((e,t)=>(e[t.kind]||(e[t.kind]={}),e[t.kind][t.name]={context:(0,tt.createContext)()},e)),{}),...Pc.reduce(((e,t)=>(e[t.name]={},e)),{})},ud=(e,t)=>{if(!cd[e])throw new Error(`Missing entity config for kind: ${e}.`);return cd[e][t]||(cd[e][t]={context:(0,tt.createContext)()}),cd[e][t]};function dd(e,t){return(0,tt.useContext)(ud(e,t).context)}function pd(e,t,n,r){const o=dd(e,t),a=null!=r?r:o,{value:i,fullValue:s}=Cl((r=>{const{getEntityRecord:o,getEditedEntityRecord:i}=r(sc),s=o(e,t,a),l=i(e,t,a);return s&&l?{value:l[n],fullValue:s[n]}:{}}),[e,t,a,n]),{editEntityRecord:l}=sd(sc);return[i,(0,tt.useCallback)((r=>{l(e,t,a,{[n]:r})}),[e,t,a,n]),s]}function md(e,t,{id:n}={}){const r=dd(e,t),o=null!=n?n:r,{content:a,blocks:i}=Cl((n=>{const{getEditedEntityRecord:r}=n(sc),a=r(e,t,o);return{blocks:a.blocks,content:a.content}}),[e,t,o]),{__unstableCreateUndoLevel:s,editEntityRecord:l}=sd(sc);(0,tt.useEffect)((()=>{if(a&&"function"!=typeof a&&!i){const n=ts(a);l(e,t,o,{blocks:n},{undoIgnore:!0})}}),[a]);const c=(0,tt.useCallback)(((n,r)=>{const{selection:a}=r,c={blocks:n,selection:a};if(i===c.blocks)return s(e,t,o);c.content=({blocks:e=[]})=>hi(e),l(e,t,o,c)}),[e,t,o,i]),u=(0,tt.useCallback)(((n,r)=>{const{selection:a}=r;l(e,t,o,{blocks:n,selection:a})}),[e,t,o]);return[null!=i?i:ld,u,c]}const hd=Ic.reduce(((e,t)=>{const{kind:n,name:r}=t;return e[Wc(n,r)]=(e,t,o)=>du(e,n,r,t,o),e[Wc(n,r,"get",!0)]=(e,...t)=>fu(e,n,r,...t),e}),{}),fd=Ic.reduce(((e,t)=>{const{kind:n,name:r}=t;e[Wc(n,r)]=(e,t)=>Uu(n,r,e,t);const o=Wc(n,r,"get",!0);return e[o]=(...e)=>Gu(n,r,...e),e[o].shouldInvalidate=(e,...t)=>Gu.shouldInvalidate(e,n,r,...t),e}),{}),gd=Ic.reduce(((e,t)=>{const{kind:n,name:r}=t;return e[Wc(n,r,"save")]=e=>Cc(n,r,e),e[Wc(n,r,"delete")]=(e,t)=>wc(n,r,e,t),e}),{}),bd={reducer:eu,controls:{...fc,...nc},actions:{...i,...gd,...a},selectors:{...s,...hd,...c},resolvers:{...l,...fd}},yd=Jt(sc,bd);an(yd);var vd=function(){function e(e){var t=this;this._insertTag=function(e){var n;n=0===t.tags.length?t.prepend?t.container.firstChild:t.before:t.tags[t.tags.length-1].nextSibling,t.container.insertBefore(e,n),t.tags.push(e)},this.isSpeedy=void 0===e.speedy||e.speedy,this.tags=[],this.ctr=0,this.nonce=e.nonce,this.key=e.key,this.container=e.container,this.prepend=e.prepend,this.before=null}var t=e.prototype;return t.hydrate=function(e){e.forEach(this._insertTag)},t.insert=function(e){this.ctr%(this.isSpeedy?65e3:1)==0&&this._insertTag(function(e){var t=document.createElement("style");return t.setAttribute("data-emotion",e.key),void 0!==e.nonce&&t.setAttribute("nonce",e.nonce),t.appendChild(document.createTextNode("")),t.setAttribute("data-s",""),t}(this));var t=this.tags[this.tags.length-1];if(this.isSpeedy){var n=function(e){if(e.sheet)return e.sheet;for(var t=0;t0?Ld(Bd,--Nd):0,zd--,10===Dd&&(zd=1,xd--),Dd}function Wd(){return Dd=Nd2||jd(Dd)>3?"":" "}function $d(e,t){for(;--t&&Wd()&&!(Dd<48||Dd>102||Dd>57&&Dd<65||Dd>70&&Dd<97););return qd(e,Hd()+(t<6&&32==Yd()&&32==Wd()))}function Kd(e){for(;Wd();)switch(Dd){case e:return Nd;case 34:case 39:return Kd(34===e||39===e?e:Dd);case 40:41===e&&Kd(e);break;case 92:Wd()}return Nd}function Gd(e,t){for(;Wd()&&e+Dd!==57&&(e+Dd!==84||47!==Yd()););return"/*"+qd(t,Nd-1)+"*"+Md(47===e?e:Wd())}function Jd(e){for(;!jd(Yd());)Wd();return qd(e,Nd)}var Zd="-ms-",Qd="-moz-",ep="-webkit-",tp="comm",np="rule",rp="decl";function op(e,t){for(var n="",r=Cd(e),o=0;o6)switch(Ld(e,t+1)){case 109:if(45!==Ld(e,t+4))break;case 102:return wd(e,/(.+:)(.+)-([^]+)/,"$1-webkit-$2-$3$1"+Qd+(108==Ld(e,t+3)?"$3":"$2-$3"))+e;case 115:return~Ed(e,"stretch")?ip(wd(e,"stretch","fill-available"),t)+e:e}break;case 4949:if(115!==Ld(e,t+1))break;case 6444:switch(Ld(e,Sd(e)-3-(~Ed(e,"!important")&&10))){case 107:return wd(e,":",":"+ep)+e;case 101:return wd(e,/(.+:)([^;!]+)(;|!.+)?/,"$1"+ep+(45===Ld(e,14)?"inline-":"")+"box$3$1"+ep+"$2$3$1"+Zd+"$2box$3")+e}break;case 5936:switch(Ld(e,t+11)){case 114:return ep+e+Zd+wd(e,/[svh]\w+-[tblr]{2}/,"tb")+e;case 108:return ep+e+Zd+wd(e,/[svh]\w+-[tblr]{2}/,"tb-rl")+e;case 45:return ep+e+Zd+wd(e,/[svh]\w+-[tblr]{2}/,"lr")+e}return ep+e+Zd+e+e}return e}function sp(e){var t=Cd(e);return function(n,r,o,a){for(var i="",s=0;s0&&Sd(w)-d&&Td(m>32?hp(w+";",r,n,d-1):hp(wd(w," ","")+";",r,n,d-2),l);break;case 59:w+=";";default:if(Td(k=pp(w,t,n,c,u,o,s,v,_=[],M=[],d),a),123===y)if(0===u)dp(w,t,k,k,_,a,d,s,M);else switch(p){case 100:case 109:case 115:dp(e,k,k,r&&Td(pp(e,k,k,0,0,o,s,v,o,_=[],d),M),o,M,d,s,r?_:M);break;default:dp(w,k,k,k,[""],M,d,s,M)}}c=u=m=0,f=b=1,v=w="",d=i;break;case 58:d=1+Sd(w),m=h;default:if(f<1)if(123==y)--f;else if(125==y&&0==f++&&125==Rd())continue;switch(w+=Md(y),y*f){case 38:b=u>0?1:(w+="\f",-1);break;case 44:s[c++]=(Sd(w)-1)*b,b=1;break;case 64:45===Yd()&&(w+=Xd(Wd())),p=Yd(),u=Sd(v=w+=Jd(Hd())),y++;break;case 45:45===h&&2==Sd(w)&&(f=0)}}return a}function pp(e,t,n,r,o,a,i,s,l,c,u){for(var d=o-1,p=0===o?a:[""],m=Cd(p),h=0,f=0,g=0;h0?p[b]+" "+y:wd(y,/&\f/g,p[b])))&&(l[g++]=v);return Id(e,t,n,0===o?np:s,l,c,u)}function mp(e,t,n){return Id(e,t,n,tp,Md(Dd),Ad(e,2,-2),0)}function hp(e,t,n,r){return Id(e,t,n,rp,Ad(e,0,r),Ad(e,r+1,-1),r)}var fp=function(e,t){return Vd(function(e,t){var n=-1,r=44;do{switch(jd(r)){case 0:38===r&&12===Yd()&&(t[n]=1),e[n]+=Jd(Nd-1);break;case 2:e[n]+=Xd(r);break;case 4:if(44===r){e[++n]=58===Yd()?"&\f":"",t[n]=e[n].length;break}default:e[n]+=Md(r)}}while(r=Wd());return e}(Fd(e),t))},gp=new WeakMap,bp=function(e){if("rule"===e.type&&e.parent&&e.length){for(var t=e.value,n=e.parent,r=e.column===n.column&&e.line===n.line;"rule"!==n.type;)if(!(n=n.parent))return;if((1!==e.props.length||58===t.charCodeAt(0)||gp.get(n))&&!r){gp.set(e,!0);for(var o=[],a=fp(t,o),i=n.props,s=0,l=0;s=4;++r,o-=4)t=1540483477*(65535&(t=255&e.charCodeAt(r)|(255&e.charCodeAt(++r))<<8|(255&e.charCodeAt(++r))<<16|(255&e.charCodeAt(++r))<<24))+(59797*(t>>>16)<<16),n=1540483477*(65535&(t^=t>>>24))+(59797*(t>>>16)<<16)^1540483477*(65535&n)+(59797*(n>>>16)<<16);switch(o){case 3:n^=(255&e.charCodeAt(r+2))<<16;case 2:n^=(255&e.charCodeAt(r+1))<<8;case 1:n=1540483477*(65535&(n^=255&e.charCodeAt(r)))+(59797*(n>>>16)<<16)}return(((n=1540483477*(65535&(n^=n>>>13))+(59797*(n>>>16)<<16))^n>>>15)>>>0).toString(36)};const kp={animationIterationCount:1,borderImageOutset:1,borderImageSlice:1,borderImageWidth:1,boxFlex:1,boxFlexGroup:1,boxOrdinalGroup:1,columnCount:1,columns:1,flex:1,flexGrow:1,flexPositive:1,flexShrink:1,flexNegative:1,flexOrder:1,gridRow:1,gridRowEnd:1,gridRowSpan:1,gridRowStart:1,gridColumn:1,gridColumnEnd:1,gridColumnSpan:1,gridColumnStart:1,msGridRow:1,msGridRowSpan:1,msGridColumn:1,msGridColumnSpan:1,fontWeight:1,lineHeight:1,opacity:1,order:1,orphans:1,tabSize:1,widows:1,zIndex:1,zoom:1,WebkitLineClamp:1,fillOpacity:1,floodOpacity:1,stopOpacity:1,strokeDasharray:1,strokeDashoffset:1,strokeMiterlimit:1,strokeOpacity:1,strokeWidth:1};const Ep=function(e){var t=Object.create(null);return function(n){return void 0===t[n]&&(t[n]=e(n)),t[n]}};var Lp=/[A-Z]|^ms/g,Ap=/_EMO_([^_]+?)_([^]*?)_EMO_/g,Sp=function(e){return 45===e.charCodeAt(1)},Cp=function(e){return null!=e&&"boolean"!=typeof e},Tp=Ep((function(e){return Sp(e)?e:e.replace(Lp,"-$&").toLowerCase()})),xp=function(e,t){switch(e){case"animation":case"animationName":if("string"==typeof t)return t.replace(Ap,(function(e,t,n){return Op={name:t,styles:n,next:Op},t}))}return 1===kp[e]||Sp(e)||"number"!=typeof t||0===t?t:t+"px"};function zp(e,t,n){if(null==n)return"";if(void 0!==n.__emotion_styles)return n;switch(typeof n){case"boolean":return"";case"object":if(1===n.anim)return Op={name:n.name,styles:n.styles,next:Op},n.name;if(void 0!==n.styles){var r=n.next;if(void 0!==r)for(;void 0!==r;)Op={name:r.name,styles:r.styles,next:Op},r=r.next;return n.styles+";"}return function(e,t,n){var r="";if(Array.isArray(n))for(var o=0;o{let t=ao().replace(/[0-9]/g,"");for(;Xp.has(t);)t=ao().replace(/[0-9]/g,"");return Xp.add(t),Vp({container:e,key:t})}));function $p({children:e,document:t}){if(!t)return null;const n=Up(t.head);return(0,tt.createElement)(Ip,{value:n},e)}const Kp=(0,tt.createContext)(),Gp=Object.create(null);function Jp(e,t={}){const{since:n,version:r,alternative:o,plugin:a,link:i,hint:s}=t,l=`${e} is deprecated${n?` since version ${n}`:""}${r?` and will be removed${a?` from ${a}`:""} in version ${r}`:""}.${o?` Please use ${o} instead.`:""}${i?` See: ${i}`:""}${s?` Note: ${s}`:""}`;l in Gp||(jn("deprecated",e,t,l),console.warn(l),Gp[l]=!0)}function Zp(e,t,n){const r=ml((()=>(0,at.debounce)(e,t,n)),[e,t,n]);return(0,tt.useEffect)((()=>()=>r.cancel()),[r]),r}function Qp(e){if(!e.collapsed){const t=Array.from(e.getClientRects());if(1===t.length)return t[0];const n=t.filter((({width:e})=>e>1));if(0===n.length)return e.getBoundingClientRect();if(1===n.length)return n[0];let{top:r,bottom:o,left:a,right:i}=n[0];for(const{top:e,bottom:t,left:s,right:l}of n)eo&&(o=t),si&&(i=l);return new window.DOMRect(a,r,i-a,o-r)}const{startContainer:t}=e,{ownerDocument:n}=t;if("BR"===t.nodeName){const{parentNode:r}=t;ds();const o=Array.from(r.childNodes).indexOf(t);ds(),(e=n.createRange()).setStart(r,o),e.setEnd(r,o)}let r=e.getClientRects()[0];if(!r){ds();const t=n.createTextNode("​");(e=e.cloneRange()).insertNode(t),r=e.getClientRects()[0],ds(t.parentNode),t.parentNode.removeChild(t)}return r}function em(e){const[t,n]=(0,tt.useState)((()=>!(!e||"undefined"==typeof window||!window.matchMedia(e).matches)));return(0,tt.useEffect)((()=>{if(!e)return;const t=()=>n(window.matchMedia(e).matches);t();const r=window.matchMedia(e);return r.addListener(t),()=>{r.removeListener(t)}}),[e]),!!e&&t}const tm={huge:1440,wide:1280,large:960,medium:782,small:600,mobile:480},nm={">=":"min-width","<":"max-width"},rm={">=":(e,t)=>t>=e,"<":(e,t)=>t=")=>{const n=(0,tt.useContext)(om),r=em(!n&&`(${nm[t]}: ${tm[e]}px)`||void 0);return n?rm[t](tm[e],n):r};am.__experimentalWidthProvider=om.Provider;const im=am;var sm=n(5464),lm=n.n(sm);const cm=lm();function um(e=null){if(!e){if("undefined"==typeof window)return!1;e=window}const{platform:t}=e.navigator;return-1!==t.indexOf("Mac")||(0,at.includes)(["iPad","iPhone"],t)}const dm=8,pm=13,mm=27,hm=37,fm=38,gm=39,bm=40,ym=46,vm="alt",_m="ctrl",Mm="meta",km="shift",wm={primary:e=>e()?[Mm]:[_m],primaryShift:e=>e()?[km,Mm]:[_m,km],primaryAlt:e=>e()?[vm,Mm]:[_m,vm],secondary:e=>e()?[km,vm,Mm]:[_m,km,vm],access:e=>e()?[_m,vm]:[km,vm],ctrl:()=>[_m],alt:()=>[vm],ctrlShift:()=>[_m,km],shift:()=>[km],shiftAlt:()=>[km,vm],undefined:()=>[]},Em=(0,at.mapValues)(wm,(e=>(t,n=um)=>[...e(n),t.toLowerCase()].join("+"))),Lm=(0,at.mapValues)(wm,(e=>(t,n=um)=>{const r=n(),o={[vm]:r?"⌥":"Alt",[_m]:r?"⌃":"Ctrl",[Mm]:"⌘",[km]:r?"⇧":"Shift"};return[...e(n).reduce(((e,t)=>{const n=(0,at.get)(o,t,t);return r?[...e,n]:[...e,n,"+"]}),[]),(0,at.capitalize)(t)]})),Am=(0,at.mapValues)(Lm,(e=>(t,n=um)=>e(t,n).join(""))),Sm=(0,at.mapValues)(wm,(e=>(t,n=um)=>{const r=n(),o={[km]:"Shift",[Mm]:r?"Command":"Control",[_m]:"Control",[vm]:r?"Option":"Alt",",":er("Comma"),".":er("Period"),"`":er("Backtick")};return[...e(n),t].map((e=>(0,at.capitalize)((0,at.get)(o,e,e)))).join(r?" ":" + ")}));const Cm=(0,at.mapValues)(wm,(e=>(t,n,r=um)=>{const o=e(r),a=function(e){return[vm,_m,Mm,km].filter((t=>e[`${t}Key`]))}(t);if((0,at.xor)(o,a).length)return!1;let i=t.key.toLowerCase();return n?(t.altKey&&(i=String.fromCharCode(t.keyCode).toLowerCase()),"del"===n&&(n="delete"),i===n):(0,at.includes)(o,i)})),Tm=["[tabindex]","a[href]","button:not([disabled])",'input:not([type="hidden"]):not([disabled])',"select:not([disabled])","textarea:not([disabled])","iframe","object","embed","area[href]","[contenteditable]:not([contenteditable=false])"].join(",");function xm(e){return e.offsetWidth>0||e.offsetHeight>0||e.getClientRects().length>0}function zm(e){const t=e.querySelectorAll(Tm);return Array.from(t).filter((e=>{if(!xm(e)||function(e){return"iframe"===e.nodeName.toLowerCase()&&"-1"===e.getAttribute("tabindex")}(e))return!1;const{nodeName:t}=e;return"AREA"!==t||function(e){const t=e.closest("map[name]");if(!t)return!1;const n=e.ownerDocument.querySelector('img[usemap="#'+t.name+'"]');return!!n&&xm(n)}(e)}))}function Om(e){const t=e.getAttribute("tabindex");return null===t?0:parseInt(t,10)}function Nm(e){return-1!==Om(e)}function Dm(e,t){return{element:e,index:t}}function Bm(e){return e.element}function Im(e,t){const n=Om(e.element),r=Om(t.element);return n===r?e.index-t.index:n-r}function Pm(e){return e.filter(Nm).map(Dm).sort(Im).map(Bm).reduce(function(){const e={};return function(t,n){const{nodeName:r,type:o,checked:a,name:i}=n;if("INPUT"!==r||"radio"!==o||!i)return t.concat(n);const s=e.hasOwnProperty(i);if(!a&&s)return t;if(s){const n=e[i];t=(0,at.without)(t,n)}return e[i]=n,t.concat(n)}}(),[])}function Rm(e){return Pm(zm(e))}function Wm(e){const t=zm(e.ownerDocument.body),n=t.indexOf(e);return t.length=n,(0,at.last)(Pm(t))}function Ym(e){const t=zm(e.ownerDocument.body),n=t.indexOf(e),r=t.slice(n+1).filter((t=>!e.contains(t)));return(0,at.first)(Pm(r))}const Hm={focusable:u,tabbable:d};const qm=function(){return(0,tt.useCallback)((e=>{e&&e.addEventListener("keydown",(t=>{if(!(t instanceof window.KeyboardEvent))return;if(9!==t.keyCode)return;const n=Hm.tabbable.find(e);if(!n.length)return;const r=n[0],o=n[n.length-1];t.shiftKey&&t.target===r?(t.preventDefault(),o.focus()):(t.shiftKey||t.target!==o)&&n.includes(t.target)||(t.preventDefault(),r.focus())}))}),[])};function jm(e="firstElement"){const t=(0,tt.useRef)(e);return(0,tt.useEffect)((()=>{t.current=e}),[e]),(0,tt.useCallback)((e=>{var n,r;if(!e||!1===t.current)return;if(e.contains(null!==(n=null===(r=e.ownerDocument)||void 0===r?void 0:r.activeElement)&&void 0!==n?n:null))return;let o=e;if("firstElement"===t.current){const t=Hm.tabbable.find(e)[0];t&&(o=t)}o.focus()}),[])}const Fm=function(e){const t=(0,tt.useRef)(null),n=(0,tt.useRef)(null),r=(0,tt.useRef)(e);return(0,tt.useEffect)((()=>{r.current=e}),[e]),(0,tt.useCallback)((e=>{if(e){if(t.current=e,n.current)return;n.current=e.ownerDocument.activeElement}else if(n.current){var o,a,i;const e=null===(o=t.current)||void 0===o?void 0:o.contains(null===(a=t.current)||void 0===a?void 0:a.ownerDocument.activeElement);if(null!==(i=t.current)&&void 0!==i&&i.isConnected&&!e)return;var s;if(r.current)r.current();else null===(s=n.current)||void 0===s||s.focus()}}),[])},Vm=["button","submit"];function Xm(e){const t=(0,tt.useRef)(e);(0,tt.useEffect)((()=>{t.current=e}),[e]);const n=(0,tt.useRef)(!1),r=(0,tt.useRef)(),o=(0,tt.useCallback)((()=>{clearTimeout(r.current)}),[]);(0,tt.useEffect)((()=>()=>o()),[]),(0,tt.useEffect)((()=>{e||o()}),[e,o]);const a=(0,tt.useCallback)((e=>{const{type:t,target:r}=e;(0,at.includes)(["mouseup","touchend"],t)?n.current=!1:function(e){if(!(e instanceof window.HTMLElement))return!1;switch(e.nodeName){case"A":case"BUTTON":return!0;case"INPUT":return(0,at.includes)(Vm,e.type)}return!1}(r)&&(n.current=!0)}),[]),i=(0,tt.useCallback)((e=>{e.persist(),n.current||(r.current=setTimeout((()=>{document.hasFocus()?"function"==typeof t.current&&t.current(e):e.preventDefault()}),0))}),[]);return{onFocus:o,onMouseDown:a,onMouseUp:a,onTouchStart:a,onTouchEnd:a,onBlur:i}}function Um(e,t){"function"==typeof e?e(t):e&&e.hasOwnProperty("current")&&(e.current=t)}function $m(e){const t=(0,tt.useRef)(),n=(0,tt.useRef)(!1),r=(0,tt.useRef)([]),o=(0,tt.useRef)(e);return o.current=e,(0,tt.useLayoutEffect)((()=>{!1===n.current&&e.forEach(((e,n)=>{const o=r.current[n];e!==o&&(Um(o,null),Um(e,t.current))})),r.current=e}),e),(0,tt.useLayoutEffect)((()=>{n.current=!1})),(0,tt.useCallback)((e=>{Um(t,e),n.current=!0;const a=e?o.current:r.current;for(const t of a)Um(t,e)}),[])}const Km=function(e){const t=(0,tt.useRef)();(0,tt.useEffect)((()=>{t.current=e}),Object.values(e));const n=qm(),r=jm(e.focusOnMount),o=Fm(),a=Xm((e=>{var n,r;null!==(n=t.current)&&void 0!==n&&n.__unstableOnClose?t.current.__unstableOnClose("focus-outside",e):null!==(r=t.current)&&void 0!==r&&r.onClose&&t.current.onClose()})),i=(0,tt.useCallback)((e=>{e&&e.addEventListener("keydown",(e=>{var n;e.keyCode===mm&&!e.defaultPrevented&&null!==(n=t.current)&&void 0!==n&&n.onClose&&(e.preventDefault(),t.current.onClose())}))}),[]);return[$m([!1!==e.focusOnMount?n:null,!1!==e.focusOnMount?o:null,!1!==e.focusOnMount?r:null,i]),{...a,tabIndex:"-1"}]},Gm=(0,tt.createElement)(mo,{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24"},(0,tt.createElement)(uo,{d:"M13 11.8l6.1-6.3-1-1-6.1 6.2-6.1-6.2-1 1 6.1 6.3-6.5 6.7 1 1 6.5-6.6 6.5 6.6 1-1z"}));function Jm(e,t,n="top",r,o,a,i,s,l){const[c,u="center",d]=n.split(" "),p=function(e,t,n,r,o,a,i,s){const{height:l}=t;if(o){const t=o.getBoundingClientRect().top+l-i;if(e.top<=t)return{yAxis:n,popoverTop:Math.min(e.bottom,t)}}let c=e.top+e.height/2;"bottom"===r?c=e.bottom:"top"===r&&(c=e.top);const u={popoverTop:c,contentHeight:(c-l/2>0?l/2:c)+(c+l/2>window.innerHeight?window.innerHeight-c:l/2)},d={popoverTop:e.top,contentHeight:e.top-10-l>0?l:e.top-10},p={popoverTop:e.bottom,contentHeight:e.bottom+10+l>window.innerHeight?window.innerHeight-10-e.bottom:l};let m,h=n,f=null;if(!o&&!s)if("middle"===n&&u.contentHeight===l)h="middle";else if("top"===n&&d.contentHeight===l)h="top";else if("bottom"===n&&p.contentHeight===l)h="bottom";else{h=d.contentHeight>p.contentHeight?"top":"bottom";const e="top"===h?d.contentHeight:p.contentHeight;f=e!==l?e:null}return m="middle"===h?u.popoverTop:"top"===h?d.popoverTop:p.popoverTop,{yAxis:h,popoverTop:m,contentHeight:f}}(e,t,c,d,r,0,a,s);return{...function(e,t,n,r,o,a,i,s,l){const{width:c}=t;"left"===n&&rr()?n="right":"right"===n&&rr()&&(n="left"),"left"===r&&rr()?r="right":"right"===r&&rr()&&(r="left");const u=Math.round(e.left+e.width/2),d={popoverLeft:u,contentWidth:(u-c/2>0?c/2:u)+(u+c/2>window.innerWidth?window.innerWidth-u:c/2)};let p=e.left;"right"===r?p=e.right:"middle"===a||l||(p=u);let m=e.right;"left"===r?m=e.left:"middle"===a||l||(m=u);const h={popoverLeft:p,contentWidth:p-c>0?c:p},f={popoverLeft:m,contentWidth:m+c>window.innerWidth?window.innerWidth-m:c};let g,b=n,y=null;if(!o&&!s)if("center"===n&&d.contentWidth===c)b="center";else if("left"===n&&h.contentWidth===c)b="left";else if("right"===n&&f.contentWidth===c)b="right";else{b=h.contentWidth>f.contentWidth?"left":"right";const e="left"===b?h.contentWidth:f.contentWidth;c>window.innerWidth&&(y=window.innerWidth),e!==c&&(b="center",d.popoverLeft=window.innerWidth/2)}if(g="center"===b?d.popoverLeft:"left"===b?h.popoverLeft:f.popoverLeft,i){const e=i.getBoundingClientRect();g=Math.min(g,e.right-c),rr()||(g=Math.max(g,0))}return{xAxis:b,popoverLeft:g,contentWidth:y}}(e,t,u,d,r,p.yAxis,i,s,l),...p}}function Zm(e,t,n){const{defaultView:r}=t,{frameElement:o}=r;if(!o||t===n.ownerDocument)return e;const a=o.getBoundingClientRect();return new r.DOMRect(e.left+a.left,e.top+a.top,e.width,e.height)}let Qm=0;function eh(e){const t=document.scrollingElement||document.body;e&&(Qm=t.scrollTop);const n=e?"add":"remove";t.classList[n]("lockscroll"),document.documentElement.classList[n]("lockscroll"),e||(t.scrollTop=Qm)}let th=0;function nh(){return(0,tt.useEffect)((()=>(0===th&&eh(!0),++th,()=>{1===th&&eh(!1),--th})),[]),null}const rh=(0,tt.createContext)({registerSlot:()=>{},unregisterSlot:()=>{},registerFill:()=>{},unregisterFill:()=>{},getSlot:()=>{},getFills:()=>{},subscribe:()=>{}}),oh=e=>{const{getSlot:t,subscribe:n}=(0,tt.useContext)(rh),[r,o]=(0,tt.useState)(t(e));return(0,tt.useEffect)((()=>{o(t(e));return n((()=>{o(t(e))}))}),[e]),r};function ah({name:e,children:t,registerFill:n,unregisterFill:r}){const o=oh(e),a=(0,tt.useRef)({name:e,children:t});return(0,tt.useLayoutEffect)((()=>(n(e,a.current),()=>r(e,a.current))),[]),(0,tt.useLayoutEffect)((()=>{a.current.children=t,o&&o.forceUpdate()}),[t]),(0,tt.useLayoutEffect)((()=>{e!==a.current.name&&(r(a.current.name,a.current),a.current.name=e,n(e,a.current))}),[e]),o&&o.node?((0,at.isFunction)(t)&&(t=t(o.props.fillProps)),(0,rt.createPortal)(t,o.node)):null}const ih=e=>(0,tt.createElement)(rh.Consumer,null,(({registerFill:t,unregisterFill:n})=>(0,tt.createElement)(ah,ot({},e,{registerFill:t,unregisterFill:n})))),sh=e=>!(0,at.isNumber)(e)&&((0,at.isString)(e)||(0,at.isArray)(e)?!e.length:!e);class lh extends tt.Component{constructor(){super(...arguments),this.isUnmounted=!1,this.bindNode=this.bindNode.bind(this)}componentDidMount(){const{registerSlot:e}=this.props;e(this.props.name,this)}componentWillUnmount(){const{unregisterSlot:e}=this.props;this.isUnmounted=!0,e(this.props.name,this)}componentDidUpdate(e){const{name:t,unregisterSlot:n,registerSlot:r}=this.props;e.name!==t&&(n(e.name),r(t,this))}bindNode(e){this.node=e}forceUpdate(){this.isUnmounted||super.forceUpdate()}render(){const{children:e,name:t,fillProps:n={},getFills:r}=this.props,o=(0,at.map)(r(t,this),(e=>{const t=(0,at.isFunction)(e.children)?e.children(n):e.children;return tt.Children.map(t,((e,t)=>{if(!e||(0,at.isString)(e))return e;const n=e.key||t;return(0,tt.cloneElement)(e,{key:n})}))})).filter((0,at.negate)(sh));return(0,tt.createElement)(tt.Fragment,null,(0,at.isFunction)(e)?e(o):o)}}const ch=e=>(0,tt.createElement)(rh.Consumer,null,(({registerSlot:t,unregisterSlot:n,getFills:r})=>(0,tt.createElement)(lh,ot({},e,{registerSlot:t,unregisterSlot:n,getFills:r}))));new Set;const uh=(0,tt.createContext)({slots:{},fills:{},registerSlot:()=>{},updateSlot:()=>{},unregisterSlot:()=>{},registerFill:()=>{},unregisterFill:()=>{}});function dh(e){const t=(0,tt.useContext)(uh),n=t.slots[e]||{},r=t.fills[e],o=(0,tt.useMemo)((()=>r||[]),[r]);return{...n,updateSlot:(0,tt.useCallback)((n=>{t.updateSlot(e,n)}),[e,t.updateSlot]),unregisterSlot:(0,tt.useCallback)((n=>{t.unregisterSlot(e,n)}),[e,t.unregisterSlot]),fills:o,registerFill:(0,tt.useCallback)((n=>{t.registerFill(e,n)}),[e,t.registerFill]),unregisterFill:(0,tt.useCallback)((n=>{t.unregisterFill(e,n)}),[e,t.unregisterFill])}}function ph(){const[,e]=(0,tt.useState)({}),t=(0,tt.useRef)(!0);return(0,tt.useEffect)((()=>()=>{t.current=!1}),[]),()=>{t.current&&e({})}}function mh({name:e,children:t}){const n=dh(e),r=(0,tt.useRef)({rerender:ph()});return(0,tt.useEffect)((()=>(n.registerFill(r),()=>{n.unregisterFill(r)})),[n.registerFill,n.unregisterFill]),n.ref&&n.ref.current?("function"==typeof t&&(t=t(n.fillProps)),(0,rt.createPortal)(t,n.ref.current)):null}const hh=(0,tt.forwardRef)((function({name:e,fillProps:t={},as:n="div",...r},o){const a=(0,tt.useContext)(uh),i=(0,tt.useRef)();return(0,tt.useLayoutEffect)((()=>(a.registerSlot(e,i,t),()=>{a.unregisterSlot(e,i)})),[a.registerSlot,a.unregisterSlot,e]),(0,tt.useLayoutEffect)((()=>{a.updateSlot(e,t)})),(0,tt.createElement)(n,ot({ref:$m([o,i])},r))}));function fh({children:e}){const t=function(){const[e,t]=(0,tt.useState)({}),[n,r]=(0,tt.useState)({}),o=(0,tt.useCallback)(((e,n,r)=>{t((t=>{const o=t[e]||{};return{...t,[e]:{...o,ref:n||o.ref,fillProps:r||o.fillProps||{}}}}))}),[]),a=(0,tt.useCallback)(((e,n)=>{t((t=>{const{[e]:r,...o}=t;return(null==r?void 0:r.ref)===n?o:t}))}),[]),i=(0,tt.useCallback)(((t,r)=>{const o=e[t];if(o&&!ti(o.fillProps,r)){o.fillProps=r;const e=n[t];e&&e.map((e=>e.current.rerender()))}}),[e,n]),s=(0,tt.useCallback)(((e,t)=>{r((n=>({...n,[e]:[...n[e]||[],t]})))}),[]),l=(0,tt.useCallback)(((e,t)=>{r((n=>n[e]?{...n,[e]:n[e].filter((e=>e!==t))}:n))}),[]);return(0,tt.useMemo)((()=>({slots:e,fills:n,registerSlot:o,updateSlot:i,unregisterSlot:a,registerFill:s,unregisterFill:l})),[e,n,o,i,a,s,l])}();return(0,tt.createElement)(uh.Provider,{value:t},e)}class gh extends tt.Component{constructor(){super(...arguments),this.registerSlot=this.registerSlot.bind(this),this.registerFill=this.registerFill.bind(this),this.unregisterSlot=this.unregisterSlot.bind(this),this.unregisterFill=this.unregisterFill.bind(this),this.getSlot=this.getSlot.bind(this),this.getFills=this.getFills.bind(this),this.hasFills=this.hasFills.bind(this),this.subscribe=this.subscribe.bind(this),this.slots={},this.fills={},this.listeners=[],this.contextValue={registerSlot:this.registerSlot,unregisterSlot:this.unregisterSlot,registerFill:this.registerFill,unregisterFill:this.unregisterFill,getSlot:this.getSlot,getFills:this.getFills,hasFills:this.hasFills,subscribe:this.subscribe}}registerSlot(e,t){const n=this.slots[e];this.slots[e]=t,this.triggerListeners(),this.forceUpdateSlot(e),n&&n.forceUpdate()}registerFill(e,t){this.fills[e]=[...this.fills[e]||[],t],this.forceUpdateSlot(e)}unregisterSlot(e,t){this.slots[e]===t&&(delete this.slots[e],this.triggerListeners())}unregisterFill(e,t){this.fills[e]=(0,at.without)(this.fills[e],t),this.forceUpdateSlot(e)}getSlot(e){return this.slots[e]}getFills(e,t){return this.slots[e]!==t?[]:this.fills[e]}hasFills(e){return this.fills[e]&&!!this.fills[e].length}forceUpdateSlot(e){const t=this.getSlot(e);t&&t.forceUpdate()}triggerListeners(){this.listeners.forEach((e=>e()))}subscribe(e){return this.listeners.push(e),()=>{this.listeners=(0,at.without)(this.listeners,e)}}render(){return(0,tt.createElement)(rh.Provider,{value:this.contextValue},this.props.children)}}function bh(e){return(0,tt.createElement)(tt.Fragment,null,(0,tt.createElement)(ih,e),(0,tt.createElement)(mh,e))}const yh=(0,tt.forwardRef)((({bubblesVirtually:e,...t},n)=>e?(0,tt.createElement)(hh,ot({},t,{ref:n})):(0,tt.createElement)(ch,t)));function vh({children:e,...t}){return(0,tt.createElement)(gh,t,(0,tt.createElement)(fh,null,e))}function _h(e){const t=t=>(0,tt.createElement)(bh,ot({name:e},t));t.displayName=e+"Fill";const n=t=>(0,tt.createElement)(yh,ot({name:e},t));return n.displayName=e+"Slot",n.__unstableName=e,{Fill:t,Slot:n}}function Mh(e){return"appear"===e?"top":"left"}function kh(e){if("loading"===e.type)return so()("components-animate__loading");const{type:t,origin:n=Mh(t)}=e;if("appear"===t){const[e,t="center"]=n.split(" ");return so()("components-animate__appear",{["is-from-"+t]:"center"!==t,["is-from-"+e]:"middle"!==e})}return"slide-in"===t?so()("components-animate__slide-in","is-from-"+n):void 0}function wh(e,t){const{paddingTop:n,paddingBottom:r,paddingLeft:o,paddingRight:a}=function(e){return e.ownerDocument.defaultView.getComputedStyle(e)}(t),i=n?parseInt(n,10):0,s=r?parseInt(r,10):0,l=o?parseInt(o,10):0,c=a?parseInt(a,10):0;return{x:e.left+l,y:e.top+i,width:e.width-l-c,height:e.height-i-s,left:e.left+l,right:e.right-c,top:e.top+i,bottom:e.bottom-s}}function Eh(e,t,n){n?e.getAttribute(t)!==n&&e.setAttribute(t,n):e.hasAttribute(t)&&e.removeAttribute(t)}function Lh(e,t,n=""){e.style[t]!==n&&(e.style[t]=n)}function Ah(e,t,n){n?e.classList.contains(t)||e.classList.add(t):e.classList.contains(t)&&e.classList.remove(t)}const Sh=(0,tt.forwardRef)((({headerTitle:e,onClose:t,children:n,className:r,noArrow:o=!0,isAlternate:a,position:i="bottom right",range:s,focusOnMount:l="firstElement",anchorRef:c,shouldAnchorIncludePadding:u,anchorRect:d,getAnchorRect:p,expandOnMobile:m,animate:h=!0,onClickOutside:f,onFocusOutside:g,__unstableStickyBoundaryElement:b,__unstableSlotName:y="Popover",__unstableObserveElement:v,__unstableBoundaryParent:_,__unstableForcePosition:M,__unstableForceXAlignment:k,...w},E)=>{const L=(0,tt.useRef)(null),A=(0,tt.useRef)(null),S=(0,tt.useRef)(),C=im("medium","<"),[T,x]=(0,tt.useState)(),z=dh(y),O=m&&C,[N,D]=cm();o=O||o,(0,tt.useLayoutEffect)((()=>{if(O)return Ah(S.current,"is-without-arrow",o),Ah(S.current,"is-alternate",a),Eh(S.current,"data-x-axis"),Eh(S.current,"data-y-axis"),Lh(S.current,"top"),Lh(S.current,"left"),Lh(A.current,"maxHeight"),void Lh(A.current,"maxWidth");const e=()=>{if(!S.current||!A.current)return;let e=function(e,t,n,r=!1,o,a){if(t)return t;if(n){if(!e.current)return;const t=n(e.current);return Zm(t,t.ownerDocument||e.current.ownerDocument,a)}if(!1!==r){if(!(r&&window.Range&&window.Element&&window.DOMRect))return;if("function"==typeof(null==r?void 0:r.cloneRange))return Zm(Qp(r),r.endContainer.ownerDocument,a);if("function"==typeof(null==r?void 0:r.getBoundingClientRect)){const e=Zm(r.getBoundingClientRect(),r.ownerDocument,a);return o?e:wh(e,r)}const{top:e,bottom:t}=r,n=e.getBoundingClientRect(),i=t.getBoundingClientRect(),s=Zm(new window.DOMRect(n.left,n.top,n.width,i.bottom-n.top),e.ownerDocument,a);return o?s:wh(s,r)}if(!e.current)return;const{parentNode:i}=e.current,s=i.getBoundingClientRect();return o?s:wh(s,i)}(L,d,p,c,u,S.current);if(!e)return;const{offsetParent:t,ownerDocument:n}=S.current;let r,s=0;if(t&&t!==n.body){const n=t.getBoundingClientRect();s=n.top,e=new window.DOMRect(e.left-n.left,e.top-n.top,e.width,e.height)}var l;_&&(r=null===(l=S.current.closest(".popover-slot"))||void 0===l?void 0:l.parentNode);const m=D.height?D:A.current.getBoundingClientRect(),{popoverTop:h,popoverLeft:f,xAxis:g,yAxis:y,contentHeight:v,contentWidth:w}=Jm(e,m,i,b,S.current,s,r,M,k);"number"==typeof h&&"number"==typeof f&&(Lh(S.current,"top",h+"px"),Lh(S.current,"left",f+"px")),Ah(S.current,"is-without-arrow",o||"center"===g&&"middle"===y),Ah(S.current,"is-alternate",a),Eh(S.current,"data-x-axis",g),Eh(S.current,"data-y-axis",y),Lh(A.current,"maxHeight","number"==typeof v?v+"px":""),Lh(A.current,"maxWidth","number"==typeof w?w+"px":"");x(({left:"right",right:"left"}[g]||"center")+" "+({top:"bottom",bottom:"top"}[y]||"middle"))};e();const{ownerDocument:t}=S.current,{defaultView:n}=t,r=n.setInterval(e,500);let s;const l=()=>{n.cancelAnimationFrame(s),s=n.requestAnimationFrame(e)};n.addEventListener("click",l),n.addEventListener("resize",e),n.addEventListener("scroll",e,!0);const m=function(e){if(e)return e.endContainer?e.endContainer.ownerDocument:e.top?e.top.ownerDocument:e.ownerDocument}(c);let h;return m&&m!==t&&(m.defaultView.addEventListener("resize",e),m.defaultView.addEventListener("scroll",e,!0)),v&&(h=new n.MutationObserver(e),h.observe(v,{attributes:!0})),()=>{n.clearInterval(r),n.removeEventListener("resize",e),n.removeEventListener("scroll",e,!0),n.removeEventListener("click",l),n.cancelAnimationFrame(s),m&&m!==t&&(m.defaultView.removeEventListener("resize",e),m.defaultView.removeEventListener("scroll",e,!0)),h&&h.disconnect()}}),[O,d,p,c,u,i,D,b,v,_]);const B=(e,n)=>{if("focus-outside"===e&&g)g(n);else if("focus-outside"===e&&f){const e=new window.MouseEvent("click");Object.defineProperty(e,"target",{get:()=>n.relatedTarget}),Jp("Popover onClickOutside prop",{since:"5.3",alternative:"onFocusOutside"}),f(e)}else t&&t()},[I,P]=Km({focusOnMount:l,__unstableOnClose:B,onClose:B}),R=$m([S,I,E]),W=Boolean(h&&T)&&kh({type:"appear",origin:T});let Y=(0,tt.createElement)("div",ot({className:so()("components-popover",r,W,{"is-expanded":O,"is-without-arrow":o,"is-alternate":a})},w,{ref:R},P,{tabIndex:"-1"}),O&&(0,tt.createElement)(nh,null),O&&(0,tt.createElement)("div",{className:"components-popover__header"},(0,tt.createElement)("span",{className:"components-popover__header-title"},e),(0,tt.createElement)(Nf,{className:"components-popover__close",icon:Gm,onClick:t})),(0,tt.createElement)("div",{ref:A,className:"components-popover__content"},(0,tt.createElement)("div",{style:{position:"relative"}},N,n)));return z.ref&&(Y=(0,tt.createElement)(bh,{name:y},Y)),c||d?Y:(0,tt.createElement)("span",{ref:L},Y)}));Sh.Slot=(0,tt.forwardRef)((function({name:e="Popover"},t){return(0,tt.createElement)(yh,{bubblesVirtually:!0,name:e,className:"popover-slot",ref:t})}));const Ch=Sh;const Th=function({shortcut:e,className:t}){if(!e)return null;let n,r;return(0,at.isString)(e)&&(n=e),(0,at.isObject)(e)&&(n=e.display,r=e.ariaLabel),(0,tt.createElement)("span",{className:t,"aria-label":r},n)},xh=(0,tt.createElement)("div",{className:"event-catcher"}),zh=({eventHandlers:e,child:t,childrenWithPopover:n})=>(0,tt.cloneElement)((0,tt.createElement)("span",{className:"disabled-element-wrapper"},(0,tt.cloneElement)(xh,e),(0,tt.cloneElement)(t,{children:n}),","),e),Oh=({child:e,eventHandlers:t,childrenWithPopover:n})=>(0,tt.cloneElement)(e,{...t,children:n}),Nh=({grandchildren:e,isOver:t,position:n,text:r,shortcut:o})=>function(...e){return e.reduce(((e,t,n)=>(tt.Children.forEach(t,((t,r)=>{t&&"string"!=typeof t&&(t=(0,tt.cloneElement)(t,{key:[n,r].join()})),e.push(t)})),e)),[])}(e,t&&(0,tt.createElement)(Ch,{focusOnMount:!1,position:n,className:"components-tooltip","aria-hidden":"true",animate:!1,noArrow:!0},r,(0,tt.createElement)(Th,{className:"components-tooltip__shortcut",shortcut:o}))),Dh=(e,t,n)=>{if(1!==tt.Children.count(e))return;const r=tt.Children.only(e);"function"==typeof r.props[t]&&r.props[t](n)};const Bh=function({children:e,position:t,text:n,shortcut:r}){const[o,a]=(0,tt.useState)(!1),[i,s]=(0,tt.useState)(!1),l=Zp(s,700),c=t=>{Dh(e,"onMouseDown",t),document.addEventListener("mouseup",p),a(!0)},u=t=>{Dh(e,"onMouseUp",t),document.removeEventListener("mouseup",p),a(!1)},d=e=>"mouseUp"===e?u:"mouseDown"===e?c:void 0,p=d("mouseUp"),m=(t,n)=>r=>{if(Dh(e,t,r),r.currentTarget.disabled)return;if("focus"===r.type&&o)return;l.cancel();const a=(0,at.includes)(["focus","mouseenter"],r.type);a!==i&&(n?l(a):s(a))},h=()=>{l.cancel(),document.removeEventListener("mouseup",p)};if((0,tt.useEffect)((()=>h),[]),1!==tt.Children.count(e))return e;const f={onMouseEnter:m("onMouseEnter",!0),onMouseLeave:m("onMouseLeave"),onClick:m("onClick"),onFocus:m("onFocus"),onBlur:m("onBlur"),onMouseDown:d("mouseDown")},g=tt.Children.only(e),{children:b,disabled:y}=g.props;return(y?zh:Oh)({child:g,eventHandlers:f,childrenWithPopover:Nh({grandchildren:b,...{isOver:i,position:t,text:n,shortcut:r}})})};const Ih=function({icon:e,className:t,...n}){const r=["dashicon","dashicons","dashicons-"+e,t].filter(Boolean).join(" ");return(0,tt.createElement)("span",ot({className:r},n))};const Ph=function({icon:e=null,size:t=24,...n}){if("string"==typeof e)return(0,tt.createElement)(Ih,ot({icon:e},n));if((0,tt.isValidElement)(e)&&Ih===e.type)return(0,tt.cloneElement)(e,{...n});if("function"==typeof e)return e.prototype instanceof tt.Component?(0,tt.createElement)(e,{size:t,...n}):e({size:t,...n});if(e&&("svg"===e.type||e.type===mo)){const r={width:t,height:t,...e.props,...n};return(0,tt.createElement)(mo,r)}return(0,tt.isValidElement)(e)?(0,tt.cloneElement)(e,{size:t,...n}):e},Rh=(0,tt.createContext)({}),Wh=()=>(0,tt.useContext)(Rh);function Yh({value:e}){const t=Wh(),n=(0,tt.useRef)(e);!function(e,t){const n=(0,tt.useRef)(!1);(0,tt.useEffect)((()=>{if(n.current)return e();n.current=!0}),t)}((()=>{(0,at.isEqual)(n.current,e)&&n.current}),[e]);return(0,tt.useMemo)((()=>(0,at.merge)((0,at.cloneDeep)(t),e)),[t,e])}(0,tt.memo)((({children:e,value:t})=>{const n=Yh({value:t});return(0,tt.createElement)(Rh.Provider,{value:n},e)}));const Hh=ln()((function(e){return`components-${(0,at.kebabCase)(e)}`}));function qh(e,t,n){var r="";return n.split(" ").forEach((function(n){void 0!==e[n]?t.push(e[n]+";"):r+=n+" "})),r}var jh=function(e,t,n){var r=e.key+"-"+t.name;if(!1===n&&void 0===e.registered[r]&&(e.registered[r]=t.styles),void 0===e.inserted[t.name]){var o=t;do{e.insert(t===o?"."+r:"",o,e.sheet,!0);o=o.next}while(void 0!==o)}},Fh=/[A-Z]|^ms/g,Vh=/_EMO_([^_]+?)_([^]*?)_EMO_/g,Xh=function(e){return 45===e.charCodeAt(1)},Uh=function(e){return null!=e&&"boolean"!=typeof e},$h=Ep((function(e){return Xh(e)?e:e.replace(Fh,"-$&").toLowerCase()})),Kh=function(e,t){switch(e){case"animation":case"animationName":if("string"==typeof t)return t.replace(Vh,(function(e,t,n){return Jh={name:t,styles:n,next:Jh},t}))}return 1===kp[e]||Xh(e)||"number"!=typeof t||0===t?t:t+"px"};function Gh(e,t,n){if(null==n)return"";if(void 0!==n.__emotion_styles)return n;switch(typeof n){case"boolean":return"";case"object":if(1===n.anim)return Jh={name:n.name,styles:n.styles,next:Jh},n.name;if(void 0!==n.styles){var r=n.next;if(void 0!==r)for(;void 0!==r;)Jh={name:r.name,styles:r.styles,next:Jh},r=r.next;return n.styles+";"}return function(e,t,n){var r="";if(Array.isArray(n))for(var o=0;o{const e=(0,tt.useContext)(af);return(0,tt.useCallback)(((...t)=>of(...t.map((t=>{return null!=(n=t)&&["name","styles"].every((e=>void 0!==n[e]))?(jh(e,t,!1),`${e.key}-${t.name}`):t;var n})))),[e])};function lf(e,t){const n=Wh(),r=(null==n?void 0:n[t])||{},o={"data-wp-c16t":!0,...(a=t,{"data-wp-component":a})};var a;const{_overrides:i,...s}=r,l=Object.entries(s).length?Object.assign({},s,e):e,c=sf()(Hh(t),e.className),u="function"==typeof l.renderChildren?l.renderChildren(l):l.children;for(const e in l)o[e]=l[e];for(const e in i)o[e]=i[e];return o.children=u,o.className=c,o}function cf(e,t,n={}){const{memo:r=!1}=n;let o=(0,tt.forwardRef)(e);r&&(o=(0,tt.memo)(o));let a=o.__contextSystemKey__||[t];return Array.isArray(t)&&(a=[...a,...t]),"string"==typeof t&&(a=[...a,t]),o.displayName=t,o.__contextSystemKey__=(0,at.uniq)(a),o.selector=`.${Hh(t)}`,o}function uf(e){if(!e)return[];let t=[];return e.__contextSystemKey__&&(t=e.__contextSystemKey__),e.type&&e.type.__contextSystemKey__&&(t=e.type.__contextSystemKey__),t}const df={border:0,clip:"rect(1px, 1px, 1px, 1px)",WebkitClipPath:"inset( 50% )",clipPath:"inset( 50% )",height:"1px",margin:"-1px",overflow:"hidden",padding:0,position:"absolute",width:"1px",wordWrap:"normal"};var pf=/^((children|dangerouslySetInnerHTML|key|ref|autoFocus|defaultValue|defaultChecked|innerHTML|suppressContentEditableWarning|suppressHydrationWarning|valueLink|accept|acceptCharset|accessKey|action|allow|allowUserMedia|allowPaymentRequest|allowFullScreen|allowTransparency|alt|async|autoComplete|autoPlay|capture|cellPadding|cellSpacing|challenge|charSet|checked|cite|classID|className|cols|colSpan|content|contentEditable|contextMenu|controls|controlsList|coords|crossOrigin|data|dateTime|decoding|default|defer|dir|disabled|disablePictureInPicture|download|draggable|encType|form|formAction|formEncType|formMethod|formNoValidate|formTarget|frameBorder|headers|height|hidden|high|href|hrefLang|htmlFor|httpEquiv|id|inputMode|integrity|is|keyParams|keyType|kind|label|lang|list|loading|loop|low|marginHeight|marginWidth|max|maxLength|media|mediaGroup|method|min|minLength|multiple|muted|name|nonce|noValidate|open|optimum|pattern|placeholder|playsInline|poster|preload|profile|radioGroup|readOnly|referrerPolicy|rel|required|reversed|role|rows|rowSpan|sandbox|scope|scoped|scrolling|seamless|selected|shape|size|sizes|slot|span|spellCheck|src|srcDoc|srcLang|srcSet|start|step|style|summary|tabIndex|target|title|translate|type|useMap|value|width|wmode|wrap|about|datatype|inlist|prefix|property|resource|typeof|vocab|autoCapitalize|autoCorrect|autoSave|color|fallback|inert|itemProp|itemScope|itemType|itemID|itemRef|on|option|results|security|unselectable|accentHeight|accumulate|additive|alignmentBaseline|allowReorder|alphabetic|amplitude|arabicForm|ascent|attributeName|attributeType|autoReverse|azimuth|baseFrequency|baselineShift|baseProfile|bbox|begin|bias|by|calcMode|capHeight|clip|clipPathUnits|clipPath|clipRule|colorInterpolation|colorInterpolationFilters|colorProfile|colorRendering|contentScriptType|contentStyleType|cursor|cx|cy|d|decelerate|descent|diffuseConstant|direction|display|divisor|dominantBaseline|dur|dx|dy|edgeMode|elevation|enableBackground|end|exponent|externalResourcesRequired|fill|fillOpacity|fillRule|filter|filterRes|filterUnits|floodColor|floodOpacity|focusable|fontFamily|fontSize|fontSizeAdjust|fontStretch|fontStyle|fontVariant|fontWeight|format|from|fr|fx|fy|g1|g2|glyphName|glyphOrientationHorizontal|glyphOrientationVertical|glyphRef|gradientTransform|gradientUnits|hanging|horizAdvX|horizOriginX|ideographic|imageRendering|in|in2|intercept|k|k1|k2|k3|k4|kernelMatrix|kernelUnitLength|kerning|keyPoints|keySplines|keyTimes|lengthAdjust|letterSpacing|lightingColor|limitingConeAngle|local|markerEnd|markerMid|markerStart|markerHeight|markerUnits|markerWidth|mask|maskContentUnits|maskUnits|mathematical|mode|numOctaves|offset|opacity|operator|order|orient|orientation|origin|overflow|overlinePosition|overlineThickness|panose1|paintOrder|pathLength|patternContentUnits|patternTransform|patternUnits|pointerEvents|points|pointsAtX|pointsAtY|pointsAtZ|preserveAlpha|preserveAspectRatio|primitiveUnits|r|radius|refX|refY|renderingIntent|repeatCount|repeatDur|requiredExtensions|requiredFeatures|restart|result|rotate|rx|ry|scale|seed|shapeRendering|slope|spacing|specularConstant|specularExponent|speed|spreadMethod|startOffset|stdDeviation|stemh|stemv|stitchTiles|stopColor|stopOpacity|strikethroughPosition|strikethroughThickness|string|stroke|strokeDasharray|strokeDashoffset|strokeLinecap|strokeLinejoin|strokeMiterlimit|strokeOpacity|strokeWidth|surfaceScale|systemLanguage|tableValues|targetX|targetY|textAnchor|textDecoration|textRendering|textLength|to|transform|u1|u2|underlinePosition|underlineThickness|unicode|unicodeBidi|unicodeRange|unitsPerEm|vAlphabetic|vHanging|vIdeographic|vMathematical|values|vectorEffect|version|vertAdvY|vertOriginX|vertOriginY|viewBox|viewTarget|visibility|widths|wordSpacing|writingMode|x|xHeight|x1|x2|xChannelSelector|xlinkActuate|xlinkArcrole|xlinkHref|xlinkRole|xlinkShow|xlinkTitle|xlinkType|xmlBase|xmlns|xmlnsXlink|xmlLang|xmlSpace|y|y1|y2|yChannelSelector|z|zoomAndPan|for|class|autofocus)|(([Dd][Aa][Tt][Aa]|[Aa][Rr][Ii][Aa]|x)-.*))$/;const mf=Ep((function(e){return pf.test(e)||111===e.charCodeAt(0)&&110===e.charCodeAt(1)&&e.charCodeAt(2)<91}));var hf=/[A-Z]|^ms/g,ff=/_EMO_([^_]+?)_([^]*?)_EMO_/g,gf=function(e){return 45===e.charCodeAt(1)},bf=function(e){return null!=e&&"boolean"!=typeof e},yf=Ep((function(e){return gf(e)?e:e.replace(hf,"-$&").toLowerCase()})),vf=function(e,t){switch(e){case"animation":case"animationName":if("string"==typeof t)return t.replace(ff,(function(e,t,n){return Mf={name:t,styles:n,next:Mf},t}))}return 1===kp[e]||gf(e)||"number"!=typeof t||0===t?t:t+"px"};function _f(e,t,n){if(null==n)return"";if(void 0!==n.__emotion_styles)return n;switch(typeof n){case"boolean":return"";case"object":if(1===n.anim)return Mf={name:n.name,styles:n.styles,next:Mf},n.name;if(void 0!==n.styles){var r=n.next;if(void 0!==r)for(;void 0!==r;)Mf={name:r.name,styles:r.styles,next:Mf},r=r.next;return n.styles+";"}return function(e,t,n){var r="";if(Array.isArray(n))for(var o=0;o96?Ef:Lf},Sf=function(e,t,n){var r;if(t){var o=t.shouldForwardProp;r=e.__emotion_forwardProp&&o?function(t){return e.__emotion_forwardProp(t)&&o(t)}:o}return"function"!=typeof r&&n&&(r=e.__emotion_forwardProp),r};const Cf=function e(t,n){var r,o,a=t.__emotion_real===t,i=a&&t.__emotion_base||t;void 0!==n&&(r=n.label,o=n.target);var s=Sf(t,n,a),l=s||Af(i),c=!l("as");return function(){var u=arguments,d=a&&void 0!==t.__emotion_styles?t.__emotion_styles.slice(0):[];if(void 0!==r&&d.push("label:"+r+";"),null==u[0]||void 0===u[0].raw)d.push.apply(d,u);else{0,d.push(u[0][0]);for(var p=u.length,m=1;m{e.stopPropagation(),e.preventDefault()}}const S=!E&&(m&&g||f||!!g&&(!b||(0,at.isArray)(b)&&!b.length)&&!1!==m),C=M?(0,at.uniqueId)():null,T=k["aria-describedby"]||C,x=(0,tt.createElement)(L,ot({},A,k,{className:w,"aria-label":k["aria-label"]||g,"aria-describedby":T,ref:t}),u&&"left"===d&&(0,tt.createElement)(Ph,{icon:u,size:p}),y&&(0,tt.createElement)(tt.Fragment,null,y),u&&"right"===d&&(0,tt.createElement)(Ph,{icon:u,size:p}),b);return S?(0,tt.createElement)(tt.Fragment,null,(0,tt.createElement)(Bh,{text:M||g,shortcut:f,position:h},x),M&&(0,tt.createElement)(zf,null,(0,tt.createElement)("span",{id:C},M))):(0,tt.createElement)(tt.Fragment,null,x,M&&(0,tt.createElement)(zf,null,(0,tt.createElement)("span",{id:C},M)))}));function Df(e,t,n){return t in e?Object.defineProperty(e,t,{value:n,enumerable:!0,configurable:!0,writable:!0}):e[t]=n,e}function Bf(e,t){var n=Object.keys(e);if(Object.getOwnPropertySymbols){var r=Object.getOwnPropertySymbols(e);t&&(r=r.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),n.push.apply(n,r)}return n}function If(e){for(var t=1;t=0||(o[n]=e[n]);return o}function Rf(e,t){(null==t||t>e.length)&&(t=e.length);for(var n=0,r=new Array(t);n=e.length?{done:!0}:{done:!1,value:e[r++]}}}throw new TypeError("Invalid attempt to iterate non-iterable instance.\nIn order to be iterable, non-array objects must have a [Symbol.iterator]() method.")}return(n=e[Symbol.iterator]()).next.bind(n)}var Yf=(0,tt.createContext)({});var Hf,qf=function(e,t,n){void 0===n&&(n=t.children);var r=(0,tt.useContext)(Yf);if(r.useCreateElement)return r.useCreateElement(e,t,n);if("string"==typeof e&&function(e){return"function"==typeof e}(n)){t.children;return n(Pf(t,["children"]))}return(0,tt.createElement)(e,t,n)};function jf(e,t,n){return t in e?Object.defineProperty(e,t,{value:n,enumerable:!0,configurable:!0,writable:!0}):e[t]=n,e}function Ff(e,t){var n=Object.keys(e);if(Object.getOwnPropertySymbols){var r=Object.getOwnPropertySymbols(e);t&&(r=r.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),n.push.apply(n,r)}return n}function Vf(e){for(var t=1;t=0?n[i]=e[i]:r[i]=e[i]}return[n,r]}function $f(e,t){if(void 0===t&&(t=[]),!Xf(e.state))return Uf(e,t);var n=Uf(e,[].concat(t,["state"])),r=n[0],o=n[1],a=r.state,i=function(e,t){if(null==e)return{};var n,r,o={},a=Object.keys(e);for(r=0;r=0||(o[n]=e[n]);return o}(r,["state"]);return[Vf(Vf({},a),i),o]}function Kf(e,t){if(e===t)return!0;if(!e)return!1;if(!t)return!1;if("object"!=typeof e)return!1;if("object"!=typeof t)return!1;var n=Object.keys(e),r=Object.keys(t),o=n.length;if(r.length!==o)return!1;for(var a=0,i=n;a=0||(o[n]=e[n]);return o}function og(e,t){(null==t||t>e.length)&&(t=e.length);for(var n=0,r=new Array(t);n=e.length?{done:!0}:{done:!1,value:e[r++]}}}throw new TypeError("Invalid attempt to iterate non-iterable instance.\nIn order to be iterable, non-array objects must have a [Symbol.iterator]() method.")}return(n=e[Symbol.iterator]()).next.bind(n)}function ig(e,t){void 0===t&&(t=null),e&&("function"==typeof e?e(t):e.current=t)}function sg(e,t){return(0,tt.useMemo)((function(){return null==e&&null==t?null:function(n){ig(e,n),ig(t,n)}}),[e,t])}function lg(e){return e?e.ownerDocument||e:document}try{Hf=window}catch(Rx){}function cg(e){return e&&lg(e).defaultView||Hf}var ug=function(){var e=cg();return Boolean(void 0!==e&&e.document&&e.document.createElement)}(),dg=ug?tt.useLayoutEffect:tt.useEffect;function pg(e){var t=(0,tt.useRef)(e);return dg((function(){t.current=e})),t}function mg(e){return e.target===e.currentTarget}function hg(e){var t=lg(e).activeElement;return null!=t&&t.nodeName?t:null}function fg(e,t){return e===t||e.contains(t)}function gg(e){var t=hg(e);if(!t)return!1;if(fg(e,t))return!0;var n=t.getAttribute("aria-activedescendant");return!!n&&(n===e.id||!!e.querySelector("#"+n))}function bg(e){return!fg(e.currentTarget,e.target)}var yg=["button","color","file","image","reset","submit"];function vg(e){if("BUTTON"===e.tagName)return!0;if("INPUT"===e.tagName){var t=e;return-1!==yg.indexOf(t.type)}return!1}function _g(e){return!!ug&&-1!==window.navigator.userAgent.indexOf(e)}var Mg="input:not([type='hidden']):not([disabled]), select:not([disabled]), textarea:not([disabled]), a[href], button:not([disabled]), [tabindex], iframe, object, embed, area[href], audio[controls], video[controls], [contenteditable]:not([contenteditable='false'])";function kg(e){return function(e,t){return"matches"in e?e.matches(t):"msMatchesSelector"in e?e.msMatchesSelector(t):e.webkitMatchesSelector(t)}(e,Mg)&&function(e){var t=e;return t.offsetWidth>0||t.offsetHeight>0||e.getClientRects().length>0}(e)}var wg=Qf({name:"Role",keys:["unstable_system"],propsAreEqual:function(e,t){var n=e.unstable_system,r=rg(e,["unstable_system"]),o=t.unstable_system,a=rg(t,["unstable_system"]);return!(n!==o&&!Kf(n,o))&&Kf(r,a)}}),Eg=(Jf({as:"div",useHook:wg}),_g("Mac")&&!_g("Chrome")&&(_g("Safari")||_g("Firefox")));function Lg(e){!gg(e)&&kg(e)&&e.focus()}function Ag(e,t,n,r){return e?t&&!n?-1:void 0:t?r:r||0}function Sg(e,t){return(0,tt.useCallback)((function(n){var r;null===(r=e.current)||void 0===r||r.call(e,n),n.defaultPrevented||t&&(n.stopPropagation(),n.preventDefault())}),[e,t])}var Cg=Qf({name:"Tabbable",compose:wg,keys:["disabled","focusable"],useOptions:function(e,t){return ng({disabled:t.disabled},e)},useProps:function(e,t){var n=t.ref,r=t.tabIndex,o=t.onClickCapture,a=t.onMouseDownCapture,i=t.onMouseDown,s=t.onKeyPressCapture,l=t.style,c=rg(t,["ref","tabIndex","onClickCapture","onMouseDownCapture","onMouseDown","onKeyPressCapture","style"]),u=(0,tt.useRef)(null),d=pg(o),p=pg(a),m=pg(i),h=pg(s),f=!!e.disabled&&!e.focusable,g=(0,tt.useState)(!0),b=g[0],y=g[1],v=(0,tt.useState)(!0),_=v[0],M=v[1],k=e.disabled?ng({pointerEvents:"none"},l):l;dg((function(){var e,t=u.current;t&&("BUTTON"!==(e=t).tagName&&"INPUT"!==e.tagName&&"SELECT"!==e.tagName&&"TEXTAREA"!==e.tagName&&"A"!==e.tagName&&y(!1),function(e){return"BUTTON"===e.tagName||"INPUT"===e.tagName||"SELECT"===e.tagName||"TEXTAREA"===e.tagName}(t)||M(!1))}),[]);var w=Sg(d,e.disabled),E=Sg(p,e.disabled),L=Sg(h,e.disabled),A=(0,tt.useCallback)((function(e){var t;null===(t=m.current)||void 0===t||t.call(m,e);var n=e.currentTarget;if(!e.defaultPrevented&&Eg&&!bg(e)&&vg(n)){var r=requestAnimationFrame((function(){n.removeEventListener("mouseup",o,!0),Lg(n)})),o=function(){cancelAnimationFrame(r),Lg(n)};n.addEventListener("mouseup",o,{once:!0,capture:!0})}}),[]);return ng({ref:sg(u,n),style:k,tabIndex:Ag(f,b,_,r),disabled:!(!f||!_)||void 0,"aria-disabled":!!e.disabled||void 0,onClickCapture:w,onMouseDownCapture:E,onMouseDown:A,onKeyPressCapture:L},c)}});Jf({as:"div",useHook:Cg});var Tg=Qf({name:"Clickable",compose:Cg,keys:["unstable_clickOnEnter","unstable_clickOnSpace"],useOptions:function(e){var t=e.unstable_clickOnEnter,n=void 0===t||t,r=e.unstable_clickOnSpace;return ng({unstable_clickOnEnter:n,unstable_clickOnSpace:void 0===r||r},rg(e,["unstable_clickOnEnter","unstable_clickOnSpace"]))},useProps:function(e,t){var n=t.onKeyDown,r=t.onKeyUp,o=rg(t,["onKeyDown","onKeyUp"]),a=(0,tt.useState)(!1),i=a[0],s=a[1],l=pg(n),c=pg(r),u=(0,tt.useCallback)((function(t){var n;if(null===(n=l.current)||void 0===n||n.call(l,t),!t.defaultPrevented&&!e.disabled&&!t.metaKey&&mg(t)){var r=e.unstable_clickOnEnter&&"Enter"===t.key,o=e.unstable_clickOnSpace&&" "===t.key;if(r||o){if(function(e){var t=e.currentTarget;return!!e.isTrusted&&(vg(t)||"INPUT"===t.tagName||"TEXTAREA"===t.tagName||"A"===t.tagName||"SELECT"===t.tagName)}(t))return;t.preventDefault(),r?t.currentTarget.click():o&&s(!0)}}}),[e.disabled,e.unstable_clickOnEnter,e.unstable_clickOnSpace]),d=(0,tt.useCallback)((function(t){var n;if(null===(n=c.current)||void 0===n||n.call(c,t),!t.defaultPrevented&&!e.disabled&&!t.metaKey){var r=e.unstable_clickOnSpace&&" "===t.key;i&&r&&(s(!1),t.currentTarget.click())}}),[e.disabled,e.unstable_clickOnSpace,i]);return ng({"data-active":i||void 0,onKeyDown:u,onKeyUp:d},o)}});Jf({as:"button",memo:!0,useHook:Tg});function xg(e,t){return t?e.find((function(e){return!e.disabled&&e.id!==t})):e.find((function(e){return!e.disabled}))}function zg(e,t){var n;return t||null===t?t:e.currentId||null===e.currentId?e.currentId:null===(n=xg(e.items||[]))||void 0===n?void 0:n.id}var Og=["baseId","unstable_idCountRef","setBaseId","unstable_virtual","rtl","orientation","items","groups","currentId","loop","wrap","shift","unstable_moves","unstable_hasActiveWidget","unstable_includesBaseElement","registerItem","unregisterItem","registerGroup","unregisterGroup","move","next","previous","up","down","first","last","sort","unstable_setVirtual","setRTL","setOrientation","setCurrentId","setLoop","setWrap","setShift","reset","unstable_setIncludesBaseElement","unstable_setHasActiveWidget"],Ng=Og,Dg=Ng;function Bg(e){e.userFocus=!0,e.focus(),e.userFocus=!1}function Ig(e,t){e.userFocus=t}function Pg(e){try{var t=e instanceof HTMLInputElement&&null!==e.selectionStart,n="TEXTAREA"===e.tagName,r="true"===e.contentEditable;return t||n||r||!1}catch(e){return!1}}function Rg(e){var t=hg(e);if(!t)return!1;if(t===e)return!0;var n=t.getAttribute("aria-activedescendant");return!!n&&n===e.id}function Wg(e){return void 0===e&&(e="id"),(e?e+"-":"")+Math.random().toString(32).substr(2,6)}var Yg=(0,tt.createContext)(Wg);var Hg=Qf({keys:[].concat(["baseId","unstable_idCountRef","setBaseId"],["id"]),useOptions:function(e,t){var n=(0,tt.useContext)(Yg),r=(0,tt.useState)((function(){return e.unstable_idCountRef?(e.unstable_idCountRef.current+=1,"-"+e.unstable_idCountRef.current):e.baseId?"-"+n(""):""}))[0],o=(0,tt.useMemo)((function(){return e.baseId||n()}),[e.baseId,n]),a=t.id||e.id||""+o+r;return ng(ng({},e),{},{id:a})},useProps:function(e,t){return ng({id:e.id},t)}});Jf({as:"div",useHook:Hg});function qg(e,t,n){if("function"==typeof Event)return new Event(t,n);var r=lg(e).createEvent("Event");return r.initEvent(t,null==n?void 0:n.bubbles,null==n?void 0:n.cancelable),r}function jg(e,t){if(e instanceof HTMLInputElement||e instanceof HTMLTextAreaElement){var n,r=Object.getPrototypeOf(e),o=null===(n=Object.getOwnPropertyDescriptor(r,"value"))||void 0===n?void 0:n.set;o&&(o.call(e,t),function(e,t,n){e.dispatchEvent(qg(e,t,n))}(e,"input",{bubbles:!0}))}}function Fg(e){return e.querySelector("[data-composite-item-widget]")}var Vg=Qf({name:"CompositeItem",compose:[Tg,Hg],keys:Dg,propsAreEqual:function(e,t){if(!t.id||e.id!==t.id)return Tg.unstable_propsAreEqual(e,t);var n=e.currentId,r=e.unstable_moves,o=rg(e,["currentId","unstable_moves"]),a=t.currentId,i=t.unstable_moves,s=rg(t,["currentId","unstable_moves"]);if(a!==n){if(t.id===a||t.id===n)return!1}else if(r!==i)return!1;return Tg.unstable_propsAreEqual(o,s)},useOptions:function(e){return ng(ng({},e),{},{id:e.id,currentId:zg(e),unstable_clickOnSpace:!e.unstable_hasActiveWidget&&e.unstable_clickOnSpace})},useProps:function(e,t){var n,r=t.ref,o=t.tabIndex,a=void 0===o?0:o,i=t.onMouseDown,s=t.onFocus,l=t.onBlurCapture,c=t.onKeyDown,u=t.onClick,d=rg(t,["ref","tabIndex","onMouseDown","onFocus","onBlurCapture","onKeyDown","onClick"]),p=(0,tt.useRef)(null),m=e.id,h=e.disabled&&!e.focusable,f=e.currentId===m,g=pg(f),b=(0,tt.useRef)(!1),y=function(e){return(0,tt.useMemo)((function(){var t;return null===(t=e.items)||void 0===t?void 0:t.find((function(t){return e.id&&t.id===e.id}))}),[e.items,e.id])}(e),v=pg(i),_=pg(s),M=pg(l),k=pg(c),w=pg(u),E=!e.unstable_virtual&&!e.unstable_hasActiveWidget&&f||!(null!==(n=e.items)&&void 0!==n&&n.length);(0,tt.useEffect)((function(){var t;if(m)return null===(t=e.registerItem)||void 0===t||t.call(e,{id:m,ref:p,disabled:!!h}),function(){var t;null===(t=e.unregisterItem)||void 0===t||t.call(e,m)}}),[m,h,e.registerItem,e.unregisterItem]),(0,tt.useEffect)((function(){var t=p.current;t&&e.unstable_moves&&g.current&&Bg(t)}),[e.unstable_moves]);var L=(0,tt.useCallback)((function(e){var t;null===(t=v.current)||void 0===t||t.call(v,e),Ig(e.currentTarget,!0)}),[]),A=(0,tt.useCallback)((function(t){var n,r,o=!!t.currentTarget.userFocus;if(Ig(t.currentTarget,!1),null===(n=_.current)||void 0===n||n.call(_,t),!t.defaultPrevented&&!bg(t)&&m&&!function(e,t){if(mg(e))return!1;for(var n,r=ag(t);!(n=r()).done;)if(n.value.ref.current===e.target)return!0;return!1}(t,e.items)&&(null===(r=e.setCurrentId)||void 0===r||r.call(e,m),o&&e.unstable_virtual&&e.baseId&&mg(t))){var a=lg(t.target).getElementById(e.baseId);a&&(b.current=!0,function(e,t){var n=void 0===t?{}:t,r=n.preventScroll,o=n.isActive,a=void 0===o?Rg:o;a(e)||(e.focus({preventScroll:r}),a(e)||requestAnimationFrame((function(){e.focus({preventScroll:r})})))}(a))}}),[m,e.items,e.setCurrentId,e.unstable_virtual,e.baseId]),S=(0,tt.useCallback)((function(t){var n;null===(n=M.current)||void 0===n||n.call(M,t),t.defaultPrevented||e.unstable_virtual&&b.current&&(b.current=!1,t.preventDefault(),t.stopPropagation())}),[e.unstable_virtual]),C=(0,tt.useCallback)((function(t){var n;if(mg(t)){var r="horizontal"!==e.orientation,o="vertical"!==e.orientation,a=!(null==y||!y.groupId),i={ArrowUp:(a||r)&&e.up,ArrowRight:(a||o)&&e.next,ArrowDown:(a||r)&&e.down,ArrowLeft:(a||o)&&e.previous,Home:function(){var n,r;!a||t.ctrlKey?null===(n=e.first)||void 0===n||n.call(e):null===(r=e.previous)||void 0===r||r.call(e,!0)},End:function(){var n,r;!a||t.ctrlKey?null===(n=e.last)||void 0===n||n.call(e):null===(r=e.next)||void 0===r||r.call(e,!0)},PageUp:function(){var t,n;a?null===(t=e.up)||void 0===t||t.call(e,!0):null===(n=e.first)||void 0===n||n.call(e)},PageDown:function(){var t,n;a?null===(t=e.down)||void 0===t||t.call(e,!0):null===(n=e.last)||void 0===n||n.call(e)}}[t.key];if(i)return t.preventDefault(),void i();if(null===(n=k.current)||void 0===n||n.call(k,t),!t.defaultPrevented)if(1===t.key.length&&" "!==t.key){var s=Fg(t.currentTarget);s&&Pg(s)&&(s.focus(),jg(s,""))}else if("Delete"===t.key||"Backspace"===t.key){var l=Fg(t.currentTarget);l&&Pg(l)&&(t.preventDefault(),jg(l,""))}}}),[e.orientation,y,e.up,e.next,e.down,e.previous,e.first,e.last]),T=(0,tt.useCallback)((function(e){var t;if(null===(t=w.current)||void 0===t||t.call(w,e),!e.defaultPrevented){var n=Fg(e.currentTarget);n&&!gg(n)&&n.focus()}}),[]);return ng({ref:sg(p,r),id:m,tabIndex:E?a:-1,"aria-selected":!(!e.unstable_virtual||!f)||void 0,onMouseDown:L,onFocus:A,onBlurCapture:S,onKeyDown:C,onClick:T},d)}}),Xg=Jf({as:"button",memo:!0,useHook:Vg}),Ug=["baseId","unstable_idCountRef","unstable_virtual","rtl","orientation","items","groups","currentId","loop","wrap","shift","unstable_moves","unstable_hasActiveWidget","unstable_includesBaseElement","setBaseId","registerItem","unregisterItem","registerGroup","unregisterGroup","move","next","previous","up","down","first","last","sort","unstable_setVirtual","setRTL","setOrientation","setCurrentId","setLoop","setWrap","setShift","reset","unstable_setIncludesBaseElement","unstable_setHasActiveWidget"],$g=Ug,Kg=Jf({as:"button",memo:!0,useHook:Qf({name:"ToolbarItem",compose:Vg,keys:$g})});const Gg=(0,tt.forwardRef)((function({children:e,as:t,...n},r){const o=(0,tt.useContext)(Kp);if("function"!=typeof e&&!t)return null;const a={...n,ref:r,"data-toolbar-item":!0};return o?(0,tt.createElement)(Kg,ot({},o,a,{as:t}),e):t?(0,tt.createElement)(t,a,e):e(a)})),Jg=e=>(0,tt.createElement)("div",{className:e.className},e.children);const Zg=(0,tt.forwardRef)((function({containerClassName:e,className:t,extraProps:n,children:r,title:o,isActive:a,isDisabled:i,...s},l){return(0,tt.useContext)(Kp)?(0,tt.createElement)(Gg,ot({className:so()("components-toolbar-button",t)},n,s,{ref:l}),(e=>(0,tt.createElement)(Nf,ot({label:o,isPressed:a,disabled:i},e),r))):(0,tt.createElement)(Jg,{className:e},(0,tt.createElement)(Nf,ot({ref:l,icon:s.icon,label:o,shortcut:s.shortcut,"data-subscript":s.subscript,onClick:e=>{e.stopPropagation(),s.onClick&&s.onClick(e)},className:so()("components-toolbar__control",t),isPressed:a,disabled:i,"data-toolbar-item":!0},n,s),r))})),Qg=({className:e,children:t,...n})=>(0,tt.createElement)("div",ot({className:e},n),t),eb=(0,tt.createElement)(mo,{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24"},(0,tt.createElement)(uo,{d:"M5 5v1.5h14V5H5zm0 7.8h14v-1.5H5v1.5zM5 19h14v-1.5H5V19z"}));function tb({renderContent:e,renderToggle:t,position:n="bottom right",className:r,contentClassName:o,expandOnMobile:a,headerTitle:i,focusOnMount:s,popoverProps:l,onClose:c,onToggle:u}){var d;const p=(0,tt.useRef)(),[m,h]=function(e,t){const[n,r]=(0,tt.useState)(e);return[n,e=>{r(e),t&&t(e)}]}(!1,u);function f(){c&&c(),h(!1)}(0,tt.useEffect)((()=>()=>{u&&u(!1)}),[]);const g={isOpen:m,onToggle:function(){h(!m)},onClose:f};return(0,tt.createElement)("div",{className:so()("components-dropdown",r),ref:p},t(g),m&&(0,tt.createElement)(Ch,ot({position:n,onClose:f,onFocusOutside:function(){const{ownerDocument:e}=p.current,t=e.activeElement.closest('[role="dialog"]');p.current.contains(e.activeElement)||t&&!t.contains(p.current)||f()},expandOnMobile:a,headerTitle:i,focusOnMount:s},l,{anchorRef:null!==(d=null==l?void 0:l.anchorRef)&&void 0!==d?d:p.current,className:so()("components-dropdown__content",l?l.className:void 0,o)}),e(g)))}const nb=["menuitem","menuitemradio","menuitemcheckbox"];class rb extends tt.Component{constructor(){super(...arguments),this.onKeyDown=this.onKeyDown.bind(this),this.bindContainer=this.bindContainer.bind(this),this.getFocusableContext=this.getFocusableContext.bind(this),this.getFocusableIndex=this.getFocusableIndex.bind(this)}componentDidMount(){this.container.addEventListener("keydown",this.onKeyDown),this.container.addEventListener("focus",this.onFocus)}componentWillUnmount(){this.container.removeEventListener("keydown",this.onKeyDown),this.container.removeEventListener("focus",this.onFocus)}bindContainer(e){const{forwardedRef:t}=this.props;this.container=e,(0,at.isFunction)(t)?t(e):t&&"current"in t&&(t.current=e)}getFocusableContext(e){const{onlyBrowserTabstops:t}=this.props,n=(t?Hm.tabbable:Hm.focusable).find(this.container),r=this.getFocusableIndex(n,e);return r>-1&&e?{index:r,target:e,focusables:n}:null}getFocusableIndex(e,t){const n=e.indexOf(t);if(-1!==n)return n}onKeyDown(e){this.props.onKeyDown&&this.props.onKeyDown(e);const{getFocusableContext:t}=this,{cycle:n=!0,eventToOffset:r,onNavigate:o=at.noop,stopNavigationEvents:a}=this.props,i=r(e);if(void 0!==i&&a){e.stopImmediatePropagation();const t=e.target.getAttribute("role");nb.includes(t)&&e.preventDefault()}if(!i)return;const s=t(e.target.ownerDocument.activeElement);if(!s)return;const{index:l,focusables:c}=s,u=n?function(e,t,n){const r=e+n;return r<0?t+r:r>=t?r-t:r}(l,c.length,i):l+i;u>=0&&u(0,tt.createElement)(rb,ot({},e,{forwardedRef:t}));ob.displayName="NavigableContainer";const ab=(0,tt.forwardRef)(ob);const ib=(0,tt.forwardRef)((function({role:e="menu",orientation:t="vertical",...n},r){return(0,tt.createElement)(ab,ot({ref:r,stopNavigationEvents:!0,onlyBrowserTabstops:!1,role:e,"aria-orientation":"presentation"===e?null:t,eventToOffset:e=>{const{keyCode:n}=e;let r=[bm],o=[fm];return"horizontal"===t&&(r=[gm],o=[hm]),"both"===t&&(r=[gm,bm],o=[hm,fm]),(0,at.includes)(r,n)?1:(0,at.includes)(o,n)?-1:(0,at.includes)([bm,fm,hm,gm],n)?0:void 0}},n))}));function sb(e={},t={}){const n={...e,...t};return t.className&&e.className&&(n.className=so()(t.className,e.className)),n}const lb=function({children:e,className:t,controls:n,icon:r=eb,label:o,popoverProps:a,toggleProps:i,menuProps:s,disableOpenOnArrowDown:l=!1,text:c,menuLabel:u,position:d,noIcons:p}){if(u&&Jp("`menuLabel` prop in `DropdownComponent`",{since:"5.3",alternative:"`menuProps` object and its `aria-label` property"}),d&&Jp("`position` prop in `DropdownComponent`",{since:"5.3",alternative:"`popoverProps` object and its `position` property"}),(0,at.isEmpty)(n)&&!(0,at.isFunction)(e))return null;let m;(0,at.isEmpty)(n)||(m=n,Array.isArray(m[0])||(m=[m]));const h=sb({className:"components-dropdown-menu__popover",position:d},a);return(0,tt.createElement)(tb,{className:so()("components-dropdown-menu",t),popoverProps:h,renderToggle:({isOpen:e,onToggle:t})=>{var n;const a=sb({className:so()("components-dropdown-menu__toggle",{"is-opened":e})},i);return(0,tt.createElement)(Nf,ot({},a,{icon:r,onClick:e=>{t(e),a.onClick&&a.onClick(e)},onKeyDown:n=>{(n=>{l||e||n.keyCode!==bm||(n.preventDefault(),t())})(n),a.onKeyDown&&a.onKeyDown(n)},"aria-haspopup":"true","aria-expanded":e,label:o,text:c,showTooltip:null===(n=null==i?void 0:i.showTooltip)||void 0===n||n}),a.children)},renderContent:t=>{const n=sb({"aria-label":u||o,className:so()("components-dropdown-menu__menu",{"no-icons":p})},s);return(0,tt.createElement)(ib,ot({},n,{role:"menu"}),(0,at.isFunction)(e)?e(t):null,(0,at.flatMap)(m,((e,n)=>e.map(((e,r)=>(0,tt.createElement)(Nf,{key:[n,r].join(),onClick:n=>{n.stopPropagation(),t.onClose(),e.onClick&&e.onClick()},className:so()("components-dropdown-menu__menu-item",{"has-separator":n>0&&0===r,"is-active":e.isActive}),icon:e.icon,"aria-checked":"menuitemcheckbox"===e.role||"menuitemradio"===e.role?e.isActive:void 0,role:"menuitemcheckbox"===e.role||"menuitemradio"===e.role?e.role:"menuitem",disabled:e.isDisabled},e.title))))))}})};const cb=function({controls:e=[],toggleProps:t,...n}){const r=t=>(0,tt.createElement)(lb,ot({controls:e,toggleProps:{...t,"data-toolbar-item":!0}},n));return(0,tt.useContext)(Kp)?(0,tt.createElement)(Gg,t,r):r(t)};const ub=function({controls:e=[],children:t,className:n,isCollapsed:r,title:o,...a}){const i=(0,tt.useContext)(Kp);if(!(e&&e.length||t))return null;const s=so()(i?"components-toolbar-group":"components-toolbar",n);let l=e;return Array.isArray(l[0])||(l=[l]),r?(0,tt.createElement)(cb,ot({label:o,controls:l,className:s,children:t},a)):(0,tt.createElement)(Qg,ot({className:s},a),(0,at.flatMap)(l,((e,t)=>e.map(((e,n)=>(0,tt.createElement)(Zg,ot({key:[t,n].join(),containerClassName:t>0&&0===n?"has-left-divider":null},e)))))),t)},db=(0,tt.createContext)({name:"",isSelected:!1,clientId:null}),{Provider:pb}=db;function mb(){return(0,tt.useContext)(db)}const hb={insertUsage:{}},fb={alignWide:!1,supportsLayout:!0,colors:[{name:er("Black"),slug:"black",color:"#000000"},{name:er("Cyan bluish gray"),slug:"cyan-bluish-gray",color:"#abb8c3"},{name:er("White"),slug:"white",color:"#ffffff"},{name:er("Pale pink"),slug:"pale-pink",color:"#f78da7"},{name:er("Vivid red"),slug:"vivid-red",color:"#cf2e2e"},{name:er("Luminous vivid orange"),slug:"luminous-vivid-orange",color:"#ff6900"},{name:er("Luminous vivid amber"),slug:"luminous-vivid-amber",color:"#fcb900"},{name:er("Light green cyan"),slug:"light-green-cyan",color:"#7bdcb5"},{name:er("Vivid green cyan"),slug:"vivid-green-cyan",color:"#00d084"},{name:er("Pale cyan blue"),slug:"pale-cyan-blue",color:"#8ed1fc"},{name:er("Vivid cyan blue"),slug:"vivid-cyan-blue",color:"#0693e3"},{name:er("Vivid purple"),slug:"vivid-purple",color:"#9b51e0"}],fontSizes:[{name:tr("Small","font size name"),size:13,slug:"small"},{name:tr("Normal","font size name"),size:16,slug:"normal"},{name:tr("Medium","font size name"),size:20,slug:"medium"},{name:tr("Large","font size name"),size:36,slug:"large"},{name:tr("Huge","font size name"),size:42,slug:"huge"}],imageDefaultSize:"large",imageSizes:[{slug:"thumbnail",name:er("Thumbnail")},{slug:"medium",name:er("Medium")},{slug:"large",name:er("Large")},{slug:"full",name:er("Full Size")}],imageEditing:!0,maxWidth:580,allowedBlockTypes:!0,maxUploadFileSize:0,allowedMimeTypes:null,__experimentalCanUserUseUnfilteredHTML:!1,__experimentalBlockDirectory:!1,__mobileEnablePageTemplates:!1,__experimentalBlockPatterns:[],__experimentalBlockPatternCategories:[],__experimentalSpotlightEntityBlocks:[],gradients:[{name:er("Vivid cyan blue to vivid purple"),gradient:"linear-gradient(135deg,rgba(6,147,227,1) 0%,rgb(155,81,224) 100%)",slug:"vivid-cyan-blue-to-vivid-purple"},{name:er("Light green cyan to vivid green cyan"),gradient:"linear-gradient(135deg,rgb(122,220,180) 0%,rgb(0,208,130) 100%)",slug:"light-green-cyan-to-vivid-green-cyan"},{name:er("Luminous vivid amber to luminous vivid orange"),gradient:"linear-gradient(135deg,rgba(252,185,0,1) 0%,rgba(255,105,0,1) 100%)",slug:"luminous-vivid-amber-to-luminous-vivid-orange"},{name:er("Luminous vivid orange to vivid red"),gradient:"linear-gradient(135deg,rgba(255,105,0,1) 0%,rgb(207,46,46) 100%)",slug:"luminous-vivid-orange-to-vivid-red"},{name:er("Very light gray to cyan bluish gray"),gradient:"linear-gradient(135deg,rgb(238,238,238) 0%,rgb(169,184,195) 100%)",slug:"very-light-gray-to-cyan-bluish-gray"},{name:er("Cool to warm spectrum"),gradient:"linear-gradient(135deg,rgb(74,234,220) 0%,rgb(151,120,209) 20%,rgb(207,42,186) 40%,rgb(238,44,130) 60%,rgb(251,105,98) 80%,rgb(254,248,76) 100%)",slug:"cool-to-warm-spectrum"},{name:er("Blush light purple"),gradient:"linear-gradient(135deg,rgb(255,206,236) 0%,rgb(152,150,240) 100%)",slug:"blush-light-purple"},{name:er("Blush bordeaux"),gradient:"linear-gradient(135deg,rgb(254,205,165) 0%,rgb(254,45,45) 50%,rgb(107,0,62) 100%)",slug:"blush-bordeaux"},{name:er("Luminous dusk"),gradient:"linear-gradient(135deg,rgb(255,203,112) 0%,rgb(199,81,192) 50%,rgb(65,88,208) 100%)",slug:"luminous-dusk"},{name:er("Pale ocean"),gradient:"linear-gradient(135deg,rgb(255,245,203) 0%,rgb(182,227,212) 50%,rgb(51,167,181) 100%)",slug:"pale-ocean"},{name:er("Electric grass"),gradient:"linear-gradient(135deg,rgb(202,248,128) 0%,rgb(113,206,126) 100%)",slug:"electric-grass"},{name:er("Midnight"),gradient:"linear-gradient(135deg,rgb(2,3,129) 0%,rgb(40,116,252) 100%)",slug:"midnight"}]};function gb(e,t,n){return[...e.slice(0,n),...(0,at.castArray)(t),...e.slice(n)]}function bb(e,t,n,r=1){const o=[...e];return o.splice(t,r),gb(o,e.slice(t,t+r),n)}function yb(e,t=""){const n={[t]:[]};return e.forEach((e=>{const{clientId:r,innerBlocks:o}=e;n[t].push(r),Object.assign(n,yb(o,r))})),n}function vb(e,t=""){return e.reduce(((e,n)=>Object.assign(e,{[n.clientId]:t},vb(n.innerBlocks,n.clientId))),{})}function _b(e,t=at.identity){const n={},r=[...e];for(;r.length;){const{innerBlocks:e,...o}=r.shift();r.push(...e),n[o.clientId]=t(o)}return n}function Mb(e){return _b(e,(e=>(0,at.omit)(e,"attributes")))}function kb(e){return _b(e,(e=>e.attributes))}function wb(e,t="",n={}){return(0,at.reduce)(e[t],((t,r)=>n[r]?t:[...t,r,...wb(e,r)]),[])}function Eb(e,t){return"UPDATE_BLOCK_ATTRIBUTES"===e.type&&void 0!==t&&"UPDATE_BLOCK_ATTRIBUTES"===t.type&&(0,at.isEqual)(e.clientIds,t.clientIds)&&(n=e.attributes,r=t.attributes,(0,at.isEqual)((0,at.keys)(n),(0,at.keys)(r)));var n,r}const Lb=e=>e.reduce(((e,t)=>(e[t]={},e)),{});const Ab=(0,at.flow)(st(),(e=>(t,n)=>{if(t&&"SAVE_REUSABLE_BLOCK_SUCCESS"===n.type){const{id:e,updatedId:r}=n;if(e===r)return t;(t={...t}).attributes=(0,at.mapValues)(t.attributes,((n,o)=>{const{name:a}=t.byClientId[o];return"core/block"===a&&n.ref===e?{...n,ref:r}:n}))}return e(t,n)}),(e=>(t={},n)=>{const r=e(t,n);if(r===t)return t;r.cache=t.cache?t.cache:{};const o=e=>e.reduce(((e,n)=>{let r=n;do{e.push(r),r=t.parents[r]}while(r&&!t.controlledInnerBlocks[r]);return e}),[]);switch(n.type){case"RESET_BLOCKS":r.cache=(0,at.mapValues)(_b(n.blocks),(()=>({})));break;case"RECEIVE_BLOCKS":case"INSERT_BLOCKS":{const e=(0,at.keys)(_b(n.blocks));n.rootClientId&&!t.controlledInnerBlocks[n.rootClientId]&&e.push(n.rootClientId),r.cache={...r.cache,...Lb(o(e))};break}case"UPDATE_BLOCK":r.cache={...r.cache,...Lb(o([n.clientId]))};break;case"UPDATE_BLOCK_ATTRIBUTES":r.cache={...r.cache,...Lb(o(n.clientIds))};break;case"REPLACE_BLOCKS_AUGMENTED_WITH_CHILDREN":const e=Lb(o(n.replacedClientIds));r.cache={...(0,at.omit)(r.cache,n.replacedClientIds),...(0,at.omit)(e,n.replacedClientIds),...Lb((0,at.keys)(_b(n.blocks)))};break;case"REMOVE_BLOCKS_AUGMENTED_WITH_CHILDREN":r.cache={...(0,at.omit)(r.cache,n.removedClientIds),...Lb((0,at.difference)(o(n.clientIds),n.clientIds))};break;case"MOVE_BLOCKS_TO_POSITION":{const e=[...n.clientIds];n.fromRootClientId&&e.push(n.fromRootClientId),n.toRootClientId&&e.push(n.toRootClientId),r.cache={...r.cache,...Lb(o(e))};break}case"MOVE_BLOCKS_UP":case"MOVE_BLOCKS_DOWN":{const e=[];n.rootClientId&&e.push(n.rootClientId),r.cache={...r.cache,...Lb(o(e))};break}case"SAVE_REUSABLE_BLOCK_SUCCESS":{const e=(0,at.keys)((0,at.omitBy)(r.attributes,((e,t)=>"core/block"!==r.byClientId[t].name||e.ref!==n.updatedId)));r.cache={...r.cache,...Lb(o(e))}}}return r}),(e=>(t,n)=>{const r=e=>{let r=e;for(let o=0;o(t,n)=>{if("REPLACE_INNER_BLOCKS"!==n.type)return e(t,n);const r={};if(Object.keys(t.controlledInnerBlocks).length){const e=[...n.blocks];for(;e.length;){const{innerBlocks:n,...o}=e.shift();e.push(...n),t.controlledInnerBlocks[o.clientId]&&(r[o.clientId]=!0)}}let o=t;t.order[n.rootClientId]&&(o=e(o,{type:"REMOVE_BLOCKS",keepControlledInnerBlocks:r,clientIds:t.order[n.rootClientId]}));let a=o;return n.blocks.length&&(a=e(a,{...n,type:"INSERT_BLOCKS",index:0}),a.order={...a.order,...(0,at.reduce)(r,((e,n,r)=>(t.order[r]&&(e[r]=t.order[r]),e)),{})}),a}),(e=>(t,n)=>{if(t&&"RESET_BLOCKS"===n.type){const e=wb(t.order,"",t.controlledInnerBlocks),r=Object.keys((0,at.pickBy)(t.controlledInnerBlocks));return{...t,byClientId:{...(0,at.omit)(t.byClientId,e),...Mb(n.blocks)},attributes:{...(0,at.omit)(t.attributes,e),...kb(n.blocks)},order:{...(0,at.omit)(t.order,e),...(0,at.omit)(yb(n.blocks),r)},parents:{...(0,at.omit)(t.parents,e),...vb(n.blocks)},cache:{...(0,at.omit)(t.cache,e),...(0,at.omit)((0,at.mapValues)(_b(n.blocks),(()=>({}))),r)}}}return e(t,n)}),(function(e){let t,n=!1;return(r,o)=>{let a=e(r,o);const i="MARK_LAST_CHANGE_AS_PERSISTENT"===o.type||n;if(r===a&&!i){var s;n="MARK_NEXT_CHANGE_AS_NOT_PERSISTENT"===o.type;const e=null===(s=null==r?void 0:r.isPersistentChange)||void 0===s||s;return r.isPersistentChange===e?r:{...a,isPersistentChange:e}}return a={...a,isPersistentChange:i?!n:!Eb(o,t)},t=o,n="MARK_NEXT_CHANGE_AS_NOT_PERSISTENT"===o.type,a}}),(function(e){const t=new Set(["RECEIVE_BLOCKS"]);return(n,r)=>{const o=e(n,r);return o!==n&&(o.isIgnoredChange=t.has(r.type)),o}}))({byClientId(e={},t){switch(t.type){case"RESET_BLOCKS":return Mb(t.blocks);case"RECEIVE_BLOCKS":case"INSERT_BLOCKS":return{...e,...Mb(t.blocks)};case"UPDATE_BLOCK":if(!e[t.clientId])return e;const n=(0,at.omit)(t.updates,"attributes");return(0,at.isEmpty)(n)?e:{...e,[t.clientId]:{...e[t.clientId],...n}};case"REPLACE_BLOCKS_AUGMENTED_WITH_CHILDREN":return t.blocks?{...(0,at.omit)(e,t.replacedClientIds),...Mb(t.blocks)}:e;case"REMOVE_BLOCKS_AUGMENTED_WITH_CHILDREN":return(0,at.omit)(e,t.removedClientIds)}return e},attributes(e={},t){switch(t.type){case"RESET_BLOCKS":return kb(t.blocks);case"RECEIVE_BLOCKS":case"INSERT_BLOCKS":return{...e,...kb(t.blocks)};case"UPDATE_BLOCK":return e[t.clientId]&&t.updates.attributes?{...e,[t.clientId]:{...e[t.clientId],...t.updates.attributes}}:e;case"UPDATE_BLOCK_ATTRIBUTES":{if(t.clientIds.every((t=>!e[t])))return e;const n=t.clientIds.reduce(((n,r)=>({...n,[r]:(0,at.reduce)(t.uniqueByBlock?t.attributes[r]:t.attributes,((t,n,o)=>{var a,i;return n!==t[o]&&((t=(a=e[r])===(i=t)?{...a}:i)[o]=n),t}),e[r])})),{});return t.clientIds.every((t=>n[t]===e[t]))?e:{...e,...n}}case"REPLACE_BLOCKS_AUGMENTED_WITH_CHILDREN":return t.blocks?{...(0,at.omit)(e,t.replacedClientIds),...kb(t.blocks)}:e;case"REMOVE_BLOCKS_AUGMENTED_WITH_CHILDREN":return(0,at.omit)(e,t.removedClientIds)}return e},order(e={},t){switch(t.type){case"RESET_BLOCKS":return yb(t.blocks);case"RECEIVE_BLOCKS":return{...e,...(0,at.omit)(yb(t.blocks),"")};case"INSERT_BLOCKS":{const{rootClientId:n=""}=t,r=e[n]||[],o=yb(t.blocks,n),{index:a=r.length}=t;return{...e,...o,[n]:gb(r,o[n],a)}}case"MOVE_BLOCKS_TO_POSITION":{const{fromRootClientId:n="",toRootClientId:r="",clientIds:o}=t,{index:a=e[r].length}=t;if(n===r){const t=e[r].indexOf(o[0]);return{...e,[r]:bb(e[r],t,a,o.length)}}return{...e,[n]:(0,at.without)(e[n],...o),[r]:gb(e[r],o,a)}}case"MOVE_BLOCKS_UP":{const{clientIds:n,rootClientId:r=""}=t,o=(0,at.first)(n),a=e[r];if(!a.length||o===(0,at.first)(a))return e;const i=a.indexOf(o);return{...e,[r]:bb(a,i,i-1,n.length)}}case"MOVE_BLOCKS_DOWN":{const{clientIds:n,rootClientId:r=""}=t,o=(0,at.first)(n),a=(0,at.last)(n),i=e[r];if(!i.length||a===(0,at.last)(i))return e;const s=i.indexOf(o);return{...e,[r]:bb(i,s,s+1,n.length)}}case"REPLACE_BLOCKS_AUGMENTED_WITH_CHILDREN":{const{clientIds:n}=t;if(!t.blocks)return e;const r=yb(t.blocks);return(0,at.flow)([e=>(0,at.omit)(e,t.replacedClientIds),e=>({...e,...(0,at.omit)(r,"")}),e=>(0,at.mapValues)(e,(e=>(0,at.reduce)(e,((e,t)=>t===n[0]?[...e,...r[""]]:(-1===n.indexOf(t)&&e.push(t),e)),[])))])(e)}case"REMOVE_BLOCKS_AUGMENTED_WITH_CHILDREN":return(0,at.flow)([e=>(0,at.omit)(e,t.removedClientIds),e=>(0,at.mapValues)(e,(e=>(0,at.without)(e,...t.removedClientIds)))])(e)}return e},parents(e={},t){switch(t.type){case"RESET_BLOCKS":return vb(t.blocks);case"RECEIVE_BLOCKS":return{...e,...vb(t.blocks)};case"INSERT_BLOCKS":return{...e,...vb(t.blocks,t.rootClientId||"")};case"MOVE_BLOCKS_TO_POSITION":return{...e,...t.clientIds.reduce(((e,n)=>(e[n]=t.toRootClientId||"",e)),{})};case"REPLACE_BLOCKS_AUGMENTED_WITH_CHILDREN":return{...(0,at.omit)(e,t.replacedClientIds),...vb(t.blocks,e[t.clientIds[0]])};case"REMOVE_BLOCKS_AUGMENTED_WITH_CHILDREN":return(0,at.omit)(e,t.removedClientIds)}return e},controlledInnerBlocks:(e={},{type:t,clientId:n,hasControlledInnerBlocks:r})=>"SET_HAS_CONTROLLED_INNER_BLOCKS"===t?{...e,[n]:r}:e});function Sb(e={},t){switch(t.type){case"CLEAR_SELECTED_BLOCK":return e.clientId?{}:e;case"SELECT_BLOCK":return t.clientId===e.clientId?e:{clientId:t.clientId};case"REPLACE_INNER_BLOCKS":case"INSERT_BLOCKS":return t.updateSelection&&t.blocks.length?{clientId:t.blocks[0].clientId}:e;case"REMOVE_BLOCKS":return t.clientIds&&t.clientIds.length&&-1!==t.clientIds.indexOf(e.clientId)?{}:e;case"REPLACE_BLOCKS":{if(-1===t.clientIds.indexOf(e.clientId))return e;const n=t.indexToSelect||t.blocks.length-1,r=t.blocks[n];return r?r.clientId===e.clientId?e:{clientId:r.clientId}:{}}}return e}const Cb=st()({blocks:Ab,isTyping:function(e=!1,t){switch(t.type){case"START_TYPING":return!0;case"STOP_TYPING":return!1}return e},draggedBlocks:function(e=[],t){switch(t.type){case"START_DRAGGING_BLOCKS":return t.clientIds;case"STOP_DRAGGING_BLOCKS":return[]}return e},isCaretWithinFormattedText:function(e=!1,t){switch(t.type){case"ENTER_FORMATTED_TEXT":return!0;case"EXIT_FORMATTED_TEXT":return!1}return e},selection:function(e={},t){var n,r;switch(t.type){case"SELECTION_CHANGE":return{selectionStart:{clientId:t.clientId,attributeKey:t.attributeKey,offset:t.startOffset},selectionEnd:{clientId:t.clientId,attributeKey:t.attributeKey,offset:t.endOffset}};case"RESET_SELECTION":const{selectionStart:o,selectionEnd:a}=t;return{selectionStart:o,selectionEnd:a};case"MULTI_SELECT":const{start:i,end:s}=t;return{selectionStart:{clientId:i},selectionEnd:{clientId:s}};case"RESET_BLOCKS":const l=null==e||null===(n=e.selectionStart)||void 0===n?void 0:n.clientId,c=null==e||null===(r=e.selectionEnd)||void 0===r?void 0:r.clientId;if(!l&&!c)return e;if(!t.blocks.some((e=>e.clientId===l)))return{selectionStart:{},selectionEnd:{}};if(!t.blocks.some((e=>e.clientId===c)))return{...e,selectionEnd:e.selectionStart}}return{selectionStart:Sb(e.selectionStart,t),selectionEnd:Sb(e.selectionEnd,t)}},isMultiSelecting:function(e=!1,t){switch(t.type){case"START_MULTI_SELECT":return!0;case"STOP_MULTI_SELECT":return!1}return e},isSelectionEnabled:function(e=!0,t){switch(t.type){case"TOGGLE_SELECTION":return t.isSelectionEnabled}return e},initialPosition:function(e=null,t){return"REPLACE_BLOCKS"===t.type&&void 0!==t.initialPosition||["SELECT_BLOCK","RESET_SELECTION","INSERT_BLOCKS","REPLACE_INNER_BLOCKS"].includes(t.type)?t.initialPosition:e},blocksMode:function(e={},t){if("TOGGLE_BLOCK_MODE"===t.type){const{clientId:n}=t;return{...e,[n]:e[n]&&"html"===e[n]?"visual":"html"}}return e},blockListSettings:(e={},t)=>{switch(t.type){case"REPLACE_BLOCKS":case"REMOVE_BLOCKS":return(0,at.omit)(e,t.clientIds);case"UPDATE_BLOCK_LIST_SETTINGS":{const{clientId:n}=t;return t.settings?(0,at.isEqual)(e[n],t.settings)?e:{...e,[n]:t.settings}:e.hasOwnProperty(n)?(0,at.omit)(e,n):e}}return e},insertionPoint:function(e=null,t){switch(t.type){case"SHOW_INSERTION_POINT":const{rootClientId:e,index:n,__unstableWithInserter:r}=t;return{rootClientId:e,index:n,__unstableWithInserter:r};case"HIDE_INSERTION_POINT":return null}return e},template:function(e={isValid:!0},t){switch(t.type){case"SET_TEMPLATE_VALIDITY":return{...e,isValid:t.isValid}}return e},settings:function(e=fb,t){switch(t.type){case"UPDATE_SETTINGS":return{...e,...t.settings}}return e},preferences:function(e=hb,t){switch(t.type){case"INSERT_BLOCKS":case"REPLACE_BLOCKS":return t.blocks.reduce(((e,n)=>{const{attributes:r,name:o}=n,a=tn(Gr).getActiveBlockVariation(o,r);let i=null!=a&&a.name?`${o}/${a.name}`:o;const s={name:i};return"core/block"===o&&(s.ref=r.ref,i+="/"+r.ref),{...e,insertUsage:{...e.insertUsage,[i]:{time:t.time,count:e.insertUsage[i]?e.insertUsage[i].count+1:1,insert:s}}}}),e)}return e},lastBlockAttributesChange:function(e,t){switch(t.type){case"UPDATE_BLOCK":if(!t.updates.attributes)break;return{[t.clientId]:t.updates.attributes};case"UPDATE_BLOCK_ATTRIBUTES":return t.clientIds.reduce(((e,n)=>({...e,[n]:t.uniqueByBlock?t.attributes[n]:t.attributes})),{})}return null},isNavigationMode:function(e=!1,t){return"INSERT_BLOCKS"!==t.type&&("SET_NAVIGATION_MODE"===t.type?t.isNavigationMode:e)},hasBlockMovingClientId:function(e=null,t){return"SET_BLOCK_MOVING_MODE"===t.type?t.hasBlockMovingClientId:"SET_NAVIGATION_MODE"===t.type?null:e},automaticChangeStatus:function(e,t){switch(t.type){case"MARK_AUTOMATIC_CHANGE":return"pending";case"MARK_AUTOMATIC_CHANGE_FINAL":return"pending"===e?"final":void 0;case"SELECTION_CHANGE":return"final"!==e?e:void 0;case"START_TYPING":case"STOP_TYPING":return e}},highlightedBlock:function(e,t){switch(t.type){case"TOGGLE_BLOCK_HIGHLIGHT":const{clientId:n,isHighlighted:r}=t;return r?n:e===n?null:e;case"SELECT_BLOCK":if(t.clientId!==e)return null}return e},lastBlockInserted:function(e={},t){var n;switch(t.type){case"INSERT_BLOCKS":if(!t.blocks.length)return e;return{clientId:t.blocks[0].clientId,source:null===(n=t.meta)||void 0===n?void 0:n.source};case"RESET_BLOCKS":return{}}return e}}),Tb={OS:"web",select:e=>"web"in e?e.web:e.default},xb=(0,tt.createElement)(mo,{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24"},(0,tt.createElement)(po,{x:"0",fill:"none",width:"24",height:"24"}),(0,tt.createElement)(co,null,(0,tt.createElement)(uo,{d:"M19 3H5c-1.105 0-2 .895-2 2v14c0 1.105.895 2 2 2h14c1.105 0 2-.895 2-2V5c0-1.105-.895-2-2-2zM6 6h5v5H6V6zm4.5 13C9.12 19 8 17.88 8 16.5S9.12 14 10.5 14s2.5 1.12 2.5 2.5-1.12 2.5-2.5 2.5zm3-6l3-5 3 5h-6z"}))),zb=[];function Ob(e,t){const n=e.blocks.byClientId[t],r="core/social-link";if("web"!==Tb.OS&&(null==n?void 0:n.name)===r){const n=e.blocks.attributes[t],{service:o}=n;return o?`core/social-link-${o}`:r}return n?n.name:null}function Nb(e,t){const n=e.blocks.byClientId[t];return!!n&&n.isValid}function Db(e,t){return e.blocks.byClientId[t]?e.blocks.attributes[t]:null}const Bb=gr(((e,t)=>{const n=e.blocks.byClientId[t];return n?{...n,attributes:Db(e,t),innerBlocks:bv(e,t)?zb:Pb(e,t)}:null}),((e,t)=>[e.blocks.cache[t]])),Ib=gr(((e,t)=>{const n=e.blocks.byClientId[t];return n?{...n,attributes:Db(e,t)}:null}),((e,t)=>[e.blocks.byClientId[t],e.blocks.attributes[t]])),Pb=gr(((e,t)=>(0,at.map)(_y(e,t),(t=>Bb(e,t)))),((e,t)=>(0,at.map)(e.blocks.order[t||""],(t=>e.blocks.cache[t])))),Rb=gr(((e,t)=>{const n=e.blocks.byClientId[t];return n?{...n,attributes:Db(e,t),innerBlocks:Wb(e,t)}:null}),(e=>[e.blocks.byClientId,e.blocks.order,e.blocks.attributes])),Wb=gr(((e,t="")=>(0,at.map)(_y(e,t),(t=>Rb(e,t)))),(e=>[e.blocks.byClientId,e.blocks.order,e.blocks.attributes])),Yb=gr(((e,t)=>({clientId:t,innerBlocks:Hb(e,t)})),(e=>[e.blocks.order])),Hb=gr(((e,t="")=>(0,at.map)(_y(e,t),(t=>Yb(e,t)))),(e=>[e.blocks.order])),qb=(e,t)=>(0,at.flatMap)(t,(t=>{const n=_y(e,t);return[...n,...qb(e,n)]})),jb=gr((e=>{const t=_y(e);return[...t,...qb(e,t)]}),(e=>[e.blocks.order])),Fb=gr(((e,t)=>{const n=jb(e);return t?(0,at.reduce)(n,((n,r)=>e.blocks.byClientId[r].name===t?n+1:n),0):n.length}),(e=>[e.blocks.order,e.blocks.byClientId])),Vb=gr(((e,t)=>(0,at.map)((0,at.castArray)(t),(t=>Bb(e,t)))),(e=>[e.blocks.byClientId,e.blocks.order,e.blocks.attributes]));function Xb(e,t){return _y(e,t).length}function Ub(e){return e.selection.selectionStart}function $b(e){return e.selection.selectionEnd}function Kb(e){return e.selection.selectionStart.clientId}function Gb(e){return e.selection.selectionEnd.clientId}function Jb(e){const t=dy(e).length;return t||(e.selection.selectionStart.clientId?1:0)}function Zb(e){const{selectionStart:t,selectionEnd:n}=e.selection;return!!t.clientId&&t.clientId===n.clientId}function Qb(e){const{selectionStart:t,selectionEnd:n}=e.selection,{clientId:r}=t;return r&&r===n.clientId?r:null}function ey(e){const t=Qb(e);return t?Bb(e,t):null}function ty(e,t){return void 0!==e.blocks.parents[t]?e.blocks.parents[t]:null}const ny=gr(((e,t,n=!1)=>{const r=[];let o=t;for(;e.blocks.parents[o];)o=e.blocks.parents[o],r.push(o);return n?r:r.reverse()}),(e=>[e.blocks.parents])),ry=gr(((e,t,n,r=!1)=>{const o=ny(e,t,r);return(0,at.map)((0,at.filter)((0,at.map)(o,(t=>({id:t,name:Ob(e,t)}))),(({name:e})=>Array.isArray(n)?n.includes(e):e===n)),(({id:e})=>e))}),(e=>[e.blocks.parents]));function oy(e,t){let n,r=t;do{n=r,r=e.blocks.parents[r]}while(r);return n}function ay(e,t){const n=Qb(e),r=[...ny(e,t),t],o=[...ny(e,n),n];let a;const i=Math.min(r.length,o.length);for(let e=0;e{const{selectionStart:t,selectionEnd:n}=e.selection;if(void 0===t.clientId||void 0===n.clientId)return zb;if(t.clientId===n.clientId)return[t.clientId];const r=ty(e,t.clientId);if(null===r)return zb;const o=_y(e,r),a=o.indexOf(t.clientId),i=o.indexOf(n.clientId);return a>i?o.slice(i,a+1):o.slice(a,i+1)}),(e=>[e.blocks.order,e.selection.selectionStart.clientId,e.selection.selectionEnd.clientId]));function dy(e){const{selectionStart:t,selectionEnd:n}=e.selection;return t.clientId===n.clientId?zb:uy(e)}const py=gr((e=>{const t=dy(e);return t.length?t.map((t=>Bb(e,t))):zb}),(e=>[...uy.getDependants(e),e.blocks.byClientId,e.blocks.order,e.blocks.attributes]));function my(e){return(0,at.first)(dy(e))||null}function hy(e){return(0,at.last)(dy(e))||null}function fy(e,t){return my(e)===t}function gy(e,t){return-1!==dy(e).indexOf(t)}const by=gr(((e,t)=>{let n=t,r=!1;for(;n&&!r;)n=ty(e,n),r=gy(e,n);return r}),(e=>[e.blocks.order,e.selection.selectionStart.clientId,e.selection.selectionEnd.clientId]));function yy(e){const{selectionStart:t,selectionEnd:n}=e.selection;return t.clientId===n.clientId?null:t.clientId||null}function vy(e){const{selectionStart:t,selectionEnd:n}=e.selection;return t.clientId===n.clientId?null:n.clientId||null}function _y(e,t){return e.blocks.order[t||""]||zb}function My(e,t,n){return _y(e,n).indexOf(t)}function ky(e,t){const{selectionStart:n,selectionEnd:r}=e.selection;return n.clientId===r.clientId&&n.clientId===t}function wy(e,t,n=!1){return(0,at.some)(_y(e,t),(t=>ky(e,t)||gy(e,t)||n&&wy(e,t,n)))}function Ey(e,t){if(!t)return!1;const n=dy(e),r=n.indexOf(t);return r>-1&&rOy(e,t)))}function Dy(e){return e.isCaretWithinFormattedText}function By(e){let t,n;const{insertionPoint:r,selection:{selectionEnd:o}}=e;if(null!==r)return r;const{clientId:a}=o;return a?(t=ty(e,a)||void 0,n=My(e,o.clientId,t)+1):n=_y(e).length,{rootClientId:t,index:n}}function Iy(e){return null!==e.insertionPoint}function Py(e){return e.template.isValid}function Ry(e){return e.settings.template}function Wy(e,t){if(!t)return e.settings.templateLock;const n=ov(e,t);return n?n.templateLock:null}const Yy=(e,t,n=null)=>(0,at.isBoolean)(e)?e:(0,at.isArray)(e)?!(!e.includes("core/post-content")||null!==t)||e.includes(t):n,Hy=(e,t,n=null)=>{let r;if(t&&"object"==typeof t?(r=t,t=r.name):r=Bo(t),!r)return!1;const{allowedBlockTypes:o}=av(e);if(!Yy(o,t,!0))return!1;if(!!Wy(e,n))return!1;const a=ov(e,n);if(n&&void 0===a)return!1;const i=null==a?void 0:a.allowedBlocks,s=Yy(i,t),l=r.parent,c=Ob(e,n),u=Yy(l,c);return null!==s&&null!==u?s||u:null!==s?s:null===u||u},qy=gr(Hy,((e,t,n)=>[e.blockListSettings[n],e.blocks.byClientId[n],e.settings.allowedBlockTypes,e.settings.templateLock]));function jy(e,t,n=null){return t.every((t=>qy(e,Ob(e,t),n)))}function Fy(e,t){var n,r;return null!==(n=null===(r=e.preferences.insertUsage)||void 0===r?void 0:r[t])&&void 0!==n?n:null}const Vy=(e,t,n)=>!!Ro(t,"inserter",!0)&&Hy(e,t.name,n),Xy=(e,t)=>n=>{const r=`${t.id}/${n.name}`,{time:o,count:a=0}=Fy(e,r)||{};return{...t,id:r,icon:n.icon||t.icon,title:n.title||t.title,description:n.description||t.description,category:n.category||t.category,example:n.hasOwnProperty("example")?n.example:t.example,initialAttributes:{...t.initialAttributes,...n.attributes},innerBlocks:n.innerBlocks,keywords:n.keywords||t.keywords,frecency:Uy(o,a)}},Uy=(e,t)=>{if(!e)return t;const n=Date.now()-e;switch(!0){case n<36e5:return 4*t;case n<864e5:return 2*t;case n<6048e5:return t/2;default:return t/4}},$y=(e,{buildScope:t="inserter"})=>n=>{const r=n.name;let o=!1;Ro(n.name,"multiple",!0)||(o=(0,at.some)(Vb(e,jb(e)),{name:n.name}));const{time:a,count:i=0}=Fy(e,r)||{},s={id:r,name:n.name,title:n.title,icon:n.icon,isDisabled:o,frecency:Uy(a,i)};if("transform"===t)return s;const l=n.variations.filter((({scope:e})=>!e||e.includes("inserter")));return{...s,initialAttributes:{},description:n.description,category:n.category,keywords:n.keywords,variations:l,example:n.example,utility:1}},Ky=gr(((e,t=null)=>{const n=$y(e,{buildScope:"inserter"}),r=Io().filter((n=>Vy(e,n,t))).map(n),o=Hy(e,"core/block",t)?pv(e).map((t=>{const n=`core/block/${t.id}`,r=lv(e,t.id);let o;1===r.length&&(o=Bo(r[0].name));const{time:a,count:i=0}=Fy(e,n)||{},s=Uy(a,i);return{id:n,name:"core/block",initialAttributes:{ref:t.id},title:t.title.raw,icon:o?o.icon:xb,category:"reusable",keywords:[],isDisabled:!1,utility:1,frecency:s}})):[],a=r.filter((({variations:e=[]})=>!e.some((({isDefault:e})=>e)))),i=[];for(const t of r){const{variations:n=[]}=t;if(n.length){const r=Xy(e,t);i.push(...n.map(r))}}return[...[...a,...i].sort(((e,t)=>{const n="core/",r=e.name.startsWith(n),o=t.name.startsWith(n);return r&&o?0:r&&!o?-1:1})),...o]}),((e,t)=>[e.blockListSettings[t],e.blocks.byClientId,e.blocks.order,e.preferences.insertUsage,e.settings.allowedBlockTypes,e.settings.templateLock,pv(e),Io()])),Gy=gr(((e,t,n=null)=>{const r=$y(e,{buildScope:"transform"}),o=Io().filter((t=>Vy(e,t,n))).map(r),a=(0,at.mapKeys)(o,(({name:e})=>e)),i=$o(t).reduce(((e,t)=>(a[null==t?void 0:t.name]&&e.push(a[t.name]),e)),[]);return(0,at.orderBy)(i,(e=>a[e.name].frecency),"desc")}),((e,t)=>[e.blockListSettings[t],e.blocks.byClientId,e.preferences.insertUsage,e.settings.allowedBlockTypes,e.settings.templateLock,Io()])),Jy=gr(((e,t=null)=>{if((0,at.some)(Io(),(n=>Vy(e,n,t))))return!0;return Hy(e,"core/block",t)&&pv(e).length>0}),((e,t)=>[e.blockListSettings[t],e.blocks.byClientId,e.settings.allowedBlockTypes,e.settings.templateLock,pv(e),Io()])),Zy=gr(((e,t=null)=>{if(t)return(0,at.filter)(Io(),(n=>Vy(e,n,t)))}),((e,t)=>[e.blockListSettings[t],e.blocks.byClientId,e.settings.allowedBlockTypes,e.settings.templateLock,Io()])),Qy=gr(((e,t)=>{const n=e.settings.__experimentalBlockPatterns.find((({name:e})=>e===t));return n?{...n,blocks:ts(n.content)}:null}),(e=>[e.settings.__experimentalBlockPatterns])),ev=gr((e=>{const t=e.settings.__experimentalBlockPatterns,{allowedBlockTypes:n}=av(e);return t.map((({name:t})=>Qy(e,t))).filter((({blocks:e})=>((e,t)=>{if((0,at.isBoolean)(t))return t;const n=[...e];for(;n.length>0;){var r;const e=n.shift();if(!Yy(t,e.name||e.blockName,!0))return!1;null===(r=e.innerBlocks)||void 0===r||r.forEach((e=>{n.push(e)}))}return!0})(e,n)))}),(e=>[e.settings.__experimentalBlockPatterns,e.settings.allowedBlockTypes])),tv=gr(((e,t=null)=>{const n=ev(e);return(0,at.filter)(n,(({blocks:n})=>n.every((({name:n})=>qy(e,n,t)))))}),((e,t)=>[e.settings.__experimentalBlockPatterns,e.settings.allowedBlockTypes,e.settings.templateLock,e.blockListSettings[t],e.blocks.byClientId[t]])),nv=gr(((e,t,n=null)=>{if(!t)return zb;const r=tv(e,n),o=Array.isArray(t)?t:[t];return r.filter((e=>{var t,n;return null==e||null===(t=e.blockTypes)||void 0===t||null===(n=t.some)||void 0===n?void 0:n.call(t,(e=>o.includes(e)))}))}),((e,t)=>[...tv.getDependants(e,t)])),rv=gr(((e,t,n=null)=>{if(!t)return zb;if(t.some((({clientId:t,innerBlocks:n})=>n.length||bv(e,t))))return zb;const r=Array.from(new Set(t.map((({name:e})=>e))));return nv(e,r,n)}),((e,t)=>[...nv.getDependants(e,t)]));function ov(e,t){return e.blockListSettings[t]}function av(e){return e.settings}function iv(e){return e.blocks.isPersistentChange}const sv=gr(((e,t=[])=>t.reduce(((t,n)=>e.blockListSettings[n]?{...t,[n]:e.blockListSettings[n]}:t),{})),(e=>[e.blockListSettings])),lv=gr(((e,t)=>{const n=(0,at.find)(pv(e),(e=>e.id===t));return n?ts("string"==typeof n.content.raw?n.content.raw:n.content):null}),(e=>[pv(e)])),cv=gr(((e,t)=>{var n;const r=(0,at.find)(pv(e),(e=>e.id===t));return r?null===(n=r.title)||void 0===n?void 0:n.raw:null}),(e=>[pv(e)]));function uv(e){return e.blocks.isIgnoredChange}function dv(e){return e.lastBlockAttributesChange}function pv(e){var t,n;return null!==(t=null==e||null===(n=e.settings)||void 0===n?void 0:n.__experimentalReusableBlocks)&&void 0!==t?t:zb}function mv(e){return e.isNavigationMode}function hv(e){return e.hasBlockMovingClientId}function fv(e){return!!e.automaticChangeStatus}function gv(e,t){return e.highlightedBlock===t}function bv(e,t){return!!e.blocks.controlledInnerBlocks[t]}const yv=gr(((e,t)=>{if(!t.length)return null;const n=Qb(e);if(t.includes(Ob(e,n)))return n;const r=dy(e),o=ry(e,n||r[0],t);return o?(0,at.last)(o):null}),((e,t)=>[e.selection.selectionStart.clientId,e.selection.selectionEnd.clientId,t]));function vv(e,t,n){const{lastBlockInserted:r}=e;return r.clientId===t&&r.source===n}function _v(e="polite"){const t=document.createElement("div");t.id=`a11y-speak-${e}`,t.className="a11y-speak-region",t.setAttribute("style","position: absolute;margin: -1px;padding: 0;height: 1px;width: 1px;overflow: hidden;clip: rect(1px, 1px, 1px, 1px);-webkit-clip-path: inset(50%);clip-path: inset(50%);border: 0;word-wrap: normal !important;"),t.setAttribute("aria-live",e),t.setAttribute("aria-relevant","additions text"),t.setAttribute("aria-atomic","true");const{body:n}=document;return n&&n.appendChild(t),t}let Mv="";var kv;function wv(e,t){!function(){const e=document.getElementsByClassName("a11y-speak-region"),t=document.getElementById("a11y-speak-intro-text");for(let t=0;t]+>/g," "),Mv===e&&(e+=" "),Mv=e,e}(e);const n=document.getElementById("a11y-speak-intro-text"),r=document.getElementById("a11y-speak-assertive"),o=document.getElementById("a11y-speak-polite");r&&"assertive"===t?r.textContent=e:o&&(o.textContent=e),n&&n.removeAttribute("hidden")}kv=function(){const e=document.getElementById("a11y-speak-intro-text"),t=document.getElementById("a11y-speak-assertive"),n=document.getElementById("a11y-speak-polite");null===e&&function(){const e=document.createElement("p");e.id="a11y-speak-intro-text",e.className="a11y-speak-intro-text",e.textContent=er("Notifications"),e.setAttribute("style","position: absolute;margin: -1px;padding: 0;height: 1px;width: 1px;overflow: hidden;clip: rect(1px, 1px, 1px, 1px);-webkit-clip-path: inset(50%);clip-path: inset(50%);border: 0;word-wrap: normal !important;"),e.setAttribute("hidden","hidden");const{body:t}=document;t&&t.appendChild(e)}(),null===t&&_v("assertive"),null===n&&_v("polite")},"undefined"!=typeof document&&("complete"!==document.readyState&&"interactive"!==document.readyState?document.addEventListener("DOMContentLoaded",kv):kv());const Ev=st()({formatTypes:function(e={},t){switch(t.type){case"ADD_FORMAT_TYPES":return{...e,...(0,at.keyBy)(t.formatTypes,"name")};case"REMOVE_FORMAT_TYPES":return(0,at.omit)(e,t.names)}return e}}),Lv=gr((e=>Object.values(e.formatTypes)),(e=>[e.formatTypes]));function Av(e,t){return e.formatTypes[t]}function Sv(e,t){return(0,at.find)(Lv(e),(({className:e,tagName:n})=>null===e&&t===n))}function Cv(e,t){return(0,at.find)(Lv(e),(({className:e})=>null!==e&&` ${t} `.indexOf(` ${e} `)>=0))}function Tv(e){return{type:"ADD_FORMAT_TYPES",formatTypes:(0,at.castArray)(e)}}function xv(e){return{type:"REMOVE_FORMAT_TYPES",names:(0,at.castArray)(e)}}const zv=Jt("core/rich-text",{reducer:Ev,selectors:m,actions:h});function Ov(e,t){if(e===t)return!0;if(!e||!t)return!1;if(e.type!==t.type)return!1;const n=e.attributes,r=t.attributes;if(n===r)return!0;if(!n||!r)return!1;const o=Object.keys(n),a=Object.keys(r);if(o.length!==a.length)return!1;const i=o.length;for(let e=0;e{const r=t[n-1];if(r){const o=e.slice();o.forEach(((e,t)=>{const n=r[t];Ov(e,n)&&(o[t]=n)})),t[n]=o}})),{...e,formats:t}}function Dv(e,t,n){return(e=e.slice())[t]=n,e}function Bv(e,t,n=e.start,r=e.end){const{formats:o,activeFormats:a}=e,i=o.slice();if(n===r){const e=(0,at.find)(i[n],{type:t.type});if(e){const o=i[n].indexOf(e);for(;i[n]&&i[n][o]===e;)i[n]=Dv(i[n],o,t),n--;for(r++;i[r]&&i[r][o]===e;)i[r]=Dv(i[r],o,t),r++}}else{let e=1/0;for(let o=n;oe!==t.type));const n=i[o].length;n0?{formats:Array(t.length),replacements:Array(t.length),text:t}:("string"==typeof n&&n.length>0&&(e=Iv(document,n)),"object"!=typeof e?{formats:[],replacements:[],text:""}:o?Kv({element:e,range:r,multilineTag:o,multilineWrapperTags:a,isEditableTree:i,preserveWhiteSpace:s}):$v({element:e,range:r,isEditableTree:i,preserveWhiteSpace:s}))}function jv(e,t,n,r){if(!n)return;const{parentNode:o}=t,{startContainer:a,startOffset:i,endContainer:s,endOffset:l}=n,c=e.text.length;void 0!==r.start?e.start=c+r.start:t===a&&t.nodeType===t.TEXT_NODE?e.start=c+i:o===a&&t===a.childNodes[i]?e.start=c:o===a&&t===a.childNodes[i-1]?e.start=c+r.text.length:t===a&&(e.start=c),void 0!==r.end?e.end=c+r.end:t===s&&t.nodeType===t.TEXT_NODE?e.end=c+l:o===s&&t===s.childNodes[l-1]?e.end=c+r.text.length:o===s&&t===s.childNodes[l]?e.end=c:t===s&&(e.end=c+l)}function Fv(e,t,n){if(!t)return;const{startContainer:r,endContainer:o}=t;let{startOffset:a,endOffset:i}=t;return e===r&&(a=n(e.nodeValue.slice(0,a)).length),e===o&&(i=n(e.nodeValue.slice(0,i)).length),{startContainer:r,startOffset:a,endContainer:o,endOffset:i}}function Vv(e){return e.replace(/[\n\r\t]+/g," ")}const Xv=new RegExp("\ufeff","g");function Uv(e){return e.replace(Xv,"")}function $v({element:e,range:t,multilineTag:n,multilineWrapperTags:r,currentWrapperTags:o=[],isEditableTree:a,preserveWhiteSpace:i}){const s={formats:[],replacements:[],text:""};if(!e)return s;if(!e.hasChildNodes())return jv(s,e,t,{formats:[],replacements:[],text:""}),s;const l=e.childNodes.length;for(let c=0;cUv(Vv(e)));const n=e(l.nodeValue);jv(s,l,t=Fv(l,t,e),{text:n}),s.formats.length+=n.length,s.replacements.length+=n.length,s.text+=n;continue}if(l.nodeType!==l.ELEMENT_NODE)continue;if(a&&(l.getAttribute("data-rich-text-placeholder")||"br"===u&&!l.getAttribute("data-rich-text-line-break"))){jv(s,l,t,{formats:[],replacements:[],text:""});continue}if("script"===u){const e={formats:[,],replacements:[{type:u,attributes:{"data-rich-text-script":l.getAttribute("data-rich-text-script")||encodeURIComponent(l.innerHTML)}}],text:Wv};jv(s,l,t,e),Pv(s,e);continue}if("br"===u){jv(s,l,t,{formats:[],replacements:[],text:""}),Pv(s,qv({text:"\n"}));continue}const d=s.formats[s.formats.length-1],p=d&&d[d.length-1],m=Hv({type:u,attributes:Gv({element:l})}),h=Ov(m,p)?p:m;if(r&&-1!==r.indexOf(u)){const e=Kv({element:l,range:t,multilineTag:n,multilineWrapperTags:r,currentWrapperTags:[...o,h],isEditableTree:a,preserveWhiteSpace:i});jv(s,l,t,e),Pv(s,e);continue}const f=$v({element:l,range:t,multilineTag:n,multilineWrapperTags:r,isEditableTree:a,preserveWhiteSpace:i});if(jv(s,l,t,f),h)if(0===f.text.length)h.attributes&&Pv(s,{formats:[,],replacements:[h],text:Wv});else{function e(t){if(e.formats===t)return e.newFormats;const n=t?[h,...t]:[h];return e.formats=t,e.newFormats=n,n}e.newFormats=[h],Pv(s,{...f,formats:Array.from(f.formats,e)})}else Pv(s,f)}return s}function Kv({element:e,range:t,multilineTag:n,multilineWrapperTags:r,currentWrapperTags:o=[],isEditableTree:a,preserveWhiteSpace:i}){const s={formats:[],replacements:[],text:""};if(!e||!e.hasChildNodes())return s;const l=e.children.length;for(let c=0;c0)&&Pv(s,{formats:[,],replacements:o.length>0?[o]:[,],text:Rv}),jv(s,l,t,u),Pv(s,u)}return s}function Gv({element:e}){if(!e.hasAttributes())return;const t=e.attributes.length;let n;for(let r=0;r({formats:e.formats.concat(t.formats,n),replacements:e.replacements.concat(t.replacements,r),text:e.text+t.text+o}))))}function s_(e,t){if("string"==typeof(t={name:e,...t}).name)if(/^[a-z][a-z0-9-]*\/[a-z][a-z0-9-]*$/.test(t.name))if(tn(zv).getFormatType(t.name))window.console.error('Format "'+t.name+'" is already registered.');else if("string"==typeof t.tagName&&""!==t.tagName)if("string"==typeof t.className&&""!==t.className||null===t.className)if(/^[_a-zA-Z]+[a-zA-Z0-9-]*$/.test(t.className)){if(null===t.className){const e=tn(zv).getFormatTypeForBareElement(t.tagName);if(e)return void window.console.error(`Format "${e.name}" is already registered to handle bare tag name "${t.tagName}".`)}else{const e=tn(zv).getFormatTypeForClassName(t.className);if(e)return void window.console.error(`Format "${e.name}" is already registered to handle class name "${t.className}".`)}if("title"in t&&""!==t.title)if("keywords"in t&&t.keywords.length>3)window.console.error('The format "'+t.name+'" can have a maximum of 3 keywords.');else{if("string"==typeof t.title)return nn(zv).addFormatTypes(t),t;window.console.error("Format titles must be strings.")}else window.console.error('The format "'+t.name+'" must have a title.')}else window.console.error("A class name must begin with a letter, followed by any number of hyphens, letters, or numbers.");else window.console.error("Format class names must be a string, or null to handle bare elements.");else window.console.error("Format tag names must be a string.");else window.console.error("Format names must contain a namespace prefix, include only lowercase alphanumeric characters or dashes, and start with a letter. Example: my-plugin/my-custom-format");else window.console.error("Format names must be strings.")}function l_(e,t,n=e.start,r=e.end){const{formats:o,activeFormats:a}=e,i=o.slice();if(n===r){const e=(0,at.find)(i[n],{type:t});if(e){for(;(0,at.find)(i[n],e);)c_(i,n,t),n--;for(r++;(0,at.find)(i[r],e);)c_(i,r,t),r++}}else for(let e=n;ee!==n));r.length?e[t]=r:delete e[t]}function u_(e,t,n=e.start,r=e.end){const{formats:o,replacements:a,text:i}=e;"string"==typeof t&&(t=qv({text:t}));const s=n+t.text.length;return Nv({formats:o.slice(0,n).concat(t.formats,o.slice(r)),replacements:a.slice(0,n).concat(t.replacements,a.slice(r)),text:i.slice(0,n)+t.text+i.slice(r),start:s,end:s})}function d_(e,t,n){return u_(e,qv(),t,n)}function p_({formats:e,replacements:t,text:n,start:r,end:o},a,i){return n=n.replace(a,((n,...a)=>{const s=a[a.length-2];let l,c,u=i;return"function"==typeof u&&(u=i(n,...a)),"object"==typeof u?(l=u.formats,c=u.replacements,u=u.text):(l=Array(u.length),c=Array(u.length),e[s]&&(l=l.fill(e[s]))),e=e.slice(0,s).concat(l,e.slice(s+n.length)),t=t.slice(0,s).concat(c,t.slice(s+n.length)),r&&(r=o=s+u.length),u})),Nv({formats:e,replacements:t,text:n,start:r,end:o})}function m_(e,t=e.start,n=e.end){const{formats:r,replacements:o,text:a}=e;return void 0===t||void 0===n?{...e}:{formats:r.slice(t,n),replacements:o.slice(t,n),text:a.slice(t,n)}}function h_({formats:e,replacements:t,text:n,start:r,end:o},a){if("string"!=typeof a)return f_(...arguments);let i=0;return n.split(a).map((n=>{const s=i,l={formats:e.slice(s,s+n.length),replacements:t.slice(s,s+n.length),text:n};return i+=a.length+n.length,void 0!==r&&void 0!==o&&(r>=s&&rs&&(l.start=0),o>=s&&oi&&(l.end=n.length)),l}))}function f_({formats:e,replacements:t,text:n,start:r,end:o},a=r,i=o){if(void 0===r||void 0===o)return;const s={formats:e.slice(0,a),replacements:t.slice(0,a),text:n.slice(0,a)},l={formats:e.slice(i),replacements:t.slice(i),text:n.slice(i),start:0,end:0};return[p_(s,/\u2028+$/,""),p_(l,/^\u2028+/,"")]}function g_(e,t){if(t)return e;const n={};for(const t in e){let r=t;t.startsWith("data-disable-rich-text-")&&(r=t.slice("data-disable-rich-text-".length)),n[r]=e[t]}return n}function b_({type:e,attributes:t,unregisteredAttributes:n,object:r,boundaryClass:o,isEditableTree:a}){const i=(s=e,tn(zv).getFormatType(s));var s;let l={};if(o&&(l["data-rich-text-format-boundary"]="true"),!i)return t&&(l={...t,...l}),{type:e,attributes:g_(l,a),object:r};l={...n,...l};for(const e in t){const n=!!i.attributes&&i.attributes[e];n?l[n]=t[e]:l[e]=t[e]}return i.className&&(l.class?l.class=`${i.className} ${l.class}`:l.class=i.className),{type:i.tagName,object:i.object,attributes:g_(l,a)}}function y_(e,t,n){do{if(e[n]!==t[n])return!1}while(n--);return!0}function v_({value:e,multilineTag:t,preserveWhiteSpace:n,createEmpty:r,append:o,getLastChild:a,getParent:i,isText:s,getText:l,remove:c,appendText:u,onStartIndex:d,onEndIndex:p,isEditableTree:m,placeholder:h}){const{formats:f,replacements:g,text:b,start:y,end:v}=e,_=f.length+1,M=r(),k={type:t},w=Jv(e),E=w[w.length-1];let L,A,S;t?(o(o(M,{type:t}),""),A=L=[k]):o(M,"");for(let e=0;e<_;e++){const r=b.charAt(e),_=m&&(!S||S===Rv||"\n"===S);let w=f[e];t&&(w=r===Rv?L=(g[e]||[]).reduce(((e,t)=>(e.push(t,k),e)),[k]):[...L,...w||[]]);let C=a(M);if(_&&r===Rv){let e=C;for(;!s(e);)e=a(e);o(i(e),"\ufeff")}if(S===Rv){let t=C;for(;!s(t);)t=a(t);d&&y===e&&d(M,t),p&&v===e&&p(M,t)}w&&w.forEach(((e,t)=>{if(C&&A&&y_(w,A,t)&&(r!==Rv||w.length-1!==t))return void(C=a(C));const{type:n,attributes:u,unregisteredAttributes:d}=e,p=m&&r!==Rv&&e===E,h=i(C),f=o(h,b_({type:n,attributes:u,unregisteredAttributes:d,boundaryClass:p,isEditableTree:m}));s(C)&&0===l(C).length&&c(C),C=o(f,"")})),r!==Rv?(0===e&&(d&&0===y&&d(M,C),p&&0===v&&p(M,C)),r===Wv?(m||"script"!==g[e].type?C=o(i(C),b_({...g[e],object:!0,isEditableTree:m})):(C=o(i(C),b_({type:"script",isEditableTree:m})),o(C,{html:decodeURIComponent(g[e].attributes["data-rich-text-script"])})),C=o(i(C),"")):n||"\n"!==r?s(C)?u(C,r):C=o(i(C),r):(C=o(i(C),{type:"br",attributes:m?{"data-rich-text-line-break":"true"}:void 0,object:!0}),C=o(i(C),"")),d&&y===e+1&&d(M,C),p&&v===e+1&&p(M,C),_&&e===b.length&&(o(i(C),"\ufeff"),h&&0===b.length&&o(i(C),{type:"span",attributes:{"data-rich-text-placeholder":h,contenteditable:"false",style:"pointer-events:none;user-select:none;-webkit-user-select:none;-moz-user-select:none;-ms-user-select:none;"}})),A=w,S=r):(A=w,S=r)}return M}function __({value:e,multilineTag:t,preserveWhiteSpace:n}){return T_(v_({value:e,multilineTag:t,preserveWhiteSpace:n,createEmpty:M_,append:w_,getLastChild:k_,getParent:L_,isText:A_,getText:S_,remove:C_,appendText:E_}).children)}function M_(){return{}}function k_({children:e}){return e&&e[e.length-1]}function w_(e,t){return"string"==typeof t&&(t={text:t}),t.parent=e,e.children=e.children||[],e.children.push(t),t}function E_(e,t){e.text+=t}function L_({parent:e}){return e}function A_({text:e}){return"string"==typeof e}function S_({text:e}){return e}function C_(e){const t=e.parent.children.indexOf(e);return-1!==t&&e.parent.children.splice(t,1),e}function T_(e=[]){return e.map((e=>void 0!==e.html?e.html:void 0===e.text?function({type:e,attributes:t,object:n,children:r}){let o="";for(const e in t)Ba(e)&&(o+=` ${e}="${Da(t[e])}"`);return n?`<${e}${o}>`:`<${e}${o}>${T_(r)}`}(e):Na(e.text.replace(/&/g,"&")))).join("")}function x_(e,t){return Zv(e,t.type)?l_(e,t.type):Bv(e,t)}function z_(e){const t=e_(e);if(void 0===t)return!1;const{replacements:n}=e,r=e_(e,t),o=n[t]||[],a=n[r]||[];return o.length<=a.length}function O_(e){const{replacements:t,start:n}=e;return void 0!==t[e_(e,n)]}function N_(e,t){if(!z_(e))return e;const n=e_(e),r=e_(e,n),{text:o,replacements:a,end:i}=e,s=a.slice(),l=function({text:e,replacements:t},n){const r=t[n]||[];let o=n;for(;o-- >=0;){if(e[o]!==Rv)continue;const n=t[o]||[];if(n.length===r.length+1)return o;if(n.length<=r.length)return}}(e,n);for(let e=n;e=0;){if(e[o]!==Rv)continue;if((t[o]||[]).length===r.length-1)return o}}function B_(e){if(!O_(e))return e;const{text:t,replacements:n,start:r,end:o}=e,a=e_(e,r),i=n.slice(0),s=n[D_(e,a)]||[],l=function({text:e,replacements:t},n){const r=t[n]||[];let o=n;for(let a=n||0;a=r.length))return o;o=a}return o}(e,e_(e,o));for(let e=a;e<=l;e++){if(t[e]!==Rv)continue;const n=i[e]||[];i[e]=s.concat(n.slice(s.length+1)),0===i[e].length&&delete i[e]}return{...e,replacements:i}}function I_(e,t){const{text:n,replacements:r,start:o,end:a}=e,i=e_(e,o),s=r[i]||[],l=r[e_(e,a)]||[],c=D_(e,i),u=r.slice(),d=s.length-1,p=l.length-1;let m;for(let e=c+1||0;enp?e:t)))}return m?{...e,replacements:u}:e}function P_({ref:e,value:t,settings:n={}}){const{tagName:r,className:o,name:a}=n,i=a?Zv(t,a):void 0;return(0,tt.useMemo)((()=>{if(!e.current)return;const{ownerDocument:{defaultView:t}}=e.current,n=t.getSelection();if(!n.rangeCount)return;const a=n.getRangeAt(0);if(!i)return a;let s=a.startContainer;for(s=s.nextElementSibling||s;s.nodeType!==s.ELEMENT_NODE;)s=s.parentNode;return s.closest(r+(o?"."+o:""))}),[i,t.start,t.end,r,o])}function R_(e,t){const n=(0,tt.useRef)();return(0,tt.useCallback)((t=>{t?n.current=e(t):n.current&&n.current()}),t)}function W_(e,t,n){const r=e.parentNode;let o=0;for(;e=e.previousSibling;)o++;return n=[o,...n],r!==t&&(n=W_(r,t,n)),n}function Y_(e,t){for(t=[...t];e&&t.length>1;)e=e.childNodes[t.shift()];return{node:e,offset:t[0]}}function H_(e,t){"string"==typeof t&&(t=e.ownerDocument.createTextNode(t));const{type:n,attributes:r}=t;if(n){t=e.ownerDocument.createElement(n);for(const e in r)t.setAttribute(e,r[e])}return e.appendChild(t)}function q_(e,t){e.appendData(t)}function j_({lastChild:e}){return e}function F_({parentNode:e}){return e}function V_(e){return e.nodeType===e.TEXT_NODE}function X_({nodeValue:e}){return e}function U_(e){return e.parentNode.removeChild(e)}function $_({value:e,current:t,multilineTag:n,prepareEditableTree:r,__unstableDomOnly:o,placeholder:a}){const{body:i,selection:s}=function({value:e,multilineTag:t,prepareEditableTree:n,isEditableTree:r=!0,placeholder:o,doc:a=document}){let i=[],s=[];return n&&(e={...e,formats:n(e)}),{body:v_({value:e,multilineTag:t,createEmpty:()=>Iv(a,""),append:H_,getLastChild:j_,getParent:F_,isText:V_,getText:X_,remove:U_,appendText:q_,onStartIndex(e,t){i=W_(t,e,[t.nodeValue.length])},onEndIndex(e,t){s=W_(t,e,[t.nodeValue.length])},isEditableTree:r,placeholder:o}),selection:{startPath:i,endPath:s}}}({value:e,multilineTag:n,prepareEditableTree:r,placeholder:a,doc:t.ownerDocument});K_(i,t),void 0===e.start||o||function({startPath:e,endPath:t},n){const{node:r,offset:o}=Y_(n,e),{node:a,offset:i}=Y_(n,t),{ownerDocument:s}=n,{defaultView:l}=s,c=l.getSelection(),u=s.createRange();u.setStart(r,o),u.setEnd(a,i);const{activeElement:d}=s;if(c.rangeCount>0){if(p=u,m=c.getRangeAt(0),p.startContainer===m.startContainer&&p.startOffset===m.startOffset&&p.endContainer===m.endContainer&&p.endOffset===m.endOffset)return;c.removeAllRanges()}var p,m;c.addRange(u),d!==s.activeElement&&d instanceof l.HTMLElement&&d.focus()}(s,t)}function K_(e,t){let n,r=0;for(;n=e.firstChild;){const o=t.childNodes[r];if(o)if(o.isEqualNode(n))e.removeChild(n);else if(o.nodeName!==n.nodeName||o.nodeType===o.TEXT_NODE&&o.data!==n.data)t.replaceChild(n,o);else{const t=o.attributes,r=n.attributes;if(t){let e=t.length;for(;e--;){const{name:r}=t[e];n.getAttribute(r)||o.removeAttribute(r)}}if(r)for(let e=0;e{if(!n||!n.length)return;const e="*[data-rich-text-format-boundary]",r=t.current.querySelector(e);if(!r)return;const{ownerDocument:o}=r,{defaultView:a}=o,i=`${`.rich-text:focus ${e}`} {${`background-color: ${a.getComputedStyle(r).color.replace(")",", 0.2)").replace("rgb","rgba")}`}}`,s="rich-text-boundary-style";let l=o.getElementById(s);l||(l=o.createElement("style"),l.id=s,o.head.appendChild(l)),l.innerHTML!==i&&(l.innerHTML=i)}),[n]),t}function J_(e){const t=(0,tt.useRef)(e);return t.current=e,R_((e=>{function n(n){const{record:r,multilineTag:o,preserveWhiteSpace:a}=t.current;if(r_(r.current)||!e.contains(e.ownerDocument.activeElement))return;const i=m_(r.current),s=Qv(i),l=__({value:i,multilineTag:o,preserveWhiteSpace:a});n.clipboardData.setData("text/plain",s),n.clipboardData.setData("text/html",l),n.clipboardData.setData("rich-text","true"),n.preventDefault()}return e.addEventListener("copy",n),()=>{e.removeEventListener("copy",n)}}),[])}const Z_=[];function Q_(e){const[,t]=(0,tt.useReducer)((()=>({}))),n=(0,tt.useRef)(e);return n.current=e,R_((e=>{function r(r){const{keyCode:o,shiftKey:a,altKey:i,metaKey:s,ctrlKey:l}=r;if(a||i||s||l||o!==hm&&o!==gm)return;const{record:c,applyRecord:u}=n.current,{text:d,formats:p,start:m,end:h,activeFormats:f=[]}=c.current,g=r_(c.current),{ownerDocument:b}=e,{defaultView:y}=b,{direction:v}=y.getComputedStyle(e),_="rtl"===v?gm:hm,M=r.keyCode===_;if(g&&0===f.length){if(0===m&&M)return;if(h===d.length&&!M)return}if(!g)return;const k=p[m-1]||Z_,w=p[m]||Z_;let E=f.length,L=w;if(k.length>w.length&&(L=k),k.lengthk.length&&E--):k.length>w.length&&(!M&&f.length>w.length&&E--,M&&f.length{e.removeEventListener("keydown",r)}}),[])}function eM(e){const t=(0,tt.useRef)(e);return t.current=e,R_((e=>{function n(n){const{keyCode:r,shiftKey:o,altKey:a,metaKey:i,ctrlKey:s}=n,{multilineTag:l,createRecord:c,handleChange:u}=t.current;if(o||a||i||s||32!==r||"li"!==l)return;const d=c();if(!r_(d))return;const{text:p,start:m}=d,h=p[m-1];h&&h!==Rv||(u(N_(d,{type:e.tagName.toLowerCase()})),n.preventDefault())}return e.addEventListener("keydown",n),()=>{e.removeEventListener("keydown",n)}}),[])}const tM=new Set(["insertParagraph","insertOrderedList","insertUnorderedList","insertHorizontalRule","insertLink"]),nM=[];function rM(e){const t=(0,tt.useRef)(e);return t.current=e,R_((e=>{const{ownerDocument:n}=e,{defaultView:r}=n;let o,a=!1;function i(e){if(a)return;let n;e&&(n=e.inputType);const{record:r,applyRecord:o,createRecord:i,handleChange:s}=t.current;if(n&&(0===n.indexOf("format")||tM.has(n)))return void o(r.current);const l=i(),{start:c,activeFormats:u=[]}=r.current;s(function({value:e,start:t,end:n,formats:r}){const o=e.formats[t-1]||[],a=e.formats[n]||[];for(e.activeFormats=r.map(((e,t)=>{if(o[t]){if(Ov(e,o[t]))return o[t]}else if(a[t]&&Ov(e,a[t]))return a[t];return e}));--n>=t;)e.activeFormats.length>0?e.formats[n]=e.activeFormats:delete e.formats[n];return e}({value:l,start:c,end:l.start,formats:u}))}function s(o){if(n.activeElement!==e)return;const{record:s,applyRecord:l,createRecord:c,isSelected:u,onSelectionChange:d}=t.current;if("selectionchange"!==o.type&&!u)return;if("true"!==e.contentEditable)return;if(a)return;const{start:p,end:m,text:h}=c(),f=s.current;if(h!==f.text)return void i();if(p===f.start&&m===f.end)return void(0===f.text.length&&0===p&&function(e){const t=e.getSelection(),{anchorNode:n,anchorOffset:r}=t;if(n.nodeType!==n.ELEMENT_NODE)return;const o=n.childNodes[r];o&&o.nodeType===o.ELEMENT_NODE&&o.getAttribute("data-rich-text-placeholder")&&t.collapseToStart()}(r));const g={...f,start:p,end:m,activeFormats:f._newActiveFormats,_newActiveFormats:void 0},b=Jv(g,nM);g.activeFormats=b,s.current=g,l(g,{domOnly:!0}),d(p,m)}function l(){a=!0,n.removeEventListener("selectionchange",s)}function c(){a=!1,i({inputType:"insertText"}),n.addEventListener("selectionchange",s)}function u(){const{record:e,isSelected:a,onSelectionChange:i}=t.current;if(a)i(e.current.start,e.current.end);else{const t=void 0;e.current={...e.current,start:t,end:t,activeFormats:nM},i(t,t)}o=r.requestAnimationFrame(s),n.addEventListener("selectionchange",s)}function d(){n.removeEventListener("selectionchange",s)}return e.addEventListener("input",i),e.addEventListener("compositionstart",l),e.addEventListener("compositionend",c),e.addEventListener("focus",u),e.addEventListener("blur",d),e.addEventListener("keyup",s),e.addEventListener("mouseup",s),e.addEventListener("touchend",s),()=>{e.removeEventListener("input",i),e.removeEventListener("compositionstart",l),e.removeEventListener("compositionend",c),e.removeEventListener("focus",u),e.removeEventListener("blur",d),e.removeEventListener("keyup",s),e.removeEventListener("mouseup",s),e.removeEventListener("touchend",s),n.removeEventListener("selectionchange",s),r.cancelAnimationFrame(o)}}),[])}function oM(e,t=!0){const{replacements:n,text:r,start:o,end:a}=e,i=r_(e);let s,l=o-1,c=i?o-1:o,u=a;if(t||(l=a,c=o,u=i?a+1:a),r[l]===Rv){if(i&&n[l]&&n[l].length){const t=n.slice();t[l]=n[l].slice(0,-1),s={...e,replacements:t}}else s=d_(e,c,u);return s}}function aM(e){const t=(0,tt.useRef)(e);return t.current=e,R_((e=>{function n(e){const{keyCode:n}=e,{createRecord:r,handleChange:o,multilineTag:a}=t.current;if(e.defaultPrevented)return;if(n!==ym&&n!==dm)return;const i=r(),{start:s,end:l,text:c}=i,u=n===dm;if(0===s&&0!==l&&l===c.length)return o(d_(i)),void e.preventDefault();if(a){let t;t=u&&0===i.start&&0===i.end&&a_(i)?oM(i,!u):oM(i,u),t&&(o(t),e.preventDefault())}}return e.addEventListener("keydown",n),()=>{e.removeEventListener("keydown",n)}}),[])}const iM={SLEEP:({duration:e})=>new Promise((t=>{setTimeout(t,e)})),MARK_AUTOMATIC_CHANGE_FINAL_CONTROL:St((e=>()=>{const{requestIdleCallback:t=(e=>setTimeout(e,100))}=window;t((()=>e.dispatch(pk).__unstableMarkAutomaticChangeFinal()))}))},sM="core/block-editor";function*lM(){if(0===(yield zt.select(sM,"getBlockCount"))){const{__unstableHasCustomAppender:e}=yield zt.select(sM,"getSettings");if(e)return;return yield KM()}}function*cM(e){return yield{type:"RESET_BLOCKS",blocks:e},yield*uM(e)}function*uM(e){const t=yield zt.select(sM,"getTemplate"),n=yield zt.select(sM,"getTemplateLock"),r=!t||"all"!==n||dl(e,t);if(r!==(yield zt.select(sM,"isValidTemplate")))return yield BM(r),r}function dM(e,t,n){return{type:"RESET_SELECTION",selectionStart:e,selectionEnd:t,initialPosition:n}}function pM(e){return{type:"RECEIVE_BLOCKS",blocks:e}}function mM(e,t,n=!1){return{type:"UPDATE_BLOCK_ATTRIBUTES",clientIds:(0,at.castArray)(e),attributes:t,uniqueByBlock:n}}function hM(e,t){return{type:"UPDATE_BLOCK",clientId:e,updates:t}}function fM(e,t=0){return{type:"SELECT_BLOCK",initialPosition:t,clientId:e}}function*gM(e){const t=yield zt.select(sM,"getPreviousBlockClientId",e);if(t)return yield fM(t,-1),[t]}function*bM(e){const t=yield zt.select(sM,"getNextBlockClientId",e);if(t)return yield fM(t),[t]}function yM(){return{type:"START_MULTI_SELECT"}}function vM(){return{type:"STOP_MULTI_SELECT"}}function*_M(e,t){if((yield zt.select(sM,"getBlockRootClientId",e))!==(yield zt.select(sM,"getBlockRootClientId",t)))return;yield{type:"MULTI_SELECT",start:e,end:t};const n=yield zt.select(sM,"getSelectedBlockCount");wv(pn(nr("%s block selected.","%s blocks selected.",n),n),"assertive")}function MM(){return{type:"CLEAR_SELECTED_BLOCK"}}function kM(e=!0){return{type:"TOGGLE_SELECTION",isSelectionEnabled:e}}function wM(e,t){var n,r;const o=null!==(n=null==t||null===(r=t.__experimentalPreferredStyleVariations)||void 0===r?void 0:r.value)&&void 0!==n?n:{};return e.map((e=>{var t;const n=e.name;if(!Ro(n,"defaultStylePicker",!0))return e;if(!o[n])return e;const r=null===(t=e.attributes)||void 0===t?void 0:t.className;if(null!=r&&r.includes("is-style-"))return e;const{attributes:a={}}=e,i=o[n];return{...e,attributes:{...a,className:`${r||""} is-style-${i}`.trim()}}}))}function*EM(e,t,n,r=0,o){e=(0,at.castArray)(e),t=wM((0,at.castArray)(t),yield zt.select(sM,"getSettings"));const a=yield zt.select(sM,"getBlockRootClientId",(0,at.first)(e));for(let e=0;e({clientIds:(0,at.castArray)(t),type:e,rootClientId:n})}const SM=AM("MOVE_BLOCKS_DOWN"),CM=AM("MOVE_BLOCKS_UP");function*TM(e,t="",n="",r){const o=yield zt.select(sM,"getTemplateLock",t);if("all"===o)return;const a={type:"MOVE_BLOCKS_TO_POSITION",fromRootClientId:t,toRootClientId:n,clientIds:e,index:r};if(t===n)return void(yield a);if("insert"===o)return;(yield zt.select(sM,"canInsertBlocks",e,n))&&(yield a)}function*xM(e,t="",n="",r){yield TM([e],t,n,r)}function zM(e,t,n,r=!0,o){return OM([e],t,n,r,0,o)}function*OM(e,t,n,r=!0,o=0,a){(0,at.isObject)(o)&&(a=o,o=0,Jp("meta argument in wp.data.dispatch('core/block-editor')",{since:"10.1",plugin:"Gutenberg",hint:"The meta argument is now the 6th argument of the function"})),e=wM((0,at.castArray)(e),yield zt.select(sM,"getSettings"));const i=[];for(const t of e){(yield zt.select(sM,"canInsertBlockType",t.name,n))&&i.push(t)}if(i.length)return{type:"INSERT_BLOCKS",blocks:i,index:t,rootClientId:n,time:Date.now(),updateSelection:r,initialPosition:r?o:null,meta:a}}function NM(e,t,n={}){const{__unstableWithInserter:r}=n;return{type:"SHOW_INSERTION_POINT",rootClientId:e,index:t,__unstableWithInserter:r}}function DM(){return{type:"HIDE_INSERTION_POINT"}}function BM(e){return{type:"SET_TEMPLATE_VALIDITY",isValid:e}}function*IM(){yield{type:"SYNCHRONIZE_TEMPLATE"};const e=pl(yield zt.select(sM,"getBlocks"),yield zt.select(sM,"getTemplate"));return yield cM(e)}function*PM(e,t){const n=[e,t];yield{type:"MERGE_BLOCKS",blocks:n};const[r,o]=n,a=yield zt.select(sM,"getBlock",r),i=Bo(a.name);if(!i.merge)return void(yield fM(a.clientId));const s=yield zt.select(sM,"getBlock",o),l=Bo(s.name),{clientId:c,attributeKey:u,offset:d}=yield zt.select(sM,"getSelectionStart"),p=(c===r?i:l).attributes[u],m=(c===r||c===o)&&void 0!==u&&void 0!==d&&!!p;p||("number"==typeof u?window.console.error("RichText needs an identifier prop that is the block attribute key of the attribute it controls. Its type is expected to be a string, but was "+typeof u):window.console.error("The RichText identifier prop does not match any attributes defined by the block."));const h=Fo(a),f=Fo(s);if(m){const e=c===r?h:f,t=e.attributes[u],{multiline:n,__unstableMultilineWrapperTags:o,__unstablePreserveWhiteSpace:a}=p,i=u_(qv({html:t,multilineTag:n,multilineWrapperTags:o,preserveWhiteSpace:a}),"†",d,d);e.attributes[u]=__({value:i,multilineTag:n,preserveWhiteSpace:a})}const g=a.name===s.name?[f]:Jo(f,a.name);if(!g||!g.length)return;const b=i.merge(h.attributes,g[0].attributes);if(m){const e=(0,at.findKey)(b,(e=>"string"==typeof e&&-1!==e.indexOf("†"))),t=b[e],{multiline:n,__unstableMultilineWrapperTags:r,__unstablePreserveWhiteSpace:o}=i.attributes[e],s=qv({html:t,multilineTag:n,multilineWrapperTags:r,preserveWhiteSpace:o}),l=s.text.indexOf("†"),c=__({value:d_(s,l,l+1),multilineTag:n,preserveWhiteSpace:o});b[e]=c,yield $M(a.clientId,e,l,l)}yield*EM([a.clientId,s.clientId],[{...a,attributes:{...a.attributes,...b}},...g.slice(1)])}function*RM(e,t=!0){if(!e||!e.length)return;e=(0,at.castArray)(e);const n=yield zt.select(sM,"getBlockRootClientId",e[0]);if(yield zt.select(sM,"getTemplateLock",n))return;let r;r=t?yield gM(e[0]):yield zt.select(sM,"getPreviousBlockClientId",e[0]),yield{type:"REMOVE_BLOCKS",clientIds:e};const o=yield*lM();return[r||o]}function WM(e,t){return RM([e],t)}function YM(e,t,n=!1,r=0){return{type:"REPLACE_INNER_BLOCKS",rootClientId:e,blocks:t,updateSelection:n,initialPosition:n?r:null,time:Date.now()}}function HM(e){return{type:"TOGGLE_BLOCK_MODE",clientId:e}}function qM(){return{type:"START_TYPING"}}function jM(){return{type:"STOP_TYPING"}}function FM(e=[]){return{type:"START_DRAGGING_BLOCKS",clientIds:e}}function VM(){return{type:"STOP_DRAGGING_BLOCKS"}}function XM(){return{type:"ENTER_FORMATTED_TEXT"}}function UM(){return{type:"EXIT_FORMATTED_TEXT"}}function $M(e,t,n,r){return{type:"SELECTION_CHANGE",clientId:e,attributeKey:t,startOffset:n,endOffset:r}}function KM(e,t,n){const r=Do();if(!r)return;return zM(Ho(r,e),n,t)}function GM(e,t){return{type:"UPDATE_BLOCK_LIST_SETTINGS",clientId:e,settings:t}}function JM(e){return{type:"UPDATE_SETTINGS",settings:e}}function ZM(e,t){return{type:"SAVE_REUSABLE_BLOCK_SUCCESS",id:e,updatedId:t}}function QM(){return{type:"MARK_LAST_CHANGE_AS_PERSISTENT"}}function ek(){return{type:"MARK_NEXT_CHANGE_AS_NOT_PERSISTENT"}}function*tk(){yield{type:"MARK_AUTOMATIC_CHANGE"},yield{type:"MARK_AUTOMATIC_CHANGE_FINAL_CONTROL"}}function nk(){return{type:"MARK_AUTOMATIC_CHANGE_FINAL"}}function*rk(e=!0){yield{type:"SET_NAVIGATION_MODE",isNavigationMode:e},wv(er(e?"You are currently in navigation mode. Navigate blocks using the Tab key and Arrow keys. Use Left and Right Arrow keys to move between nesting levels. To exit navigation mode and edit the selected block, press Enter.":"You are currently in edit mode. To return to the navigation mode, press Escape."))}function*ok(e=null){yield{type:"SET_BLOCK_MOVING_MODE",hasBlockMovingClientId:e},e&&wv(er("Use the Tab key and Arrow keys to choose new block location. Use Left and Right Arrow keys to move between nesting levels. Once location is selected press Enter or Space to move the block."))}function*ak(e,t=!0){if(!e&&!e.length)return;const n=yield zt.select(sM,"getBlocksByClientId",e),r=yield zt.select(sM,"getBlockRootClientId",e[0]);if((0,at.some)(n,(e=>!e)))return;const o=n.map((e=>e.name));if((0,at.some)(o,(e=>!Ro(e,"multiple",!0))))return;const a=yield zt.select(sM,"getBlockIndex",(0,at.last)((0,at.castArray)(e)),r),i=n.map((e=>jo(e)));return yield OM(i,a+1,r,t),i.length>1&&t&&(yield _M((0,at.first)(i).clientId,(0,at.last)(i).clientId)),i.map((e=>e.clientId))}function*ik(e){if(!e)return;const t=yield zt.select(sM,"getBlockRootClientId",e);if(yield zt.select(sM,"getTemplateLock",t))return;const n=yield zt.select(sM,"getBlockIndex",e,t);return yield KM({},t,n)}function*sk(e){if(!e)return;const t=yield zt.select(sM,"getBlockRootClientId",e);if(yield zt.select(sM,"getTemplateLock",t))return;const n=yield zt.select(sM,"getBlockIndex",e,t);return yield KM({},t,n+1)}function lk(e,t){return{type:"TOGGLE_BLOCK_HIGHLIGHT",clientId:e,isHighlighted:t}}function*ck(e){yield lk(e,!0),yield{type:"SLEEP",duration:150},yield lk(e,!1)}function uk(e,t){return{type:"SET_HAS_CONTROLLED_INNER_BLOCKS",hasControlledInnerBlocks:t,clientId:e}}const dk={reducer:Cb,selectors:p,actions:f,controls:iM},pk=Jt(sM,{...dk,persist:["preferences"]});function mk(){const{isSelected:e,clientId:t,name:n}=mb(),r=Cl((r=>{if(e)return;const{getBlockName:o,isFirstMultiSelectedBlock:a,getMultiSelectedBlockClientIds:i}=r(pk);return!!a(t)&&i().every((e=>o(e)===n))}),[t,e,n]);return e||r}rn(sM,{...dk,persist:["preferences"]});const hk={default:_h("BlockControls"),block:_h("BlockControlsBlock"),inline:_h("BlockFormatControls"),other:_h("BlockControlsOther")};function fk({group:e="default",controls:t,children:n}){if(!mk())return null;const r=hk[e].Fill;return(0,tt.createElement)($p,{document},(0,tt.createElement)(r,null,(r=>{const o=(0,at.isEmpty)(r)?null:r;return(0,tt.createElement)(Kp.Provider,{value:o},"default"===e&&(0,tt.createElement)(ub,{controls:t}),n)})))}function gk({group:e="default",...t}){const n=(0,tt.useContext)(Kp),r=hk[e].Slot,o=dh(r.__unstableName);return Boolean(o.fills&&o.fills.length)?"default"===e?(0,tt.createElement)(r,ot({},t,{bubblesVirtually:!0,fillProps:n})):(0,tt.createElement)(ub,null,(0,tt.createElement)(r,ot({},t,{bubblesVirtually:!0,fillProps:n}))):null}const bk=fk;bk.Slot=gk;const yk=bk;const vk=(0,tt.forwardRef)((function(e,t){return(0,tt.useContext)(Kp)?(0,tt.createElement)(Gg,ot({ref:t},e.toggleProps),(t=>(0,tt.createElement)(lb,ot({},e,{popoverProps:{isAlternate:!0,...e.popoverProps},toggleProps:t})))):(0,tt.createElement)(lb,e)})),_k=(0,tt.createElement)(mo,{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24"},(0,tt.createElement)(uo,{d:"M4 9v6h14V9H4zm8-4.8H4v1.5h8V4.2zM4 19.8h8v-1.5H4v1.5z"})),Mk=(0,tt.createElement)(mo,{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24"},(0,tt.createElement)(uo,{d:"M5 15h14V9H5v6zm0 4.8h14v-1.5H5v1.5zM5 4.2v1.5h14V4.2H5z"})),kk=(0,tt.createElement)(mo,{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24"},(0,tt.createElement)(uo,{d:"M6 15h14V9H6v6zm6-10.8v1.5h8V4.2h-8zm0 15.6h8v-1.5h-8v1.5z"})),wk=(0,tt.createElement)(mo,{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24"},(0,tt.createElement)(uo,{d:"M5 9v6h14V9H5zm11-4.8H8v1.5h8V4.2zM8 19.8h8v-1.5H8v1.5z"})),Ek=(0,tt.createElement)(mo,{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24"},(0,tt.createElement)(uo,{d:"M5 4v11h14V4H5zm3 15.8h8v-1.5H8v1.5z"}));function Lk(e,t=""){return e.split(",").map((e=>`.editor-styles-wrapper ${e} ${t}`)).join(",")}const Ak={name:"flex",label:er("Flex"),edit:()=>null,save:function({selector:e}){return(0,tt.createElement)("style",null,`${Lk(e)} {\n display: flex;\n column-gap: 0.5em;\n align-items: center;\n }`)},getOrientation:()=>"horizontal",getAlignments:()=>[]},Sk="web"===Tb.OS,Ck={px:{value:"px",label:Sk?"px":er("Pixels (px)"),default:"",a11yLabel:er("Pixels (px)"),step:1},percent:{value:"%",label:Sk?"%":er("Percentage (%)"),default:"",a11yLabel:er("Percent (%)"),step:.1},em:{value:"em",label:Sk?"em":er("Relative to parent font size (em)"),default:"",a11yLabel:tr("ems","Relative to parent font size (em)"),step:.01},rem:{value:"rem",label:Sk?"rem":er("Relative to root font size (rem)"),default:"",a11yLabel:tr("rems","Relative to root font size (rem)"),step:.01},vw:{value:"vw",label:Sk?"vw":er("Viewport width (vw)"),default:"",a11yLabel:er("Viewport width (vw)"),step:.1},vh:{value:"vh",label:Sk?"vh":er("Viewport height (vh)"),default:"",a11yLabel:er("Viewport height (vh)"),step:.1},vmin:{value:"vmin",label:Sk?"vmin":er("Viewport smallest dimension (vmin)"),default:"",a11yLabel:er("Viewport smallest dimension (vmin)"),step:.1},vmax:{value:"vmax",label:Sk?"vmax":er("Viewport largest dimension (vmax)"),default:"",a11yLabel:er("Viewport largest dimension (vmax)"),step:.1},ch:{value:"ch",label:Sk?"ch":er("Width of the zero (0) character (ch)"),default:"",a11yLabel:er("Width of the zero (0) character (ch)"),step:.01},ex:{value:"ex",label:Sk?"ex":er("x-height of the font (ex)"),default:"",a11yLabel:er("x-height of the font (ex)"),step:.01},cm:{value:"cm",label:Sk?"cm":er("Centimeters (cm)"),default:"",a11yLabel:er("Centimeters (cm)"),step:.001},mm:{value:"mm",label:Sk?"mm":er("Millimeters (mm)"),default:"",a11yLabel:er("Millimeters (mm)"),step:.1},in:{value:"in",label:Sk?"in":er("Inches (in)"),default:"",a11yLabel:er("Inches (in)"),step:.001},pc:{value:"pc",label:Sk?"pc":er("Picas (pc)"),default:"",a11yLabel:er("Picas (pc)"),step:1},pt:{value:"pt",label:Sk?"pt":er("Points (pt)"),default:"",a11yLabel:er("Points (pt)"),step:1}},Tk=Object.values(Ck),xk=[Ck.px,Ck.percent,Ck.em,Ck.rem,Ck.vw,Ck.vh],zk=Ck.px;function Ok(e){return!(0,at.isEmpty)(e)&&!1!==e}function Nk(e,t=Tk){const n=String(e).trim();let r=parseFloat(n,10);r=isNaN(r)?"":r;const o=n.match(/[\d.\-\+]*\s*(.*)/)[1];let a=void 0!==o?o:"";if(a=a.toLowerCase(),Ok(t)){const e=t.find((e=>e.value===a));a=null==e?void 0:e.value}else a=zk.value;return[r,a]}function Dk(e,t,n,r){const[o,a]=Nk(e,t);let i,s=o;var l;((isNaN(o)||""===o)&&(s=n),i=a||r,Ok(t)&&!i)&&(i=null===(l=t[0])||void 0===l?void 0:l.value);return[s,i]}const Bk=({units:e,availableUnits:t,defaultValues:n})=>{const r=function(e=[],t=[]){return t.filter((t=>e.includes(t.value)))}(t||[],e=e||Tk);return n&&r.forEach(((e,t)=>{n[e.value]&&(r[t].default=n[e.value])})),0!==r.length&&r},Ik=e=>e,Pk={_event:{},error:null,initialValue:"",isDirty:!1,isDragEnabled:!1,isDragging:!1,isPressEnterToChange:!1,value:""},Rk={CHANGE:"CHANGE",COMMIT:"COMMIT",DRAG_END:"DRAG_END",DRAG_START:"DRAG_START",DRAG:"DRAG",INVALIDATE:"INVALIDATE",PRESS_DOWN:"PRESS_DOWN",PRESS_ENTER:"PRESS_ENTER",PRESS_UP:"PRESS_UP",RESET:"RESET",UPDATE:"UPDATE"},Wk=Rk;const Yk=(...e)=>(...t)=>e.reduceRight(((e,n)=>{const r=n(...t);return(0,at.isEmpty)(r)?e:{...e,...r}}),{});function Hk(e=Ik,t=Pk){const[n,r]=(0,tt.useReducer)((o=e,(e,t)=>{const n={...e},{type:r,payload:a}=t;switch(r){case Rk.PRESS_UP:case Rk.PRESS_DOWN:n.isDirty=!1;break;case Rk.DRAG_START:n.isDragging=!0;break;case Rk.DRAG_END:n.isDragging=!1;break;case Rk.CHANGE:n.error=null,n.value=a.value,e.isPressEnterToChange&&(n.isDirty=!0);break;case Rk.COMMIT:n.value=a.value,n.isDirty=!1;break;case Rk.RESET:n.error=null,n.isDirty=!1,n.value=a.value||e.initialValue;break;case Rk.UPDATE:n.value=a.value,n.isDirty=!1;break;case Rk.INVALIDATE:n.error=a.error}return a.event&&(n._event=a.event),o(n,t)}),function(e=Pk){const{value:t}=e;return{...Pk,...e,initialValue:t}}(t));var o;const a=e=>(t,n)=>{n&&n.persist&&n.persist(),r({type:e,payload:{value:t,event:n}})},i=e=>t=>{t&&t.persist&&t.persist(),r({type:e,payload:{event:t}})},s=e=>t=>{r({type:e,payload:t})},l=a(Rk.CHANGE),c=a(Rk.INVALIDATE),u=a(Rk.RESET),d=a(Rk.COMMIT),p=a(Rk.UPDATE),m=s(Rk.DRAG_START),h=s(Rk.DRAG),f=s(Rk.DRAG_END),g=i(Rk.PRESS_UP),b=i(Rk.PRESS_DOWN),y=i(Rk.PRESS_ENTER);return{change:l,commit:d,dispatch:r,drag:h,dragEnd:f,dragStart:m,invalidate:c,pressDown:b,pressEnter:y,pressUp:g,reset:u,state:n,update:p}}n(8679);function qk(){for(var e=arguments.length,t=new Array(e),n=0;n(0,at.mapKeys)(e,((e,t)=>function(e){return"left"===e?"right":"right"===e?"left":jk.test(e)?e.replace(jk,"-right"):Fk.test(e)?e.replace(Fk,"-left"):Vk.test(e)?e.replace(Vk,"Right"):Xk.test(e)?e.replace(Xk,"Left"):e}(t)));function $k(e={},t){return()=>t?rr()?qk(t,""):qk(e,""):rr()?qk(Uk(e),""):qk(e,"")}function Kk(e="",t=1){const{r:n,g:r,b:o}=go()(e).toRgb();return`rgba(${n}, ${r}, ${o}, ${t})`}const Gk={black:"#000",white:"#fff"},Jk={blue:{medium:{focus:"#007cba",focusDark:"#fff"}},gray:{900:"#1e1e1e",700:"#757575",600:"#949494",400:"#ccc",200:"#ddd",100:"#f0f0f0"},darkGray:{primary:"#1e1e1e",heading:"#050505"},mediumGray:{text:"#757575"},lightGray:{ui:"#949494",secondary:"#ccc",tertiary:"#e7e8e9"}},Zk={900:"#191e23",800:"#23282d",700:"#32373c",600:"#40464d",500:"#555d66",400:"#606a73",300:"#6c7781",200:"#7e8993",150:"#8d96a0",100:"#8f98a1",placeholder:Kk(Jk.gray[900],.62)},Qk={900:Kk("#000510",.9),800:Kk("#00000a",.85),700:Kk("#06060b",.8),600:Kk("#000913",.75),500:Kk("#0a1829",.7),400:Kk("#0a1829",.65),300:Kk("#0e1c2e",.62),200:Kk("#162435",.55),100:Kk("#223443",.5),backgroundFill:Kk(Zk[700],.7)},ew={900:Kk("#304455",.45),800:Kk("#425863",.4),700:Kk("#667886",.35),600:Kk("#7b86a2",.3),500:Kk("#9197a2",.25),400:Kk("#95959c",.2),300:Kk("#829493",.15),200:Kk("#8b8b96",.1),100:Kk("#747474",.05)},tw={900:"#a2aab2",800:"#b5bcc2",700:"#ccd0d4",600:"#d7dade",500:"#e2e4e7",400:"#e8eaeb",300:"#edeff0",200:"#f3f4f5",100:"#f8f9f9",placeholder:Kk(Gk.white,.65)},nw={900:Kk(Gk.white,.5),800:Kk(Gk.white,.45),700:Kk(Gk.white,.4),600:Kk(Gk.white,.35),500:Kk(Gk.white,.3),400:Kk(Gk.white,.25),300:Kk(Gk.white,.2),200:Kk(Gk.white,.15),100:Kk(Gk.white,.1),backgroundFill:Kk(tw[300],.8)},rw={wordpress:{700:"#00669b"},dark:{900:"#0071a1"},medium:{900:"#006589",800:"#00739c",700:"#007fac",600:"#008dbe",500:"#00a0d2",400:"#33b3db",300:"#66c6e4",200:"#bfe7f3",100:"#e5f5fa",highlight:"#b3e7fe",focus:"#007cba"}},ow={theme:`var( --wp-admin-theme-color, ${rw.wordpress[700]})`,themeDark10:`var( --wp-admin-theme-color-darker-10, ${rw.medium.focus})`},aw={theme:ow.theme,background:Gk.white,backgroundDisabled:tw[200],border:Jk.gray[700],borderHover:Jk.gray[700],borderFocus:ow.themeDark10,borderDisabled:Jk.gray[400],borderLight:Jk.gray[200],label:Zk[500],textDisabled:Zk[150],textDark:Gk.white,textLight:Gk.black},iw={...Gk,darkGray:(0,at.merge)({},Zk,Jk.darkGray),darkOpacity:Qk,darkOpacityLight:ew,mediumGray:Jk.mediumGray,gray:Jk.gray,lightGray:(0,at.merge)({},tw,Jk.lightGray),lightGrayLight:nw,blue:(0,at.merge)({},rw,Jk.blue),alert:{yellow:"#f0b849",red:"#d94f4f",green:"#4ab866"},admin:ow,ui:aw},sw=new WeakMap;function lw(e,t,n=""){return(0,tt.useMemo)((()=>{if(n)return n;const r=function(e){const t=sw.get(e)||0;return sw.set(e,t+1),t}(e);return t?`${t}-${r}`:r}),[e])}const cw=["40em","52em","64em"],uw=(e={})=>{const{defaultIndex:t=0}=e;if("number"!=typeof t)throw new TypeError(`Default breakpoint index should be a number. Got: ${t}, ${typeof t}`);if(t<0||t>cw.length-1)throw new RangeError(`Default breakpoint index out of range. Theme has ${cw.length} breakpoints, got index ${t}`);const[n,r]=(0,tt.useState)(t);return(0,tt.useEffect)((()=>{const e=()=>{const e=cw.filter((e=>"undefined"!=typeof window&&window.matchMedia(`screen and (min-width: ${e})`).matches)).length;n!==e&&r(e)};return e(),"undefined"!=typeof document&&document.addEventListener("resize",e),()=>{"undefined"!=typeof document&&document.removeEventListener("resize",e)}}),[n]),n};function dw(e){var t,n;if(void 0===e)return;if(!e)return"0";const r="number"==typeof e?e:Number(e);return null!==(t=(n=CSS).supports)&&void 0!==t&&t.call(n,"margin",e.toString())||Number.isNaN(r)?e.toString():`calc(4px * ${e})`}const pw={name:"zjik7",styles:"display:flex"},mw={name:"qgaee5",styles:"display:block;max-height:100%;max-width:100%;min-height:0;min-width:0"},hw={name:"82a6rk",styles:"flex:1"},fw={name:"13nosa1",styles:">*{min-height:0;}"},gw={name:"1pwxzk4",styles:">*{min-width:0;}"};function bw(e){const{align:t="center",className:n,direction:r="row",expanded:o=!0,gap:a=2,justify:i="space-between",wrap:s=!1,...l}=lf(function({isReversed:e,...t}){return void 0!==e?(Jp("Flex isReversed",{alternative:'Flex direction="row-reverse" or "column-reverse"',since:"5.9"}),{...t,direction:e?"row-reverse":"row"}):t}(e),"Flex"),c=function(e,t={}){const n=uw(t);if(!Array.isArray(e)&&"function"!=typeof e)return e;const r=e||[];return r[n>=r.length?r.length-1:n]}(Array.isArray(r)?r:[r]),u="string"==typeof c&&!!c.includes("column"),d="string"==typeof c&&c.includes("reverse"),p=sf();return{...l,className:(0,tt.useMemo)((()=>{const e={};return e.Base=qk({alignItems:u?"normal":t,flexDirection:c,flexWrap:s?"wrap":void 0,justifyContent:i,height:u&&o?"100%":void 0,width:!u&&o?"100%":void 0,marginBottom:s?`calc(${dw(a)} * -1)`:void 0},"",""),e.Items=qk({"> * + *:not(marquee)":{marginTop:u?dw(a):void 0,marginRight:!u&&d?dw(a):void 0,marginLeft:u||d?void 0:dw(a)}},"",""),e.WrapItems=qk({"> *:not(marquee)":{marginBottom:dw(a),marginLeft:!u&&d?dw(a):void 0,marginRight:u||d?void 0:dw(a)},"> *:last-child:not(marquee)":{marginLeft:!u&&d?0:void 0,marginRight:u||d?void 0:0}},"",""),p(pw,e.Base,s?e.WrapItems:e.Items,u?fw:gw,n)}),[t,n,c,o,a,u,d,i,s]),isColumn:u}}const yw=(0,tt.createContext)({flexItemDisplay:void 0});const vw=cf((function(e,t){const{children:n,isColumn:r,...o}=bw(e);return(0,tt.createElement)(yw.Provider,{value:{flexItemDisplay:r?"block":void 0}},(0,tt.createElement)(xf,ot({},o,{ref:t}),n))}),"Flex"),_w=({as:e,name:t,useHook:n,memo:r=!1})=>{function o(t,r){const o=n(t);return(0,tt.createElement)(xf,ot({as:e||"div"},o,{ref:r}))}return o.displayName=t,cf(o,t,{memo:r})};function Mw(e){const{className:t,display:n,isBlock:r=!1,...o}=lf(e,"FlexItem"),a={},i=(0,tt.useContext)(yw).flexItemDisplay;a.Base=qk({display:n||i},"","");return{...o,className:sf()(mw,a.Base,r&&hw,t)}}const kw=_w({as:"div",useHook:Mw,name:"FlexItem"});const ww={name:"hdknak",styles:"display:block;overflow:hidden;text-overflow:ellipsis;white-space:nowrap"},Ew="…",Lw={auto:"auto",head:"head",middle:"middle",tail:"tail",none:"none"},Aw={ellipsis:Ew,ellipsizeMode:Lw.auto,limit:0,numberOfLines:0};function Sw(e="",t){const n={...Aw,...t},{ellipsis:r,ellipsizeMode:o,limit:a}=n;if(o===Lw.none)return e;let i,s;switch(o){case Lw.head:i=0,s=a;break;case Lw.middle:i=Math.floor(a/2),s=Math.floor(a/2);break;default:i=a,s=0}return o!==Lw.auto?function(e,t,n,r){if("string"!=typeof e)return"";const o=e.length,a=~~t,i=~~n,s=(0,at.isNil)(r)?Ew:r;return 0===a&&0===i||a>=o||i>=o||a+i>=o?e:0===i?e.slice(0,a)+s:e.slice(0,a)+s+e.slice(o-i)}(e,i,s,r):e}let Cw;const Tw=ln()((function(e){var t,n;if("string"!=typeof e)return"";if("string"==typeof(n=e)&&go()(n).isValid())return e;if(!e.includes("var("))return"";if("undefined"==typeof document)return"";const r=function(){if("undefined"!=typeof document){if(!Cw){const e=document.createElement("div");e.setAttribute("data-g2-color-computation-node",""),document.body.appendChild(e),Cw=e}return Cw}}();if(!r)return"";r.style.background=e;const o=null===(t=window)||void 0===t?void 0:t.getComputedStyle(r).background;return r.style.background="",o||""}));function xw(e){return"#000000"===function(e){const t=Tw(e);return go().isReadable(t,"#000000")?"#000000":"#ffffff"}(e)?"dark":"light"}const zw="36px",Ow="12px",Nw={controlSurfaceColor:iw.white,controlTextActiveColor:iw.ui.theme,controlPaddingX:Ow,controlPaddingXLarge:"calc(12px * 1.3334)",controlPaddingXSmall:"calc(12px / 1.3334)",controlBackgroundColor:iw.white,controlBorderRadius:"2px",controlBorderColor:iw.gray[700],controlBoxShadow:"transparent",controlBorderColorHover:iw.gray[700],controlBoxShadowFocus:`0 0 0, 0.5px, ${iw.admin.theme}`,controlDestructiveBorderColor:iw.alert.red,controlHeight:zw,controlHeightXSmall:"calc( 36px * 0.6 )",controlHeightSmall:"calc( 36px * 0.8 )",controlHeightLarge:"calc( 36px * 1.2 )",controlHeightXLarge:"calc( 36px * 1.4 )"},Dw={segmentedControlBackgroundColor:Nw.controlBackgroundColor,segmentedControlBorderColor:iw.ui.border,segmentedControlBackdropBackgroundColor:Nw.controlSurfaceColor,segmentedControlBackdropBorderColor:iw.ui.border,segmentedControlBackdropBoxShadow:"transparent",segmentedControlButtonColorActive:Nw.controlBackgroundColor},Bw={...Nw,...Dw,colorDivider:"rgba(0, 0, 0, 0.1)",colorScrollbarThumb:"rgba(0, 0, 0, 0.2)",colorScrollbarThumbHover:"rgba(0, 0, 0, 0.5)",colorScrollbarTrack:"rgba(0, 0, 0, 0.04)",elevationIntensity:1,radiusBlockUi:"2px",borderWidth:"1px",borderWidthFocus:"1.5px",borderWidthTab:"4px",spinnerSize:"18px",fontSize:"13px",fontSizeH1:"calc(2.44 * 13px)",fontSizeH2:"calc(1.95 * 13px)",fontSizeH3:"calc(1.56 * 13px)",fontSizeH4:"calc(1.25 * 13px)",fontSizeH5:"13px",fontSizeH6:"calc(0.8 * 13px)",fontSizeInputMobile:"16px",fontSizeMobile:"15px",fontSizeSmall:"calc(0.92 * 13px)",fontSizeXSmall:"calc(0.75 * 13px)",fontLineHeightBase:"1.2",fontWeight:"normal",fontWeightHeading:"600",gridBase:"4px",cardBorderRadius:"2px",cardPaddingXSmall:`${dw(2)}`,cardPaddingSmall:`${dw(4)}`,cardPaddingMedium:`${dw(4)} ${dw(6)}`,cardPaddingLarge:`${dw(6)} ${dw(8)}`,surfaceBackgroundColor:iw.white,surfaceBackgroundSubtleColor:"#F3F3F3",surfaceBackgroundTintColor:"#F5F5F5",surfaceBorderColor:"rgba(0, 0, 0, 0.1)",surfaceBorderBoldColor:"rgba(0, 0, 0, 0.15)",surfaceBorderSubtleColor:"rgba(0, 0, 0, 0.05)",surfaceBackgroundTertiaryColor:iw.white,surfaceColor:iw.white,transitionDuration:"200ms",transitionDurationFast:"160ms",transitionDurationFaster:"120ms",transitionDurationFastest:"100ms",transitionTimingFunction:"cubic-bezier(0.08, 0.52, 0.52, 1)",transitionTimingFunctionControl:"cubic-bezier(0.12, 0.8, 0.32, 1)"};const Iw=qk("color:",iw.black,";line-height:",Bw.fontLineHeightBase,";margin:0;",""),Pw={name:"4zleql",styles:"display:block"},Rw=qk("color:",iw.alert.green,";",""),Ww=qk("color:",iw.alert.red,";",""),Yw=qk("color:",iw.mediumGray.text,";",""),Hw=qk("mark{background:",iw.alert.yellow,";border-radius:2px;box-shadow:0 0 0 1px rgba( 0, 0, 0, 0.05 ) inset,0 -1px 0 rgba( 0, 0, 0, 0.1 ) inset;}",""),qw={name:"50zrmy",styles:"text-transform:uppercase"};var jw=n(6928);const Fw=ln()((e=>{const t={};for(const n in e)t[n.toLowerCase()]=e[n];return t}));const Vw={body:13,caption:10,footnote:11,largeTitle:28,subheadline:12,title:20};[1,2,3,4,5,6].flatMap((e=>[e,e.toString()]));function Xw(e=13){if(e in Vw)return Xw(Vw[e]);if("number"!=typeof e){const t=parseFloat(e);if(Number.isNaN(t))return e;e=t}return`calc(${`(${e} / 13)`} * ${Bw.fontSize})`}var Uw={name:"50zrmy",styles:"text-transform:uppercase"};const $w=_w({as:"span",useHook:function(e){const{adjustLineHeightForInnerControls:t,align:n,children:r,className:o,color:a,ellipsizeMode:i,isDestructive:s=!1,display:l,highlightEscape:c=!1,highlightCaseSensitive:u=!1,highlightWords:d,highlightSanitize:p,isBlock:m=!1,letterSpacing:h,lineHeight:f,optimizeReadabilityFor:b,size:y,truncate:v=!1,upperCase:_=!1,variant:M,weight:k=Bw.fontWeight,...w}=lf(e,"Text");let E=r;const L=Array.isArray(d),A="caption"===y;if(L){if("string"!=typeof r)throw new TypeError("`children` of `Text` must only be `string` types when `highlightWords` is defined");E=function({activeClassName:e="",activeIndex:t=-1,activeStyle:n,autoEscape:r,caseSensitive:o=!1,children:a,findChunks:i,highlightClassName:s="",highlightStyle:l={},highlightTag:c="mark",sanitize:u,searchWords:d=[],unhighlightClassName:p="",unhighlightStyle:m}){if(!a)return null;if("string"!=typeof a)return a;const h=a,f=(0,jw.findAll)({autoEscape:r,caseSensitive:o,findChunks:i,sanitize:u,searchWords:d,textToHighlight:h}),g=c;let b,y=-1,v="";return f.map(((r,a)=>{const i=h.substr(r.start,r.end-r.start);if(r.highlight){let r;y++,r="object"==typeof s?o?s[i]:(s=Fw(s))[i.toLowerCase()]:s;const c=y===+t;v=`${r} ${c?e:""}`,b=!0===c&&null!==n?Object.assign({},l,n):l;const u={children:i,className:v,key:a,style:b};return"string"!=typeof g&&(u.highlightIndex=y),(0,tt.createElement)(g,u)}return(0,tt.createElement)("span",{children:i,className:p,key:a,style:m})}))}({autoEscape:c,children:r,caseSensitive:u,searchWords:d,sanitize:p})}const S=sf();let C;!0===v&&(C="auto"),!1===v&&(C="none");const T=function(e){const{className:t,children:n,ellipsis:r=Ew,ellipsizeMode:o=Lw.auto,limit:a=0,numberOfLines:i=0,...s}=lf(e,"Truncate"),l=sf(),c=Sw("string"==typeof n?n:"",{ellipsis:r,ellipsizeMode:o,limit:a,numberOfLines:i}),u=o===Lw.auto;return{...s,className:(0,tt.useMemo)((()=>{const e={};return e.numberOfLines=qk("-webkit-box-orient:vertical;-webkit-line-clamp:",i,";display:-webkit-box;overflow:hidden;",""),l(u&&!i&&ww,u&&!!i&&e.numberOfLines,t)}),[t,i,u]),children:c}}({...w,className:(0,tt.useMemo)((()=>{const e={},r=function(e,t){if(t)return t;if(!e)return;let n=`calc(${Bw.controlHeight} + ${dw(2)})`;switch(e){case"large":n=`calc(${Bw.controlHeightLarge} + ${dw(2)})`;break;case"small":n=`calc(${Bw.controlHeightSmall} + ${dw(2)})`;break;case"xSmall":n=`calc(${Bw.controlHeightXSmall} + ${dw(2)})`}return n}(t,f);if(e.Base=qk({color:a,display:l,fontSize:Xw(y),fontWeight:k,lineHeight:r,letterSpacing:h,textAlign:n},"",""),e.upperCase=Uw,e.optimalTextColor=null,b){const t="dark"===xw(b);e.optimalTextColor=qk(t?{color:iw.black}:{color:iw.white},"","")}return S(Iw,e.Base,e.optimalTextColor,s&&Ww,!!L&&Hw,m&&Pw,A&&Yw,M&&g[M],_&&e.upperCase,o)}),[t,n,o,a,l,m,A,s,L,h,f,b,y,_,M,k]),children:r,ellipsizeMode:i||C});return!v&&Array.isArray(r)&&(E=tt.Children.map(r,(e=>{if(!(0,at.isPlainObject)(e)||!("props"in e))return e;return function(e,t){return!!e&&("string"==typeof t?uf(e).includes(t):!!Array.isArray(t)&&t.some((t=>uf(e).includes(t))))}(e,["Link"])?(0,tt.cloneElement)(e,{size:e.props.size||"inherit"}):e}))),{...T,children:v?T.children:E}},name:"Text"});var Kw={name:"1n8met0",styles:"padding-top:0"};const Gw=()=>Kw;var Jw={name:"1739oy8",styles:"z-index:1"};const Zw=({isFocused:e})=>e?Jw:"";var Qw={name:"2o6p8u",styles:"justify-content:space-between"},eE={name:"14qk3ip",styles:"align-items:flex-start;flex-direction:column-reverse"},tE={name:"hbng6e",styles:"align-items:flex-start;flex-direction:column"};const nE=({labelPosition:e})=>{switch(e){case"top":return tE;case"bottom":return eE;case"edge":return Qw;default:return""}},rE=Cf(vw,{target:"e1cr7zh17"})("position:relative;border-radius:2px;",Gw," ",Zw," ",nE,";");var oE={name:"wyxldh",styles:"margin:0 !important"};var aE={name:"1d3w5wq",styles:"width:100%"};const iE=Cf("div",{target:"e1cr7zh16"})("align-items:center;box-sizing:border-box;border-radius:inherit;display:flex;flex:1;position:relative;",(({disabled:e})=>qk({backgroundColor:e?iw.ui.backgroundDisabled:iw.ui.background},"",""))," ",(({hideLabel:e})=>e?oE:null)," ",(({__unstableInputWidth:e,labelPosition:t})=>e?"side"===t?"":qk("edge"===t?{flex:`0 0 ${e}`}:{width:e},"",""):aE),";");var sE={name:"103r1kr",styles:"&::-webkit-input-placeholder{line-height:normal;}"};const lE=Cf("input",{target:"e1cr7zh15"})("&&&{background-color:transparent;box-sizing:border-box;border:none;box-shadow:none!important;color:",iw.black,";display:block;margin:0;outline:none;padding-left:8px;padding-right:8px;width:100%;",(({isDragging:e,dragCursor:t})=>{let n="",r="";return e&&(n=qk("cursor:",t,";user-select:none;&::-webkit-outer-spin-button,&::-webkit-inner-spin-button{-webkit-appearance:none!important;margin:0!important;}","")),e&&t&&(r=qk("&:active{cursor:",t,";}","")),qk(n," ",r,";","")})," ",(({disabled:e})=>e?qk({color:iw.ui.textDisabled},"",""):"")," ",(({size:e})=>{const t={default:"13px",small:"11px"}[e];return t?qk("font-size:","16px",";@media ( min-width: 600px ){font-size:",t,";}",""):""})," ",(({size:e})=>{const t={default:{height:30,lineHeight:1,minHeight:30},small:{height:24,lineHeight:1,minHeight:24}};return qk(t[e]||t.default,"","")})," ",(()=>sE),";}");var cE={name:"1h52dri",styles:"overflow:hidden;text-overflow:ellipsis;white-space:nowrap"};const uE=()=>cE,dE=({labelPosition:e})=>{let t=4;return"edge"!==e&&"side"!==e||(t=0),qk({paddingTop:0,paddingBottom:t},"","")},pE=Cf($w,{target:"e1cr7zh14"})("&&&{box-sizing:border-box;color:currentColor;display:block;margin:0;max-width:100%;z-index:1;",dE," ",uE,";}"),mE=e=>(0,tt.createElement)(pE,ot({},e,{as:"label"})),hE=Cf(kw,{target:"e1cr7zh13"})({name:"1b6uupn",styles:"max-width:calc( 100% - 10px )"}),fE=Cf("div",{target:"e1cr7zh12"})("&&&{box-sizing:border-box;border-radius:inherit;bottom:0;left:0;margin:0;padding:0;pointer-events:none;position:absolute;right:0;top:0;",(({disabled:e,isFocused:t})=>{let n=t?iw.ui.borderFocus:iw.ui.border,r=null;return t&&(r=`0 0 0 1px ${iw.ui.borderFocus} inset`),e&&(n=iw.ui.borderDisabled),qk({boxShadow:r,borderColor:n,borderStyle:"solid",borderWidth:1},"","")})," ",$k({paddingLeft:2}),";}"),gE=Cf("span",{target:"e1cr7zh11"})({name:"pvvbxf",styles:"box-sizing:border-box;display:block"}),bE=Cf("span",{target:"e1cr7zh10"})({name:"pvvbxf",styles:"box-sizing:border-box;display:block"});const yE=(0,tt.memo)((function({disabled:e=!1,isFocused:t=!1}){return(0,tt.createElement)(fE,{"aria-hidden":"true",className:"components-input-control__backdrop",disabled:e,isFocused:t})}));function vE({children:e,hideLabelFromVision:t,htmlFor:n,...r}){return e?t?(0,tt.createElement)(zf,{as:"label",htmlFor:n},e):(0,tt.createElement)(mE,ot({htmlFor:n},r),e):null}function _E({__unstableInputWidth:e,children:t,className:n,disabled:r=!1,hideLabelFromVision:o=!1,labelPosition:a,id:i,isFocused:s=!1,label:l,prefix:c,size:u="default",suffix:d,...p},m){const h=function(e){const t=lw(_E);return e||`input-base-control-${t}`}(i),f=o||!l;return(0,tt.createElement)(rE,ot({},p,function({labelPosition:e}){const t={};switch(e){case"top":t.direction="column",t.gap=0;break;case"bottom":t.direction="column-reverse",t.gap=0;break;case"edge":t.justify="space-between"}return t}({labelPosition:a}),{className:n,isFocused:s,labelPosition:a,ref:m,__unstableVersion:"next"}),(0,tt.createElement)(hE,null,(0,tt.createElement)(vE,{className:"components-input-control__label",hideLabelFromVision:o,labelPosition:a,htmlFor:h,size:u},l)),(0,tt.createElement)(iE,{__unstableInputWidth:e,className:"components-input-control__container",disabled:r,hideLabel:f,isFocused:s,labelPosition:a},c&&(0,tt.createElement)(gE,{className:"components-input-control__prefix"},c),t,d&&(0,tt.createElement)(bE,{className:"components-input-control__suffix"},d),(0,tt.createElement)(yE,{"aria-hidden":"true",disabled:r,isFocused:s,label:l,size:u})))}const ME=(0,tt.forwardRef)(_E);function kE(e,t){return e.map((function(e,n){return e+t[n]}))}function wE(e,t){return e.map((function(e,n){return e-t[n]}))}function EE(e){return Math.hypot.apply(Math,e)}function LE(e,t,n){var r=EE(t),o=0===r?0:1/r,a=0===n?0:1/n,i=a*r,s=t.map((function(e){return a*e})),l=t.map((function(e){return o*e}));return{velocities:s,velocity:i,distance:EE(e),direction:l}}function AE(e){return Math.sign?Math.sign(e):Number(e>0)-Number(e<0)||+e}function SE(e,t,n){return 0===t||Math.abs(t)===1/0?function(e,t){return Math.pow(e,5*t)}(e,n):e*t*n/(t+n*e)}function CE(e,t,n,r){return void 0===r&&(r=.15),0===r?function(e,t,n){return Math.max(t,Math.min(e,n))}(e,t,n):en?+SE(e-n,n-t,r)+n:e}function TE(e,t){for(var n=0;n=0||(o[n]=e[n]);return o}function NE(e){if(void 0===e)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return e}function DE(e,t){(null==t||t>e.length)&&(t=e.length);for(var n=0,r=new Array(t);n=e.length?{done:!0}:{done:!1,value:e[r++]}}}throw new TypeError("Invalid attempt to iterate non-iterable instance.\nIn order to be iterable, non-array objects must have a [Symbol.iterator]() method.")}return(n=e[Symbol.iterator]()).next.bind(n)}function IE(){}function PE(){for(var e=arguments.length,t=new Array(e),n=0;n1?t-1:0),r=1;r2?o-2:0),i=2;i0||o>0,i=xE({},n.controller.state.shared,n.state,n.mapStateValues(n.state),{locked:!!document.pointerLockElement,touches:o,down:a}),s=n.handler(i);return n.state.memo=void 0!==s?s:n.state.memo,i},this.controller=e,this.args=t}var t,n,r,o=e.prototype;return o.updateSharedState=function(e){Object.assign(this.controller.state.shared,e)},o.updateGestureState=function(e){Object.assign(this.state,e)},o.checkIntentionality=function(e,t){return{_intentional:e,_blocked:!1}},o.getMovement=function(e){var t=this.config.rubberband,n=this.state,r=n._bounds,o=n._initial,a=n._active,i=n._intentional,s=n.lastOffset,l=n.movement,c=n._threshold,u=this.getInternalMovement(e,this.state),d=!1===i[0]?sL(u[0],c[0]):i[0],p=!1===i[1]?sL(u[1],c[1]):i[1],m=this.checkIntentionality([d,p],u);if(m._blocked)return xE({},m,{_movement:u,delta:[0,0]});var h=m._intentional,f=u,g=[!1!==h[0]?u[0]-h[0]:0,!1!==h[1]?u[1]-h[1]:0],b=kE(g,s),y=a?t:[0,0];return g=lL(r,kE(g,o),y),xE({},m,{intentional:!1!==h[0]||!1!==h[1],_initial:o,_movement:f,movement:g,values:e,offset:lL(r,b,y),delta:wE(g,l)})},o.clean=function(){this.clearTimeout()},t=e,(n=[{key:"config",get:function(){return this.controller.config[this.stateKey]}},{key:"enabled",get:function(){return this.controller.config.enabled&&this.config.enabled}},{key:"state",get:function(){return this.controller.state[this.stateKey]}},{key:"handler",get:function(){return this.controller.handlers[this.stateKey]}},{key:"transform",get:function(){return this.config.transform||this.controller.config.transform||aL}}])&&TE(t.prototype,n),r&&TE(t,r),e}();function sL(e,t){return Math.abs(e)>=t&&AE(e)*t}function lL(e,t,n){var r=t[0],o=t[1],a=n[0],i=n[1],s=e[0],l=s[0],c=s[1],u=e[1],d=u[0],p=u[1];return[CE(r,l,c,a),CE(o,d,p,i)]}function cL(e,t,n){var r=e.state,o=t.timeStamp,a=t.type,i=r.values;return{_lastEventType:a,event:t,timeStamp:o,elapsedTime:n?0:o-r.startTime,previous:i}}function uL(e,t,n,r){var o=e.state,a=e.config,i=e.stateKey,s=e.args,l=e.transform,c=o.offset,u=n.timeStamp,d=a.initial,p=a.bounds,m=wE(l(a.threshold),l([0,0])).map(Math.abs),h=xE({},rL()[i],{_active:!0,args:s,values:t,initial:null!=r?r:t,_threshold:m,offset:c,lastOffset:c,startTime:u});return xE({},h,{_initial:WE(d,h),_bounds:WE(p,h)})}var dL=function(e){var t=this;this.classes=e,this.pointerIds=new Set,this.touchIds=new Set,this.supportsTouchEvents=HE(),this.supportsGestureEvents=function(){try{return"constructor"in GestureEvent}catch(e){return!1}}(),this.bind=function(){for(var e=arguments.length,n=new Array(e),r=0;ro?"x":r0?t.setUpDelayedDragTrigger(e):t.startDrag(e,!0))},t.onDragChange=function(e){if(!t.state.canceled&&t.state._active&&t.isValidEvent(e)&&(t.state._lastEventType!==e.type||e.timeStamp!==t.state.timeStamp)){var n;if(document.pointerLockElement){var r=e.movementX,o=e.movementY;n=kE(t.transform([r,o]),t.state.values)}else n=XE(e,t.transform);var a=t.getKinematics(n,e);if(!t.state._dragStarted){if(t.state._dragDelayed)return void t.startDrag(e);if(!t.shouldPreventWindowScrollY)return;if(t.state._dragPreventScroll||!a.axis)return;if("x"!==a.axis)return void(t.state._active=!1);t.startDrag(e)}var i=FE(e);t.updateSharedState(i);var s=cL(NE(t),e),l=EE(a._movement),c=t.state._dragIsTap;c&&l>=3&&(c=!1),t.updateGestureState(xE({},s,a,{_dragIsTap:c})),t.fireGestureHandler()}},t.onDragEnd=function(e){if(mL(t.controller,e),t.isValidEvent(e)&&(t.clean(),t.state._active)){t.state._active=!1;var n=t.state._dragIsTap,r=t.state.velocities,o=r[0],a=r[1],i=t.state.movement,s=i[0],l=i[1],c=t.state._intentional,u=c[0],d=c[1],p=t.config.swipeVelocity,m=p[0],h=p[1],f=t.config.swipeDistance,g=f[0],b=f[1],y=t.config.swipeDuration,v=xE({},cL(NE(t),e),t.getMovement(t.state.values)),_=[0,0];v.elapsedTimem&&Math.abs(s)>g&&(_[0]=AE(o)),!1!==d&&Math.abs(a)>h&&Math.abs(l)>b&&(_[1]=AE(a))),t.updateSharedState({buttons:0}),t.updateGestureState(xE({},v,{tap:n,swipe:_})),t.fireGestureHandler(t.config.filterTaps&&!0===n)}},t.clean=function(){e.prototype.clean.call(NE(t)),t.state._dragStarted=!1,t.releasePointerCapture(),hL(t.controller,t.stateKey)},t.onCancel=function(){t.state.canceled||(t.updateGestureState({canceled:!0,_active:!1}),t.updateSharedState({buttons:0}),setTimeout((function(){return t.fireGestureHandler()}),0))},t.onClick=function(e){t.state._dragIsTap||e.stopPropagation()},t}zE(t,e);var n=t.prototype;return n.startDrag=function(e,t){void 0===t&&(t=!1),this.state._active&&!this.state._dragStarted&&(t||this.setStartState(e),this.updateGestureState({_dragStarted:!0,_dragPreventScroll:!0,cancel:this.onCancel}),this.clearTimeout(),this.fireGestureHandler())},n.addBindings=function(e){(this.config.useTouch?(_L(e,"onTouchStart",this.onDragStart),_L(e,"onTouchMove",this.onDragChange),_L(e,"onTouchEnd",this.onDragEnd),_L(e,"onTouchCancel",this.onDragEnd)):(_L(e,"onPointerDown",this.onDragStart),_L(e,"onPointerMove",this.onDragChange),_L(e,"onPointerUp",this.onDragEnd),_L(e,"onPointerCancel",this.onDragEnd)),this.config.filterTaps)&&_L(e,this.controller.config.eventOptions.capture?"onClick":"onClickCapture",this.onClick)},t}(LL);function CL(e,t){var n,r,o=[],a=!1;return function(){for(var i=arguments.length,s=new Array(i),l=0;l{if(n.current)return e();n.current=!0}),t)};const BL=(0,tt.forwardRef)((function({disabled:e=!1,dragDirection:t="n",dragThreshold:n=10,id:r,isDragEnabled:o=!1,isFocused:a,isPressEnterToChange:i=!1,onBlur:s=at.noop,onChange:l=at.noop,onDrag:c=at.noop,onDragEnd:u=at.noop,onDragStart:d=at.noop,onFocus:p=at.noop,onKeyDown:m=at.noop,onValidate:h=at.noop,size:f="default",setIsFocused:g,stateReducer:b=(e=>e),value:y,type:v,..._},M){const{state:k,change:w,commit:E,drag:L,dragEnd:A,dragStart:S,invalidate:C,pressDown:T,pressEnter:x,pressUp:z,reset:O,update:N}=Hk(b,{isDragEnabled:o,value:y,isPressEnterToChange:i}),{_event:D,value:B,isDragging:I,isDirty:P}=k,R=(0,tt.useRef)(!1),W=function(e,t){const n=function(e){let t="ns-resize";switch(e){case"n":case"s":t="ns-resize";break;case"e":case"w":t="ew-resize"}return t}(t);return(0,tt.useEffect)((()=>{document.documentElement.style.cursor=e?n:null}),[e]),n}(I,t);DL((()=>{y!==B&&(a||R.current?P||(l(B,{event:D}),R.current=!1):N(y))}),[B,P,a,y]);const Y=e=>{const t=e.target.value;try{h(t,e),E(t,e)}catch(t){C(t,e)}},H=function(e,t){void 0===t&&(t={}),oL.set("drag",SL);var n=(0,tt.useRef)();return n.current||(n.current=CL(tL,xL)),wL({drag:e},n.current(t))}((e=>{const{distance:t,dragging:n,event:r}=e;if(r.persist(),t){if(r.stopPropagation(),!n)return u(e),void A(e);c(e),L(e),I||(d(e),S(e))}}),{threshold:n,enabled:o}),q=o?H():{};let j;return"number"===v&&(j=e=>{var t;null===(t=_.onMouseDown)||void 0===t||t.call(_,e),e.target!==e.target.ownerDocument.activeElement&&e.target.focus()}),(0,tt.createElement)(lE,ot({},_,q,{className:"components-input-control__input",disabled:e,dragCursor:W,isDragging:I,id:r,onBlur:e=>{s(e),g(!1),i&&P&&(R.current=!0,NL(B)?O(y):Y(e))},onChange:e=>{const t=e.target.value;w(t,e)},onFocus:e=>{p(e),g(!0)},onKeyDown:e=>{const{keyCode:t}=e;switch(m(e),t){case fm:z(e);break;case bm:T(e);break;case pm:x(e),i&&(e.preventDefault(),Y(e))}},onMouseDown:j,ref:M,size:f,value:B,type:v}))}));function IL({__unstableStateReducer:e=(e=>e),__unstableInputWidth:t,className:n,disabled:r=!1,hideLabelFromVision:o=!1,id:a,isPressEnterToChange:i=!1,label:s,labelPosition:l="top",onChange:c=at.noop,onValidate:u=at.noop,onKeyDown:d=at.noop,prefix:p,size:m="default",suffix:h,value:f,...g},b){const[y,v]=(0,tt.useState)(!1),_=function(e){const t=lw(IL);return e||`inspector-input-control-${t}`}(a),M=so()("components-input-control",n);return(0,tt.createElement)(ME,{__unstableInputWidth:t,className:M,disabled:r,gap:3,hideLabelFromVision:o,id:_,isFocused:y,justify:"left",label:s,labelPosition:l,prefix:p,size:m,suffix:h},(0,tt.createElement)(BL,ot({},g,{className:"components-input-control__input",disabled:r,id:_,isFocused:y,isPressEnterToChange:i,onChange:c,onKeyDown:d,onValidate:u,ref:b,setIsFocused:v,size:m,stateReducer:e,value:f})))}const PL=(0,tt.forwardRef)(IL);var RL={name:"1i0ft4y",styles:"&::-webkit-outer-spin-button,&::-webkit-inner-spin-button{-webkit-appearance:none!important;margin:0!important;}"};const WL=({hideHTMLArrows:e})=>e?RL:"",YL=Cf(PL,{target:"ep48uk90"})(WL,";");function HL(e){const t=Number(e);return isNaN(t)?0:t}function qL(...e){return e.reduce(((e,t)=>e+HL(t)),0)}function jL(e=0,t=1/0,n=1/0,r=1){const o=HL(e),a=HL(r),i=function(e){const t=(e+"").split(".");return void 0!==t[1]?t[1].length:0}(r),s=Math.round(o/a)*a,l=(0,at.clamp)(s,t,n);return i?HL(l.toFixed(i)):l}const FL=function({isShiftStepEnabled:e=!0,shiftStep:t=10,step:n=1}){const[r,o]=(0,tt.useState)(!1);return(0,tt.useEffect)((()=>{const e=e=>{o(e.shiftKey)};return window.addEventListener("keydown",e),window.addEventListener("keyup",e),()=>{window.removeEventListener("keydown",e),window.removeEventListener("keyup",e)}}),[]),e&&r?t*n:n};const VL=(0,tt.forwardRef)((function({__unstableStateReducer:e=(e=>e),className:t,dragDirection:n="n",hideHTMLArrows:r=!1,isDragEnabled:o=!0,isShiftStepEnabled:a=!0,label:i,max:s=1/0,min:l=-1/0,required:c=!1,shiftStep:u=10,step:d=1,type:p="number",value:m,...h},f){const g=jL(0,l,s,d),b=FL({step:d,shiftStep:u,isShiftStepEnabled:a}),y="number"===p?"off":null,v=so()("components-number-control",t);return(0,tt.createElement)(YL,ot({autoComplete:y,inputMode:"numeric"},h,{className:v,dragDirection:n,hideHTMLArrows:r,isDragEnabled:o,label:i,max:s,min:l,ref:f,required:c,step:b,type:p,value:m,__unstableStateReducer:Yk(((e,t)=>{const{type:r,payload:i}=t,p=null==i?void 0:i.event,m=e.value;if(r===Wk.PRESS_UP||r===Wk.PRESS_DOWN){const t=p.shiftKey&&a?parseFloat(u)*parseFloat(d):parseFloat(d);let n=NL(m)?g:m;null!=p&&p.preventDefault&&p.preventDefault(),r===Wk.PRESS_UP&&(n=qL(n,t)),r===Wk.PRESS_DOWN&&(n=function(...e){return e.reduce(((e,t,n)=>{const r=HL(t);return 0===n?r:e-r}),0)}(n,t)),n=jL(n,l,s,t),e.value=n}if(r===Wk.DRAG&&o){const{delta:t,shiftKey:r}=i,[o,a]=t,c=r?parseFloat(u)*parseFloat(d):parseFloat(d);let p,h;switch(n){case"n":h=a,p=-1;break;case"e":h=o,p=rr()?-1:1;break;case"s":h=a,p=1;break;case"w":h=o,p=rr()?1:-1}const f=h*c*p;let g;0!==f&&(g=jL(qL(m,f),l,s,c),e.value=g)}if(r===Wk.PRESS_ENTER||r===Wk.COMMIT){const t=!1===c&&""===m;e.value=t?m:jL(m,l,s,d)}return e}),e)}))}));const XL=Cf("div",{target:"e1agakv03"})({name:"100d0a9",styles:"box-sizing:border-box;position:relative"}),UL=({disableUnits:e})=>qk($k({paddingRight:e?3:24})(),";","");var $L={name:"1y65o8",styles:"&::-webkit-outer-spin-button,&::-webkit-inner-spin-button{-webkit-appearance:none;margin:0;}"};const KL=({disableUnits:e})=>e?"":$L,GL=Cf(VL,{target:"e1agakv02"})("&&&{input{appearance:none;-moz-appearance:textfield;display:block;width:100%;",KL,";",UL,";}}"),JL=e=>qk("appearance:none;background:transparent;border-radius:2px;border:none;box-sizing:border-box;color:",iw.darkGray[500],";display:block;font-size:8px;line-height:1;letter-spacing:-0.5px;outline:none;padding:2px 1px;position:absolute;text-align-last:center;text-transform:uppercase;width:20px;",$k({borderTopLeftRadius:0,borderBottomLeftRadius:0})()," ",$k({right:0})()," ",(({size:e})=>qk({default:{height:28,lineHeight:"24px",minHeight:28,top:1},small:{height:22,lineHeight:"18px",minHeight:22,top:1}}[e],"",""))(e),";",""),ZL=Cf("div",{target:"e1agakv01"})("&&&{pointer-events:none;",JL,";}"),QL=Cf("select",{target:"e1agakv00"})("&&&{",JL,";cursor:pointer;border:1px solid transparent;&:hover{background-color:",iw.lightGray[300],";}&:focus{border-color:",iw.ui.borderFocus,";outline:2px solid transparent;outline-offset:0;}&:disabled{cursor:initial;&:hover{background-color:transparent;}}}");function eA({className:e,isTabbable:t=!0,options:n=xk,onChange:r=at.noop,size:o="default",value:a="px",...i}){if(!Ok(n)||1===n.length)return(0,tt.createElement)(ZL,{className:"components-unit-control__unit-label",size:o},a);const s=so()("components-unit-control__select",e);return(0,tt.createElement)(QL,ot({className:s,onChange:e=>{const{value:t}=e.target,o=n.find((e=>e.value===t));r(t,{event:e,data:o})},size:o,tabIndex:t?null:"-1",value:a},i),n.map((e=>(0,tt.createElement)("option",{value:e.value,key:e.value},e.label))))}const tA={initial:void 0,fallback:""};const nA=function(e,t=tA){const{initial:n,fallback:r}={...tA,...t},[o,a]=(0,tt.useState)(e),i=OL(e);return(0,tt.useEffect)((()=>{i&&o&&a(void 0)}),[i,o]),[function(e=[],t){var n;return null!==(n=e.find(OL))&&void 0!==n?n:t}([e,o,n],r),e=>{i||a(e)}]};const rA=(0,tt.forwardRef)((function({__unstableStateReducer:e=(e=>e),autoComplete:t="off",className:n,disabled:r=!1,disableUnits:o=!1,isPressEnterToChange:a=!1,isResetValueOnUnitChange:i=!1,isUnitSelectTabbable:s=!0,label:l,onChange:c=at.noop,onUnitChange:u=at.noop,size:d="default",style:p,unit:m,units:h=xk,value:f,...g},b){const[y,v]=function(e,t,n){return Nk(t?`${e}${t}`:e,n)}(f,m,h),[_,M]=nA(m,{initial:v}),k=(0,tt.useRef)(null),w=so()("components-unit-control",n),E=e=>{if(!isNaN(e.target.value))return void(k.current=null);const[t,n]=Dk(e.target.value,h,y,_);if(k.current=t,a&&n!==_){const r={event:e,data:h.find((e=>e.value===n))};c(`${t}${n}`,r),u(n,r),M(n)}},L=E,A=o?null:(0,tt.createElement)(eA,{"aria-label":er("Select unit"),disabled:r,isTabbable:s,options:h,onChange:(e,t)=>{const{data:n}=t;let r=`${y}${e}`;i&&void 0!==(null==n?void 0:n.default)&&(r=`${n.default}${e}`),c(r,t),u(e,t),M(e)},size:d,value:_});let S=g.step;if(!S&&h){var C;const e=h.find((e=>e.value===_));S=null!==(C=null==e?void 0:e.step)&&void 0!==C?C:1}return(0,tt.createElement)(XL,{className:"components-unit-control-wrapper",style:p},(0,tt.createElement)(GL,ot({"aria-label":l,type:a?"text":"number"},(0,at.omit)(g,["children"]),{autoComplete:t,className:w,disabled:r,disableUnits:o,isPressEnterToChange:a,label:l,onBlur:L,onKeyDown:e=>{const{keyCode:t}=e;t===pm&&E(e)},onChange:(e,t)=>{""!==e?(e=Dk(e,h,y,_).join(""),c(e,t)):c("",t)},ref:b,size:d,suffix:A,value:y,step:S,__unstableStateReducer:Yk(((e,t)=>(t.type===Wk.COMMIT&&null!==k.current&&(e.value=k.current,k.current=null),e)),e)})))}));const oA=function({icon:e,size:t=24,...n}){return(0,tt.cloneElement)(e,{width:t,height:t,...n})},aA={"color.palette":e=>void 0===e.colors?void 0:e.colors,"color.gradients":e=>void 0===e.gradients?void 0:e.gradients,"color.custom":e=>void 0===e.disableCustomColors?void 0:!e.disableCustomColors,"color.customGradient":e=>void 0===e.disableCustomGradients?void 0:!e.disableCustomGradients,"typography.fontSizes":e=>void 0===e.fontSizes?void 0:e.fontSizes,"typography.customFontSize":e=>void 0===e.disableCustomFontSizes?void 0:!e.disableCustomFontSizes,"typography.customLineHeight":e=>e.enableCustomLineHeight,"spacing.units":e=>{if(void 0!==e.enableCustomUnits)return!0===e.enableCustomUnits?["px","em","rem","vh","vw","%"]:e.enableCustomUnits},"spacing.customPadding":e=>e.enableCustomSpacing},iA={"color.gradients":!0,"color.palette":!0,"typography.fontFamilies":!0,"typography.fontSizes":!0};function sA(e){const{name:t}=mb();return Cl((n=>{var r;const o=n(pk).getSettings(),a=`__experimentalFeatures.${e}`,i=`__experimentalFeatures.blocks.${t}.${e}`,s=null!==(r=(0,at.get)(o,i))&&void 0!==r?r:(0,at.get)(o,a);var l,c;if(void 0!==s)return iA[e]?null!==(l=null!==(c=s.user)&&void 0!==c?c:s.theme)&&void 0!==l?l:s.core:s;const u=aA[e]?aA[e](o):void 0;return void 0!==u?u:"typography.dropCap"===e||void 0}),[t,e])}const lA=[{name:"default",label:er("Flow"),edit:function({layout:e,onChange:t}){const{wideSize:n,contentSize:r}=e,o=Bk({availableUnits:sA("spacing.units")||["%","px","em","rem","vw"]});return(0,tt.createElement)(tt.Fragment,null,(0,tt.createElement)("div",{className:"block-editor-hooks__layout-controls"},(0,tt.createElement)("div",{className:"block-editor-hooks__layout-controls-unit"},(0,tt.createElement)(rA,{label:er("Content"),labelPosition:"top",__unstableInputWidth:"80px",value:r||n||"",onChange:n=>{n=0>parseFloat(n)?"0":n,t({...e,contentSize:n})},units:o}),(0,tt.createElement)(oA,{icon:Mk})),(0,tt.createElement)("div",{className:"block-editor-hooks__layout-controls-unit"},(0,tt.createElement)(rA,{label:er("Wide"),labelPosition:"top",__unstableInputWidth:"80px",value:n||r||"",onChange:n=>{n=0>parseFloat(n)?"0":n,t({...e,wideSize:n})},units:o}),(0,tt.createElement)(oA,{icon:wk}))),(0,tt.createElement)("div",{className:"block-editor-hooks__layout-controls-reset"},(0,tt.createElement)(Nf,{variant:"secondary",isSmall:!0,disabled:!r&&!n,onClick:()=>t({contentSize:void 0,wideSize:void 0,inherit:!1})},er("Reset"))),(0,tt.createElement)("p",{className:"block-editor-hooks__layout-controls-helptext"},er("Customize the width for all elements that are assigned to the center or wide columns.")))},save:function({selector:e,layout:t={}}){const{contentSize:n,wideSize:r}=t;let o=n||r?`\n\t\t\t\t\t${Lk(e,"> *")} {\n\t\t\t\t\t\tmax-width: ${null!=n?n:r};\n\t\t\t\t\t\tmargin-left: auto !important;\n\t\t\t\t\t\tmargin-right: auto !important;\n\t\t\t\t\t}\n\t\n\t\t\t\t\t${Lk(e,'> [data-align="wide"]')} {\n\t\t\t\t\t\tmax-width: ${null!=r?r:n};\n\t\t\t\t\t}\n\t\n\t\t\t\t\t${Lk(e,'> [data-align="full"]')} {\n\t\t\t\t\t\tmax-width: none;\n\t\t\t\t\t}\n\t\t\t\t`:"";return o+=`\n\t\t\t${Lk(e,'> [data-align="left"]')} {\n\t\t\t\tfloat: left;\n\t\t\t\tmargin-right: 2em;\n\t\t\t}\n\t\n\t\t\t${Lk(e,'> [data-align="right"]')} {\n\t\t\t\tfloat: right;\n\t\t\t\tmargin-left: 2em;\n\t\t\t}\n\t\t`,(0,tt.createElement)("style",null,o)},getOrientation:()=>"vertical",getAlignments:e=>void 0!==e.alignments?e.alignments:e.contentSize||e.wideSize?["wide","full","left","center","right"]:["left","center","right"]},Ak];function cA(e="default"){return lA.find((t=>t.name===e))}const uA={type:"default"},dA=(0,tt.createContext)(uA),pA=dA.Provider;function mA({layout:e={},...t}){const n=cA(e.type);return n?(0,tt.createElement)(n.save,ot({layout:e},t)):null}const hA=["left","center","right","wide","full"],fA=["wide","full"];function gA(e=hA){const{wideControlsEnabled:t=!1,themeSupportsLayout:n}=Cl((e=>{const{getSettings:t}=e(pk),n=t();return{wideControlsEnabled:n.alignWide,themeSupportsLayout:n.supportsLayout}}),[]),r=(0,tt.useContext)(dA),o=cA(null==r?void 0:r.type),a=o.getAlignments(r);if(n)return a.filter((t=>e.includes(t)));if("default"!==o.name)return[];const{alignments:i=hA}=r;return e.filter((e=>(r.alignments||t||!fA.includes(e))&&i.includes(e)))}const bA={left:{icon:_k,title:er("Align left")},center:{icon:Mk,title:er("Align center")},right:{icon:kk,title:er("Align right")},wide:{icon:wk,title:er("Wide width")},full:{icon:Ek,title:er("Full width")}},yA={isAlternate:!0};const vA=function({value:e,onChange:t,controls:n,isToolbar:r,isCollapsed:o=!0}){const a=gA(n);if(0===a.length)return null;const i=bA[e],s=bA.center,l=r?ub:vk,c=r?{isCollapsed:o}:{};return(0,tt.createElement)(l,ot({popoverProps:yA,icon:i?i.icon:s.icon,label:er("Align"),toggleProps:{describedBy:er("Change alignment")},controls:a.map((n=>{return{...bA[n],isActive:e===n,role:o?"menuitemradio":void 0,onClick:(r=n,()=>t(e===r?void 0:r))};var r}))},c))};function _A(e){return(0,tt.createElement)(vA,ot({},e,{isToolbar:!1}))}function MA(e){return(0,tt.createElement)(vA,ot({},e,{isToolbar:!0}))}const kA=["left","center","right","wide","full"],wA=["wide","full"];function EA(e,t=!0,n=!0){let r;return r=Array.isArray(e)?kA.filter((t=>e.includes(t))):!0===e?kA:[],!n||!0===e&&!t?(0,at.without)(r,...wA):r}const LA=ni((e=>t=>{const{name:n}=t,r=gA(EA(Po(n,"align"),Ro(n,"alignWide",!0)));return[r.length>0&&t.isSelected&&(0,tt.createElement)(yk,{key:"align-controls",group:"block"},(0,tt.createElement)(_A,{value:t.attributes.align,onChange:e=>{if(!e){var n,r;(null===(n=Bo(t.name).attributes)||void 0===n||null===(r=n.align)||void 0===r?void 0:r.default)&&(e="")}t.setAttributes({align:e})},controls:r})),(0,tt.createElement)(e,ot({key:"edit"},t))]}),"withToolbarControls"),AA=ni((e=>t=>{const{name:n,attributes:r}=t,{align:o}=r,a=gA(EA(Po(n,"align"),Ro(n,"alignWide",!0)));if(void 0===o)return(0,tt.createElement)(e,t);let i=t.wrapperProps;return a.includes(o)&&(i={...i,"data-align":o}),(0,tt.createElement)(e,ot({},t,{wrapperProps:i}))}));In("blocks.registerBlockType","core/align/addAttribute",(function(e){return(0,at.has)(e.attributes,["align","type"])||Ro(e,"align")&&(e.attributes={...e.attributes,align:{type:"string",enum:[...kA,""]}}),e})),In("editor.BlockListBlock","core/editor/align/with-data-align",AA),In("editor.BlockEdit","core/editor/align/with-toolbar-controls",LA),In("blocks.getSaveContent.extraProps","core/align/addAssignedAlign",(function(e,t,n){const{align:r}=n;return EA(Po(t,"align"),Ro(t,"alignWide",!0)).includes(r)&&(e.className=so()(`align${r}`,e.className)),e}));const SA={"default.fontFamily":"-apple-system, BlinkMacSystemFont, 'Segoe UI', Roboto, Oxygen-Sans, Ubuntu, Cantarell, 'Helvetica Neue', sans-serif","default.fontSize":"13px","helpText.fontSize":"12px",mobileTextMinFontSize:"16px"};function CA(e){return(0,at.get)(SA,e,"")}const TA=Cf("div",{target:"e1puf3u3"})("font-family:",CA("default.fontFamily"),";font-size:",CA("default.fontSize"),";"),xA=Cf("div",{target:"e1puf3u2"})("margin-bottom:",dw(2),";.components-panel__row &{margin-bottom:inherit;}"),zA=Cf("label",{target:"e1puf3u1"})("display:inline-block;margin-bottom:",dw(2),";"),OA=Cf("p",{target:"e1puf3u0"})("font-size:",CA("helpText.fontSize"),";font-style:normal;color:",iw.mediumGray.text,";");function NA({id:e,label:t,hideLabelFromVision:n,help:r,className:o,children:a}){return(0,tt.createElement)(TA,{className:so()("components-base-control",o)},(0,tt.createElement)(xA,{className:"components-base-control__field"},t&&e&&(n?(0,tt.createElement)(zf,{as:"label",htmlFor:e},t):(0,tt.createElement)(zA,{className:"components-base-control__label",htmlFor:e},t)),t&&!e&&(n?(0,tt.createElement)(zf,{as:"label"},t):(0,tt.createElement)(NA.VisualLabel,null,t)),a),!!r&&(0,tt.createElement)(OA,{id:e+"__help",className:"components-base-control__help"},r))}NA.VisualLabel=({className:e,children:t})=>(e=so()("components-base-control__label",e),(0,tt.createElement)("span",{className:e},t));const DA=NA;const BA=(0,tt.forwardRef)((function e({label:t,hideLabelFromVision:n,value:r,help:o,className:a,onChange:i,type:s="text",...l},c){const u=`inspector-text-control-${lw(e)}`;return(0,tt.createElement)(DA,{label:t,hideLabelFromVision:n,id:u,help:o,className:a},(0,tt.createElement)("input",ot({className:"components-text-control__input",type:s,id:u,value:r,onChange:e=>i(e.target.value),"aria-describedby":o?u+"__help":void 0,ref:c},l)))})),IA=(0,tt.createElement)(mo,{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24"},(0,tt.createElement)(uo,{d:"M18.2 17c0 .7-.6 1.2-1.2 1.2H7c-.7 0-1.2-.6-1.2-1.2V7c0-.7.6-1.2 1.2-1.2h3.2V4.2H7C5.5 4.2 4.2 5.5 4.2 7v10c0 1.5 1.2 2.8 2.8 2.8h10c1.5 0 2.8-1.2 2.8-2.8v-3.6h-1.5V17zM14.9 3v1.5h3.7l-6.4 6.4 1.1 1.1 6.4-6.4v3.7h1.5V3h-6.3z"}));const PA=Cf(oA,{target:"etxm6pv0"})({name:"bqq7t3",styles:"width:1.4em;height:1.4em;margin:-0.2em 0.1em 0;vertical-align:middle;fill:currentColor"});const RA=(0,tt.forwardRef)((function({href:e,children:t,className:n,rel:r="",...o},a){r=(0,at.uniq)((0,at.compact)([...r.split(" "),"external","noreferrer","noopener"])).join(" ");const i=so()("components-external-link",n);return(0,tt.createElement)("a",ot({},o,{className:i,href:e,target:"_blank",rel:r,ref:a}),t,(0,tt.createElement)(zf,{as:"span"},er("(opens in a new tab)")),(0,tt.createElement)(PA,{icon:IA,className:"components-external-link__icon"}))})),WA="undefined"!=typeof window&&window.navigator.userAgent.indexOf("Trident")>=0,YA={NODE_ENV:"production"}.FORCE_REDUCED_MOTION||WA?()=>!0:()=>em("(prefers-reduced-motion: reduce)"),HA=(0,tt.createElement)(mo,{viewBox:"0 0 24 24",xmlns:"http://www.w3.org/2000/svg"},(0,tt.createElement)(uo,{d:"M6.5 12.4L12 8l5.5 4.4-.9 1.2L12 10l-4.5 3.6-1-1.2z"})),qA=(0,tt.createElement)(mo,{viewBox:"0 0 24 24",xmlns:"http://www.w3.org/2000/svg"},(0,tt.createElement)(uo,{d:"M17.5 11.6L12 16l-5.5-4.4.9-1.2L12 14l4.5-3.6 1 1.2z"}));const jA=(0,tt.forwardRef)((({isOpened:e,icon:t,title:n,...r},o)=>n?(0,tt.createElement)("h2",{className:"components-panel__body-title"},(0,tt.createElement)(Nf,ot({className:"components-panel__body-toggle","aria-expanded":e,ref:o},r),(0,tt.createElement)("span",{"aria-hidden":"true"},(0,tt.createElement)(Ph,{className:"components-panel__arrow",icon:e?HA:qA})),n,t&&(0,tt.createElement)(Ph,{icon:t,className:"components-panel__icon",size:20}))):null)),FA=(0,tt.forwardRef)((function({buttonProps:e={},children:t,className:n,icon:r,initialOpen:o,onToggle:a=at.noop,opened:i,title:s,scrollAfterOpen:l=!0},c){const[u,d]=nA(i,{initial:void 0===o||o}),p=(0,tt.useRef)(),m=YA()?"auto":"smooth",h=(0,tt.useRef)();h.current=l,DL((()=>{var e;u&&h.current&&null!==(e=p.current)&&void 0!==e&&e.scrollIntoView&&p.current.scrollIntoView({inline:"nearest",block:"nearest",behavior:m})}),[u,m]);const f=so()("components-panel__body",n,{"is-opened":u});return(0,tt.createElement)("div",{className:f,ref:$m([p,c])},(0,tt.createElement)(jA,ot({icon:r,isOpened:u,onClick:e=>{e.preventDefault();const t=!u;d(t),a(t)},title:s},e)),"function"==typeof t?t({opened:u}):u&&t)}));FA.displayName="PanelBody";const VA=FA,XA="InspectorAdvancedControls",{Fill:UA,Slot:$A}=_h(XA);function KA({children:e}){const{isSelected:t}=mb();return t?(0,tt.createElement)($p,{document},(0,tt.createElement)(UA,null,e)):null}KA.slotName=XA,KA.Slot=$A;const GA=KA,{Fill:JA,Slot:ZA}=_h("InspectorControls");function QA({children:e}){return mk()?(0,tt.createElement)($p,{document},(0,tt.createElement)(JA,null,e)):null}QA.Slot=ZA;const eS=QA,tS=/[\s#]/g;const nS=ni((e=>t=>{if(Ro(t.name,"anchor")&&t.isSelected){const n="web"===Tb.OS,r=(0,tt.createElement)(BA,{className:"html-anchor-control",label:er("HTML anchor"),help:(0,tt.createElement)(tt.Fragment,null,er("Enter a word or two — without spaces — to make a unique web address just for this block, called an “anchor.” Then, you’ll be able to link directly to this section of your page."),n&&(0,tt.createElement)(RA,{href:"https://wordpress.org/support/article/page-jumps/"},er("Learn more about anchors"))),value:t.attributes.anchor||"",placeholder:n?null:er("Add an anchor"),onChange:e=>{e=e.replace(tS,"-"),t.setAttributes({anchor:e})},autoCapitalize:"none",autoComplete:"off"});return(0,tt.createElement)(tt.Fragment,null,(0,tt.createElement)(e,t),n&&(0,tt.createElement)(GA,null,r),!n&&"core/heading"===t.name&&(0,tt.createElement)(eS,null,(0,tt.createElement)(VA,{title:er("Heading settings")},r)))}return(0,tt.createElement)(e,t)}),"withInspectorControl");In("blocks.registerBlockType","core/anchor/attribute",(function(e){return(0,at.has)(e.attributes,["anchor","type"])||Ro(e,"anchor")&&(e.attributes={...e.attributes,anchor:{type:"string",source:"attribute",attribute:"id",selector:"*"}}),e})),In("editor.BlockEdit","core/editor/anchor/with-inspector-control",nS),In("blocks.getSaveContent.extraProps","core/anchor/save-props",(function(e,t,n){return Ro(t,"anchor")&&(e.id=""===n.anchor?null:n.anchor),e}));const rS=ni((e=>t=>Ro(t.name,"customClassName",!0)&&t.isSelected?(0,tt.createElement)(tt.Fragment,null,(0,tt.createElement)(e,t),(0,tt.createElement)(GA,null,(0,tt.createElement)(BA,{autoComplete:"off",label:er("Additional CSS class(es)"),value:t.attributes.className||"",onChange:e=>{t.setAttributes({className:""!==e?e:void 0})},help:er("Separate multiple classes with spaces.")}))):(0,tt.createElement)(e,t)),"withInspectorControl");function oS(e){const t=Ui(e=`

${e}
`,{type:"string",source:"attribute",selector:"[data-custom-class-name] > *",attribute:"class"});return t?t.trim().split(/\s+/):[]}In("blocks.registerBlockType","core/custom-class-name/attribute",(function(e){return Ro(e,"customClassName",!0)&&(e.attributes={...e.attributes,className:{type:"string"}}),e})),In("editor.BlockEdit","core/editor/custom-class-name/with-inspector-control",rS),In("blocks.getSaveContent.extraProps","core/custom-class-name/save-props",(function(e,t,n){return Ro(t,"customClassName",!0)&&n.className&&(e.className=so()(e.className,n.className)),e})),In("blocks.getBlockAttributes","core/custom-class-name/addParsedDifference",(function(e,t,n){if(Ro(t,"customClassName",!0)){const r=ui(t,(0,at.omit)(e,["className"])),o=oS(r),a=oS(n),i=(0,at.difference)(a,o);i.length?e.className=i.join(" "):r&&delete e.className}return e})),In("blocks.getSaveContent.extraProps","core/generated-class-name/save-props",(function(e,t){return Ro(t,"className",!0)&&("string"==typeof e.className?e.className=(0,at.uniq)([si(t.name),...e.className.split(" ")]).join(" ").trim():e.className=si(t.name)),e}));const aS=({className:e,colorValue:t,...n})=>(0,tt.createElement)("span",ot({className:so()("component-color-indicator",e),style:{background:t}},n));const iS=(0,tt.forwardRef)((function({className:e,...t},n){const r=so()("components-button-group",e);return(0,tt.createElement)("div",ot({ref:n,role:"group",className:r},t))})),sS=ni((e=>e.prototype instanceof tt.Component?class extends e{shouldComponentUpdate(e,t){return!ti(e,this.props)||!ti(t,this.state)}}:class extends tt.Component{shouldComponentUpdate(e){return!ti(e,this.props)}render(){return(0,tt.createElement)(e,this.props)}}),"pure");function lS(e={},t=!1){const n=e.hex?go()(e.hex):go()(e),r=n.toHsl();r.h=Math.round(r.h),r.s=Math.round(100*r.s),r.l=Math.round(100*r.l);const o=n.toHsv();o.h=Math.round(o.h),o.s=Math.round(100*o.s),o.v=Math.round(100*o.v);const a=n.toRgb(),i=n.toHex();0===r.s&&(r.h=t||0,o.h=t||0);return{color:n,hex:"000000"===i&&0===a.a?"transparent":`#${i}`,hsl:r,hsv:o,oldHue:e.h||t||r.h,rgb:a,source:e.source}}function cS(e,t){e.preventDefault();const{left:n,top:r,width:o,height:a}=t.getBoundingClientRect(),i="number"==typeof e.pageX?e.pageX:e.touches[0].pageX,s="number"==typeof e.pageY?e.pageY:e.touches[0].pageY;let l=i-(n+window.pageXOffset),c=s-(r+window.pageYOffset);return l<0?l=0:l>o?l=o:c<0?c=0:c>a&&(c=a),{top:c,left:l,width:o,height:a}}function uS(e){const t="#"===String(e).charAt(0)?1:0;return e.length!==4+t&&e.length<7+t&&go()(e).isValid()}var dS=n(2441),pS=n.n(dS);n(3956);const mS=function(e,t,{bindGlobal:n=!1,eventName:r="keydown",isDisabled:o=!1,target:a}={}){const i=(0,tt.useRef)(t);(0,tt.useEffect)((()=>{i.current=t}),[t]),(0,tt.useEffect)((()=>{if(o)return;const t=new(pS())(a&&a.current?a.current:document);return(0,at.castArray)(e).forEach((e=>{const o=e.split("+"),a=new Set(o.filter((e=>e.length>1))),s=a.has("alt"),l=a.has("shift");if(function(e=window){const{platform:t}=e.navigator;return-1!==t.indexOf("Mac")||(0,at.includes)(["iPad","iPhone"],t)}()&&(1===a.size&&s||2===a.size&&s&&l))throw new Error(`Cannot bind ${e}. Alt and Shift+Alt modifiers are reserved for character input.`);t[n?"bindGlobal":"bind"](e,((...e)=>i.current(...e)),r)})),()=>{t.reset()}}),[e,n,r,a,o])};function hS({target:e,callback:t,shortcut:n,bindGlobal:r,eventName:o}){return mS(n,t,{bindGlobal:r,target:e,eventName:o}),null}const fS=function({children:e,shortcuts:t,bindGlobal:n,eventName:r}){const o=(0,tt.useRef)(),a=(0,at.map)(t,((e,t)=>(0,tt.createElement)(hS,{key:t,shortcut:t,callback:e,bindGlobal:n,eventName:r,target:o})));return tt.Children.count(e)?(0,tt.createElement)("div",{ref:o},a,e):a};class gS extends tt.Component{constructor(){super(...arguments),this.container=(0,tt.createRef)(),this.increase=this.increase.bind(this),this.decrease=this.decrease.bind(this),this.handleChange=this.handleChange.bind(this),this.handleMouseDown=this.handleMouseDown.bind(this),this.handleMouseUp=this.handleMouseUp.bind(this)}componentWillUnmount(){this.unbindEventListeners()}increase(e=.01){const{hsl:t,onChange:n=at.noop}=this.props;e=parseInt(100*e,10);n({h:t.h,s:t.s,l:t.l,a:(parseInt(100*t.a,10)+e)/100,source:"rgb"})}decrease(e=.01){const{hsl:t,onChange:n=at.noop}=this.props,r=parseInt(100*t.a,10)-parseInt(100*e,10);n({h:t.h,s:t.s,l:t.l,a:t.a<=e?0:r/100,source:"rgb"})}handleChange(e){const{onChange:t=at.noop}=this.props,n=function(e,t,n){const{left:r,width:o}=cS(e,n),a=r<0?0:Math.round(100*r/o)/100;return t.hsl.a!==a?{h:t.hsl.h,s:t.hsl.s,l:t.hsl.l,a,source:"rgb"}:null}(e,this.props,this.container.current);n&&t(n,e)}handleMouseDown(e){this.handleChange(e),window.addEventListener("mousemove",this.handleChange),window.addEventListener("mouseup",this.handleMouseUp)}handleMouseUp(){this.unbindEventListeners()}preventKeyEvents(e){9!==e.keyCode&&e.preventDefault()}unbindEventListeners(){window.removeEventListener("mousemove",this.handleChange),window.removeEventListener("mouseup",this.handleMouseUp)}render(){const{rgb:e}=this.props,t=`${e.r},${e.g},${e.b}`,n={background:`linear-gradient(to right, rgba(${t}, 0) 0%, rgba(${t}, 1) 100%)`},r={left:100*e.a+"%"},o={up:()=>this.increase(),right:()=>this.increase(),"shift+up":()=>this.increase(.1),"shift+right":()=>this.increase(.1),pageup:()=>this.increase(.1),end:()=>this.increase(1),down:()=>this.decrease(),left:()=>this.decrease(),"shift+down":()=>this.decrease(.1),"shift+left":()=>this.decrease(.1),pagedown:()=>this.decrease(.1),home:()=>this.decrease(1)};return(0,tt.createElement)(fS,{shortcuts:o},(0,tt.createElement)("div",{className:"components-color-picker__alpha"},(0,tt.createElement)("div",{className:"components-color-picker__alpha-gradient",style:n}),(0,tt.createElement)("div",{className:"components-color-picker__alpha-bar",ref:this.container,onMouseDown:this.handleMouseDown,onTouchMove:this.handleChange,onTouchStart:this.handleChange},(0,tt.createElement)("div",{tabIndex:"0",role:"slider","aria-valuemax":"1","aria-valuemin":"0","aria-valuenow":e.a,"aria-orientation":"horizontal","aria-label":er("Alpha value, from 0 (transparent) to 1 (fully opaque)."),className:"components-color-picker__alpha-pointer",style:r,onKeyDown:this.preventKeyEvents}))))}}const bS=sS(gS),yS=at.flowRight,vS=ni((e=>t=>{const n=lw(e);return(0,tt.createElement)(e,ot({},t,{instanceId:n}))}),"withInstanceId");class _S extends tt.Component{constructor(){super(...arguments),this.container=(0,tt.createRef)(),this.increase=this.increase.bind(this),this.decrease=this.decrease.bind(this),this.handleChange=this.handleChange.bind(this),this.handleMouseDown=this.handleMouseDown.bind(this),this.handleMouseUp=this.handleMouseUp.bind(this)}componentWillUnmount(){this.unbindEventListeners()}increase(e=1){const{hsl:t,onChange:n=at.noop}=this.props;n({h:t.h+e>=359?359:t.h+e,s:t.s,l:t.l,a:t.a,source:"rgb"})}decrease(e=1){const{hsl:t,onChange:n=at.noop}=this.props;n({h:t.h<=e?0:t.h-e,s:t.s,l:t.l,a:t.a,source:"rgb"})}handleChange(e){const{onChange:t=at.noop}=this.props,n=function(e,t,n){const{left:r,width:o}=cS(e,n),a=r>=o?359:100*r/o*360/100;return t.hsl.h!==a?{h:a,s:t.hsl.s,l:t.hsl.l,a:t.hsl.a,source:"rgb"}:null}(e,this.props,this.container.current);n&&t(n,e)}handleMouseDown(e){this.handleChange(e),window.addEventListener("mousemove",this.handleChange),window.addEventListener("mouseup",this.handleMouseUp)}handleMouseUp(){this.unbindEventListeners()}preventKeyEvents(e){9!==e.keyCode&&e.preventDefault()}unbindEventListeners(){window.removeEventListener("mousemove",this.handleChange),window.removeEventListener("mouseup",this.handleMouseUp)}render(){const{hsl:e={},instanceId:t}=this.props,n={left:100*e.h/360+"%"},r={up:()=>this.increase(),right:()=>this.increase(),"shift+up":()=>this.increase(10),"shift+right":()=>this.increase(10),pageup:()=>this.increase(10),end:()=>this.increase(359),down:()=>this.decrease(),left:()=>this.decrease(),"shift+down":()=>this.decrease(10),"shift+left":()=>this.decrease(10),pagedown:()=>this.decrease(10),home:()=>this.decrease(359)};return(0,tt.createElement)(fS,{shortcuts:r},(0,tt.createElement)("div",{className:"components-color-picker__hue"},(0,tt.createElement)("div",{className:"components-color-picker__hue-gradient"}),(0,tt.createElement)("div",{className:"components-color-picker__hue-bar",ref:this.container,onMouseDown:this.handleMouseDown,onTouchMove:this.handleChange,onTouchStart:this.handleChange},(0,tt.createElement)("div",{tabIndex:"0",role:"slider","aria-valuemax":"1","aria-valuemin":"359","aria-valuenow":e.h,"aria-orientation":"horizontal","aria-label":er("Hue value in degrees, from 0 to 359."),"aria-describedby":`components-color-picker__hue-description-${t}`,className:"components-color-picker__hue-pointer",style:n,onKeyDown:this.preventKeyEvents}),(0,tt.createElement)(zf,{as:"p",id:`components-color-picker__hue-description-${t}`},er("Move the arrow left or right to change hue.")))))}}const MS=yS(sS,vS)(_S);class kS extends tt.Component{constructor(){super(...arguments),this.handleBlur=this.handleBlur.bind(this),this.handleChange=this.handleChange.bind(this),this.handleKeyDown=this.handleKeyDown.bind(this)}handleBlur(){const{value:e,valueKey:t,onChange:n,source:r}=this.props;n({source:r,state:"commit",value:e,valueKey:t})}handleChange(e){const{valueKey:t,onChange:n,source:r}=this.props;e.length>4&&uS(e)?n({source:r,state:"commit",value:e,valueKey:t}):n({source:r,state:"draft",value:e,valueKey:t})}handleKeyDown({keyCode:e}){if(e!==pm&&e!==fm&&e!==bm)return;const{value:t,valueKey:n,onChange:r,source:o}=this.props;r({source:o,state:"commit",value:t,valueKey:n})}render(){const{label:e,value:t,...n}=this.props;return(0,tt.createElement)(BA,ot({className:"components-color-picker__inputs-field",label:e,value:t,onChange:e=>this.handleChange(e),onBlur:this.handleBlur,onKeyDown:this.handleKeyDown},(0,at.omit)(n,["onChange","valueKey","source"])))}}const wS=sS(Nf);class ES extends tt.Component{constructor({hsl:e}){super(...arguments);const t=1===e.a?"hex":"rgb";this.state={view:t},this.toggleViews=this.toggleViews.bind(this),this.resetDraftValues=this.resetDraftValues.bind(this),this.handleChange=this.handleChange.bind(this),this.normalizeValue=this.normalizeValue.bind(this)}static getDerivedStateFromProps(e,t){return 1!==e.hsl.a&&"hex"===t.view?{view:"rgb"}:null}toggleViews(){"hex"===this.state.view?(this.setState({view:"rgb"},this.resetDraftValues),wv(er("RGB mode active"))):"rgb"===this.state.view?(this.setState({view:"hsl"},this.resetDraftValues),wv(er("Hue/saturation/lightness mode active"))):"hsl"===this.state.view&&(1===this.props.hsl.a?(this.setState({view:"hex"},this.resetDraftValues),wv(er("Hex color mode active"))):(this.setState({view:"rgb"},this.resetDraftValues),wv(er("RGB mode active"))))}resetDraftValues(){return this.props.onChange({state:"reset"})}normalizeValue(e,t){return"a"!==e?t:t<0?0:t>1?1:Math.round(100*t)/100}handleChange({source:e,state:t,value:n,valueKey:r}){this.props.onChange({source:e,state:t,valueKey:r,value:this.normalizeValue(r,n)})}renderFields(){const{disableAlpha:e=!1}=this.props;if("hex"===this.state.view)return(0,tt.createElement)("div",{className:"components-color-picker__inputs-fields"},(0,tt.createElement)(kS,{source:this.state.view,label:er("Color value in hexadecimal"),valueKey:"hex",value:this.props.hex,onChange:this.handleChange}));if("rgb"===this.state.view){const t=er(e?"Color value in RGB":"Color value in RGBA");return(0,tt.createElement)("fieldset",null,(0,tt.createElement)(zf,{as:"legend"},t),(0,tt.createElement)("div",{className:"components-color-picker__inputs-fields"},(0,tt.createElement)(kS,{source:this.state.view,label:"r",valueKey:"r",value:this.props.rgb.r,onChange:this.handleChange,type:"number",min:"0",max:"255"}),(0,tt.createElement)(kS,{source:this.state.view,label:"g",valueKey:"g",value:this.props.rgb.g,onChange:this.handleChange,type:"number",min:"0",max:"255"}),(0,tt.createElement)(kS,{source:this.state.view,label:"b",valueKey:"b",value:this.props.rgb.b,onChange:this.handleChange,type:"number",min:"0",max:"255"}),e?null:(0,tt.createElement)(kS,{source:this.state.view,label:"a",valueKey:"a",value:this.props.rgb.a,onChange:this.handleChange,type:"number",min:"0",max:"1",step:"0.01"})))}if("hsl"===this.state.view){const t=er(e?"Color value in HSL":"Color value in HSLA");return(0,tt.createElement)("fieldset",null,(0,tt.createElement)(zf,{as:"legend"},t),(0,tt.createElement)("div",{className:"components-color-picker__inputs-fields"},(0,tt.createElement)(kS,{source:this.state.view,label:"h",valueKey:"h",value:this.props.hsl.h,onChange:this.handleChange,type:"number",min:"0",max:"359"}),(0,tt.createElement)(kS,{source:this.state.view,label:"s",valueKey:"s",value:this.props.hsl.s,onChange:this.handleChange,type:"number",min:"0",max:"100"}),(0,tt.createElement)(kS,{source:this.state.view,label:"l",valueKey:"l",value:this.props.hsl.l,onChange:this.handleChange,type:"number",min:"0",max:"100"}),e?null:(0,tt.createElement)(kS,{source:this.state.view,label:"a",valueKey:"a",value:this.props.hsl.a,onChange:this.handleChange,type:"number",min:"0",max:"1",step:"0.05"})))}}render(){return(0,tt.createElement)("div",{className:"components-color-picker__inputs-wrapper"},this.renderFields(),(0,tt.createElement)("div",{className:"components-color-picker__inputs-toggle-wrapper"},(0,tt.createElement)(wS,{className:"components-color-picker__inputs-toggle",icon:qA,label:er("Change color format"),onClick:this.toggleViews})))}}const LS=ES;class AS extends tt.Component{constructor(e){super(e),this.throttle=(0,at.throttle)(((e,t,n)=>{e(t,n)}),50),this.container=(0,tt.createRef)(),this.saturate=this.saturate.bind(this),this.brighten=this.brighten.bind(this),this.handleChange=this.handleChange.bind(this),this.handleMouseDown=this.handleMouseDown.bind(this),this.handleMouseUp=this.handleMouseUp.bind(this)}componentWillUnmount(){this.throttle.cancel(),this.unbindEventListeners()}saturate(e=.01){const{hsv:t,onChange:n=at.noop}=this.props,r=(0,at.clamp)(t.s+Math.round(100*e),0,100);n({h:t.h,s:r,v:t.v,a:t.a,source:"rgb"})}brighten(e=.01){const{hsv:t,onChange:n=at.noop}=this.props,r=(0,at.clamp)(t.v+Math.round(100*e),0,100);n({h:t.h,s:t.s,v:r,a:t.a,source:"rgb"})}handleChange(e){const{onChange:t=at.noop}=this.props,n=function(e,t,n){const{top:r,left:o,width:a,height:i}=cS(e,n),s=o<0?0:100*o/a;let l=r>=i?0:-100*r/i+100;return l<1&&(l=0),{h:t.hsl.h,s,v:l,a:t.hsl.a,source:"rgb"}}(e,this.props,this.container.current);this.throttle(t,n,e)}handleMouseDown(e){this.handleChange(e),window.addEventListener("mousemove",this.handleChange),window.addEventListener("mouseup",this.handleMouseUp)}handleMouseUp(){this.unbindEventListeners()}preventKeyEvents(e){9!==e.keyCode&&e.preventDefault()}unbindEventListeners(){window.removeEventListener("mousemove",this.handleChange),window.removeEventListener("mouseup",this.handleMouseUp)}render(){const{hsv:e,hsl:t,instanceId:n}=this.props,r={top:100-e.v+"%",left:`${e.s}%`},o={up:()=>this.brighten(),"shift+up":()=>this.brighten(.1),pageup:()=>this.brighten(1),down:()=>this.brighten(-.01),"shift+down":()=>this.brighten(-.1),pagedown:()=>this.brighten(-1),right:()=>this.saturate(),"shift+right":()=>this.saturate(.1),end:()=>this.saturate(1),left:()=>this.saturate(-.01),"shift+left":()=>this.saturate(-.1),home:()=>this.saturate(-1)};return(0,tt.createElement)(fS,{shortcuts:o},(0,tt.createElement)("div",{style:{background:`hsl(${t.h},100%, 50%)`},className:"components-color-picker__saturation-color",ref:this.container,onMouseDown:this.handleMouseDown,onTouchMove:this.handleChange,onTouchStart:this.handleChange,role:"application"},(0,tt.createElement)("div",{className:"components-color-picker__saturation-white"}),(0,tt.createElement)("div",{className:"components-color-picker__saturation-black"}),(0,tt.createElement)(Nf,{"aria-label":er("Choose a shade"),"aria-describedby":`color-picker-saturation-${n}`,className:"components-color-picker__saturation-pointer",style:r,onKeyDown:this.preventKeyEvents}),(0,tt.createElement)(zf,{id:`color-picker-saturation-${n}`},er("Use your arrow keys to change the base color. Move up to lighten the color, down to darken, left to decrease saturation, and right to increase saturation."))))}}const SS=yS(sS,vS)(AS),CS=e=>String(e).toLowerCase(),TS=e=>e.hex?uS(e.hex):function(e){let t=0,n=0;return(0,at.each)(["r","g","b","a","h","s","l","v"],(r=>{e[r]&&(t+=1,isNaN(e[r])||(n+=1))})),t===n&&e}(e),xS=(e,{source:t,valueKey:n,value:r})=>"hex"===t?{source:t,[t]:r}:{source:t,...{...e[t],[n]:r}};class zS extends tt.Component{constructor({color:e="0071a1"}){super(...arguments);const t=lS(e);this.state={...t,draftHex:CS(t.hex),draftRgb:t.rgb,draftHsl:t.hsl},this.commitValues=this.commitValues.bind(this),this.setDraftValues=this.setDraftValues.bind(this),this.resetDraftValues=this.resetDraftValues.bind(this),this.handleInputChange=this.handleInputChange.bind(this)}commitValues(e){const{oldHue:t,onChangeComplete:n=at.noop}=this.props;if(TS(e)){const r=lS(e,e.h||t);this.setState({...r,draftHex:CS(r.hex),draftHsl:r.hsl,draftRgb:r.rgb},(0,at.debounce)((0,at.partial)(n,r),100))}}resetDraftValues(){this.setState({draftHex:this.state.hex,draftHsl:this.state.hsl,draftRgb:this.state.rgb})}setDraftValues(e){switch(e.source){case"hex":this.setState({draftHex:CS(e.hex)});break;case"rgb":this.setState({draftRgb:e});break;case"hsl":this.setState({draftHsl:e})}}handleInputChange(e){switch(e.state){case"reset":this.resetDraftValues();break;case"commit":const t=xS(this.state,e);(e=>"hex"===e.source&&void 0===e.hex||"hsl"===e.source&&(void 0===e.h||void 0===e.s||void 0===e.l)||!("rgb"!==e.source||void 0!==e.r&&void 0!==e.g&&void 0!==e.b||void 0!==e.h&&void 0!==e.s&&void 0!==e.v&&void 0!==e.a||void 0!==e.h&&void 0!==e.s&&void 0!==e.l&&void 0!==e.a))(t)||this.commitValues(t);break;case"draft":this.setDraftValues(xS(this.state,e))}}render(){const{className:e,disableAlpha:t}=this.props,{color:n,hsl:r,hsv:o,rgb:a,draftHex:i,draftHsl:s,draftRgb:l}=this.state,c=so()(e,{"components-color-picker":!0,"is-alpha-disabled":t,"is-alpha-enabled":!t});return(0,tt.createElement)("div",{className:c},(0,tt.createElement)("div",{className:"components-color-picker__saturation"},(0,tt.createElement)(SS,{hsl:r,hsv:o,onChange:this.commitValues})),(0,tt.createElement)("div",{className:"components-color-picker__body"},(0,tt.createElement)("div",{className:"components-color-picker__controls"},(0,tt.createElement)("div",{className:"components-color-picker__swatch"},(0,tt.createElement)("div",{className:"components-color-picker__active",style:{backgroundColor:n&&n.toRgbString()}})),(0,tt.createElement)("div",{className:"components-color-picker__toggles"},(0,tt.createElement)(MS,{hsl:r,onChange:this.commitValues}),t?null:(0,tt.createElement)(bS,{rgb:a,hsl:r,onChange:this.commitValues}))),(0,tt.createElement)(LS,{rgb:l,hsl:s,hex:i,onChange:this.handleInputChange,disableAlpha:t})))}}const OS=(0,tt.createElement)(mo,{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24"},(0,tt.createElement)(uo,{d:"M18.3 5.6L9.9 16.9l-4.6-3.4-.9 1.2 5.8 4.3 9.3-12.6z"}));function NS({actions:e,className:t,options:n,children:r}){return(0,tt.createElement)("div",{className:so()("components-circular-option-picker",t)},(0,tt.createElement)("div",{className:"components-circular-option-picker__swatches"},n),r,e&&(0,tt.createElement)("div",{className:"components-circular-option-picker__custom-clear-wrapper"},e))}function DS({clearable:e=!0,className:t,colors:n,disableCustomColors:r=!1,onChange:o,value:a}){const i=(0,tt.useCallback)((()=>o(void 0)),[o]),s=(0,tt.useMemo)((()=>(0,at.map)(n,(({color:e,name:t})=>(0,tt.createElement)(NS.Option,{key:e,isSelected:a===e,selectedIconProps:a===e?{fill:go().mostReadable(e,["#000","#fff"]).toHexString()}:{},tooltipText:t||pn(er("Color code: %s"),e),style:{backgroundColor:e,color:e},onClick:a===e?i:()=>o(e),"aria-label":t?pn(er("Color: %s"),t):pn(er("Color code: %s"),e)})))),[n,a,o,i]);return(0,tt.createElement)(NS,{className:t,options:s,actions:(0,tt.createElement)(tt.Fragment,null,!r&&(0,tt.createElement)(NS.DropdownLinkAction,{dropdownProps:{renderContent:()=>(0,tt.createElement)(zS,{color:a,onChangeComplete:e=>o(e.hex),disableAlpha:!0}),contentClassName:"components-color-palette__picker"},buttonProps:{"aria-label":er("Custom color picker")},linkText:er("Custom color")}),!!e&&(0,tt.createElement)(NS.ButtonAction,{onClick:i},er("Clear")))})}NS.Option=function({className:e,isSelected:t,selectedIconProps:n,tooltipText:r,...o}){const a=(0,tt.createElement)(Nf,ot({isPressed:t,className:so()(e,"components-circular-option-picker__option")},o));return(0,tt.createElement)("div",{className:"components-circular-option-picker__option-wrapper"},r?(0,tt.createElement)(Bh,{text:r},a):a,t&&(0,tt.createElement)(oA,ot({icon:OS},n||{})))},NS.ButtonAction=function({className:e,children:t,...n}){return(0,tt.createElement)(Nf,ot({className:so()("components-circular-option-picker__clear",e),isSmall:!0,variant:"secondary"},n),t)},NS.DropdownLinkAction=function({buttonProps:e,className:t,dropdownProps:n,linkText:r}){return(0,tt.createElement)(tb,ot({className:so()("components-circular-option-picker__dropdown-link-action",t),renderToggle:({isOpen:t,onToggle:n})=>(0,tt.createElement)(Nf,ot({"aria-expanded":t,"aria-haspopup":"true",onClick:n,variant:"link"},e),r)},n))};const BS=_w({as:"div",useHook:function(e){return Mw({isBlock:!0,...lf(e,"FlexBlock")})},name:"FlexBlock"});const IS=Cf(vw,{target:"e65ony43"})({name:"1ww443i",styles:"max-width:200px"}),PS=Cf("div",{target:"e65ony42"})("border-radius:50%;border:1px solid ",iw.ui.borderLight,";box-sizing:border-box;cursor:grab;height:",30,"px;overflow:hidden;width:",30,"px;"),RS=Cf("div",{target:"e65ony41"})({name:"1bhd2sw",styles:"box-sizing:border-box;position:relative;width:100%;height:100%"}),WS=Cf("div",{target:"e65ony40"})("background:",iw.ui.border,";border-radius:50%;border:3px solid ",iw.ui.border,";bottom:0;box-sizing:border-box;display:block;height:1px;left:0;margin:auto;position:absolute;right:0;top:-",15,"px;width:1px;");const YS=function({value:e,onChange:t,...n}){const r=(0,tt.useRef)(),o=(0,tt.useRef)(),a=(0,tt.useRef)(),i=e=>{const{x:n,y:a}=o.current,{ownerDocument:i}=r.current;e.preventDefault(),i.activeElement.blur(),t(function(e,t,n,r){const o=r-t,a=n-e,i=Math.atan2(o,a),s=Math.round(i*(180/Math.PI))+90;if(s<0)return 360+s;return s}(n,a,e.clientX,e.clientY))},{startDrag:s,isDragging:l}=function({onDragStart:e,onDragMove:t,onDragEnd:n}){const[r,o]=(0,tt.useState)(!1),a=(0,tt.useRef)({onDragStart:e,onDragMove:t,onDragEnd:n});gl((()=>{a.current.onDragStart=e,a.current.onDragMove=t,a.current.onDragEnd=n}),[e,t,n]);const i=(0,tt.useCallback)((e=>a.current.onDragMove&&a.current.onDragMove(e)),[]),s=(0,tt.useCallback)((e=>{a.current.onDragEnd&&a.current.onDragEnd(e),document.removeEventListener("mousemove",i),document.removeEventListener("mouseup",s),o(!1)}),[]),l=(0,tt.useCallback)((e=>{a.current.onDragStart&&a.current.onDragStart(e),document.addEventListener("mousemove",i),document.addEventListener("mouseup",s),o(!0)}),[]);return(0,tt.useEffect)((()=>()=>{r&&(document.removeEventListener("mousemove",i),document.removeEventListener("mouseup",s))}),[r]),{startDrag:l,endDrag:s,isDragging:r}}({onDragStart:e=>{(()=>{const e=r.current.getBoundingClientRect();o.current={x:e.x+e.width/2,y:e.y+e.height/2}})(),i(e)},onDragMove:i,onDragEnd:i});return(0,tt.useEffect)((()=>{l?(void 0===a.current&&(a.current=document.body.style.cursor),document.body.style.cursor="grabbing"):(document.body.style.cursor=a.current||null,a.current=void 0)}),[l]),(0,tt.createElement)(PS,ot({ref:r,onMouseDown:s,className:"components-angle-picker-control__angle-circle",style:l?{cursor:"grabbing"}:void 0},n),(0,tt.createElement)(RS,{style:e?{transform:`rotate(${e}deg)`}:void 0,className:"components-angle-picker-control__angle-circle-indicator-wrapper"},(0,tt.createElement)(WS,{className:"components-angle-picker-control__angle-circle-indicator"})))};function HS({className:e,hideLabelFromVision:t,id:n,label:r=er("Angle"),onChange:o,value:a,...i}){const s=lw(HS,"components-angle-picker-control__input"),l=n||s,c=so()("components-angle-picker-control",e);return(0,tt.createElement)(DA,ot({className:c,hideLabelFromVision:t,id:l,label:r},i),(0,tt.createElement)(IS,null,(0,tt.createElement)(BS,null,(0,tt.createElement)(VL,{className:"components-angle-picker-control__input-field",id:l,max:360,min:0,onChange:e=>{const t=""!==e?parseInt(e,10):0;o(t)},step:"1",value:a})),(0,tt.createElement)(kw,null,(0,tt.createElement)(YS,{"aria-hidden":"true",value:a,onChange:o}))))}const qS=(0,tt.createElement)(mo,{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24"},(0,tt.createElement)(uo,{d:"M18 11.2h-5.2V6h-1.6v5.2H6v1.6h5.2V18h1.6v-5.2H18z"})),jS={className:"components-custom-gradient-picker__color-picker-popover",position:"top"};function FS(e){return Math.max(0,Math.min(100,e))}function VS(e,t,n){const r=e.slice();return r[t]=n,r}function XS(e,t,n){if(function(e,t,n,r=0){const o=e[t].position,a=Math.min(o,n),i=Math.max(o,n);return e.some((({position:e},o)=>o!==t&&(Math.abs(e-n){const t=$S(e.clientX,n.current,18),{initialPosition:r,index:i,significantMoveHappened:s}=l.current;!s&&Math.abs(r-t)>=5&&(l.current.significantMoveHappened=!0),a(XS(o,i,t))},u=()=>{window&&window.removeEventListener&&l.current&&l.current.listenersActivated&&(window.removeEventListener("mousemove",c),window.removeEventListener("mouseup",u),s(),l.current.listenersActivated=!1)};return(0,tt.useEffect)((()=>()=>{u()}),[]),o.map(((n,d)=>{const p=null==n?void 0:n.position;return r!==p&&(0,tt.createElement)(tb,{key:d,onClose:s,renderToggle:({isOpen:e,onToggle:t})=>(0,tt.createElement)(GS,{key:d,onClick:()=>{l.current&&l.current.significantMoveHappened||(e?s():i(),t())},onMouseDown:()=>{window&&window.addEventListener&&(l.current={initialPosition:p,index:d,significantMoveHappened:!1,listenersActivated:!0},i(),window.addEventListener("mousemove",c),window.addEventListener("mouseup",u))},isOpen:e,position:n.position,color:n.color,onChange:e=>{a(XS(o,d,e))}}),renderContent:({onClose:r})=>(0,tt.createElement)(tt.Fragment,null,(0,tt.createElement)(zS,{disableAlpha:t,color:n.color,onChangeComplete:({color:e})=>{a(US(o,d,e.toRgbString()))}}),!e&&(0,tt.createElement)(Nf,{className:"components-custom-gradient-picker__remove-control-point",onClick:()=>{a(function(e,t){return e.filter(((e,n)=>n!==t))}(o,d)),r()},variant:"link"},er("Remove Control Point"))),popoverProps:jS})}))}JS.InsertPoint=function({value:e,onChange:t,onOpenInserter:n,onCloseInserter:r,insertPosition:o,disableAlpha:a}){const[i,s]=(0,tt.useState)(!1);return(0,tt.createElement)(tb,{className:"components-custom-gradient-picker__inserter",onClose:()=>{r()},renderToggle:({isOpen:e,onToggle:t})=>(0,tt.createElement)(Nf,{"aria-expanded":e,"aria-haspopup":"true",onClick:()=>{e?r():(s(!1),n()),t()},className:"components-custom-gradient-picker__insert-point",icon:qS,style:{left:null!==o?`${o}%`:void 0}}),renderContent:()=>(0,tt.createElement)(zS,{disableAlpha:a,onChangeComplete:({color:n})=>{i?t(function(e,t,n){const r=e.findIndex((e=>e.position===t));return US(e,r,n)}(e,o,n.toRgbString())):(t(function(e,t,n){const r=e.findIndex((e=>e.position>t)),o={color:n,position:t},a=e.slice();return a.splice(r-1,0,o),a}(e,o,n.toRgbString())),s(!0))}}),popoverProps:jS})};const ZS=JS;function QS(e,t){switch(t.type){case"MOVE_INSERTER":if("IDLE"===e.id||"MOVING_INSERTER"===e.id)return{id:"MOVING_INSERTER",insertPosition:t.insertPosition};break;case"STOP_INSERTER_MOVE":if("MOVING_INSERTER"===e.id)return{id:"IDLE"};break;case"OPEN_INSERTER":if("MOVING_INSERTER"===e.id)return{id:"INSERTING_CONTROL_POINT",insertPosition:e.insertPosition};break;case"CLOSE_INSERTER":if("INSERTING_CONTROL_POINT"===e.id)return{id:"IDLE"};break;case"START_CONTROL_CHANGE":if("IDLE"===e.id)return{id:"MOVING_CONTROL_POINT"};break;case"STOP_CONTROL_CHANGE":if("MOVING_CONTROL_POINT"===e.id)return{id:"IDLE"}}return e}const eC={id:"IDLE"};function tC({background:e,hasGradient:t,value:n,onChange:r,disableInserter:o=!1,disableAlpha:a=!1}){const i=(0,tt.useRef)(),[s,l]=(0,tt.useReducer)(QS,eC),c=e=>{const t=$S(e.clientX,i.current,23);(0,at.some)(n,(({position:e})=>Math.abs(t-e)<10))?"MOVING_INSERTER"===s.id&&l({type:"STOP_INSERTER_MOVE"}):l({type:"MOVE_INSERTER",insertPosition:t})},u="MOVING_INSERTER"===s.id,d="INSERTING_CONTROL_POINT"===s.id;return(0,tt.createElement)("div",{ref:i,className:so()("components-custom-gradient-picker__gradient-bar",{"has-gradient":t}),onMouseEnter:c,onMouseMove:c,style:{background:e},onMouseLeave:()=>{l({type:"STOP_INSERTER_MOVE"})}},(0,tt.createElement)("div",{className:"components-custom-gradient-picker__markers-container"},!o&&(u||d)&&(0,tt.createElement)(ZS.InsertPoint,{disableAlpha:a,insertPosition:s.insertPosition,value:n,onChange:r,onOpenInserter:()=>{l({type:"OPEN_INSERTER"})},onCloseInserter:()=>{l({type:"CLOSE_INSERTER"})}}),(0,tt.createElement)(ZS,{disableAlpha:a,disableRemove:o,gradientPickerDomRef:i,ignoreMarkerPosition:d?s.insertPosition:void 0,value:n,onChange:r,onStartControlPointChange:()=>{l({type:"START_CONTROL_CHANGE"})},onStopControlPointChange:()=>{l({type:"STOP_CONTROL_CHANGE"})}})))}const nC=Cf("select",{target:"e12x0a391"})("&&&{appearance:none;background:transparent;box-sizing:border-box;border:none;box-shadow:none!important;color:",iw.black,";display:block;margin:0;width:100%;",(({disabled:e})=>e?qk({color:iw.ui.textDisabled},"",""):""),";",(({size:e})=>{const t={default:"13px",small:"11px"}[e];return t?qk("font-size:","16px",";@media ( min-width: 600px ){font-size:",t,";}",""):""}),";",(({size:e})=>{const t={default:{height:30,lineHeight:1,minHeight:30},small:{height:24,lineHeight:1,minHeight:24}};return qk(t[e]||t.default,"","")}),";",$k({paddingLeft:8,paddingRight:24})(),";}"),rC=Cf("div",{target:"e12x0a390"})("align-items:center;bottom:0;box-sizing:border-box;display:flex;padding:0 4px;pointer-events:none;position:absolute;top:0;",$k({right:0})()," svg{display:block;}");function oC({className:e,disabled:t=!1,help:n,hideLabelFromVision:r,id:o,label:a,multiple:i=!1,onBlur:s=at.noop,onChange:l=at.noop,onFocus:c=at.noop,options:u=[],size:d="default",value:p,labelPosition:m="top",...h},f){const[g,b]=(0,tt.useState)(!1),y=function(e){const t=lw(oC);return e||`inspector-select-control-${t}`}(o),v=n?`${y}__help`:void 0;if((0,at.isEmpty)(u))return null;const _=so()("components-select-control",e);return(0,tt.createElement)(DA,{help:n},(0,tt.createElement)(ME,ot({className:_,disabled:t,hideLabelFromVision:r,id:y,isFocused:g,label:a,size:d,suffix:(0,tt.createElement)(rC,null,(0,tt.createElement)(oA,{icon:qA,size:18})),labelPosition:m},h),(0,tt.createElement)(nC,ot({},h,{"aria-describedby":v,className:"components-select-control__input",disabled:t,id:y,multiple:i,onBlur:e=>{s(e),b(!1)},onChange:e=>{if(i){const t=[...e.target.options].filter((({selected:e})=>e)).map((({value:e})=>e));l(t)}else l(e.target.value,{event:e})},onFocus:e=>{c(e),b(!0)},ref:f,size:d,value:p}),u.map(((e,t)=>{const n=e.id||`${e.label}-${e.value}-${t}`;return(0,tt.createElement)("option",{key:n,value:e.value,disabled:e.disabled},e.label)})))))}const aC=(0,tt.forwardRef)(oC);var iC=n(9948);const sC="linear-gradient(135deg, rgba(6, 147, 227, 1) 0%, rgb(155, 81, 224) 100%)",lC={type:"angular",value:90},cC=[{value:"linear-gradient",label:er("Linear")},{value:"radial-gradient",label:er("Radial")}],uC={top:0,"top right":45,"right top":45,right:90,"right bottom":135,"bottom right":135,bottom:180,"bottom left":225,"left bottom":225,left:270,"top left":315,"left top":315};function dC({type:e,value:t,length:n}){return`${function({type:e,value:t}){return"literal"===e?t:"hex"===e?`#${t}`:`${e}(${t.join(",")})`}({type:e,value:t})} ${function(e){if(!e)return"";const{value:t,type:n}=e;return`${t}${n}`}(n)}`}function pC({type:e,orientation:t,colorStops:n}){const r=function(e){if(e&&"angular"===e.type)return`${e.value}deg`}(t),o=n.sort(((e,t)=>(0,at.get)(e,["length","value"],0)-(0,at.get)(t,["length","value"],0))).map(dC);return`${e}(${(0,at.compact)([r,...o]).join(",")})`}function mC(e){return void 0===e.length||"%"!==e.length.type}function hC(e){switch(e.type){case"hex":return`#${e.value}`;case"literal":return e.value;case"rgb":case"rgba":return`${e.type}(${e.value.join(",")})`;default:return"transparent"}}const fC=Cf(BS,{target:"e99xvul1"})({name:"1gvx10y",styles:"flex-grow:5"}),gC=Cf(BS,{target:"e99xvul0"})({name:"aco78w",styles:"flex-grow:4"}),bC=({gradientAST:e,hasGradient:t,onChange:n})=>{const r=(0,at.get)(e,["orientation","value"],180);return(0,tt.createElement)(HS,{hideLabelFromVision:!0,onChange:t=>{n(pC({...e,orientation:{type:"angular",value:t}}))},value:t?r:""})},yC=({gradientAST:e,hasGradient:t,onChange:n})=>{const{type:r}=e;return(0,tt.createElement)(aC,{className:"components-custom-gradient-picker__type-picker",label:er("Type"),labelPosition:"side",onChange:t=>{"linear-gradient"===t&&n(pC({...e,...e.orientation?{}:{orientation:lC},type:"linear-gradient"})),"radial-gradient"===t&&n(pC({...(0,at.omit)(e,["orientation"]),type:"radial-gradient"}))},options:cC,value:t&&r})};function vC({value:e,onChange:t}){const n=function(e){var t;let n;try{n=iC.parse(e)[0],n.value=e}catch(e){n=iC.parse(sC)[0],n.value=sC}if("directional"===(null===(t=n.orientation)||void 0===t?void 0:t.type)&&(n.orientation.type="angular",n.orientation.value=uC[n.orientation.value].toString()),n.colorStops.some(mC)){const{colorStops:e}=n,t=100/(e.length-1);e.forEach(((e,n)=>{e.length={value:t*n,type:"%"}})),n.value=pC(n)}return n}(e),r="radial-gradient"===n.type?function(e){return pC({type:"linear-gradient",orientation:lC,colorStops:e.colorStops})}(n):n.value,o=n.value!==sC,a=n.colorStops.map((e=>({color:hC(e),position:parseInt(e.length.value)})));return(0,tt.createElement)("div",{className:"components-custom-gradient-picker"},(0,tt.createElement)(tC,{background:r,hasGradient:o,value:a,onChange:e=>{t(pC(function(e,t){return{...e,colorStops:t.map((({position:e,color:t})=>{const{r:n,g:r,b:o,a}=go()(t).toRgb();return{length:{type:"%",value:e.toString()},type:a<1?"rgba":"rgb",value:a<1?[n,r,o,a]:[n,r,o]}}))}}(n,e)))}}),(0,tt.createElement)(vw,{gap:3,className:"components-custom-gradient-picker__ui-line"},(0,tt.createElement)(fC,null,(0,tt.createElement)(yC,{gradientAST:n,hasGradient:o,onChange:t})),(0,tt.createElement)(gC,null,"linear-gradient"===n.type&&(0,tt.createElement)(bC,{gradientAST:n,hasGradient:o,onChange:t}))))}function _C({className:e,gradients:t,onChange:n,value:r,clearable:o=!0,disableCustomGradients:a=!1}){const i=(0,tt.useCallback)((()=>n(void 0)),[n]),s=(0,tt.useMemo)((()=>(0,at.map)(t,(({gradient:e,name:t})=>(0,tt.createElement)(NS.Option,{key:e,value:e,isSelected:r===e,tooltipText:t||pn(er("Gradient code: %s"),e),style:{color:"rgba( 0,0,0,0 )",background:e},onClick:r===e?i:()=>n(e),"aria-label":t?pn(er("Gradient: %s"),t):pn(er("Gradient code: %s"),e)})))),[t,r,n,i]);return(0,tt.createElement)(NS,{className:e,options:s,actions:o&&(0,tt.createElement)(NS.ButtonAction,{onClick:i},er("Clear"))},!a&&(0,tt.createElement)(vC,{value:r,onChange:n}))}const MC=(e,t,n)=>{if(t){const n=(0,at.find)(e,{slug:t});if(n)return n}return{color:n}},kC=(e,t)=>(0,at.find)(e,{color:t});function wC(e,t){if(e&&t)return`has-${(0,at.kebabCase)(t)}-${e}`}const EC=[];function LC(e){if(e)return`has-${e}-gradient-background`}function AC(e,t){const n=(0,at.find)(e,["slug",t]);return n&&n.gradient}function SC(e,t){return(0,at.find)(e,["gradient",t])}function CC(e,t){const n=SC(e,t);return n&&n.slug}const TC=er("(Color: %s)"),xC=er("(Gradient: %s)"),zC=["colors","disableCustomColors","gradients","disableCustomGradients"];function OC({colors:e,gradients:t,label:n,currentTab:r,colorValue:o,gradientValue:a}){let i,s;if("color"===r){if(o){i=o;const t=kC(e,i),n=t&&t.name;s=pn(TC,n||i)}}else if("gradient"===r&&a){i=a;const e=SC(t,i),n=e&&e.name;s=pn(xC,n||i)}return(0,tt.createElement)(tt.Fragment,null,n,!!i&&(0,tt.createElement)(aS,{colorValue:i,"aria-label":s}))}function NC({colors:e,gradients:t,disableCustomColors:n,disableCustomGradients:r,className:o,label:a,onColorChange:i,onGradientChange:s,colorValue:l,gradientValue:c,clearable:u}){const d=i&&(!(0,at.isEmpty)(e)||!n),p=s&&(!(0,at.isEmpty)(t)||!r),[m,h]=(0,tt.useState)(c?"gradient":!!d&&"color");return d||p?(0,tt.createElement)(DA,{className:so()("block-editor-color-gradient-control",o)},(0,tt.createElement)("fieldset",null,(0,tt.createElement)("legend",null,(0,tt.createElement)("div",{className:"block-editor-color-gradient-control__color-indicator"},(0,tt.createElement)(DA.VisualLabel,null,(0,tt.createElement)(OC,{currentTab:m,label:a,colorValue:l,gradientValue:c})))),d&&p&&(0,tt.createElement)(iS,{className:"block-editor-color-gradient-control__button-tabs"},(0,tt.createElement)(Nf,{isSmall:!0,isPressed:"color"===m,onClick:()=>h("color")},er("Solid")),(0,tt.createElement)(Nf,{isSmall:!0,isPressed:"gradient"===m,onClick:()=>h("gradient")},er("Gradient"))),("color"===m||!p)&&(0,tt.createElement)(DS,{value:l,onChange:p?e=>{i(e),s()}:i,colors:e,disableCustomColors:n,clearable:u}),("gradient"===m||!d)&&(0,tt.createElement)(_C,{value:c,onChange:d?e=>{s(e),i()}:s,gradients:t,disableCustomGradients:r,clearable:u}))):null}function DC(e){const t={};return t.colors=sA("color.palette"),t.gradients=sA("color.gradients"),t.disableCustomColors=!sA("color.custom"),t.disableCustomGradients=!sA("color.customGradient"),(0,tt.createElement)(NC,ot({},t,e))}const BC=function(e){return(0,at.every)(zC,(t=>e.hasOwnProperty(t)))?(0,tt.createElement)(NC,e):(0,tt.createElement)(DC,e)},IC=e=>{if(!(0,at.isObject)(e)||Array.isArray(e))return e;const t=(0,at.pickBy)((0,at.mapValues)(e,IC),at.identity);return(0,at.isEmpty)(t)?void 0:t},PC=[];function RC(e){var t;const{attributes:{borderColor:n,style:r},setAttributes:o}=e,a=sA("color.palette")||PC,i=!sA("color.custom"),s=!sA("color.customGradient");return(0,tt.createElement)(BC,{label:er("Color"),value:n||(null==r||null===(t=r.border)||void 0===t?void 0:t.color),colors:a,gradients:void 0,disableCustomColors:i,disableCustomGradients:s,onColorChange:e=>{const t=kC(a,e),n={...r,border:{...null==r?void 0:r.border,color:null!=t&&t.slug?void 0:e}},i=null!=t&&t.slug?t.slug:void 0;o({style:IC(n),borderColor:i})}})}function WC(e,t,n){var r;if(!PT(t,"color")||RT(t))return e;const{borderColor:o,style:a}=n,i=wC("border-color",o),s=so()(e.className,{"has-border-color":o||(null==a||null===(r=a.border)||void 0===r?void 0:r.color),[i]:!!i});return e.className=s||void 0,e}const YC=ni((e=>t=>{var n,r;const{name:o,attributes:a}=t,{borderColor:i}=a,s=sA("color.palette")||PC;if(!PT(o,"color")||RT(o))return(0,tt.createElement)(e,t);const l={borderColor:i?null===(n=MC(s,i))||void 0===n?void 0:n.color:void 0};let c=t.wrapperProps;return c={...t.wrapperProps,style:{...l,...null===(r=t.wrapperProps)||void 0===r?void 0:r.style}},(0,tt.createElement)(e,ot({},t,{wrapperProps:c}))}));function HC(e,t,n){return"number"!=typeof e?null:parseFloat((0,at.clamp)(e,t,n))}function qC(e="transition"){let t;switch(e){case"transition":t="transition-duration: 0ms;";break;case"animation":t="animation-duration: 1ms;";break;default:t="\n\t\t\t\tanimation-duration: 1ms;\n\t\t\t\ttransition-duration: 0ms;\n\t\t\t"}return`\n\t\t@media ( prefers-reduced-motion: reduce ) {\n\t\t\t${t};\n\t\t}\n\t`}In("blocks.registerBlockType","core/border/addAttributes",(function(e){return PT(e,"color")?e.attributes.borderColor?e:{...e,attributes:{...e.attributes,borderColor:{type:"string"}}}:e})),In("blocks.getSaveContent.extraProps","core/border/addSaveProps",WC),In("blocks.registerBlockType","core/border/addEditProps",(function(e){if(!PT(e,"color")||RT(e))return e;const t=e.getEditWrapperProps;return e.getEditWrapperProps=n=>{let r={};return t&&(r=t(n)),WC(r,e,n)},e})),In("editor.BlockListBlock","core/border/with-border-color-palette-styles",YC);var jC={name:"b1qlpp",styles:"height:30px;min-height:30px"};const FC=()=>jC,VC=Cf("div",{target:"exqw8y214"})({name:"17z6zai",styles:"-webkit-tap-highlight-color:transparent;box-sizing:border-box;align-items:flex-start;display:inline-flex;justify-content:flex-start;padding:0;position:relative;touch-action:none;width:100%"}),XC=Cf("div",{target:"exqw8y213"})("box-sizing:border-box;color:",iw.blue.medium.focus,";display:block;flex:1;padding-top:15px;position:relative;width:100%;",(({color:e=iw.ui.borderFocus})=>qk({color:e},"","")),";",FC,";",(({marks:e})=>qk({marginBottom:e?16:null},"","")),";",$k({marginLeft:10}),";"),UC=Cf("span",{target:"exqw8y212"})("margin-top:3px;",$k({marginRight:6}),";"),$C=Cf("span",{target:"exqw8y211"})("margin-top:3px;",$k({marginLeft:16}),";"),KC=Cf("span",{target:"exqw8y210"})("background-color:",iw.lightGray[600],";box-sizing:border-box;left:0;pointer-events:none;right:0;display:block;height:3px;position:absolute;margin-top:14px;top:0;",(({disabled:e,railColor:t})=>{let n=t||null;return e&&(n=iw.lightGray[400]),qk({background:n},"","")}),";"),GC=Cf("span",{target:"exqw8y29"})("background-color:currentColor;border-radius:1px;box-sizing:border-box;height:3px;pointer-events:none;display:block;position:absolute;margin-top:14px;top:0;",(({disabled:e,trackColor:t})=>{let n=t||"currentColor";return e&&(n=iw.lightGray[800]),qk({background:n},"","")}),";"),JC=Cf("span",{target:"exqw8y28"})({name:"1xuuvmv",styles:"box-sizing:border-box;display:block;pointer-events:none;position:relative;width:100%;user-select:none"}),ZC=Cf("span",{target:"exqw8y27"})("box-sizing:border-box;height:9px;left:0;position:absolute;top:-4px;width:1px;",(({disabled:e,isFilled:t})=>{let n=t?"currentColor":iw.lightGray[600];return e&&(n=iw.lightGray[800]),qk({backgroundColor:n},"","")}),";"),QC=Cf("span",{target:"exqw8y26"})("box-sizing:border-box;color:",iw.lightGray[600],";left:0;font-size:11px;position:absolute;top:12px;transform:translateX( -50% );white-space:nowrap;",(({isFilled:e})=>qk({color:e?iw.darkGray[300]:iw.lightGray[600]},"","")),";"),eT=Cf("span",{target:"exqw8y25"})("align-items:center;box-sizing:border-box;display:flex;height:",20,"px;justify-content:center;margin-top:5px;outline:0;pointer-events:none;position:absolute;top:0;user-select:none;width:",20,"px;",$k({marginLeft:-10}),";"),tT=Cf("span",{target:"exqw8y24"})("align-items:center;background-color:white;border-radius:50%;border:1px solid ",iw.darkGray[200],";box-sizing:border-box;height:100%;outline:0;position:absolute;user-select:none;width:100%;",(({isFocused:e})=>qk({borderColor:e?iw.ui.borderFocus:iw.darkGray[200],boxShadow:e?`\n\t\t\t\t0 0 0 1px ${iw.ui.borderFocus}\n\t\t\t`:"\n\t\t\t\t0 0 0 rgba(0, 0, 0, 0)\n\t\t\t"},"","")),";"),nT=Cf("input",{target:"exqw8y23"})("box-sizing:border-box;cursor:pointer;display:block;height:100%;left:0;margin:0 -",10,"px;opacity:0;outline:none;position:absolute;right:0;top:0;width:calc( 100% + ",20,"px );");var rT={name:"1lr98c4",styles:"bottom:-80%"},oT={name:"1cypxip",styles:"top:-80%"};const aT=Cf("span",{target:"exqw8y22"})("background:",iw.ui.border,";border-radius:2px;box-sizing:border-box;color:white;display:inline-block;font-size:12px;min-width:32px;opacity:0;padding:4px 8px;pointer-events:none;position:absolute;text-align:center;transition:opacity 120ms ease;user-select:none;line-height:1.4;",(({show:e})=>qk({opacity:e?1:0},"","")),";",(({position:e})=>"top"===e?oT:rT),";",qC("transition"),";",$k({transform:"translateX(-50%)"},{transform:"translateX(50%)"}),";"),iT=Cf(VL,{target:"exqw8y21"})("box-sizing:border-box;display:inline-block;font-size:13px;margin-top:0;width:",dw(16),"!important;input[type='number']&{",FC,";}",$k({marginLeft:`${dw(4)} !important`}),";"),sT=Cf("span",{target:"exqw8y20"})("box-sizing:border-box;display:block;margin-top:0;button,button.is-small{margin-left:0;",FC,";}",$k({marginLeft:8}),";");const lT=(0,tt.forwardRef)((function({describedBy:e,isShiftStepEnabled:t=!0,label:n,onHideTooltip:r=at.noop,onMouseLeave:o=at.noop,step:a=1,onBlur:i=at.noop,onChange:s=at.noop,onFocus:l=at.noop,onMouseMove:c=at.noop,onShowTooltip:u=at.noop,shiftStep:d=10,value:p,...m},h){const f=FL({step:a,shiftStep:d,isShiftStepEnabled:t}),g=function({onHide:e=at.noop,onMouseLeave:t=at.noop,onMouseMove:n=at.noop,onShow:r=at.noop,timeout:o=300}){const[a,i]=(0,tt.useState)(!1),s=(0,tt.useRef)(),l=(0,tt.useCallback)((e=>{window.clearTimeout(s.current),s.current=setTimeout(e,o)}),[o]),c=(0,tt.useCallback)((e=>{n(e),l((()=>{a||(i(!0),r())}))}),[]),u=(0,tt.useCallback)((n=>{t(n),l((()=>{i(!1),e()}))}),[]);return(0,tt.useEffect)((()=>()=>{window.clearTimeout(s.current)})),{onMouseMove:c,onMouseLeave:u}}({onHide:r,onMouseLeave:o,onMouseMove:c,onShow:u});return(0,tt.createElement)(nT,ot({},m,g,{"aria-describedby":e,"aria-label":n,"aria-hidden":!1,onBlur:i,onChange:s,onFocus:l,ref:h,step:f,tabIndex:0,type:"range",value:p}))}));function cT({className:e,isFilled:t=!1,label:n,style:r={},...o}){const a=so()("components-range-control__mark",t&&"is-filled",e),i=so()("components-range-control__mark-label",t&&"is-filled");return(0,tt.createElement)(tt.Fragment,null,(0,tt.createElement)(ZC,ot({},o,{"aria-hidden":"true",className:a,isFilled:t,style:r})),n&&(0,tt.createElement)(QC,{"aria-hidden":"true",className:i,isFilled:t,style:r},n))}function uT({disabled:e=!1,marks:t=!1,min:n=0,max:r=100,step:o=1,value:a=0,...i}){return(0,tt.createElement)(tt.Fragment,null,(0,tt.createElement)(KC,ot({disabled:e},i)),t&&(0,tt.createElement)(dT,{disabled:e,marks:t,min:n,max:r,step:o,value:a}))}function dT({disabled:e=!1,marks:t=!1,min:n=0,max:r=100,step:o=1,value:a=0}){const i=function({marks:e,min:t=0,max:n=100,step:r=1,value:o=0}){if(!e)return[];const a=n-t;if(!Array.isArray(e)){e=[];const n=1+Math.round(a/r);for(;n>e.push({value:r*e.length+t}););}const i=[];return e.forEach(((e,r)=>{if(e.valuen)return;const s=`mark-${r}`,l=e.value<=o,c=(e.value-t)/a*100+"%",u={[rr()?"right":"left"]:c};i.push({...e,isFilled:l,key:s,style:u})})),i}({marks:t,min:n,max:r,step:o,value:a});return(0,tt.createElement)(JC,{"aria-hidden":"true",className:"components-range-control__marks"},i.map((t=>(0,tt.createElement)(cT,ot({},t,{key:t.key,"aria-hidden":"true",disabled:e})))))}function pT({className:e,inputRef:t,position:n="auto",show:r=!1,style:o={},value:a=0,renderTooltipContent:i=(e=>e),zIndex:s=100,...l}){const c=function({inputRef:e,position:t}){const[n,r]=(0,tt.useState)("top"),o=(0,tt.useCallback)((()=>{if(e&&e.current){let n=t;if("auto"===t){const{top:t}=e.current.getBoundingClientRect();n=t-32<0?"bottom":"top"}r(n)}}),[t]);return(0,tt.useEffect)((()=>{o()}),[o]),(0,tt.useEffect)((()=>(window.addEventListener("resize",o),()=>{window.removeEventListener("resize",o)}))),n}({inputRef:t,position:n}),u=so()("components-simple-tooltip",e),d={...o,zIndex:s};return(0,tt.createElement)(aT,ot({},l,{"aria-hidden":r,className:u,position:c,show:r,role:"tooltip",style:d}),i(a))}const mT=(0,tt.forwardRef)((function e({afterIcon:t,allowReset:n=!1,beforeIcon:r,className:o,currentInput:a,color:i=iw.ui.theme,disabled:s=!1,help:l,initialPosition:c,isShiftStepEnabled:u=!0,label:d,marks:p=!1,max:m=100,min:h=0,onBlur:f=at.noop,onChange:g=at.noop,onFocus:b=at.noop,onMouseMove:y=at.noop,onMouseLeave:v=at.noop,railColor:_,resetFallbackValue:M,renderTooltipContent:k=(e=>e),showTooltip:w,shiftStep:E=10,step:L=1,trackColor:A,value:S,withInputField:C=!0,...T},x){var z;const[O,N]=function({min:e,max:t,value:n,initial:r}){const[o,a]=nA(HC(n,e,t),{initial:r,fallback:null});return[o,(0,tt.useCallback)((n=>{a(null===n?null:HC(n,e,t))}),[e,t])]}({min:h,max:m,value:S,initial:c}),D=(0,tt.useRef)(!1),[B,I]=(0,tt.useState)(w),[P,R]=(0,tt.useState)(!1),W=(0,tt.useRef)(),Y=null===(z=W.current)||void 0===z?void 0:z.matches(":focus"),H=!s&&P,q=null===O,j=q?"":void 0!==O?O:a,F=q?(m-h)/2+h:O,V=q?50:(O-h)/(m-h)*100,X=`${(0,at.clamp)(V,0,100)}%`,U=so()("components-range-control",o),$=so()("components-range-control__wrapper",!!p&&"is-marked"),K=lw(e,"inspector-range-control"),G=l?`${K}__help`:void 0,J=!1!==w&&(0,at.isFinite)(O),Z=()=>{let e=parseFloat(M),t=e;isNaN(e)&&(e=null,t=void 0),N(e),g(t)},Q={[rr()?"right":"left"]:X};return(0,tt.createElement)(DA,{className:U,label:d,id:K,help:l},(0,tt.createElement)(VC,{className:"components-range-control__root"},r&&(0,tt.createElement)(UC,null,(0,tt.createElement)(Ph,{icon:r})),(0,tt.createElement)(XC,{className:$,color:i,marks:!!p},(0,tt.createElement)(lT,ot({},T,{className:"components-range-control__slider",describedBy:G,disabled:s,id:K,isShiftStepEnabled:u,label:d,max:m,min:h,onBlur:e=>{f(e),R(!1),I(!1)},onChange:e=>{const t=parseFloat(e.target.value);N(t),g(t)},onFocus:e=>{b(e),R(!0),I(!0)},onMouseMove:y,onMouseLeave:v,ref:e=>{W.current=e,x&&x(e)},shiftStep:E,step:L,value:j})),(0,tt.createElement)(uT,{"aria-hidden":!0,disabled:s,marks:p,max:m,min:h,railColor:_,step:L,value:F}),(0,tt.createElement)(GC,{"aria-hidden":!0,className:"components-range-control__track",disabled:s,style:{width:X},trackColor:A}),(0,tt.createElement)(eT,{style:Q},(0,tt.createElement)(tT,{"aria-hidden":!0,isFocused:H})),J&&(0,tt.createElement)(pT,{className:"components-range-control__tooltip",inputRef:W,renderTooltipContent:k,show:Y||B,style:Q,value:O})),t&&(0,tt.createElement)($C,null,(0,tt.createElement)(Ph,{icon:t})),C&&(0,tt.createElement)(iT,{"aria-label":d,className:"components-range-control__number",disabled:s,inputMode:"decimal",isShiftStepEnabled:u,max:m,min:h,onBlur:()=>{D.current&&(Z(),D.current=!1)},onChange:e=>{e=parseFloat(e),N(e),isNaN(e)?n&&(D.current=!0):((em)&&(e=HC(e,h,m)),g(e),D.current=!1)},shiftStep:E,step:L,value:j}),n&&(0,tt.createElement)(sT,null,(0,tt.createElement)(Nf,{className:"components-range-control__reset",disabled:s||void 0===O,variant:"secondary",isSmall:!0,onClick:Z},er("Reset")))))}));function hT(e){return e.sort(((t,n)=>e.filter((e=>e===t)).length-e.filter((e=>e===n)).length)).pop()}function fT(e={}){if("string"==typeof e)return e;const t=Object.values(e).map((e=>Nk(e))),n=t.map((e=>e[0])),r=t.map((e=>e[1])),o=n.every((e=>e===n[0]))?n[0]:"",a=hT(r);return 0===o||o?`${o}${a}`:null}function gT(e={}){const t=fT(e);return isNaN(parseFloat(t))}function bT(e){if(!e)return!1;if("string"==typeof e)return!0;return!!Object.values(e).filter((e=>!!e||0===e)).length}function yT({onChange:e,values:t,...n}){const r=fT(t),o=bT(t)&&gT(t),a=o?er("Mixed"):null;return(0,tt.createElement)(rA,ot({},n,{"aria-label":er("Border radius"),disableUnits:o,isOnly:!0,value:r,onChange:e,placeholder:a}))}const vT={topLeft:er("Top left"),topRight:er("Top right"),bottomLeft:er("Bottom left"),bottomRight:er("Bottom right")};function _T({onChange:e,values:t,...n}){const r="string"!=typeof t?t:{topLeft:t,topRight:t,bottomLeft:t,bottomRight:t};return(0,tt.createElement)("div",{className:"components-border-radius-control__input-controls-wrapper"},Object.entries(vT).map((([t,o])=>{return(0,tt.createElement)(rA,ot({},n,{key:t,"aria-label":o,value:r[t],onChange:(a=t,t=>{e&&e({...r,[a]:t||void 0})})}));var a})))}const MT=(0,tt.createElement)(mo,{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24"},(0,tt.createElement)(uo,{d:"M15.6 7.2H14v1.5h1.6c2 0 3.7 1.7 3.7 3.7s-1.7 3.7-3.7 3.7H14v1.5h1.6c2.8 0 5.2-2.3 5.2-5.2 0-2.9-2.3-5.2-5.2-5.2zM4.7 12.4c0-2 1.7-3.7 3.7-3.7H10V7.2H8.4c-2.9 0-5.2 2.3-5.2 5.2 0 2.9 2.3 5.2 5.2 5.2H10v-1.5H8.4c-2 0-3.7-1.7-3.7-3.7zm4.6.9h5.3v-1.5H9.3v1.5z"})),kT=(0,tt.createElement)(mo,{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24"},(0,tt.createElement)(uo,{d:"M15.6 7.3h-.7l1.6-3.5-.9-.4-3.9 8.5H9v1.5h2l-1.3 2.8H8.4c-2 0-3.7-1.7-3.7-3.7s1.7-3.7 3.7-3.7H10V7.3H8.4c-2.9 0-5.2 2.3-5.2 5.2 0 2.9 2.3 5.2 5.2 5.2H9l-1.4 3.2.9.4 5.7-12.5h1.4c2 0 3.7 1.7 3.7 3.7s-1.7 3.7-3.7 3.7H14v1.5h1.6c2.9 0 5.2-2.3 5.2-5.2 0-2.9-2.4-5.2-5.2-5.2z"}));function wT({isLinked:e,...t}){const n=er(e?"Unlink Radii":"Link Radii");return(0,tt.createElement)(Bh,{text:n},(0,tt.createElement)(Nf,ot({},t,{className:"component-border-radius-control__linked-button",isPrimary:e,isSecondary:!e,isSmall:!0,icon:e?MT:kT,iconSize:16,"aria-label":n})))}const ET={topLeft:null,topRight:null,bottomLeft:null,bottomRight:null},LT={px:100,em:20,rem:20};function AT({onChange:e,values:t}){const[n,r]=(0,tt.useState)(!bT(t)||!gT(t)),o=Bk({availableUnits:sA("spacing.units")||["px","em","rem"]}),a=function(e={}){if("string"==typeof e){const[,t]=Nk(e);return t||"px"}return hT(Object.values(e).map((e=>{const[,t]=Nk(e);return t})))}(t),i=o&&o.find((e=>e.value===a)),s=(null==i?void 0:i.step)||1,[l]=Nk(fT(t));return(0,tt.createElement)("fieldset",{className:"components-border-radius-control"},(0,tt.createElement)("legend",null,er("Radius")),(0,tt.createElement)("div",{className:"components-border-radius-control__wrapper"},n?(0,tt.createElement)(tt.Fragment,null,(0,tt.createElement)(yT,{className:"components-border-radius-control__unit-control",values:t,min:0,onChange:e,unit:a,units:o}),(0,tt.createElement)(mT,{className:"components-border-radius-control__range-control",value:l,min:0,max:LT[a],initialPosition:0,withInputField:!1,onChange:t=>{e(void 0!==t?`${t}${a}`:void 0)},step:s})):(0,tt.createElement)(_T,{min:0,onChange:e,values:t||ET,units:o}),(0,tt.createElement)(wT,{onClick:()=>r(!n),isLinked:n})))}function ST(e){var t;const{attributes:{style:n},setAttributes:r}=e;return(0,tt.createElement)(AT,{values:null==n||null===(t=n.border)||void 0===t?void 0:t.radius,onChange:e=>{let t={...n,border:{...null==n?void 0:n.border,radius:e}};void 0!==e&&""!==e||(t=IC(t)),r({style:t})}})}const CT=(0,tt.createElement)(mo,{xmlns:"http://www.w3.org/2000/svg",width:"24",height:"24",fill:"none"},(0,tt.createElement)(uo,{d:"M5 11.25h14v1.5H5z"})),TT=(0,tt.createElement)(mo,{xmlns:"http://www.w3.org/2000/svg",width:"24",height:"24",fill:"none"},(0,tt.createElement)(uo,{fillRule:"evenodd",d:"M5 11.25h3v1.5H5v-1.5zm5.5 0h3v1.5h-3v-1.5zm8.5 0h-3v1.5h3v-1.5z",clipRule:"evenodd"})),xT=(0,tt.createElement)(mo,{xmlns:"http://www.w3.org/2000/svg",width:"24",height:"24",fill:"none"},(0,tt.createElement)(uo,{fillRule:"evenodd",d:"M5.25 11.25h1.5v1.5h-1.5v-1.5zm3 0h1.5v1.5h-1.5v-1.5zm4.5 0h-1.5v1.5h1.5v-1.5zm1.5 0h1.5v1.5h-1.5v-1.5zm4.5 0h-1.5v1.5h1.5v-1.5z",clipRule:"evenodd"})),zT=[{label:er("Solid"),icon:CT,value:"solid"},{label:er("Dashed"),icon:TT,value:"dashed"},{label:er("Dotted"),icon:xT,value:"dotted"}];function OT({onChange:e,value:t}){return(0,tt.createElement)("fieldset",{className:"components-border-style-control"},(0,tt.createElement)("legend",null,er("Style")),(0,tt.createElement)("div",{className:"components-border-style-control__buttons"},zT.map((n=>(0,tt.createElement)(Nf,{key:n.value,icon:n.icon,isSmall:!0,isPressed:n.value===t,onClick:()=>e(n.value===t?void 0:n.value),"aria-label":n.label})))))}const NT=e=>{var t;const{attributes:{style:n},setAttributes:r}=e;return(0,tt.createElement)(OT,{value:null==n||null===(t=n.border)||void 0===t?void 0:t.style,onChange:e=>{const t={...n,border:{...null==n?void 0:n.border,style:e}};r({style:IC(t)})}})},DT=e=>{const{attributes:{borderColor:t,style:n},setAttributes:r}=e,{width:o,color:a,style:i}=(null==n?void 0:n.border)||{},[s,l]=(0,tt.useState)(),[c,u]=(0,tt.useState)();(0,tt.useEffect)((()=>{"none"!==i&&l(i)}),[i]),(0,tt.useEffect)((()=>{(t||a)&&u({name:t||void 0,color:a||void 0})}),[t,a]);const d=Bk({availableUnits:sA("spacing.units")||["px","em","rem"]});return(0,tt.createElement)(rA,{value:o,label:er("Width"),min:0,onChange:e=>{let o={...n,border:{...null==n?void 0:n.border,width:e}},a=t;const l=0===parseFloat(e);l&&(a=void 0,o.border.color=void 0,o.border.style="none"),l||"none"!==i||(o.border.style=s),l||void 0!==t||(a=null==c?void 0:c.name,o.border.color=null==c?void 0:c.color),void 0!==e&&""!==e||(o=IC(o)),r({borderColor:a,style:o})},units:d})},BT="__experimentalBorder";function IT(e){const t=WT(e),n=PT(e.name),r=sA("border.customColor")&&PT(e.name,"color"),o=sA("border.customRadius")&&PT(e.name,"radius"),a=sA("border.customStyle")&&PT(e.name,"style"),i=sA("border.customWidth")&&PT(e.name,"width");return t||!n?null:(0,tt.createElement)(eS,null,(0,tt.createElement)(VA,{className:"block-editor-hooks__border-controls",title:er("Border"),initialOpen:!1},(i||a)&&(0,tt.createElement)("div",{className:"block-editor-hooks__border-controls-row"},i&&(0,tt.createElement)(DT,e),a&&(0,tt.createElement)(NT,e)),r&&(0,tt.createElement)(RC,e),o&&(0,tt.createElement)(ST,e)))}function PT(e,t="any"){if("web"!==Tb.OS)return!1;const n=Po(e,BT);return!0===n||("any"===t?!!(null!=n&&n.color||null!=n&&n.radius||null!=n&&n.width||null!=n&&n.style):!(null==n||!n[t]))}function RT(e){const t=Po(e,BT);return null==t?void 0:t.__experimentalSkipSerialization}const WT=()=>[!sA("border.customColor"),!sA("border.customRadius"),!sA("border.customStyle"),!sA("border.customWidth")].every(Boolean),YT=er("(%s: color %s)"),HT=er("(%s: gradient %s)"),qT=["colors","disableCustomColors","gradients","disableCustomGradients"],jT=({colors:e,gradients:t,settings:n})=>n.map((({colorValue:n,gradientValue:r,label:o,colors:a,gradients:i},s)=>{if(!n&&!r)return null;let l;if(n){const t=kC(a||e,n);l=pn(YT,o.toLowerCase(),t&&t.name||n)}else{const e=SC(i||t,n);l=pn(HT,o.toLowerCase(),e&&e.name||r)}return(0,tt.createElement)(aS,{key:s,colorValue:n||r,"aria-label":l})})),FT=({className:e,colors:t,gradients:n,disableCustomColors:r,disableCustomGradients:o,children:a,settings:i,title:s,...l})=>{if((0,at.isEmpty)(t)&&(0,at.isEmpty)(n)&&r&&o&&(0,at.every)(i,(e=>(0,at.isEmpty)(e.colors)&&(0,at.isEmpty)(e.gradients)&&(void 0===e.disableCustomColors||e.disableCustomColors)&&(void 0===e.disableCustomGradients||e.disableCustomGradients))))return null;const c=(0,tt.createElement)("span",{className:"block-editor-panel-color-gradient-settings__panel-title"},s,(0,tt.createElement)(jT,{colors:t,gradients:n,settings:i}));return(0,tt.createElement)(VA,ot({className:so()("block-editor-panel-color-gradient-settings",e),title:c},l),i.map(((e,a)=>(0,tt.createElement)(BC,ot({key:a,colors:t,gradients:n,disableCustomColors:r,disableCustomGradients:o},e)))),a)},VT=e=>{const t={};return t.colors=sA("color.palette"),t.gradients=sA("color.gradients"),t.disableCustomColors=!sA("color.custom"),t.disableCustomGradients=!sA("color.customGradient"),(0,tt.createElement)(FT,ot({},t,e))},XT=e=>(0,at.every)(qT,(t=>e.hasOwnProperty(t)))?(0,tt.createElement)(FT,e):(0,tt.createElement)(VT,e);function UT(e){switch(e){case"success":case"warning":case"info":return"polite";case"error":default:return"assertive"}}const $T=function({className:e,status:t="info",children:n,spokenMessage:r=n,onRemove:o=at.noop,isDismissible:a=!0,actions:i=[],politeness:s=UT(t),__unstableHTML:l,onDismiss:c=at.noop}){!function(e,t){const n="string"==typeof e?e:ei(e);(0,tt.useEffect)((()=>{n&&wv(n,t)}),[n,t])}(r,s);const u=so()(e,"components-notice","is-"+t,{"is-dismissible":a});return l&&(n=(0,tt.createElement)(Ia,null,n)),(0,tt.createElement)("div",{className:u},(0,tt.createElement)("div",{className:"components-notice__content"},n,(0,tt.createElement)("div",{className:"components-notice__actions"},i.map((({className:e,label:t,isPrimary:n,variant:r,noDefaultClasses:o=!1,onClick:a,url:i},s)=>{let l=r;return"primary"===r||o||(l=i?"link":"secondary"),void 0===l&&n&&(l="primary"),(0,tt.createElement)(Nf,{key:s,href:i,variant:l,onClick:i?void 0:a,className:so()("components-notice__action",e)},t)})))),a&&(0,tt.createElement)(Nf,{className:"components-notice__dismiss",icon:Gm,label:er("Dismiss this notice"),onClick:e=>{var t;null==e||null===(t=e.preventDefault)||void 0===t||t.call(e),c(),o()},showTooltip:!1}))};function KT({tinyBackgroundColor:e,tinyTextColor:t,backgroundColor:n,textColor:r}){const o=e.getBrightness(){wv(er("This color combination may be hard for people to read."))}),[n,r]),(0,tt.createElement)("div",{className:"block-editor-contrast-checker"},(0,tt.createElement)($T,{spokenMessage:null,status:"warning",isDismissible:!1},o))}const GT=function({backgroundColor:e,fallbackBackgroundColor:t,fallbackTextColor:n,fontSize:r,isLargeText:o,textColor:a}){if(!e&&!t||!a&&!n)return null;const i=go()(e||t),s=go()(a||n);return 1!==i.getAlpha()||1!==s.getAlpha()||go().isReadable(i,s,{level:"AA",size:o||!1!==o&&r>=24?"large":"small"})?null:(0,tt.createElement)(KT,{backgroundColor:e,textColor:a,tinyBackgroundColor:i,tinyTextColor:s})},JT=(0,tt.createContext)();function ZT({children:e}){const t=(0,tt.useMemo)((()=>({refs:new Map,callbacks:new Map})),[]);return(0,tt.createElement)(JT.Provider,{value:t},e)}function QT(e){const{refs:t,callbacks:n}=(0,tt.useContext)(JT),r=(0,tt.useRef)();return(0,tt.useLayoutEffect)((()=>(t.set(r,e),()=>{t.delete(r)})),[e]),R_((t=>{r.current=t,n.forEach(((n,r)=>{e===n&&r(t)}))}),[e])}function ex(e){const{refs:t}=(0,tt.useContext)(JT),n=(0,tt.useRef)();return n.current=e,(0,tt.useMemo)((()=>({get current(){let e=null;for(const[r,o]of t.entries())o===n.current&&r.current&&(e=r.current);return e}})),[])}function tx(e){const{callbacks:t}=(0,tt.useContext)(JT),n=ex(e),[r,o]=(0,tt.useState)(null);return(0,tt.useLayoutEffect)((()=>{if(e)return t.set(o,e),()=>{t.delete(o)}}),[e]),n.current||r}function nx(e){return e.ownerDocument.defaultView.getComputedStyle(e)}function rx({settings:e,clientId:t,enableContrastChecking:n=!0}){const[r,o]=(0,tt.useState)(),[a,i]=(0,tt.useState)(),s=ex(t);return(0,tt.useEffect)((()=>{if(!n)return;if(!s.current)return;i(nx(s.current).color);let e=s.current,t=nx(e).backgroundColor;for(;"rgba(0, 0, 0, 0)"===t&&e.parentNode&&e.parentNode.nodeType===e.parentNode.ELEMENT_NODE;)e=e.parentNode,t=nx(e).backgroundColor;o(t)})),(0,tt.createElement)(eS,null,(0,tt.createElement)(XT,{title:er("Color"),initialOpen:!1,settings:e},n&&(0,tt.createElement)(GT,{backgroundColor:r,textColor:a})))}const ox="color",ax=[],ix=e=>{const t=Po(e,ox);return t&&(!0===t.link||!0===t.gradient||!1!==t.background||!1!==t.text)},sx=e=>{const t=Po(e,ox);return null==t?void 0:t.__experimentalSkipSerialization},lx=e=>{const t=Po(e,ox);return(0,at.isObject)(t)&&!!t.gradients};function cx(e,t,n){var r,o,a,i,s,l;if(!ix(t)||sx(t))return e;const c=lx(t),{backgroundColor:u,textColor:d,gradient:p,style:m}=n,h=wC("background-color",u),f=LC(p),g=wC("color",d),b=so()(e.className,g,f,{[h]:!(c&&null!=m&&null!==(r=m.color)&&void 0!==r&&r.gradient||!h),"has-text-color":d||(null==m||null===(o=m.color)||void 0===o?void 0:o.text),"has-background":u||(null==m||null===(a=m.color)||void 0===a?void 0:a.background)||c&&(p||(null==m||null===(i=m.color)||void 0===i?void 0:i.gradient)),"has-link-color":null==m||null===(s=m.elements)||void 0===s||null===(l=s.link)||void 0===l?void 0:l.color});return e.className=b||void 0,e}const ux=(e,t)=>{const n=/var:preset\|color\|(.+)/.exec(t);return n&&n[1]?MC(e,n[1]).color:t};function dx(e){var t,n,r,o,a,i,s,l,c;const{name:u,attributes:d}=e,p=sA("color.palette")||ax,m=sA("color.gradients")||ax,h=sA("color.custom"),f=sA("color.customGradient"),g=sA("color.link"),b=(0,tt.useRef)(d);if((0,tt.useEffect)((()=>{b.current=d}),[d]),!ix(u))return null;const y=(e=>{if("web"!==Tb.OS)return!1;const t=Po(e,ox);return(0,at.isObject)(t)&&!!t.link})(u)&&g&&(p.length>0||h),v=(e=>{const t=Po(e,ox);return t&&!1!==t.text})(u)&&(p.length>0||h),_=(e=>{const t=Po(e,ox);return t&&!1!==t.background})(u)&&(p.length>0||h),M=lx(u)&&(m.length>0||f);if(!(y||v||_||M))return null;const{style:k,textColor:w,backgroundColor:E,gradient:L}=d;let A;if(M&&L)A=AC(m,L);else if(M){var S;A=null==k||null===(S=k.color)||void 0===S?void 0:S.gradient}const C=t=>n=>{var r,o;const a=kC(p,n),i=t+"Color",s={...b.current.style,color:{...null===(r=b.current)||void 0===r||null===(o=r.style)||void 0===o?void 0:o.color,[t]:null!=a&&a.slug?void 0:n}},l=null!=a&&a.slug?a.slug:void 0,c={style:IC(s),[i]:l};e.setAttributes(c),b.current={...b.current,...c}};return(0,tt.createElement)(rx,{enableContrastChecking:!("web"!==Tb.OS||L||null!=k&&null!==(t=k.color)&&void 0!==t&&t.gradient),clientId:e.clientId,settings:[...v?[{label:er("Text color"),onColorChange:C("text"),colorValue:MC(p,w,null==k||null===(n=k.color)||void 0===n?void 0:n.text).color}]:[],..._||M?[{label:er("Background color"),onColorChange:_?C("background"):void 0,colorValue:MC(p,E,null==k||null===(r=k.color)||void 0===r?void 0:r.background).color,gradientValue:A,onGradientChange:M?t=>{const n=CC(m,t);let r;if(n){var o,a,i;const e={...null===(o=b.current)||void 0===o?void 0:o.style,color:{...null===(a=b.current)||void 0===a||null===(i=a.style)||void 0===i?void 0:i.color,gradient:void 0}};r={style:IC(e),gradient:n}}else{var s,l,c;const e={...null===(s=b.current)||void 0===s?void 0:s.style,color:{...null===(l=b.current)||void 0===l||null===(c=l.style)||void 0===c?void 0:c.color,gradient:t}};r={style:IC(e),gradient:void 0}}e.setAttributes(r),b.current={...b.current,...r}}:void 0}]:[],...y?[{label:er("Link Color"),onColorChange:t=>{const n=kC(p,t),r=null!=n&&n.slug?`var:preset|color|${n.slug}`:t,o=function(e,t,n){return(0,at.setWith)(e?(0,at.clone)(e):{},t,n,at.clone)}(k,["elements","link","color","text"],r);e.setAttributes({style:o})},colorValue:ux(p,null==k||null===(o=k.elements)||void 0===o||null===(a=o.link)||void 0===a||null===(i=a.color)||void 0===i?void 0:i.text),clearable:!(null==k||null===(s=k.elements)||void 0===s||null===(l=s.link)||void 0===l||null===(c=l.color)||void 0===c||!c.text)}]:[]]})}const px=ni((e=>t=>{var n,r,o;const{name:a,attributes:i}=t,{backgroundColor:s,textColor:l}=i,c=sA("color.palette")||ax;if(!ix(a)||sx(a))return(0,tt.createElement)(e,t);const u={color:l?null===(n=MC(c,l))||void 0===n?void 0:n.color:void 0,backgroundColor:s?null===(r=MC(c,s))||void 0===r?void 0:r.color:void 0};let d=t.wrapperProps;return d={...t.wrapperProps,style:{...u,...null===(o=t.wrapperProps)||void 0===o?void 0:o.style}},(0,tt.createElement)(e,ot({},t,{wrapperProps:d}))}));In("blocks.registerBlockType","core/color/addAttribute",(function(e){return ix(e)?(e.attributes.backgroundColor||Object.assign(e.attributes,{backgroundColor:{type:"string"}}),e.attributes.textColor||Object.assign(e.attributes,{textColor:{type:"string"}}),lx(e)&&!e.attributes.gradient&&Object.assign(e.attributes,{gradient:{type:"string"}}),e):e})),In("blocks.getSaveContent.extraProps","core/color/addSaveProps",cx),In("blocks.registerBlockType","core/color/addEditProps",(function(e){if(!ix(e)||sx(e))return e;const t=e.getEditWrapperProps;return e.getEditWrapperProps=n=>{let r={};return t&&(r=t(n)),cx(r,e,n)},e})),In("editor.BlockListBlock","core/color/with-color-palette-styles",px);const mx=(0,tt.createElement)(mo,{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24"},(0,tt.createElement)(uo,{d:"M7 18v1h10v-1H7zm5-2c1.5 0 2.6-.4 3.4-1.2.8-.8 1.1-2 1.1-3.5V5H15v5.8c0 1.2-.2 2.1-.6 2.8-.4.7-1.2 1-2.4 1s-2-.3-2.4-1c-.4-.7-.6-1.6-.6-2.8V5H7.5v6.2c0 1.5.4 2.7 1.1 3.5.8.9 1.9 1.3 3.4 1.3z"})),hx=(0,tt.createElement)(mo,{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24"},(0,tt.createElement)(uo,{d:"M9.1 9v-.5c0-.6.2-1.1.7-1.4.5-.3 1.2-.5 2-.5.7 0 1.4.1 2.1.3.7.2 1.4.5 2.1.9l.2-1.9c-.6-.3-1.2-.5-1.9-.7-.8-.1-1.6-.2-2.4-.2-1.5 0-2.7.3-3.6 1-.8.7-1.2 1.5-1.2 2.6V9h2zM20 12H4v1h8.3c.3.1.6.2.8.3.5.2.9.5 1.1.8.3.3.4.7.4 1.2 0 .7-.2 1.1-.8 1.5-.5.3-1.2.5-2.1.5-.8 0-1.6-.1-2.4-.3-.8-.2-1.5-.5-2.2-.8L7 18.1c.5.2 1.2.4 2 .6.8.2 1.6.3 2.4.3 1.7 0 3-.3 3.9-1 .9-.7 1.3-1.6 1.3-2.8 0-.9-.2-1.7-.7-2.2H20v-1z"})),fx=[{name:er("Underline"),value:"underline",icon:mx},{name:er("Strikethrough"),value:"line-through",icon:hx}];function gx({value:e,onChange:t}){return(0,tt.createElement)("fieldset",{className:"block-editor-text-decoration-control"},(0,tt.createElement)("legend",null,er("Decoration")),(0,tt.createElement)("div",{className:"block-editor-text-decoration-control__buttons"},fx.map((n=>(0,tt.createElement)(Nf,{key:n.value,icon:n.icon,isSmall:!0,isPressed:n.value===e,onClick:()=>t(n.value===e?void 0:n.value),"aria-label":n.name})))))}const bx="typography.__experimentalTextDecoration";function yx(e){var t;const{attributes:{style:n},setAttributes:r}=e;if(vx(e))return null;return(0,tt.createElement)(gx,{value:null==n||null===(t=n.typography)||void 0===t?void 0:t.textDecoration,onChange:function(e){r({style:IC({...n,typography:{...null==n?void 0:n.typography,textDecoration:e}})})}})}function vx({name:e}={}){const t=!Ro(e,bx),n=sA("typography.customTextDecorations");return t||!n}const _x=(0,tt.createElement)(mo,{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24"},(0,tt.createElement)(uo,{d:"M6.1 6.8L2.1 18h1.6l1.1-3h4.3l1.1 3h1.6l-4-11.2H6.1zm-.8 6.8L7 8.9l1.7 4.7H5.3zm15.1-.7c-.4-.5-.9-.8-1.6-1 .4-.2.7-.5.8-.9.2-.4.3-.9.3-1.4 0-.9-.3-1.6-.8-2-.6-.5-1.3-.7-2.4-.7h-3.5V18h4.2c1.1 0 2-.3 2.6-.8.6-.6 1-1.4 1-2.4-.1-.8-.3-1.4-.6-1.9zm-5.7-4.7h1.8c.6 0 1.1.1 1.4.4.3.2.5.7.5 1.3 0 .6-.2 1.1-.5 1.3-.3.2-.8.4-1.4.4h-1.8V8.2zm4 8c-.4.3-.9.5-1.5.5h-2.6v-3.8h2.6c1.4 0 2 .6 2 1.9.1.6-.1 1-.5 1.4z"})),Mx=(0,tt.createElement)(mo,{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24"},(0,tt.createElement)(uo,{d:"M11 16.8c-.1-.1-.2-.3-.3-.5v-2.6c0-.9-.1-1.7-.3-2.2-.2-.5-.5-.9-.9-1.2-.4-.2-.9-.3-1.6-.3-.5 0-1 .1-1.5.2s-.9.3-1.2.6l.2 1.2c.4-.3.7-.4 1.1-.5.3-.1.7-.2 1-.2.6 0 1 .1 1.3.4.3.2.4.7.4 1.4-1.2 0-2.3.2-3.3.7s-1.4 1.1-1.4 2.1c0 .7.2 1.2.7 1.6.4.4 1 .6 1.8.6.9 0 1.7-.4 2.4-1.2.1.3.2.5.4.7.1.2.3.3.6.4.3.1.6.1 1.1.1h.1l.2-1.2h-.1c-.4.1-.6 0-.7-.1zM9.2 16c-.2.3-.5.6-.9.8-.3.1-.7.2-1.1.2-.4 0-.7-.1-.9-.3-.2-.2-.3-.5-.3-.9 0-.6.2-1 .7-1.3.5-.3 1.3-.4 2.5-.5v2zm10.6-3.9c-.3-.6-.7-1.1-1.2-1.5-.6-.4-1.2-.6-1.9-.6-.5 0-.9.1-1.4.3-.4.2-.8.5-1.1.8V6h-1.4v12h1.3l.2-1c.2.4.6.6 1 .8.4.2.9.3 1.4.3.7 0 1.2-.2 1.8-.5.5-.4 1-.9 1.3-1.5.3-.6.5-1.3.5-2.1-.1-.6-.2-1.3-.5-1.9zm-1.7 4c-.4.5-.9.8-1.6.8s-1.2-.2-1.7-.7c-.4-.5-.7-1.2-.7-2.1 0-.9.2-1.6.7-2.1.4-.5 1-.7 1.7-.7s1.2.3 1.6.8c.4.5.6 1.2.6 2s-.2 1.4-.6 2z"})),kx=(0,tt.createElement)(mo,{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24"},(0,tt.createElement)(uo,{d:"M7.1 6.8L3.1 18h1.6l1.1-3h4.3l1.1 3h1.6l-4-11.2H7.1zm-.8 6.8L8 8.9l1.7 4.7H6.3zm14.5-1.5c-.3-.6-.7-1.1-1.2-1.5-.6-.4-1.2-.6-1.9-.6-.5 0-.9.1-1.4.3-.4.2-.8.5-1.1.8V6h-1.4v12h1.3l.2-1c.2.4.6.6 1 .8.4.2.9.3 1.4.3.7 0 1.2-.2 1.8-.5.5-.4 1-.9 1.3-1.5.3-.6.5-1.3.5-2.1-.1-.6-.2-1.3-.5-1.9zm-1.7 4c-.4.5-.9.8-1.6.8s-1.2-.2-1.7-.7c-.4-.5-.7-1.2-.7-2.1 0-.9.2-1.6.7-2.1.4-.5 1-.7 1.7-.7s1.2.3 1.6.8c.4.5.6 1.2.6 2 .1.8-.2 1.4-.6 2z"})),wx=[{name:er("Uppercase"),value:"uppercase",icon:_x},{name:er("Lowercase"),value:"lowercase",icon:Mx},{name:er("Capitalize"),value:"capitalize",icon:kx}];function Ex({value:e,onChange:t}){return(0,tt.createElement)("fieldset",{className:"block-editor-text-transform-control"},(0,tt.createElement)("legend",null,er("Letter case")),(0,tt.createElement)("div",{className:"block-editor-text-transform-control__buttons"},wx.map((n=>(0,tt.createElement)(Nf,{key:n.value,icon:n.icon,isSmall:!0,isPressed:e===n.value,"aria-label":n.name,onClick:()=>t(e===n.value?void 0:n.value)})))))}const Lx="typography.__experimentalTextTransform";function Ax(e){var t;const{attributes:{style:n},setAttributes:r}=e;if(Sx(e))return null;return(0,tt.createElement)(Ex,{value:null==n||null===(t=n.typography)||void 0===t?void 0:t.textTransform,onChange:function(e){r({style:IC({...n,typography:{...null==n?void 0:n.typography,textTransform:e}})})}})}function Sx({name:e}={}){const t=!Ro(e,Lx),n=sA("typography.customTextTransforms");return t||!n}function Cx(e){const t=!vx(e),n=!Sx(e);return t||n?(0,tt.createElement)("div",{className:"block-editor-text-decoration-and-transform"},t&&(0,tt.createElement)(yx,e),n&&(0,tt.createElement)(Ax,e)):null}const Tx=.1;function xx({value:e,onChange:t}){const n=function(e){return void 0!==e&&""!==e}(e),r=n?e:"";return(0,tt.createElement)("div",{className:"block-editor-line-height-control"},(0,tt.createElement)(BA,{autoComplete:"off",onKeyDown:e=>{const{keyCode:r}=e;48!==r||n||(e.preventDefault(),t("0"))},onChange:e=>{if(n)return void t(e);let r=e;switch(e){case"0.1":r=1.6;break;case"0":r=1.4}t(r)},label:er("Line height"),placeholder:1.5,step:Tx,type:"number",value:r,min:0}))}const zx="typography.lineHeight";function Ox(e){var t;const{attributes:{style:n}}=e;if(Nx(e))return null;return(0,tt.createElement)(xx,{value:null==n||null===(t=n.typography)||void 0===t?void 0:t.lineHeight,onChange:t=>{const r={...n,typography:{...null==n?void 0:n.typography,lineHeight:t}};e.setAttributes({style:IC(r)})}})}function Nx({name:e}={}){const t=!sA("typography.customLineHeight");return!Ro(e,zx)||t}function Dx(e,t){if(null==e)return{};var n,r,o={},a=Object.keys(e);for(r=0;r=0||(o[n]=e[n]);return o}var Bx=n(5697),Ix=n.n(Bx);n(9864);function Px(e){return"object"==typeof e&&null!=e&&1===e.nodeType}function Rx(e,t){return(!t||"hidden"!==e)&&"visible"!==e&&"clip"!==e}function Wx(e,t){if(e.clientHeightt||a>e&&i=t&&s>=n?a-e-r:i>t&&sn?i-t+o:0}var Hx=function(){return(Hx=Object.assign||function(e){for(var t,n=1,r=arguments.length;n=0&&k>=0&&M<=m&&_<=p&&v>=z&&M<=N&&k>=D&&_<=O)return L;var B=getComputedStyle(S),I=parseInt(B.borderLeftWidth,10),P=parseInt(B.borderTopWidth,10),R=parseInt(B.borderRightWidth,10),W=parseInt(B.borderBottomWidth,10),Y=0,H=0,q="offsetWidth"in S?S.offsetWidth-S.clientWidth-I-R:0,j="offsetHeight"in S?S.offsetHeight-S.clientHeight-P-W:0;if(c===S)Y="start"===o?w:"end"===o?w-m:"nearest"===o?Yx(f,f+m,m,P,W,f+w,f+w+b,b):w-m/2,H="start"===a?E:"center"===a?E-p/2:"end"===a?E-p:Yx(h,h+p,p,I,R,h+E,h+E+y,y),Y=Math.max(0,Y+f),H=Math.max(0,H+h);else{Y="start"===o?w-z-P:"end"===o?w-N+W+j:"nearest"===o?Yx(z,N,T,P,W+j,w,w+b,b):w-(z+T/2)+j/2,H="start"===a?E-D-I:"center"===a?E-(D+x/2)+q/2:"end"===a?E-O+R+q:Yx(D,O,x,I,R+q,E,E+y,y);var F=S.scrollLeft,V=S.scrollTop;w+=V-(Y=Math.max(0,Math.min(V+Y,S.scrollHeight-T+j))),E+=F-(H=Math.max(0,Math.min(F+H,S.scrollWidth-x+q)))}L.push({el:S,top:Y,left:H})}return L}(e,{boundary:t,block:"nearest",scrollMode:"if-needed"}).forEach((function(e){var t=e.el,n=e.top,r=e.left;t.scrollTop=n,t.scrollLeft=r}))}function Vx(e,t,n){return e===t||t instanceof n.Node&&e.contains&&e.contains(t)}function Xx(e,t){var n;function r(){n&&clearTimeout(n)}function o(){for(var o=arguments.length,a=new Array(o),i=0;i1?n-1:0),o=1;o=37&&n<=40&&0!==t.indexOf("Arrow")?"Arrow"+t:t}function ez(e,t,n,r,o){if(void 0===o&&(o=!0),0===n)return-1;var a=n-1;("number"!=typeof t||t<0||t>=n)&&(t=e>0?-1:a+1);var i=t+e;i<0?i=o?a:0:i>a&&(i=o?0:a);var s=tz(e,i,n,r,o);return-1===s?t>=n?-1:t:s}function tz(e,t,n,r,o){var a=r(t);if(!a||!a.hasAttribute("disabled"))return t;if(e>0){for(var i=t+1;i=0;s--)if(!r(s).hasAttribute("disabled"))return s;return o?e>0?tz(1,0,n,r,!1):tz(-1,n-1,n,r,!1):-1}function nz(e,t,n,r){return void 0===r&&(r=!0),t.some((function(t){return t&&(Vx(t,e,n)||r&&Vx(t,n.document.activeElement,n))}))}var rz=Xx((function(e){az(e).textContent=""}),500);function oz(e,t){var n=az(t);e&&(n.textContent=e,rz(t))}function az(e){void 0===e&&(e=document);var t=e.getElementById("a11y-status-message");return t||((t=e.createElement("div")).setAttribute("id","a11y-status-message"),t.setAttribute("role","status"),t.setAttribute("aria-live","polite"),t.setAttribute("aria-relevant","additions text"),Object.assign(t.style,{border:"0",clip:"rect(0 0 0 0)",height:"1px",margin:"-1px",overflow:"hidden",padding:"0",position:"absolute",width:"1px"}),e.body.appendChild(t),t)}var iz=["isInitialMount","highlightedIndex","items","environment"],sz={highlightedIndex:-1,isOpen:!1,selectedItem:null,inputValue:""};function lz(e,t,n){var r=e.props,o=e.type,a={};Object.keys(t).forEach((function(r){!function(e,t,n,r){var o=t.props,a=t.type,i="on"+hz(e)+"Change";o[i]&&void 0!==r[e]&&r[e]!==n[e]&&o[i](ot({type:a},r))}(r,e,t,n),n[r]!==t[r]&&(a[r]=n[r])})),r.onStateChange&&Object.keys(a).length&&r.onStateChange(ot({type:o},a))}var cz=Xx((function(e,t){oz(e(),t)}),200),uz="undefined"!=typeof window&&void 0!==window.document&&void 0!==window.document.createElement?tt.useLayoutEffect:tt.useEffect;function dz(e){var t=e.id,n=void 0===t?"downshift-"+Kx():t,r=e.labelId,o=e.menuId,a=e.getItemId,i=e.toggleButtonId,s=e.inputId;return(0,tt.useRef)({labelId:r||n+"-label",menuId:o||n+"-menu",getItemId:a||function(e){return n+"-item-"+e},toggleButtonId:i||n+"-toggle-button",inputId:s||n+"-input"}).current}function pz(e,t,n){return void 0!==e?e:0===n.length?-1:n.indexOf(t)}function mz(e){return/^\S{1}$/.test(e)}function hz(e){return""+e.slice(0,1).toUpperCase()+e.slice(1)}function fz(e){var t=(0,tt.useRef)(e);return t.current=e,t}function gz(e,t,n){var r=(0,tt.useRef)(),o=(0,tt.useRef)(),a=(0,tt.useCallback)((function(t,n){o.current=n,t=Jx(t,n.props);var r=e(t,n);return n.props.stateReducer(t,ot({},n,{changes:r}))}),[e]),i=(0,tt.useReducer)(a,t),s=i[0],l=i[1],c=fz(n),u=(0,tt.useCallback)((function(e){return l(ot({props:c.current},e))}),[c]),d=o.current;return(0,tt.useEffect)((function(){d&&r.current&&r.current!==s&&lz(d,Jx(r.current,d.props),s),r.current=s}),[s,n,d]),[s,u]}function bz(e,t,n){var r=gz(e,t,n),o=r[0],a=r[1];return[Jx(o,n),a]}var yz={itemToString:function(e){return e?String(e):""},stateReducer:function(e,t){return t.changes},getA11ySelectionMessage:function(e){var t=e.selectedItem,n=e.itemToString;return t?n(t)+" has been selected.":""},scrollIntoView:Fx,circularNavigation:!1,environment:"undefined"==typeof window?{}:window};function vz(e,t,n){void 0===n&&(n=sz);var r="default"+hz(t);return r in e?e[r]:n[t]}function _z(e,t,n){if(void 0===n&&(n=sz),t in e)return e[t];var r="initial"+hz(t);return r in e?e[r]:vz(e,t,n)}function Mz(e){var t=_z(e,"selectedItem"),n=_z(e,"isOpen"),r=_z(e,"highlightedIndex"),o=_z(e,"inputValue");return{highlightedIndex:r<0&&t&&n?e.items.indexOf(t):r,isOpen:n,selectedItem:t,inputValue:o}}function kz(e,t,n,r){var o=e.items,a=e.initialHighlightedIndex,i=e.defaultHighlightedIndex,s=t.selectedItem,l=t.highlightedIndex;return 0===o.length?-1:void 0!==a&&l===a?a:void 0!==i?i:s?0===n?o.indexOf(s):ez(n,o.indexOf(s),o.length,r,!1):0===n?-1:n<0?o.length-1:0}function wz(e,t,n,r){var o=(0,tt.useRef)({isMouseDown:!1,isTouchMove:!1});return(0,tt.useEffect)((function(){var a=function(){o.current.isMouseDown=!0},i=function(a){o.current.isMouseDown=!1,e&&!nz(a.target,t.map((function(e){return e.current})),n)&&r()},s=function(){o.current.isTouchMove=!1},l=function(){o.current.isTouchMove=!0},c=function(a){!e||o.current.isTouchMove||nz(a.target,t.map((function(e){return e.current})),n,!1)||r()};return n.addEventListener("mousedown",a),n.addEventListener("mouseup",i),n.addEventListener("touchstart",s),n.addEventListener("touchmove",l),n.addEventListener("touchend",c),function(){n.removeEventListener("mousedown",a),n.removeEventListener("mouseup",i),n.removeEventListener("touchstart",s),n.removeEventListener("touchmove",l),n.removeEventListener("touchend",c)}}),[e,n]),o}var Ez=function(){return jx};function Lz(e,t,n){var r=n.isInitialMount,o=n.highlightedIndex,a=n.items,i=n.environment,s=Dx(n,iz);(0,tt.useEffect)((function(){r||cz((function(){return e(ot({highlightedIndex:o,highlightedItem:a[o],resultCount:a.length},s))}),i.document)}),t)}function Az(e){var t=e.highlightedIndex,n=e.isOpen,r=e.itemRefs,o=e.getItemNodeFromIndex,a=e.menuElement,i=e.scrollIntoView,s=(0,tt.useRef)(!0);return uz((function(){t<0||!n||!Object.keys(r.current).length||(!1===s.current?s.current=!0:i(o(t),a))}),[t]),s}var Sz=jx;function Cz(e,t,n){var r,o=t.type,a=t.props;switch(o){case n.ItemMouseMove:r={highlightedIndex:t.index};break;case n.MenuMouseLeave:r={highlightedIndex:-1};break;case n.ToggleButtonClick:case n.FunctionToggleMenu:r={isOpen:!e.isOpen,highlightedIndex:e.isOpen?-1:kz(a,e,0)};break;case n.FunctionOpenMenu:r={isOpen:!0,highlightedIndex:kz(a,e,0)};break;case n.FunctionCloseMenu:r={isOpen:!1};break;case n.FunctionSetHighlightedIndex:r={highlightedIndex:t.highlightedIndex};break;case n.FunctionSetInputValue:r={inputValue:t.inputValue};break;case n.FunctionReset:r={highlightedIndex:vz(a,"highlightedIndex"),isOpen:vz(a,"isOpen"),selectedItem:vz(a,"selectedItem"),inputValue:vz(a,"inputValue")};break;default:throw new Error("Reducer called without proper action type.")}return ot({},e,r)}function Tz(e){for(var t=e.keysSoFar,n=e.highlightedIndex,r=e.items,o=e.itemToString,a=e.getItemNodeFromIndex,i=t.toLowerCase(),s=0;s=0&&{selectedItem:o.items[l]});break;case 13:n={highlightedIndex:kz(o,e,1,t.getItemNodeFromIndex),isOpen:!0};break;case 14:n={highlightedIndex:kz(o,e,-1,t.getItemNodeFromIndex),isOpen:!0};break;case 5:case 6:n=ot({isOpen:vz(o,"isOpen"),highlightedIndex:vz(o,"highlightedIndex")},e.highlightedIndex>=0&&{selectedItem:o.items[e.highlightedIndex]});break;case 3:n={highlightedIndex:tz(1,0,o.items.length,t.getItemNodeFromIndex,!1)};break;case 4:n={highlightedIndex:tz(-1,o.items.length-1,o.items.length,t.getItemNodeFromIndex,!1)};break;case 2:case 8:n={isOpen:!1,highlightedIndex:-1};break;case 7:var c=t.key,u=""+e.inputValue+c,d=Tz({keysSoFar:u,highlightedIndex:e.highlightedIndex,items:o.items,itemToString:o.itemToString,getItemNodeFromIndex:t.getItemNodeFromIndex});n=ot({inputValue:u},d>=0&&{highlightedIndex:d});break;case 0:n={highlightedIndex:ez(a?5:1,e.highlightedIndex,o.items.length,t.getItemNodeFromIndex,o.circularNavigation)};break;case 1:n={highlightedIndex:ez(a?-5:-1,e.highlightedIndex,o.items.length,t.getItemNodeFromIndex,o.circularNavigation)};break;case 20:n={selectedItem:t.selectedItem};break;default:return Cz(e,t,Oz)}return ot({},e,n)}var Dz=["onMouseLeave","refKey","onKeyDown","onBlur","ref"],Bz=["onClick","onKeyDown","refKey","ref"],Iz=["item","index","onMouseMove","onClick","refKey","ref"];function Pz(e){void 0===e&&(e={}),zz(e,Pz);var t=ot({},xz,e),n=t.items,r=t.scrollIntoView,o=t.environment,a=t.initialIsOpen,i=t.defaultIsOpen,s=t.itemToString,l=t.getA11ySelectionMessage,c=t.getA11yStatusMessage,u=bz(Nz,Mz(t),t),d=u[0],p=u[1],m=d.isOpen,h=d.highlightedIndex,f=d.selectedItem,g=d.inputValue,b=(0,tt.useRef)(null),y=(0,tt.useRef)(null),v=(0,tt.useRef)({}),_=(0,tt.useRef)(!0),M=(0,tt.useRef)(null),k=dz(t),w=(0,tt.useRef)(),E=(0,tt.useRef)(!0),L=fz({state:d,props:t}),A=(0,tt.useCallback)((function(e){return v.current[k.getItemId(e)]}),[k]);Lz(c,[m,h,g,n],ot({isInitialMount:E.current,previousResultCount:w.current,items:n,environment:o,itemToString:s},d)),Lz(l,[f],ot({isInitialMount:E.current,previousResultCount:w.current,items:n,environment:o,itemToString:s},d));var S=Az({menuElement:y.current,highlightedIndex:h,isOpen:m,itemRefs:v,scrollIntoView:r,getItemNodeFromIndex:A});(0,tt.useEffect)((function(){return M.current=Xx((function(e){e({type:21,inputValue:""})}),500),function(){M.current.cancel()}}),[]),(0,tt.useEffect)((function(){g&&M.current(p)}),[p,g]),Sz({isInitialMount:E.current,props:t,state:d}),(0,tt.useEffect)((function(){E.current?(a||i||m)&&y.current&&y.current.focus():m?y.current&&y.current.focus():o.document.activeElement===y.current&&b.current&&(_.current=!1,b.current.focus())}),[m]),(0,tt.useEffect)((function(){E.current||(w.current=n.length)}));var C=wz(m,[y,b],o,(function(){p({type:8})})),T=Ez();(0,tt.useEffect)((function(){E.current=!1}),[]),(0,tt.useEffect)((function(){m||(v.current={})}),[m]);var x=(0,tt.useMemo)((function(){return{ArrowDown:function(e){e.preventDefault(),p({type:13,getItemNodeFromIndex:A,shiftKey:e.shiftKey})},ArrowUp:function(e){e.preventDefault(),p({type:14,getItemNodeFromIndex:A,shiftKey:e.shiftKey})}}}),[p,A]),z=(0,tt.useMemo)((function(){return{ArrowDown:function(e){e.preventDefault(),p({type:0,getItemNodeFromIndex:A,shiftKey:e.shiftKey})},ArrowUp:function(e){e.preventDefault(),p({type:1,getItemNodeFromIndex:A,shiftKey:e.shiftKey})},Home:function(e){e.preventDefault(),p({type:3,getItemNodeFromIndex:A})},End:function(e){e.preventDefault(),p({type:4,getItemNodeFromIndex:A})},Escape:function(){p({type:2})},Enter:function(e){e.preventDefault(),p({type:5})}," ":function(e){e.preventDefault(),p({type:6})}}}),[p,A]),O=(0,tt.useCallback)((function(){p({type:16})}),[p]),N=(0,tt.useCallback)((function(){p({type:18})}),[p]),D=(0,tt.useCallback)((function(){p({type:17})}),[p]),B=(0,tt.useCallback)((function(e){p({type:19,highlightedIndex:e})}),[p]),I=(0,tt.useCallback)((function(e){p({type:20,selectedItem:e})}),[p]),P=(0,tt.useCallback)((function(){p({type:22})}),[p]),R=(0,tt.useCallback)((function(e){p({type:21,inputValue:e})}),[p]),W=(0,tt.useCallback)((function(e){return ot({id:k.labelId,htmlFor:k.toggleButtonId},e)}),[k]),Y=(0,tt.useCallback)((function(e,t){var n,r=void 0===e?{}:e,o=r.onMouseLeave,a=r.refKey,i=void 0===a?"ref":a,s=r.onKeyDown,l=r.onBlur,c=r.ref,u=Dx(r,Dz),d=(void 0===t?{}:t).suppressRefError,m=void 0!==d&&d,h=L.current.state;return T("getMenuProps",m,i,y),ot(((n={})[i]=$x(c,(function(e){y.current=e})),n.id=k.menuId,n.role="listbox",n["aria-labelledby"]=k.labelId,n.tabIndex=-1,n),h.isOpen&&h.highlightedIndex>-1&&{"aria-activedescendant":k.getItemId(h.highlightedIndex)},{onMouseLeave:Ux(o,(function(){p({type:9})})),onKeyDown:Ux(s,(function(e){var t=Qx(e);t&&z[t]?z[t](e):mz(t)&&p({type:7,key:t,getItemNodeFromIndex:A})})),onBlur:Ux(l,(function(){!1!==_.current?!C.current.isMouseDown&&p({type:8}):_.current=!0}))},u)}),[p,L,z,C,T,k,A]);return{getToggleButtonProps:(0,tt.useCallback)((function(e,t){var n,r=void 0===e?{}:e,o=r.onClick,a=r.onKeyDown,i=r.refKey,s=void 0===i?"ref":i,l=r.ref,c=Dx(r,Bz),u=(void 0===t?{}:t).suppressRefError,d=void 0!==u&&u,m=ot(((n={})[s]=$x(l,(function(e){b.current=e})),n.id=k.toggleButtonId,n["aria-haspopup"]="listbox",n["aria-expanded"]=L.current.state.isOpen,n["aria-labelledby"]=k.labelId+" "+k.toggleButtonId,n),c);return c.disabled||(m.onClick=Ux(o,(function(){p({type:12})})),m.onKeyDown=Ux(a,(function(e){var t=Qx(e);t&&x[t]?x[t](e):mz(t)&&p({type:15,key:t,getItemNodeFromIndex:A})}))),T("getToggleButtonProps",d,s,b),m}),[p,L,x,T,k,A]),getLabelProps:W,getMenuProps:Y,getItemProps:(0,tt.useCallback)((function(e){var t,n=void 0===e?{}:e,r=n.item,o=n.index,a=n.onMouseMove,i=n.onClick,s=n.refKey,l=void 0===s?"ref":s,c=n.ref,u=Dx(n,Iz),d=L.current,m=d.state,h=d.props,f=pz(o,r,h.items);if(f<0)throw new Error("Pass either item or item index in getItemProps!");var g=ot(((t={role:"option","aria-selected":""+(f===m.highlightedIndex),id:k.getItemId(f)})[l]=$x(c,(function(e){e&&(v.current[k.getItemId(f)]=e)})),t),u);return u.disabled||(g.onMouseMove=Ux(a,(function(){o!==m.highlightedIndex&&(S.current=!1,p({type:10,index:o}))})),g.onClick=Ux(i,(function(){p({type:11,index:o})}))),g}),[p,L,S,k]),toggleMenu:O,openMenu:D,closeMenu:N,setHighlightedIndex:B,selectItem:I,reset:P,setInputValue:R,highlightedIndex:h,isOpen:m,selectedItem:f,inputValue:g}}Pz.stateChangeTypes=Oz;Ix().array.isRequired,Ix().func,Ix().func,Ix().func,Ix().bool,Ix().number,Ix().number,Ix().number,Ix().bool,Ix().bool,Ix().bool,Ix().any,Ix().any,Ix().any,Ix().string,Ix().string,Ix().string,Ix().string,Ix().string,Ix().string,Ix().func,Ix().string,Ix().string,Ix().func,Ix().func,Ix().func,Ix().func,Ix().func,Ix().func,Ix().shape({addEventListener:Ix().func,removeEventListener:Ix().func,document:Ix().shape({getElementById:Ix().func,activeElement:Ix().any,body:Ix().any})});ot({},yz,{getA11yStatusMessage:Gx,circularNavigation:!0});Ix().array,Ix().array,Ix().array,Ix().func,Ix().func,Ix().func,Ix().number,Ix().number,Ix().number,Ix().func,Ix().func,Ix().string,Ix().string,Ix().shape({addEventListener:Ix().func,removeEventListener:Ix().func,document:Ix().shape({getElementById:Ix().func,activeElement:Ix().any,body:Ix().any})});const Rz=e=>e&&e.name,Wz=({selectedItem:e},{type:t,changes:n,props:{items:r}})=>{switch(t){case Pz.stateChangeTypes.ToggleButtonKeyDownArrowDown:return{selectedItem:r[e?Math.min(r.indexOf(e)+1,r.length-1):0]};case Pz.stateChangeTypes.ToggleButtonKeyDownArrowUp:return{selectedItem:r[e?Math.max(r.indexOf(e)-1,0):r.length-1]};default:return n}};function Yz({className:e,hideLabelFromVision:t,label:n,options:r,onChange:o,value:a}){const{getLabelProps:i,getToggleButtonProps:s,getMenuProps:l,getItemProps:c,isOpen:u,highlightedIndex:d,selectedItem:p}=Pz({initialSelectedItem:r[0],items:r,itemToString:Rz,onSelectedItemChange:o,selectedItem:a,stateReducer:Wz}),m=l({className:"components-custom-select-control__menu","aria-hidden":!u});return m["aria-activedescendant"]&&"downshift-null"===m["aria-activedescendant"].slice(0,"downshift-null".length)&&delete m["aria-activedescendant"],(0,tt.createElement)("div",{className:so()("components-custom-select-control",e)},t?(0,tt.createElement)(zf,ot({as:"label"},i()),n):(0,tt.createElement)("label",i({className:"components-custom-select-control__label"}),n),(0,tt.createElement)(Nf,s({"aria-label":n,"aria-labelledby":void 0,className:"components-custom-select-control__button",isSmall:!0}),Rz(p),(0,tt.createElement)(oA,{icon:qA,className:"components-custom-select-control__button-icon"})),(0,tt.createElement)("ul",m,u&&r.map(((e,t)=>(0,tt.createElement)("li",c({item:e,index:t,key:e.key,className:so()(e.className,"components-custom-select-control__item",{"is-highlighted":t===d}),style:e.style}),e.name,e===p&&(0,tt.createElement)(oA,{icon:OS,className:"components-custom-select-control__item-icon"}))))))}const Hz=[{name:er("Regular"),value:"normal"},{name:er("Italic"),value:"italic"}],qz=[{name:er("Thin"),value:"100"},{name:er("Extra Light"),value:"200"},{name:er("Light"),value:"300"},{name:er("Regular"),value:"400"},{name:er("Medium"),value:"500"},{name:er("Semi Bold"),value:"600"},{name:er("Bold"),value:"700"},{name:er("Extra Bold"),value:"800"},{name:er("Black"),value:"900"}];function jz(e){const{onChange:t,hasFontStyles:n=!0,hasFontWeights:r=!0,value:{fontStyle:o,fontWeight:a}}=e,i=n||r,s={key:"default",name:er("Default"),style:{fontStyle:void 0,fontWeight:void 0}},l=(0,tt.useMemo)((()=>n&&r?(()=>{const e=[s];return Hz.forEach((({name:t,value:n})=>{qz.forEach((({name:r,value:o})=>{const a="normal"===n?r:pn(er("%1$s %2$s"),r,t);e.push({key:`${n}-${o}`,name:a,style:{fontStyle:n,fontWeight:o}})}))})),e})():n?(()=>{const e=[s];return Hz.forEach((({name:t,value:n})=>{e.push({key:n,name:t,style:{fontStyle:n,fontWeight:void 0}})})),e})():(()=>{const e=[s];return qz.forEach((({name:t,value:n})=>{e.push({key:n,name:t,style:{fontStyle:void 0,fontWeight:n}})})),e})()),[e.options]),c=l.find((e=>e.style.fontStyle===o&&e.style.fontWeight===a));return(0,tt.createElement)("fieldset",{className:"components-font-appearance-control"},i&&(0,tt.createElement)(Yz,{className:"components-font-appearance-control__select",label:er(n?r?"Appearance":"Font style":"Font weight"),options:l,value:c,onChange:({selectedItem:e})=>t(e.style)}))}const Fz="typography.__experimentalFontStyle",Vz="typography.__experimentalFontWeight";function Xz(e){var t,n;const{attributes:{style:r},setAttributes:o}=e,a=!Uz(e),i=!$z(e);if(!a&&!i)return null;const s=null==r||null===(t=r.typography)||void 0===t?void 0:t.fontStyle,l=null==r||null===(n=r.typography)||void 0===n?void 0:n.fontWeight;return(0,tt.createElement)(jz,{onChange:e=>{o({style:IC({...r,typography:{...null==r?void 0:r.typography,fontStyle:e.fontStyle,fontWeight:e.fontWeight}})})},hasFontStyles:a,hasFontWeights:i,value:{fontStyle:s,fontWeight:l}})}function Uz({name:e}={}){const t=Ro(e,Fz),n=sA("typography.customFontStyle");return!t||!n}function $z({name:e}={}){const t=Ro(e,Vz),n=sA("typography.customFontWeight");return!t||!n}function Kz(e){const t=Uz(e),n=$z(e);return t&&n}function Gz({value:e="",onChange:t,fontFamilies:n,...r}){const o=sA("typography.fontFamilies");if(n||(n=o),(0,at.isEmpty)(n))return null;const a=[{value:"",label:er("Default")},...n.map((({fontFamily:e,name:t})=>({value:e,label:t||e})))];return(0,tt.createElement)(aC,ot({label:er("Font family"),options:a,value:e,onChange:t,labelPosition:"top"},r))}const Jz="typography.__experimentalFontFamily";function Zz({name:e,setAttributes:t,attributes:{style:n={}}}){var r;const o=sA("typography.fontFamilies");if(Qz({name:e}))return null;const a=((e,t)=>{const n=/var:preset\|font-family\|(.+)/.exec(t);if(n&&n[1]){const t=(0,at.find)(e,(({slug:e})=>e===n[1]));if(t)return t.fontFamily}return t})(o,null===(r=n.typography)||void 0===r?void 0:r.fontFamily);return(0,tt.createElement)(Gz,{className:"block-editor-hooks-font-family-control",fontFamilies:o,value:a,onChange:function(e){const r=(0,at.find)(o,(({fontFamily:t})=>t===e));t({style:IC({...n,typography:{...n.typography||{},fontFamily:r?`var:preset|font-family|${r.slug}`:e||void 0}})})}})}function Qz({name:e}){const t=sA("typography.fontFamilies");return!t||0===t.length||!Ro(e,Jz)}class eO{constructor(e=""){this.value=e,this._currentValue,this._valueAsArray}entries(...e){return this._valueAsArray.entries(...e)}forEach(...e){return this._valueAsArray.forEach(...e)}keys(...e){return this._valueAsArray.keys(...e)}values(...e){return this._valueAsArray.values(...e)}get value(){return this._currentValue}set value(e){e=String(e),this._valueAsArray=(0,at.uniq)((0,at.compact)(e.split(/\s+/g))),this._currentValue=this._valueAsArray.join(" ")}get length(){return this._valueAsArray.length}toString(){return this.value}*[Symbol.iterator](){return yield*this._valueAsArray}item(e){return this._valueAsArray[e]}contains(e){return-1!==this._valueAsArray.indexOf(e)}add(...e){this.value+=" "+e.join(" ")}remove(...e){this.value=(0,at.without)(this._valueAsArray,...e).join(" ")}toggle(e,t){return void 0===t&&(t=!this.contains(e)),t?this.add(e):this.remove(e),t}replace(e,t){return!!this.contains(e)&&(this.remove(e),this.add(t),!0)}supports(){return!0}}const tO=(e,t,n)=>{if(t){const n=(0,at.find)(e,{slug:t});if(n)return n}return{size:n}};function nO(e){if(e)return`has-${(0,at.kebabCase)(e)}-font-size`}const rO=(0,tt.createElement)(mo,{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24"},(0,tt.createElement)(uo,{d:"M12.9 6h-2l-4 11h1.9l1.1-3h4.2l1.1 3h1.9L12.9 6zm-2.5 6.5l1.5-4.9 1.7 4.9h-3.2z"})),oO="default",aO="custom";const iO=(0,tt.forwardRef)((function({fallbackFontSize:e,fontSizes:t=[],disableCustomFontSizes:n=!1,onChange:r,value:o,withSlider:a=!1},i){const s=(0,at.isString)(o)||t[0]&&(0,at.isString)(t[0].size);let l;l=s?parseInt(o):o;const c=(0,at.isNumber)(o)||(0,at.isString)(o)&&o.endsWith("px"),u=Bk({availableUnits:["px","em","rem"]}),d=(0,tt.useMemo)((()=>function(e,t){return t&&!e.length?null:(e=[{slug:oO,name:er("Default")},...e,...t?[]:[{slug:aO,name:er("Custom")}]]).map((e=>({key:e.slug,name:e.name,size:e.size,style:{fontSize:`min( ${e.size}, 25px )`}})))}(t,n)),[t,n]);if(!d)return null;const p=function(e,t){if(t){const n=e.find((e=>e.size===t));return n?n.slug:aO}return oO}(t,o);return(0,tt.createElement)("fieldset",ot({className:"components-font-size-picker"},i?{}:{ref:i}),(0,tt.createElement)(zf,{as:"legend"},er("Font size")),(0,tt.createElement)("div",{className:"components-font-size-picker__controls"},t.length>0&&(0,tt.createElement)(Yz,{className:"components-font-size-picker__select",label:er("Font size"),options:d,value:d.find((e=>e.key===p)),onChange:({selectedItem:e})=>{r(s?e.size:Number(e.size))}}),!a&&!n&&(0,tt.createElement)(rA,{label:er("Custom"),labelPosition:"top",__unstableInputWidth:"60px",value:o,onChange:e=>{0!==parseFloat(e)&&e?r(e):r(void 0)},units:u}),(0,tt.createElement)(Nf,{className:"components-color-palette__clear",disabled:void 0===o,onClick:()=>{r(void 0)},isSmall:!0,variant:"secondary"},er("Reset"))),a&&(0,tt.createElement)(mT,{className:"components-font-size-picker__custom-input",label:er("Custom Size"),value:c&&l||"",initialPosition:e,onChange:e=>{r(s?e+"px":e)},min:12,max:100,beforeIcon:rO,afterIcon:rO}))}));const sO=function(e){const t=sA("typography.fontSizes"),n=!sA("typography.customFontSize");return(0,tt.createElement)(iO,ot({},e,{fontSizes:t,disableCustomFontSizes:n}))},lO="typography.fontSize";function cO(e,t,n){if(!Ro(t,lO))return e;if(Ro(t,"typography.__experimentalSkipSerialization"))return e;const r=new eO(e.className);r.add(nO(n.fontSize));const o=r.value;return e.className=o||void 0,e}function uO(e){var t,n;const{attributes:{fontSize:r,style:o},setAttributes:a}=e,i=dO(e),s=sA("typography.fontSizes");if(i)return null;const l=tO(s,r,null==o||null===(t=o.typography)||void 0===t?void 0:t.fontSize),c=(null==l?void 0:l.size)||(null==o||null===(n=o.typography)||void 0===n?void 0:n.fontSize)||r;return(0,tt.createElement)(sO,{onChange:e=>{const t=function(e,t){return(0,at.find)(e,{size:t})||{size:t}}(s,e).slug;a({style:IC({...o,typography:{...null==o?void 0:o.typography,fontSize:t?void 0:e}}),fontSize:t})},value:c})}function dO({name:e}={}){const t=sA("typography.fontSizes"),n=!(null==t||!t.length);return!Ro(e,lO)||!n}const pO=ni((e=>t=>{var n,r;const o=sA("typography.fontSizes"),{name:a,attributes:{fontSize:i,style:s},wrapperProps:l}=t;if(!Ro(a,lO)||Ro(a,"typography.__experimentalSkipSerialization")||!i||null!=s&&null!==(n=s.typography)&&void 0!==n&&n.fontSize)return(0,tt.createElement)(e,t);const c=tO(o,i,null==s||null===(r=s.typography)||void 0===r?void 0:r.fontSize).size,u={...t,wrapperProps:{...l,style:{fontSize:c,...null==l?void 0:l.style}}};return(0,tt.createElement)(e,u)}),"withFontSizeInlineStyles");function mO({value:e,onChange:t}){const n=Bk({availableUnits:sA("spacing.units")||["px","em","rem"],defaultValues:{px:"2",em:".2",rem:".2"}});return(0,tt.createElement)(rA,{label:er("Letter-spacing"),value:e,__unstableInputWidth:"60px",units:n,onChange:t})}In("blocks.registerBlockType","core/font/addAttribute",(function(e){return Ro(e,lO)?(e.attributes.fontSize||Object.assign(e.attributes,{fontSize:{type:"string"}}),e):e})),In("blocks.getSaveContent.extraProps","core/font/addSaveProps",cO),In("blocks.registerBlockType","core/font/addEditProps",(function(e){if(!Ro(e,lO))return e;const t=e.getEditWrapperProps;return e.getEditWrapperProps=n=>{let r={};return t&&(r=t(n)),cO(r,e,n)},e})),In("editor.BlockListBlock","core/font-size/with-font-size-inline-styles",pO);const hO="__experimentalLetterSpacing";function fO(e){var t;const{attributes:{style:n},setAttributes:r}=e;if(gO(e))return null;return(0,tt.createElement)(mO,{value:null==n||null===(t=n.typography)||void 0===t?void 0:t.letterSpacing,onChange:function(e){r({style:IC({...n,typography:{...null==n?void 0:n.typography,letterSpacing:e}})})}})}function gO({name:e}={}){const t=!Ro(e,hO),n=sA("typography.customLetterSpacing");return t||!n}const bO="typography",yO=[zx,lO,Fz,Vz,Jz,bx,Lx,hO];function vO(e){const t=function(e={}){const t=[Kz(e),dO(e),Nx(e),Qz(e),vx(e),Sx(e),gO(e)];return t.filter(Boolean).length===t.length}(e),n=_O(e.name);return t||!n?null:(0,tt.createElement)(eS,null,(0,tt.createElement)(VA,{title:er("Typography")},(0,tt.createElement)(Zz,e),(0,tt.createElement)(uO,e),(0,tt.createElement)(Xz,e),(0,tt.createElement)(Ox,e),(0,tt.createElement)(Cx,e),(0,tt.createElement)(fO,e)))}const _O=e=>"web"===Tb.OS&&yO.some((t=>Ro(e,t)));const MO=Cf("div",{target:"e7pk0lh6"})({name:"14bvcyk",styles:"box-sizing:border-box;max-width:235px;padding-bottom:12px;width:100%"}),kO=Cf(vw,{target:"e7pk0lh5"})("color:",iw.ui.label,";padding-bottom:8px;"),wO=Cf(vw,{target:"e7pk0lh4"})({name:"aujtid",styles:"min-height:30px;gap:0"}),EO=Cf("div",{target:"e7pk0lh3"})({name:"112jwab",styles:"box-sizing:border-box;max-width:80px"}),LO=Cf(vw,{target:"e7pk0lh2"})({name:"xy18ro",styles:"justify-content:center;padding-top:8px"}),AO=Cf(vw,{target:"e7pk0lh1"})({name:"3tw5wk",styles:"position:relative;height:100%;width:100%;justify-content:flex-start"});var SO={name:"1ch9yvl",styles:"border-radius:0"},CO={name:"tg3mx0",styles:"border-radius:2px"};const TO=({isFirst:e,isLast:t,isOnly:n})=>e?$k({borderTopRightRadius:0,borderBottomRightRadius:0})():t?$k({borderTopLeftRadius:0,borderBottomLeftRadius:0})():n?CO:SO,xO=({isFirst:e,isOnly:t})=>$k({marginLeft:e||t?0:-1})(),zO=Cf(rA,{target:"e7pk0lh0"})("max-width:60px;",TO,";",xO,";");function OO({isFirst:e,isLast:t,isOnly:n,onHoverOn:r=at.noop,onHoverOff:o=at.noop,label:a,value:i,...s}){const l=function(e,t){void 0===t&&(t={}),oL.set("hover",zL);var n=(0,tt.useRef)();return n.current||(n.current=CL(eL,xL)),wL({hover:e},n.current(t))}((({event:e,...t})=>{t.hovering?r(e,t):o(e,t)}));return(0,tt.createElement)(EO,l(),(0,tt.createElement)(NO,{text:a},(0,tt.createElement)(zO,ot({"aria-label":a,className:"component-box-control__unit-control",hideHTMLArrows:!0,isFirst:e,isLast:t,isOnly:n,isPressEnterToChange:!0,isResetValueOnUnitChange:!1,value:i},s))))}function NO({children:e,text:t}){return t?(0,tt.createElement)(Bh,{text:t,position:"top"},(0,tt.createElement)("div",null,e)):e}const DO={all:er("All"),top:er("Top"),bottom:er("Bottom"),left:er("Left"),right:er("Right"),mixed:er("Mixed"),vertical:er("Vertical"),horizontal:er("Horizontal")},BO={top:null,right:null,bottom:null,left:null},IO={top:!1,right:!1,bottom:!1,left:!1},PO=["top","right","bottom","left"];function RO(e){return e.sort(((t,n)=>e.filter((e=>e===t)).length-e.filter((e=>e===n)).length)).pop()}function WO(e={},t=PO){const n=function(e){const t=[];if(null==e||!e.length)return PO;if(e.includes("vertical"))t.push("top","bottom");else if(e.includes("horizontal"))t.push("left","right");else{const n=PO.filter((t=>e.includes(t)));t.push(...n)}return t}(t).map((t=>Nk(e[t]))),r=n.map((e=>e[0])),o=n.map((e=>e[1])),a=r.every((e=>e===r[0]))?r[0]:"",i=RO(o);return(0,at.isNumber)(a)?`${a}${i}`:null}function YO(e={},t=PO){const n=WO(e,t);return isNaN(parseFloat(n))}function HO(e){return void 0!==e&&!(0,at.isEmpty)(Object.values(e).filter((e=>!!e&&/\d/.test(e))))}function qO(e,t){let n="all";return e||(n=t?"vertical":"top"),n}function jO({onChange:e=at.noop,onFocus:t=at.noop,onHoverOn:n=at.noop,onHoverOff:r=at.noop,values:o,sides:a,selectedUnits:i,setSelectedUnits:s,...l}){const c=WO(o,a),u=HO(o)&&YO(o,a),d=u?DO.mixed:null,p=c?void 0:function(e){if(!e||"object"!=typeof e)return;return RO(Object.values(e).filter(Boolean))}(i),m=(e,t)=>{const n={...e};return null!=a&&a.length?a.forEach((e=>{"vertical"===e?(n.top=t,n.bottom=t):"horizontal"===e?(n.left=t,n.right=t):n[e]=t})):PO.forEach((e=>n[e]=t)),n};return(0,tt.createElement)(OO,ot({},l,{disableUnits:u,isOnly:!0,value:c,unit:p,onChange:t=>{const n=!isNaN(parseFloat(t)),r=m(o,n?t:void 0);e(r)},onUnitChange:e=>{const t=m(i,e);s(t)},onFocus:e=>{t(e,{side:"all"})},onHoverOn:()=>{n({top:!0,bottom:!0,left:!0,right:!0})},onHoverOff:()=>{r({top:!1,bottom:!1,left:!1,right:!1})},placeholder:d}))}function FO({onChange:e=at.noop,onFocus:t=at.noop,onHoverOn:n=at.noop,onHoverOff:r=at.noop,values:o,selectedUnits:a,setSelectedUnits:i,sides:s,...l}){const c=e=>n=>{t(n,{side:e})},u=e=>()=>{n({[e]:!0})},d=e=>()=>{r({[e]:!1})},p=t=>(n,{event:r})=>{const{altKey:a}=r,i={...o},s=!isNaN(parseFloat(n))?n:void 0;if(i[t]=s,a)switch(t){case"top":i.bottom=s;break;case"bottom":i.top=s;break;case"left":i.right=s;break;case"right":i.left=s}(t=>{e(t)})(i)},m=e=>t=>{const n={...a};n[e]=t,i(n)},h=null!=s&&s.length?PO.filter((e=>s.includes(e))):PO,f=h[0],g=h[h.length-1],b=f===g&&f;return(0,tt.createElement)(LO,{className:"component-box-control__input-controls-wrapper"},(0,tt.createElement)(AO,{gap:0,align:"top",className:"component-box-control__input-controls"},h.map((e=>(0,tt.createElement)(OO,ot({},l,{isFirst:f===e,isLast:g===e,isOnly:b===e,value:o[e],unit:o[e]?void 0:a[e],onChange:p(e),onUnitChange:m(e),onFocus:c(e),onHoverOn:u(e),onHoverOff:d(e),label:DO[e],key:`box-control-${e}`}))))))}const VO=["vertical","horizontal"];function XO({onChange:e,onFocus:t,onHoverOn:n,onHoverOff:r,values:o,selectedUnits:a,setSelectedUnits:i,sides:s,...l}){const c=e=>n=>{t&&t(n,{side:e})},u=e=>()=>{n&&("vertical"===e&&n({top:!0,bottom:!0}),"horizontal"===e&&n({left:!0,right:!0}))},d=e=>()=>{r&&("vertical"===e&&r({top:!1,bottom:!1}),"horizontal"===e&&r({left:!1,right:!1}))},p=t=>n=>{if(!e)return;const r={...o},a=!isNaN(parseFloat(n))?n:void 0;"vertical"===t&&(r.top=a,r.bottom=a),"horizontal"===t&&(r.left=a,r.right=a),e(r)},m=e=>t=>{const n={...a};"vertical"===e&&(n.top=t,n.bottom=t),"horizontal"===e&&(n.left=t,n.right=t),i(n)},h=null!=s&&s.length?VO.filter((e=>s.includes(e))):VO,f=h[0],g=h[h.length-1],b=f===g;return(0,tt.createElement)(AO,{gap:0,align:"top",className:"component-box-control__vertical-horizontal-input-controls"},h.map((e=>(0,tt.createElement)(OO,ot({},l,{isFirst:f===e,isLast:g===e,isOnly:b===e,value:"vertical"===e?o.top:o.left,unit:"vertical"===e?a.top:a.left,onChange:p(e),onUnitChange:m(e),onFocus:c(e),onHoverOn:u(e),onHoverOff:d(e),label:DO[e],key:e})))))}const UO=Cf("span",{target:"eaw9yqk8"})({name:"1w884gc",styles:"box-sizing:border-box;display:block;width:24px;height:24px;position:relative;padding:4px"}),$O=Cf("span",{target:"eaw9yqk7"})({name:"i6vjox",styles:"box-sizing:border-box;display:block;position:relative;width:100%;height:100%"}),KO=Cf("span",{target:"eaw9yqk6"})("box-sizing:border-box;display:block;pointer-events:none;position:absolute;",(({isFocused:e})=>qk({backgroundColor:"currentColor",opacity:e?1:.3},"","")),";"),GO=Cf(KO,{target:"eaw9yqk5"})({name:"1k2w39q",styles:"bottom:3px;top:3px;width:2px"}),JO=Cf(KO,{target:"eaw9yqk4"})({name:"1q9b07k",styles:"height:2px;left:3px;right:3px"}),ZO=Cf(JO,{target:"eaw9yqk3"})({name:"abcix4",styles:"top:0"}),QO=Cf(GO,{target:"eaw9yqk2"})({name:"1wf8jf",styles:"right:0"}),eN=Cf(JO,{target:"eaw9yqk1"})({name:"8tapst",styles:"bottom:0"}),tN=Cf(GO,{target:"eaw9yqk0"})({name:"1ode3cm",styles:"left:0"});function nN({size:e=24,side:t="all",sides:n,...r}){const o=e=>!(e=>(null==n?void 0:n.length)&&!n.includes(e))(e)&&("all"===t||t===e),a=o("top")||o("vertical"),i=o("right")||o("horizontal"),s=o("bottom")||o("vertical"),l=o("left")||o("horizontal"),c=e/24;return(0,tt.createElement)(UO,ot({style:{transform:`scale(${c})`}},r),(0,tt.createElement)($O,null,(0,tt.createElement)(ZO,{isFocused:a}),(0,tt.createElement)(QO,{isFocused:i}),(0,tt.createElement)(eN,{isFocused:s}),(0,tt.createElement)(tN,{isFocused:l})))}function rN({isLinked:e,...t}){const n=er(e?"Unlink Sides":"Link Sides");return(0,tt.createElement)(Bh,{text:n},(0,tt.createElement)("span",null,(0,tt.createElement)(Nf,ot({},t,{className:"component-box-control__linked-button",variant:e?"primary":"secondary",isSmall:!0,icon:e?MT:kT,iconSize:16,"aria-label":n}))))}var oN={name:"11f5o9n",styles:"bottom:0;left:0;pointer-events:none;position:absolute;right:0;top:0;z-index:1"};const aN=Cf("div",{target:"e1df9b4q5"})("box-sizing:border-box;position:relative;",(({isPositionAbsolute:e})=>e?oN:""),";"),iN=Cf("div",{target:"e1df9b4q4"})("box-sizing:border-box;background:",iw.blue.wordpress[700],";background:",iw.ui.theme,";filter:brightness( 1 );opacity:0;position:absolute;pointer-events:none;transition:opacity 120ms linear;z-index:1;",(({isActive:e})=>e&&"\n\t\topacity: 0.3;\n\t"),";"),sN=Cf(iN,{target:"e1df9b4q3"})({name:"5i97ct",styles:"top:0;left:0;right:0"}),lN=Cf(iN,{target:"e1df9b4q2"})("top:0;bottom:0;",$k({right:0}),";"),cN=Cf(iN,{target:"e1df9b4q1"})({name:"8cxke2",styles:"bottom:0;left:0;right:0"}),uN=Cf(iN,{target:"e1df9b4q0"})("top:0;bottom:0;",$k({left:0}),";");function dN({showValues:e=IO,values:t}){const{top:n,right:r,bottom:o,left:a}=t;return(0,tt.createElement)(tt.Fragment,null,(0,tt.createElement)(pN,{isVisible:e.top,value:n}),(0,tt.createElement)(mN,{isVisible:e.right,value:r}),(0,tt.createElement)(hN,{isVisible:e.bottom,value:o}),(0,tt.createElement)(fN,{isVisible:e.left,value:a}))}function pN({isVisible:e=!1,value:t}){const n=t,r=gN(n).isActive||e;return(0,tt.createElement)(sN,{isActive:r,style:{height:n}})}function mN({isVisible:e=!1,value:t}){const n=t,r=gN(n).isActive||e;return(0,tt.createElement)(lN,{isActive:r,style:{width:n}})}function hN({isVisible:e=!1,value:t}){const n=t,r=gN(n).isActive||e;return(0,tt.createElement)(cN,{isActive:r,style:{height:n}})}function fN({isVisible:e=!1,value:t}){const n=t,r=gN(n).isActive||e;return(0,tt.createElement)(uN,{isActive:r,style:{width:n}})}function gN(e){const[t,n]=(0,tt.useState)(!1),r=(0,tt.useRef)(e),o=(0,tt.useRef)(),a=()=>{o.current&&window.clearTimeout(o.current)};return(0,tt.useEffect)((()=>(e!==r.current&&(n(!0),r.current=e,a(),o.current=setTimeout((()=>{n(!1)}),400)),()=>a())),[e]),{isActive:t}}const bN={min:0};function yN({id:e,inputProps:t=bN,onChange:n=at.noop,onChangeShowVisualizer:r=at.noop,label:o=er("Box Control"),values:a,units:i,sides:s,splitOnAxis:l=!1,allowReset:c=!0,resetValues:u=BO}){const[d,p]=nA(a,{fallback:BO}),m=d||BO,h=HO(a),f=1===(null==s?void 0:s.length),[g,b]=(0,tt.useState)(h),[y,v]=(0,tt.useState)(!h||!YO(m)||f),[_,M]=(0,tt.useState)(qO(y,l)),[k,w]=(0,tt.useState)({top:Nk(null==a?void 0:a.top)[1],right:Nk(null==a?void 0:a.right)[1],bottom:Nk(null==a?void 0:a.bottom)[1],left:Nk(null==a?void 0:a.left)[1]}),E=function(e){const t=lw(yN,"inspector-box-control");return e||t}(e),L=`${E}-heading`,A={...t,onChange:e=>{n(e),p(e),b(!0)},onFocus:(e,{side:t})=>{M(t)},onHoverOn:(e={})=>{r({...IO,...e})},onHoverOff:(e={})=>{r({...IO,...e})},isLinked:y,units:i,selectedUnits:k,setSelectedUnits:w,sides:s,values:m};return(0,tt.createElement)(MO,{id:E,role:"region","aria-labelledby":L},(0,tt.createElement)(kO,{className:"component-box-control__header"},(0,tt.createElement)(kw,null,(0,tt.createElement)($w,{id:L,className:"component-box-control__label"},o)),c&&(0,tt.createElement)(kw,null,(0,tt.createElement)(Nf,{className:"component-box-control__reset-button",isSecondary:!0,isSmall:!0,onClick:()=>{n(u),p(u),w(u),b(!1)},disabled:!g},er("Reset")))),(0,tt.createElement)(wO,{className:"component-box-control__header-control-wrapper"},(0,tt.createElement)(kw,null,(0,tt.createElement)(nN,{side:_,sides:s})),y&&(0,tt.createElement)(BS,null,(0,tt.createElement)(jO,ot({"aria-label":o},A))),!y&&l&&(0,tt.createElement)(BS,null,(0,tt.createElement)(XO,A)),!f&&(0,tt.createElement)(kw,null,(0,tt.createElement)(rN,{onClick:()=>{v(!y),M(qO(!y,l))},isLinked:y}))),!y&&!l&&(0,tt.createElement)(FO,A))}function vN(e){const t=Po(e,LN);return!!(!0===t||null!=t&&t.margin)}function _N({name:e}={}){const t=!sA("spacing.customMargin");return!vN(e)||t}function MN(e){var t;const{name:n,attributes:{style:r},setAttributes:o}=e,a=Bk({availableUnits:sA("spacing.units")||["%","px","em","rem","vw"]}),i=CN(n,"margin");if(_N(e))return null;return Tb.select({web:(0,tt.createElement)(tt.Fragment,null,(0,tt.createElement)(yN,{values:null==r||null===(t=r.spacing)||void 0===t?void 0:t.margin,onChange:e=>{const t={...r,spacing:{...null==r?void 0:r.spacing,margin:e}};o({style:IC(t)})},onChangeShowVisualizer:e=>{const t={...r,visualizers:{margin:e}};o({style:IC(t)})},label:er("Margin"),sides:i,units:a})),native:null})}function kN(e){const t=Po(e,LN);return!!(!0===t||null!=t&&t.padding)}function wN({name:e}={}){const t=!sA("spacing.customPadding");return!kN(e)||t}function EN(e){var t;const{name:n,attributes:{style:r},setAttributes:o}=e,a=Bk({availableUnits:sA("spacing.units")||["%","px","em","rem","vw"]}),i=CN(n,"padding");if(wN(e))return null;return Tb.select({web:(0,tt.createElement)(tt.Fragment,null,(0,tt.createElement)(yN,{values:null==r||null===(t=r.spacing)||void 0===t?void 0:t.padding,onChange:e=>{const t={...r,spacing:{...null==r?void 0:r.spacing,padding:e}};o({style:IC(t)})},onChangeShowVisualizer:e=>{const t={...r,visualizers:{padding:e}};o({style:IC(t)})},label:er("Padding"),sides:i,units:a})),native:null})}yN.__Visualizer=function({children:e,showValues:t=IO,values:n=BO,...r}){const o=!e;return(0,tt.createElement)(aN,ot({},r,{isPositionAbsolute:o,"aria-hidden":"true"}),(0,tt.createElement)(dN,{showValues:t,values:n}),e)};const LN="spacing";function AN(e){const t=SN(e),n=function(e){if("web"!==Tb.OS)return!1;return kN(e)||vN(e)}(e.name);return t||!n?null:(0,tt.createElement)(eS,{key:"spacing"},(0,tt.createElement)(VA,{title:er("Spacing")},(0,tt.createElement)(EN,e),(0,tt.createElement)(MN,e)))}const SN=(e={})=>{const t=wN(e),n=_N(e);return t&&n};function CN(e,t){const n=Po(e,LN);if("boolean"!=typeof n[t])return n[t]}const TN=[...yO,BT,ox,LN],xN=e=>TN.some((t=>Ro(e,t))),zN="var:";function ON(e){if((0,at.startsWith)(e,zN)){return`var(--wp--${e.slice(zN.length).split("|").join("--")})`}return e}function NN(e={}){const t={};return Object.keys(Eo).forEach((n=>{const r=Eo[n].value,o=Eo[n].properties;if((0,at.has)(e,r)&&"elements"!==(0,at.first)(r)){const a=(0,at.get)(e,r);o&&!(0,at.isString)(a)?Object.entries(o).forEach((e=>{const[n,r]=e,o=(0,at.get)(a,[r]);o&&(t[n]=ON(o))})):t[n]=ON((0,at.get)(e,r))}})),t}const DN={"__experimentalBorder.__experimentalSkipSerialization":["border"],"color.__experimentalSkipSerialization":[ox],"typography.__experimentalSkipSerialization":[bO],[`${LN}.__experimentalSkipSerialization`]:["spacing"]};function BN(e,t,n){if(!xN(t))return e;let{style:r}=n;return(0,at.forEach)(DN,((e,n)=>{Po(t,n)&&(r=(0,at.omit)(r,e))})),e.style={...NN(r),...e.style},e}const IN=ni((e=>t=>{const n=mk();return(0,tt.createElement)(tt.Fragment,null,n&&(0,tt.createElement)(tt.Fragment,null,(0,tt.createElement)(vO,t),(0,tt.createElement)(IT,t),(0,tt.createElement)(dx,t),(0,tt.createElement)(AN,t)),(0,tt.createElement)(e,t))}),"withToolbarControls"),PN=ni((e=>t=>{var n,r;const o=null===(n=t.attributes.style)||void 0===n?void 0:n.elements,a=`wp-elements-${lw(e)}`,i=function(e,t={}){return(0,at.map)(t,((t,n)=>{const r=NN(t);return(0,at.isEmpty)(r)?"":[`.${e} ${Lo[n]}{`,...(0,at.map)(r,((e,t)=>`\t${(0,at.kebabCase)(t)}: ${e}${"link"===n?"!important":""};`)),"}"].join("\n")})).join("\n")}(a,null===(r=t.attributes.style)||void 0===r?void 0:r.elements);return(0,tt.createElement)(tt.Fragment,null,o&&(0,tt.createElement)("style",{dangerouslySetInnerHTML:{__html:i}}),(0,tt.createElement)(e,ot({},t,{className:o?so()(t.className,a):t.className})))}));In("blocks.registerBlockType","core/style/addAttribute",(function(e){return xN(e)?(e.attributes.style||Object.assign(e.attributes,{style:{type:"object"}}),e):e})),In("blocks.getSaveContent.extraProps","core/style/addSaveProps",BN),In("blocks.registerBlockType","core/style/addEditProps",(function(e){if(!xN(e))return e;const t=e.getEditWrapperProps;return e.getEditWrapperProps=n=>{let r={};return t&&(r=t(n)),BN(r,e,n)},e})),In("editor.BlockEdit","core/style/with-block-controls",IN),In("editor.BlockListBlock","core/editor/with-elements-styles",PN);const RN=(0,tt.createElement)(mo,{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24"},(0,tt.createElement)(uo,{d:"M5 17.7c.4.5.8.9 1.2 1.2l1.1-1.4c-.4-.3-.7-.6-1-1L5 17.7zM5 6.3l1.4 1.1c.3-.4.6-.7 1-1L6.3 5c-.5.4-.9.8-1.3 1.3zm.1 7.8l-1.7.5c.2.6.4 1.1.7 1.6l1.5-.8c-.2-.4-.4-.8-.5-1.3zM4.8 12v-.7L3 11.1v1.8l1.7-.2c.1-.2.1-.5.1-.7zm3 7.9c.5.3 1.1.5 1.6.7l.5-1.7c-.5-.1-.9-.3-1.3-.5l-.8 1.5zM19 6.3c-.4-.5-.8-.9-1.2-1.2l-1.1 1.4c.4.3.7.6 1 1L19 6.3zm-.1 3.6l1.7-.5c-.2-.6-.4-1.1-.7-1.6l-1.5.8c.2.4.4.8.5 1.3zM5.6 8.6l-1.5-.8c-.3.5-.5 1-.7 1.6l1.7.5c.1-.5.3-.9.5-1.3zm2.2-4.5l.8 1.5c.4-.2.8-.4 1.3-.5l-.5-1.7c-.6.2-1.1.4-1.6.7zm8.8 13.5l1.1 1.4c.5-.4.9-.8 1.2-1.2l-1.4-1.1c-.2.3-.5.6-.9.9zm1.8-2.2l1.5.8c.3-.5.5-1.1.7-1.6l-1.7-.5c-.1.5-.3.9-.5 1.3zm2.6-4.3l-1.7.2v1.4l1.7.2V12v-.9zM11.1 3l.2 1.7h1.4l.2-1.7h-1.8zm3 2.1c.5.1.9.3 1.3.5l.8-1.5c-.5-.3-1.1-.5-1.6-.7l-.5 1.7zM12 19.2h-.7l-.2 1.8h1.8l-.2-1.7c-.2-.1-.5-.1-.7-.1zm2.1-.3l.5 1.7c.6-.2 1.1-.4 1.6-.7l-.8-1.5c-.4.2-.8.4-1.3.5z"}));const WN=function({fill:e}){return e?(0,tt.createElement)("span",{className:"components-swatch",style:{background:e}}):(0,tt.createElement)(Ph,{icon:RN})};function YN(e=[],t="90deg"){const n=100/e.length;return`linear-gradient( ${t}, ${e.map(((e,t)=>`${e} ${t*n}%, ${e} ${(t+1)*n}%`)).join(", ")} )`}const HN=function({values:e}){return(0,tt.createElement)(WN,{fill:e&&YN(e,"135deg")})};const qN=function e({children:t,className:n="",label:r,hideSeparator:o}){const a=lw(e);if(!tt.Children.count(t))return null;const i=`components-menu-group-label-${a}`,s=so()(n,"components-menu-group",{"has-hidden-separator":o});return(0,tt.createElement)("div",{className:s},r&&(0,tt.createElement)("div",{className:"components-menu-group__label",id:i,"aria-hidden":"true"},r),(0,tt.createElement)("div",{role:"group","aria-labelledby":r?i:null},t))};function jN({label:e,value:t,colors:n,disableCustomColors:r,onChange:o}){const[a,i]=(0,tt.useState)(!1);return(0,tt.createElement)(tt.Fragment,null,(0,tt.createElement)(Nf,{className:"components-color-list-picker__swatch-button",icon:(0,tt.createElement)(WN,{fill:t}),onClick:()=>i((e=>!e))},e),a&&(0,tt.createElement)(DS,{colors:n,value:t,clearable:!1,onChange:o,disableCustomColors:r}))}const FN=function({colors:e,labels:t,value:n=[],disableCustomColors:r,onChange:o}){return(0,tt.createElement)("div",{className:"components-color-list-picker"},t.map(((t,a)=>(0,tt.createElement)(jN,{key:a,label:t,value:n[a],colors:e,disableCustomColors:r,onChange:e=>{const t=n.slice();t[a]=e,o(t)}}))))},VN=["#333","#CCC"];function XN({value:e,onChange:t}){const n=!!e,r=n?e:VN,o=YN(r),a=(i=r).map(((e,t)=>({position:100*t/(i.length-1),color:e})));var i;return(0,tt.createElement)(tC,{disableInserter:!0,disableAlpha:!0,background:o,hasGradient:n,value:a,onChange:e=>{const n=function(e=[]){return e.map((({color:e})=>e))}(e);t(n)}})}const UN=function({colorPalette:e,duotonePalette:t,disableCustomColors:n,disableCustomDuotone:r,value:o,onChange:a}){const[i,s]=(0,tt.useMemo)((()=>{return!(t=e)||t.length<2?["#000","#fff"]:t.map((({color:e})=>({color:e,brightness:go()(e).getBrightness()/255}))).reduce((([e,t],n)=>[n.brightness<=e.brightness?n:e,n.brightness>=t.brightness?n:t]),[{brightness:1},{brightness:0}]).map((({color:e})=>e));var t}),[e]);return(0,tt.createElement)(NS,{options:t.map((({colors:e,slug:t,name:n})=>{const r={background:YN(e,"135deg"),color:"transparent"},i=null!=n?n:pn(er("Duotone code: %s"),t),s=n?pn(er("Duotone: %s"),n):i,l=(0,at.isEqual)(e,o);return(0,tt.createElement)(NS.Option,{key:t,value:e,isSelected:l,"aria-label":s,tooltipText:i,style:r,onClick:()=>{a(l?void 0:e)}})})),actions:(0,tt.createElement)(NS.ButtonAction,{onClick:()=>a(void 0)},er("Clear"))},!n&&!r&&(0,tt.createElement)(XN,{value:o,onChange:a}),!r&&(0,tt.createElement)(FN,{labels:[er("Shadows"),er("Highlights")],colors:e,value:o,disableCustomColors:n,onChange:e=>{e[0]||(e[0]=i),e[1]||(e[1]=s);const t=e.length>=2?e:void 0;a(t)}}))};const $N=function({value:e,onChange:t,onToggle:n,duotonePalette:r,colorPalette:o,disableCustomColors:a,disableCustomDuotone:i}){return(0,tt.createElement)(Ch,{className:"block-editor-duotone-control__popover",headerTitle:er("Duotone"),onFocusOutside:n},(0,tt.createElement)(qN,{label:er("Duotone")},(0,tt.createElement)(UN,{colorPalette:o,duotonePalette:r,disableCustomColors:a,disableCustomDuotone:i,value:e,onChange:t})))};const KN=function({colorPalette:e,duotonePalette:t,disableCustomColors:n,disableCustomDuotone:r,value:o,onChange:a}){const[i,s]=(0,tt.useState)(!1),l=()=>{s((e=>!e))};return(0,tt.createElement)(tt.Fragment,null,(0,tt.createElement)(Zg,{showTooltip:!0,onClick:l,"aria-haspopup":"true","aria-expanded":i,onKeyDown:e=>{i||e.keyCode!==bm||(e.preventDefault(),l())},label:er("Apply duotone filter"),icon:(0,tt.createElement)(HN,{values:o})}),i&&(0,tt.createElement)($N,{value:o,onChange:a,onToggle:l,duotonePalette:t,colorPalette:e,disableCustomColors:n,disableCustomDuotone:r}))},GN=(0,tt.createContext)();function JN({children:e}){const[t,n]=(0,tt.useState)();return(0,tt.createElement)(GN.Provider,{value:t},(0,tt.createElement)("div",{ref:n}),e)}JN.context=GN;const ZN=[];function QN(e=[]){const t={r:[],g:[],b:[]};return e.forEach((e=>{const n=go()(e);t.r.push(n._r/255),t.g.push(n._g/255),t.b.push(n._b/255)})),t}function eD({selector:e,id:t,values:n}){const r=`\n${e} {\n\tfilter: url( #${t} );\n}\n`;return(0,tt.createElement)(tt.Fragment,null,(0,tt.createElement)(mo,{xmlnsXlink:"http://www.w3.org/1999/xlink",viewBox:"0 0 0 0",width:"0",height:"0",focusable:"false",role:"none",style:{visibility:"hidden",position:"absolute",left:"-9999px",overflow:"hidden"}},(0,tt.createElement)("defs",null,(0,tt.createElement)("filter",{id:t},(0,tt.createElement)("feColorMatrix",{type:"matrix",values:".299 .587 .114 0 0 .299 .587 .114 0 0 .299 .587 .114 0 0 0 0 0 1 0"}),(0,tt.createElement)("feComponentTransfer",{colorInterpolationFilters:"sRGB"},(0,tt.createElement)("feFuncR",{type:"table",tableValues:n.r.join(" ")}),(0,tt.createElement)("feFuncG",{type:"table",tableValues:n.g.join(" ")}),(0,tt.createElement)("feFuncB",{type:"table",tableValues:n.b.join(" ")}))))),(0,tt.createElement)("style",{dangerouslySetInnerHTML:{__html:r}}))}function tD({attributes:e,setAttributes:t}){var n;const r=null==e?void 0:e.style,o=null==r||null===(n=r.color)||void 0===n?void 0:n.duotone,a=sA("color.duotone")||ZN,i=sA("color.palette")||ZN,s=!sA("color.custom"),l=!sA("color.customDuotone")||0===(null==i?void 0:i.length)&&s;return 0===(null==a?void 0:a.length)&&l?null:(0,tt.createElement)(yk,{group:"block"},(0,tt.createElement)(KN,{duotonePalette:a,colorPalette:i,disableCustomDuotone:l,disableCustomColors:s,value:o,onChange:e=>{const n={...r,color:{...null==r?void 0:r.color,duotone:e}};t({style:n})}}))}const nD=ni((e=>t=>{const n=Ro(t.name,"color.__experimentalDuotone");return(0,tt.createElement)(tt.Fragment,null,(0,tt.createElement)(e,t),n&&(0,tt.createElement)(tD,t))}),"withDuotoneControls"),rD=ni((e=>t=>{var n,r,o;const a=Po(t.name,"color.__experimentalDuotone"),i=null==t||null===(n=t.attributes)||void 0===n||null===(r=n.style)||void 0===r||null===(o=r.color)||void 0===o?void 0:o.duotone;if(!a||!i)return(0,tt.createElement)(e,t);const s=`wp-duotone-filter-${lw(e)}`,l=a.split(",").map((e=>`.${s} ${e.trim()}`)).join(", "),c=so()(null==t?void 0:t.className,s),u=(0,tt.useContext)(JN.context);return(0,tt.createElement)(tt.Fragment,null,u&&(0,rt.createPortal)((0,tt.createElement)(eD,{selector:l,id:s,values:QN(i)}),u),(0,tt.createElement)(e,ot({},t,{className:c})))}),"withDuotoneStyles");In("blocks.registerBlockType","core/editor/duotone/add-attributes",(function(e){return Ro(e,"color.__experimentalDuotone")?(e.attributes.style||Object.assign(e.attributes,{style:{type:"object"}}),e):e})),In("editor.BlockEdit","core/editor/duotone/with-editor-controls",nD),In("editor.BlockListBlock","core/editor/duotone/with-styles",rD);const oD=function({className:e,checked:t,id:n,disabled:r,onChange:o=at.noop,...a}){const i=so()("components-form-toggle",e,{"is-checked":t,"is-disabled":r});return(0,tt.createElement)("span",{className:i},(0,tt.createElement)("input",ot({className:"components-form-toggle__input",id:n,type:"checkbox",checked:t,onChange:o,disabled:r},a)),(0,tt.createElement)("span",{className:"components-form-toggle__track"}),(0,tt.createElement)("span",{className:"components-form-toggle__thumb"}))};function aD({label:e,checked:t,help:n,className:r,onChange:o,disabled:a}){const i=`inspector-toggle-control-${lw(aD)}`;let s,l;return n&&(s=i+"__help",l=(0,at.isFunction)(n)?n(t):n),(0,tt.createElement)(DA,{id:i,help:l,className:so()("components-toggle-control",r)},(0,tt.createElement)(oD,{id:i,checked:t,onChange:function(e){o(e.target.checked)},"aria-describedby":s,disabled:a}),(0,tt.createElement)("label",{htmlFor:i,className:"components-toggle-control__label"},e))}const iD="__experimentalLayout";function sD({setAttributes:e,attributes:t,name:n}){const{layout:r={}}=t,o=sA("layout");if(!Cl((e=>{const{getSettings:t}=e(pk);return t().supportsLayout}),[]))return null;const a=(e=>{const t=Po(e,iD);return null==t?void 0:t.allowSwitching})(n),{inherit:i=!1,type:s="default"}=r,l=cA(s);return(0,tt.createElement)(eS,null,(0,tt.createElement)(VA,{title:er("Layout")},!!o&&(0,tt.createElement)(aD,{label:er("Inherit default layout"),checked:!!i,onChange:()=>e({layout:{inherit:!i}})}),!i&&a&&(0,tt.createElement)(lD,{type:s,onChange:t=>e({layout:{type:t}})}),!i&&l&&(0,tt.createElement)(l.edit,{layout:r,onChange:t=>e({layout:t})})))}function lD({type:e,onChange:t}){return(0,tt.createElement)(iS,null,lA.map((({name:n,label:r})=>(0,tt.createElement)(Nf,{key:n,isPressed:e===n,onClick:()=>t(n)},r))))}const cD=ni((e=>t=>{const{name:n}=t;return[Ro(n,iD)&&(0,tt.createElement)(sD,ot({key:"layout"},t)),(0,tt.createElement)(e,ot({key:"edit"},t))]}),"withInspectorControls"),uD=ni((e=>t=>{const{name:n,attributes:r}=t,o=Ro(n,iD),a=lw(e),i=sA("layout")||{};if(!o)return(0,tt.createElement)(e,t);const{layout:s={}}=r,l=s&&s.inherit?i:s,c=so()(null==t?void 0:t.className,`wp-container-${a}`),u=(0,tt.useContext)(JN.context);return(0,tt.createElement)(tt.Fragment,null,u&&(0,rt.createPortal)((0,tt.createElement)(mA,{selector:`.wp-container-${a}`,layout:l}),u),(0,tt.createElement)(e,ot({},t,{className:c})))}));In("blocks.registerBlockType","core/layout/addAttribute",(function(e){return(0,at.has)(e.attributes,["layout","type"])||Ro(e,iD)&&(e.attributes={...e.attributes,layout:{type:"object"}}),e})),In("editor.BlockListBlock","core/editor/layout/with-layout-styles",uD),In("editor.BlockEdit","core/editor/layout/with-inspector-controls",cD);const dD=[];function pD({borderColor:e,style:t}){var n;const r=(null==t?void 0:t.border)||{},o=wC("border-color",e);return{className:so()({[o]:!!o,"has-border-color":e||(null==t||null===(n=t.border)||void 0===n?void 0:n.color)})||void 0,style:NN({border:r})}}function mD(e){const t=sA("color.palette")||dD,n=pD(e);if(e.borderColor){const r=MC(t,e.borderColor);n.style.borderColor=r.color}return n}const hD=[];function fD(e){var t,n,r,o,a,i;const{backgroundColor:s,textColor:l,gradient:c,style:u}=e,d=wC("background-color",s),p=wC("color",l),m=LC(c),h=m||(null==u||null===(t=u.color)||void 0===t?void 0:t.gradient);return{className:so()(p,m,{[d]:!h&&!!d,"has-text-color":l||(null==u||null===(n=u.color)||void 0===n?void 0:n.text),"has-background":s||(null==u||null===(r=u.color)||void 0===r?void 0:r.background)||c||(null==u||null===(o=u.color)||void 0===o?void 0:o.gradient),"has-link-color":null==u||null===(a=u.elements)||void 0===a||null===(i=a.link)||void 0===i?void 0:i.color})||void 0,style:NN({color:(null==u?void 0:u.color)||{}})}}function gD(e){const{backgroundColor:t,textColor:n,gradient:r}=e,o=sA("color.palette")||hD,a=sA("color.gradients")||hD,i=fD(e);if(t){const e=MC(o,t);i.style.backgroundColor=e.color}if(r&&(i.style.background=AC(a,r)),n){const e=MC(o,n);i.style.color=e.color}return i}const bD=[];function yD(e,t){const n=(0,at.reduce)(e,((e,t)=>({...e,...(0,at.isString)(t)?{[t]:(0,at.kebabCase)(t)}:t})),{});return yS([t,e=>class extends tt.Component{constructor(e){super(e),this.setters=this.createSetters(),this.colorUtils={getMostReadableColor:this.getMostReadableColor.bind(this)},this.state={}}getMostReadableColor(e){const{colors:t}=this.props;return function(e,t){return go().mostReadable(t,(0,at.map)(e,"color")).toHexString()}(t,e)}createSetters(){return(0,at.reduce)(n,((e,t,n)=>{const r=(0,at.upperFirst)(n),o=`custom${r}`;return e[`set${r}`]=this.createSetColor(n,o),e}),{})}createSetColor(e,t){return n=>{const r=kC(this.props.colors,n);this.props.setAttributes({[e]:r&&r.slug?r.slug:void 0,[t]:r&&r.slug?void 0:n})}}static getDerivedStateFromProps({attributes:e,colors:t},r){return(0,at.reduce)(n,((n,o,a)=>{const i=MC(t,e[a],e[`custom${(0,at.upperFirst)(a)}`]),s=r[a];return(null==s?void 0:s.color)===i.color&&s?n[a]=s:n[a]={...i,class:wC(o,i.slug)},n}),{})}render(){return(0,tt.createElement)(e,ot({},this.props,{colors:void 0},this.state,this.setters,{colorUtils:this.colorUtils}))}}])}function vD(...e){const t=ni((e=>t=>{const n=sA("color.palette")||bD;return(0,tt.createElement)(e,ot({},t,{colors:n}))}),"withEditorColorPalette");return ni(yD(e,t),"withColors")}const _D=(0,tt.createElement)(mo,{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24"},(0,tt.createElement)(uo,{d:"M4 19.8h8.9v-1.5H4v1.5zm8.9-15.6H4v1.5h8.9V4.2zm-8.9 7v1.5h16v-1.5H4z"})),MD=(0,tt.createElement)(mo,{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24"},(0,tt.createElement)(uo,{d:"M16.4 4.2H7.6v1.5h8.9V4.2zM4 11.2v1.5h16v-1.5H4zm3.6 8.6h8.9v-1.5H7.6v1.5z"})),kD=(0,tt.createElement)(mo,{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24"},(0,tt.createElement)(uo,{d:"M11.1 19.8H20v-1.5h-8.9v1.5zm0-15.6v1.5H20V4.2h-8.9zM4 12.8h16v-1.5H4v1.5z"})),wD=[{icon:_D,title:er("Align text left"),align:"left"},{icon:MD,title:er("Align text center"),align:"center"},{icon:kD,title:er("Align text right"),align:"right"}],ED={position:"bottom right",isAlternate:!0};const LD=function({value:e,onChange:t,alignmentControls:n=wD,label:r=er("Align"),describedBy:o=er("Change text alignment"),isCollapsed:a=!0,isToolbar:i}){function s(n){return()=>t(e===n?void 0:n)}const l=(0,at.find)(n,(t=>t.align===e)),c=i?ub:vk,u=i?{isCollapsed:a}:{};return(0,tt.createElement)(c,ot({icon:l?l.icon:rr()?kD:_D,label:r,toggleProps:{describedBy:o},popoverProps:ED,controls:n.map((t=>{const{align:n}=t,r=e===n;return{...t,isActive:r,role:a?"menuitemradio":void 0,onClick:s(n)}}))},u))};function AD(e){return(0,tt.createElement)(LD,ot({},e,{isToolbar:!1}))}function SD(e){return(0,tt.createElement)(LD,ot({},e,{isToolbar:!0}))}const CD=(0,tt.createElement)(mo,{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24"},(0,tt.createElement)(uo,{d:"M4.2 9h1.5V5.8H9V4.2H4.2V9zm14 9.2H15v1.5h4.8V15h-1.5v3.2zM15 4.2v1.5h3.2V9h1.5V4.2H15zM5.8 15H4.2v4.8H9v-1.5H5.8V15z"}));const TD=function({isActive:e,label:t=er("Toggle full height"),onToggle:n,isDisabled:r}){return(0,tt.createElement)(Zg,{isActive:e,icon:CD,label:t,onClick:()=>n(!e),disabled:r})},xD=[["top left","top center","top right"],["center left","center center","center right"],["bottom left","bottom center","bottom right"]],zD={"top left":er("Top Left"),"top center":er("Top Center"),"top right":er("Top Right"),"center left":er("Center Left"),"center center":er("Center Center"),"center right":er("Center Right"),"bottom left":er("Bottom Left"),"bottom center":er("Bottom Center"),"bottom right":er("Bottom Right")},OD=(0,at.flattenDeep)(xD);function ND(e){return("center"===e?"center center":e).replace("-"," ")}function DD(e,t){return`${e}-${ND(t).replace(" ","-")}`}var BD={name:"lp9rn7",styles:"border-radius:2px;box-sizing:border-box;display:grid;grid-template-columns:repeat( 3, 1fr );outline:none"};const ID=()=>BD,PD=Cf("div",{target:"e1od1u4s3"})(ID,";border:1px solid transparent;cursor:pointer;grid-template-columns:auto;",(({size:e=92})=>qk("grid-template-rows:repeat( 3, calc( ",e,"px / 3 ) );width:",e,"px;","")),";"),RD=Cf("div",{target:"e1od1u4s2"})({name:"1x5gbbj",styles:"box-sizing:border-box;display:grid;grid-template-columns:repeat( 3, 1fr )"}),WD=e=>qk("background:currentColor;box-sizing:border-box;display:grid;margin:auto;transition:all 120ms linear;",qC("transition")," ",(({isActive:e})=>qk("box-shadow:",e?`0 0 0 2px ${iw.black}`:null,";color:",e?iw.black:iw.lightGray[800],";*:hover>&{color:",e?iw.black:iw.blue.medium.focus,";}",""))(e),";",""),YD=Cf("span",{target:"e1od1u4s1"})("height:6px;width:6px;",WD,";"),HD=Cf("span",{target:"e1od1u4s0"})({name:"rjf3ub",styles:"appearance:none;border:none;box-sizing:border-box;margin:0;display:flex;position:relative;outline:none;align-items:center;justify-content:center;padding:0"});function qD({isActive:e=!1,value:t,...n}){const r=zD[t];return(0,tt.createElement)(Bh,{text:r},(0,tt.createElement)(Xg,ot({as:HD,role:"gridcell"},n),(0,tt.createElement)(zf,null,t),(0,tt.createElement)(YD,{isActive:e,role:"presentation"})))}function jD(e){return(0,tt.useState)(e)[0]}function FD(e){for(var t,n=[[]],r=function(){var e=t.value,r=n.find((function(t){return!t[0]||t[0].groupId===e.groupId}));r?r.push(e):n.push([e])},o=ag(e);!(t=o()).done;)r();return n}function VD(e){for(var t,n=[],r=ag(e);!(t=r()).done;){var o=t.value;n.push.apply(n,o)}return n}function XD(e){return e.slice().reverse()}function UD(e,t){if(t)return null==e?void 0:e.find((function(e){return e.id===t&&!e.disabled}))}function $D(e,t){return function(e){return"function"==typeof e}(e)?e(t):e}function KD(e,t){return Boolean(t.compareDocumentPosition(e)&Node.DOCUMENT_POSITION_PRECEDING)}function GD(e,t){return e.findIndex((function(e){return!(!e.ref.current||!t.ref.current)&&KD(t.ref.current,e.ref.current)}))}function JD(e){for(var t,n=0,r=ag(e);!(t=r()).done;){var o=t.value.length;o>n&&(n=o)}return n}function ZD(e){for(var t=FD(e),n=JD(t),r=[],o=0;oa&&(n=!0),-1):(rqk({gridTemplateRows:"repeat( 3, calc( 21px / 3))",padding:1.5,maxHeight:24,maxWidth:24},"","")),";",(({disablePointerEvents:e})=>qk({pointerEvents:e?"none":null},"","")),";"),wB=Cf("span",{target:"elqsdmc0"})("height:2px;width:2px;",WD,";",(({isActive:e})=>qk("box-shadow:",e?"0 0 0 1px currentColor":null,";color:currentColor;*:hover>&{color:currentColor;}","")),";"),EB=HD;function LB({className:e,id:t,label:n=er("Alignment Matrix Control"),defaultValue:r="center center",value:o,onChange:a=at.noop,width:i=92,...s}){const[l]=(0,tt.useState)(null!=o?o:r),c=function(e){const t=lw(LB,"alignment-matrix-control");return e||t}(t),u=DD(c,l),d=uB({baseId:c,currentId:u,rtl:rr()});(0,tt.useEffect)((()=>{void 0!==o&&d.setCurrentId(DD(c,o))}),[o,d.setCurrentId]);const p=so()("component-alignment-matrix-control",e);return(0,tt.createElement)(vB,ot({},s,d,{"aria-label":n,as:PD,className:p,role:"grid",width:i}),xD.map(((e,t)=>(0,tt.createElement)(MB,ot({},d,{as:RD,role:"row",key:t}),e.map((e=>{const t=DD(c,e),n=d.currentId===t;return(0,tt.createElement)(qD,ot({},d,{id:t,isActive:n,key:e,value:e,onFocus:()=>{a(e)},tabIndex:n?0:-1}))}))))))}LB.Icon=function({className:e,disablePointerEvents:t=!0,size:n=24,style:r={},value:o="center",...a}){const i=function(e="center"){const t=ND(e).replace("-"," "),n=OD.indexOf(t);return n>-1?n:void 0}(o),s=(n/24).toFixed(2),l=so()("component-alignment-matrix-control-icon",e),c={...r,transform:`scale(${s})`};return(0,tt.createElement)(kB,ot({},a,{className:l,disablePointerEvents:t,role:"presentation",size:n,style:c}),OD.map(((e,t)=>{const n=i===t;return(0,tt.createElement)(EB,{key:e},(0,tt.createElement)(wB,{isActive:n}))})))};const AB=function(e){const{label:t=er("Change matrix alignment"),onChange:n=at.noop,value:r="center",isDisabled:o}=e,a=(0,tt.createElement)(LB.Icon,{value:r}),i="block-editor-block-alignment-matrix-control",s=`${i}__popover`;return(0,tt.createElement)(tb,{position:"bottom right",className:i,popoverProps:{className:s,isAlternate:!0},renderToggle:({onToggle:e,isOpen:n})=>(0,tt.createElement)(Zg,{onClick:e,"aria-haspopup":"true","aria-expanded":n,onKeyDown:t=>{n||t.keyCode!==bm||(t.preventDefault(),e())},label:t,icon:a,showTooltip:!0,disabled:o}),renderContent:()=>(0,tt.createElement)(LB,{hasFocusBorder:!1,onChange:n,value:r})})};function SB({clientId:e,tagName:t="div",wrapperProps:n,className:r}){const o="block-editor-block-content-overlay",[a,i]=(0,tt.useState)(!0),[s,l]=(0,tt.useState)(!1),{isParentSelected:c,hasChildSelected:u,isDraggingBlocks:d,isParentHighlighted:p}=Cl((t=>{const{isBlockSelected:n,hasSelectedInnerBlock:r,isDraggingBlocks:o,isBlockHighlighted:a}=t(pk);return{isParentSelected:n(e),hasChildSelected:r(e,!0),isDraggingBlocks:o(),isParentHighlighted:a(e)}}),[e]),m=so()(o,null==n?void 0:n.className,r,{"overlay-active":a,"parent-highlighted":p,"is-dragging-blocks":d});return(0,tt.useEffect)((()=>{c||u||a||i(!0),c&&!s&&a&&i(!1),u&&a&&i(!1)}),[c,u,a,s]),(0,tt.createElement)(t,ot({},n,{className:m,onMouseEnter:()=>l(!0),onMouseLeave:()=>l(!1)}),a&&(0,tt.createElement)("div",{className:`${o}__overlay`,onMouseUp:()=>i(!1)}),null==n?void 0:n.children)}const CB=(0,tt.createContext)({});function TB({value:e,children:t}){const n=(0,tt.useContext)(CB),r=(0,tt.useMemo)((()=>({...n,...e})),[n,e]);return(0,tt.createElement)(CB.Provider,{value:r,children:t})}const xB=CB;function zB({icon:e,showColors:t=!1,className:n}){var r;"block-default"===(null===(r=e)||void 0===r?void 0:r.src)&&(e={src:ho});const o=(0,tt.createElement)(Ph,{icon:e&&e.src?e.src:e}),a=t?{backgroundColor:e&&e.background,color:e&&e.foreground}:{};return(0,tt.createElement)("span",{style:a,className:so()("block-editor-block-icon",n,{"has-colors":t})},o)}const OB=(0,tt.createElement)(mo,{viewBox:"0 0 24 24",xmlns:"http://www.w3.org/2000/svg"},(0,tt.createElement)(uo,{d:"M13.8 5.2H3v1.5h10.8V5.2zm-3.6 12v1.5H21v-1.5H10.2zm7.2-6H6.6v1.5h10.8v-1.5z"})),NB=(0,tt.createContext)(),DB=NB.Provider;function BB({children:e}){const[t,n]=(0,tt.useState)(),r=(0,tt.useMemo)((()=>({lastFocusedElement:t,setLastFocusedElement:n})),[t]);return(0,tt.createElement)(DB,{value:r},e)}function IB(e){const t=Hm.focusable.find(e);if(t&&t.length)return t.filter((t=>t.closest('[role="row"]')===e))}const PB=(0,tt.forwardRef)((function({children:e,onExpandRow:t=(()=>{}),onCollapseRow:n=(()=>{}),...r},o){const a=(0,tt.useCallback)((e=>{const{keyCode:r,metaKey:o,ctrlKey:a,altKey:i,shiftKey:s}=e;if(o||a||i||s||!(0,at.includes)([fm,bm,hm,gm],r))return;e.stopPropagation();const{activeElement:l}=document,{currentTarget:c}=e;if(!c.contains(l))return;const u=l.closest('[role="row"]'),d=IB(u),p=d.indexOf(l);if((0,at.includes)([hm,gm],r)){let o;if(o=r===hm?Math.max(0,p-1):Math.min(p+1,d.length-1),o===p){if(r===hm){var m,h,f;if("true"===(null==u?void 0:u.ariaExpanded))return n(u),void e.preventDefault();const t=Math.max(parseInt(null!==(m=null==u?void 0:u.ariaLevel)&&void 0!==m?m:1,10)-1,1),r=Array.from(c.querySelectorAll('[role="row"]'));let o=u;for(let e=r.indexOf(u);e>=0;e--)if(parseInt(r[e].ariaLevel,10)===t){o=r[e];break}null===(h=IB(o))||void 0===h||null===(f=h[0])||void 0===f||f.focus()}else{if("false"===(null==u?void 0:u.ariaExpanded))return t(u),void e.preventDefault();const n=IB(u);var g;if(n.length>0)null===(g=n[n.length-1])||void 0===g||g.focus()}return void e.preventDefault()}d[o].focus(),e.preventDefault()}else if((0,at.includes)([fm,bm],r)){const t=Array.from(c.querySelectorAll('[role="row"]')),n=t.indexOf(u);let o;if(o=r===fm?Math.max(0,n-1):Math.min(n+1,t.length-1),o===n)return void e.preventDefault();const a=IB(t[o]);if(!a||!a.length)return void e.preventDefault();a[Math.min(p,a.length-1)].focus(),e.preventDefault()}}),[]);return(0,tt.createElement)(BB,null,(0,tt.createElement)("table",ot({},r,{role:"treegrid",onKeyDown:a,ref:o}),(0,tt.createElement)("tbody",null,e)))})),RB=(0,tt.forwardRef)((function({children:e,as:t,...n},r){const o=(0,tt.useRef)(),a=r||o,{lastFocusedElement:i,setLastFocusedElement:s}=(0,tt.useContext)(NB);let l;i&&(l=i===a.current?0:-1);const c={ref:a,tabIndex:l,onFocus:e=>s(e.target),...n};return"function"==typeof e?e(c):(0,tt.createElement)(t,c,e)})),WB=(0,tt.forwardRef)((function({children:e,...t},n){return(0,tt.createElement)(RB,ot({ref:n},t),e)})),YB=(0,tt.forwardRef)((function({children:e,withoutGridItem:t=!1,...n},r){return(0,tt.createElement)("td",ot({},n,{role:"gridcell"}),t?e:(0,tt.createElement)(WB,{ref:r},e))}));const HB=(0,tt.forwardRef)((function({children:e,info:t,className:n,icon:r,shortcut:o,isSelected:a,role:i="menuitem",...s},l){return n=so()("components-menu-item__button",n),t&&(e=(0,tt.createElement)("span",{className:"components-menu-item__info-wrapper"},(0,tt.createElement)("span",{className:"components-menu-item__item"},e),(0,tt.createElement)("span",{className:"components-menu-item__info"},t))),r&&!(0,at.isString)(r)&&(r=(0,tt.cloneElement)(r,{className:"components-menu-items__item-icon"})),(0,tt.createElement)(Nf,ot({ref:l,"aria-checked":"menuitemcheckbox"===i||"menuitemradio"===i?a:void 0,role:i,className:n},s),(0,tt.createElement)("span",{className:"components-menu-item__item"},e),(0,tt.createElement)(Th,{className:"components-menu-item__shortcut",shortcut:o}),r&&(0,tt.createElement)(Ph,{icon:r}))})),qB=(0,tt.createElement)(mo,{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24"},(0,tt.createElement)(uo,{d:"M13 19h-2v-2h2v2zm0-6h-2v-2h2v2zm0-6h-2V5h2v2z"}));var jB=n(8088);const FB=(0,tt.forwardRef)((function({children:e,level:t,positionInSet:n,setSize:r,isExpanded:o,...a},i){return(0,tt.createElement)("tr",ot({},a,{ref:i,role:"row","aria-level":t,"aria-posinset":n,"aria-setsize":r,"aria-expanded":o}),e)}));function VB(e){return ds(e.ownerDocument.defaultView),e.ownerDocument.defaultView.getComputedStyle(e)}function XB(e){if(e){if(e.scrollHeight>e.clientHeight){const{overflowY:t}=VB(e);if(/(auto|scroll)/.test(t))return e}return XB(e.parentNode)}}const UB=e=>e+1,$B=e=>({top:e.offsetTop,left:e.offsetLeft});const KB=function({isSelected:e,adjustScrolling:t,enableAnimation:n,triggerAnimationOnChange:r}){const o=(0,tt.useRef)(),a=YA()||!n,[i,s]=(0,tt.useReducer)(UB,0),[l,c]=(0,tt.useReducer)(UB,0),[u,d]=(0,tt.useState)({x:0,y:0}),p=(0,tt.useMemo)((()=>o.current?$B(o.current):null),[r]),m=(0,tt.useMemo)((()=>{if(!t||!o.current)return()=>{};const e=XB(o.current);if(!e)return()=>{};const n=o.current.getBoundingClientRect();return()=>{const t=o.current.getBoundingClientRect().top-n.top;t&&(e.scrollTop+=t)}}),[r,t]);function h({x:t,y:n}){t=Math.round(t),n=Math.round(n),t===h.x&&n===h.y||(!function({x:t,y:n}){if(!o.current)return;const r=0===t&&0===n;o.current.style.transformOrigin=r?"":"center",o.current.style.transform=r?"":`translate3d(${t}px,${n}px,0)`,o.current.style.zIndex=!e||r?"":"1",m()}({x:t,y:n}),h.x=t,h.y=n)}return(0,tt.useLayoutEffect)((()=>{i&&c()}),[i]),(0,tt.useLayoutEffect)((()=>{if(!p)return;if(a)return void m();o.current.style.transform="";const e=$B(o.current);s(),d({x:Math.round(p.left-e.left),y:Math.round(p.top-e.top)})}),[r]),h.x=0,h.y=0,(0,jB.q_)({from:{x:u.x,y:u.y},to:{x:0,y:0},reset:i!==l,config:{mass:5,tension:2e3,friction:200},immediate:a,onFrame:h}),o},GB=(0,jB.q)(FB);function JB({isSelected:e,position:t,level:n,rowCount:r,children:o,className:a,path:i,...s}){const l=KB({isSelected:e,adjustScrolling:!1,enableAnimation:!0,triggerAnimationOnChange:i.join("_")});return(0,tt.createElement)(GB,ot({ref:l,className:so()("block-editor-list-view-leaf",a),level:n,positionInSet:t,setSize:r},s),o)}const ZB=(0,tt.createElement)(mo,{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24"},(0,tt.createElement)(uo,{d:"M10.6 6L9.4 7l4.6 5-4.6 5 1.2 1 5.4-6z"})),QB=(0,tt.createElement)(mo,{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24"},(0,tt.createElement)(uo,{d:"M14.6 7l-1.2-1L8 12l5.4 6 1.2-1-4.6-5z"}));function eI(e,t,n,r,o,a,i){const s=n+1,l=e=>"up"===e?"horizontal"===i?rr()?"right":"left":"up":"down"===e?"horizontal"===i?rr()?"left":"right":"down":null;if(e>1)return function(e,t,n,r,o){const a=t+1;if(o<0&&n)return er("Blocks cannot be moved up as they are already at the top");if(o>0&&r)return er("Blocks cannot be moved down as they are already at the bottom");if(o<0&&!n)return pn(nr("Move %1$d block from position %2$d up by one place","Move %1$d blocks from position %2$d up by one place",e),e,a);if(o>0&&!r)return pn(nr("Move %1$d block from position %2$d down by one place","Move %1$d blocks from position %2$d down by one place",e),e,a)}(e,n,r,o,a);if(r&&o)return pn(er("Block %s is the only block, and cannot be moved"),t);if(a>0&&!o){const e=l("down");if("down"===e)return pn(er("Move %1$s block from position %2$d down to position %3$d"),t,s,s+1);if("left"===e)return pn(er("Move %1$s block from position %2$d left to position %3$d"),t,s,s+1);if("right"===e)return pn(er("Move %1$s block from position %2$d right to position %3$d"),t,s,s+1)}if(a>0&&o){const e=l("down");if("down"===e)return pn(er("Block %1$s is at the end of the content and can’t be moved down"),t);if("left"===e)return pn(er("Block %1$s is at the end of the content and can’t be moved left"),t);if("right"===e)return pn(er("Block %1$s is at the end of the content and can’t be moved right"),t)}if(a<0&&!r){const e=l("up");if("up"===e)return pn(er("Move %1$s block from position %2$d up to position %3$d"),t,s,s-1);if("left"===e)return pn(er("Move %1$s block from position %2$d left to position %3$d"),t,s,s-1);if("right"===e)return pn(er("Move %1$s block from position %2$d right to position %3$d"),t,s,s-1)}if(a<0&&r){const e=l("up");if("up"===e)return pn(er("Block %1$s is at the beginning of the content and can’t be moved up"),t);if("left"===e)return pn(er("Block %1$s is at the beginning of the content and can’t be moved left"),t);if("right"===e)return pn(er("Block %1$s is at the beginning of the content and can’t be moved right"),t)}}const tI=(e,t)=>"up"===e?"horizontal"===t?rr()?ZB:QB:HA:"down"===e?"horizontal"===t?rr()?QB:ZB:qA:null,nI=(e,t)=>"up"===e?"horizontal"===t?rr()?er("Move right"):er("Move left"):er("Move up"):"down"===e?"horizontal"===t?rr()?er("Move left"):er("Move right"):er("Move down"):null,rI=(0,tt.forwardRef)((({clientIds:e,direction:t,orientation:n,...r},o)=>{const a=lw(rI),i=(0,at.castArray)(e).length,{blockType:s,isDisabled:l,rootClientId:c,isFirst:u,isLast:d,firstIndex:p,orientation:m="vertical"}=Cl((r=>{const{getBlockIndex:o,getBlockRootClientId:a,getBlockOrder:i,getBlock:s,getBlockListSettings:l}=r(pk),c=(0,at.castArray)(e),u=(0,at.first)(c),d=a(u),p=o(u,d),m=o((0,at.last)(c),d),h=i(d),f=s(u),g=0===p,b=m===h.length-1,{orientation:y}=l(d)||{};return{blockType:f?Bo(f.name):null,isDisabled:"up"===t?g:b,rootClientId:d,firstIndex:p,isFirst:g,isLast:b,orientation:n||y}}),[e,t]),{moveBlocksDown:h,moveBlocksUp:f}=sd(pk),g="up"===t?f:h,b=`block-editor-block-mover-button__description-${a}`;return(0,tt.createElement)(tt.Fragment,null,(0,tt.createElement)(Nf,ot({ref:o,className:so()("block-editor-block-mover-button",`is-${t}-button`),icon:tI(t,m),label:nI(t,m),"aria-describedby":b},r,{onClick:l?null:t=>{g(e,c),r.onClick&&r.onClick(t)},"aria-disabled":l})),(0,tt.createElement)("span",{id:b,className:"block-editor-block-mover-button__description"},eI(i,s&&s.title,p,u,d,"up"===t?-1:1,m)))})),oI=(0,tt.forwardRef)(((e,t)=>(0,tt.createElement)(rI,ot({direction:"up",ref:t},e)))),aI=(0,tt.forwardRef)(((e,t)=>(0,tt.createElement)(rI,ot({direction:"down",ref:t},e)))),iI=(0,tt.createContext)({__experimentalFeatures:!1,__experimentalPersistentListViewFeatures:!1}),sI=()=>(0,tt.useContext)(iI);function lI(e){return Cl((t=>{if(!e)return null;const{getBlockName:n,getBlockAttributes:r}=t(pk),{getBlockType:o,getActiveBlockVariation:a}=t(Gr),i=n(e),s=o(i);if(!s)return null;const l=r(e),c=a(i,l),u={title:s.title,icon:s.icon,description:s.description,anchor:null==l?void 0:l.anchor};return c?{title:c.title||s.title,icon:c.icon||s.icon,description:c.description||s.description}:u}),[e])}const cI=(e,t,n)=>pn(er("Block %1$d of %2$d, Level %3$d"),e,t,n),uI=(e,t)=>(0,at.isArray)(t)&&t.length?-1!==t.indexOf(e):t===e;function dI({clientId:e}){const{attributes:t,name:n,reusableBlockTitle:r}=Cl((t=>{if(!e)return{};const{getBlockName:n,getBlockAttributes:r,__experimentalGetReusableBlockTitle:o}=t(pk),a=n(e);if(!a)return{};const i=Wo(Bo(a));return{attributes:r(e),name:a,reusableBlockTitle:i&&o(r(e).ref)}}),[e]),o=lI(e);if(!n||!o)return null;const a=Bo(n),i=r||Mo(a,t);return i!==a.title?(0,at.truncate)(i,{length:35}):o.title}const pI=(0,tt.createElement)(mo,{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24"},(0,tt.createElement)(uo,{d:"M10.8622 8.04053L14.2805 12.0286L10.8622 16.0167L9.72327 15.0405L12.3049 12.0286L9.72327 9.01672L10.8622 8.04053Z"}));function mI({onClick:e}){return(0,tt.createElement)("span",{className:"block-editor-list-view__expander",onClick:t=>e(t,{forceToggle:!0}),"aria-hidden":"true"},(0,tt.createElement)(oA,{icon:pI}))}const hI=(0,tt.forwardRef)((function e({className:t,block:{clientId:n},isSelected:r,onClick:o,onToggleExpanded:a,position:i,siblingBlockCount:s,level:l,tabIndex:c,onFocus:u,onDragStart:d,onDragEnd:p,draggable:m},h){const f=lI(n),g=`list-view-block-select-button__${lw(e)}`,b=cI(i,s,l);return(0,tt.createElement)(tt.Fragment,null,(0,tt.createElement)(Nf,{className:so()("block-editor-list-view-block-select-button",t),onClick:o,"aria-describedby":g,ref:h,tabIndex:c,onFocus:u,onDragStart:d,onDragEnd:p,draggable:m},(0,tt.createElement)(mI,{onClick:a}),(0,tt.createElement)(zB,{icon:null==f?void 0:f.icon,showColors:!0}),(0,tt.createElement)(dI,{clientId:n}),(null==f?void 0:f.anchor)&&(0,tt.createElement)("span",{className:"block-editor-list-view-block-select-button__anchor"},f.anchor),r&&(0,tt.createElement)(zf,null,er("(selected block)"))),(0,tt.createElement)("div",{className:"block-editor-list-view-block-select-button__description",id:g},b))})),fI=e=>`ListViewBlock-${e}`;const gI=(0,tt.forwardRef)((function e(t,n){const{clientId:r}=t.block,{name:o}=Cl((e=>e(pk).getBlockName(r)),[r]),a=lw(e);return(0,tt.createElement)(yh,{name:fI(r)},(e=>{if(!e.length)return(0,tt.createElement)(hI,ot({ref:n},t));const{className:r,isSelected:i,position:s,siblingBlockCount:l,level:c,tabIndex:u,onFocus:d,onToggleExpanded:p}=t,m=Bo(o),h=`list-view-block-slot__${a}`,f=cI(s,l,c),g={tabIndex:u,onFocus:d,ref:n,"aria-describedby":h};return(0,tt.createElement)(tt.Fragment,null,(0,tt.createElement)("div",{className:so()("block-editor-list-view-block-slot",r)},(0,tt.createElement)(mI,{onClick:p}),(0,tt.createElement)(zB,{icon:m.icon,showColors:!0}),tt.Children.map(e,(e=>(0,tt.cloneElement)(e,{...e.props,...g}))),i&&(0,tt.createElement)(zf,null,er("(selected block)")),(0,tt.createElement)("div",{className:"block-editor-list-view-block-slot__description",id:h},f)))}))})),bI="is-dragging-components-draggable";function yI({children:e,onDragStart:t,onDragOver:n,onDragEnd:r,cloneClassname:o,elementId:a,transferData:i,__experimentalTransferDataType:s="text",__experimentalDragComponent:l}){const c=(0,tt.useRef)(null),u=(0,tt.useRef)((()=>{}));return(0,tt.useEffect)((()=>()=>{u.current()}),[]),(0,tt.createElement)(tt.Fragment,null,e({onDraggableStart:function(e){const{ownerDocument:r}=e.target;e.dataTransfer.setData(s,JSON.stringify(i));const l=r.createElement("div");l.style.top=0,l.style.left=0;const d=r.createElement("div");"function"==typeof e.dataTransfer.setDragImage&&(d.classList.add("components-draggable__invisible-drag-image"),r.body.appendChild(d),e.dataTransfer.setDragImage(d,0,0)),l.classList.add("components-draggable__clone"),o&&l.classList.add(o);let p=0,m=0;if(c.current){p=e.clientX,m=e.clientY,l.style.transform=`translate( ${p}px, ${m}px )`;const t=r.createElement("div");t.innerHTML=c.current.innerHTML,l.appendChild(t),r.body.appendChild(l)}else{const e=r.getElementById(a),t=e.getBoundingClientRect(),n=e.parentNode,o=parseInt(t.top,10),i=parseInt(t.left,10);l.style.width=`${t.width+0}px`;const s=e.cloneNode(!0);s.id=`clone-${a}`,p=i-0,m=o-0,l.style.transform=`translate( ${p}px, ${m}px )`,Array.from(s.querySelectorAll("iframe")).forEach((e=>e.parentNode.removeChild(e))),l.appendChild(s),n.appendChild(l)}let h=e.clientX,f=e.clientY;const g=(0,at.throttle)((function(e){if(h===e.clientX&&f===e.clientY)return;const t=p+e.clientX-h,r=m+e.clientY-f;l.style.transform=`translate( ${t}px, ${r}px )`,h=e.clientX,f=e.clientY,p=t,m=r,n&&n(e)}),16);let b;r.addEventListener("dragover",g),r.body.classList.add(bI),e.persist(),t&&(b=setTimeout((()=>t(e)))),u.current=()=>{l&&l.parentNode&&l.parentNode.removeChild(l),d&&d.parentNode&&d.parentNode.removeChild(d),r.body.classList.remove(bI),r.removeEventListener("dragover",g),clearTimeout(b)}},onDraggableEnd:function(e){e.preventDefault(),u.current(),r&&r(e)}}),l&&(0,tt.createElement)("div",{className:"components-draggable-drag-component-root",style:{display:"none"},ref:c},l))}const vI=(0,tt.createElement)(mo,{width:"18",height:"18",xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 18 18"},(0,tt.createElement)(uo,{d:"M5 4h2V2H5v2zm6-2v2h2V2h-2zm-6 8h2V8H5v2zm6 0h2V8h-2v2zm-6 6h2v-2H5v2zm6 0h2v-2h-2v2z"}));function _I({count:e,icon:t}){return(0,tt.createElement)("div",{className:"block-editor-block-draggable-chip-wrapper"},(0,tt.createElement)("div",{className:"block-editor-block-draggable-chip"},(0,tt.createElement)(vw,{justify:"center",className:"block-editor-block-draggable-chip__content"},(0,tt.createElement)(kw,null,t?(0,tt.createElement)(zB,{icon:t}):pn(nr("%d block","%d blocks",e),e)),(0,tt.createElement)(kw,null,(0,tt.createElement)(zB,{icon:vI})))))}const MI=({children:e,clientIds:t,cloneClassname:n,onDragStart:r,onDragEnd:o})=>{const{srcRootClientId:a,isDraggable:i,icon:s}=Cl((e=>{var n;const{getBlockRootClientId:r,getTemplateLock:o,getBlockName:a}=e(pk),i=r(t[0]);return{srcRootClientId:i,isDraggable:"all"!==(i?o(i):null),icon:null===(n=Bo(a(t[0])))||void 0===n?void 0:n.icon}}),[t]),l=(0,tt.useRef)(!1),[c,u,d]=function(){const e=(0,tt.useRef)(null),t=(0,tt.useRef)(null),n=(0,tt.useRef)(null),r=(0,tt.useRef)(null);return(0,tt.useEffect)((()=>()=>{r.current&&(clearInterval(r.current),r.current=null)}),[]),[(0,tt.useCallback)((o=>{e.current=o.clientY,n.current=XB(o.target),r.current=setInterval((()=>{if(n.current&&t.current){const e=n.current.scrollTop+t.current;n.current.scroll({top:e})}}),25)}),[]),(0,tt.useCallback)((r=>{if(!n.current)return;const o=n.current.offsetHeight,a=e.current-n.current.offsetTop,i=r.clientY-n.current.offsetTop;if(r.clientY>a){const e=Math.max(o-a-50,0),n=Math.max(i-a-50,0)/e;t.current=25*n}else if(r.clientY{e.current=null,n.current=null,r.current&&(clearInterval(r.current),r.current=null)}]}(),{startDraggingBlocks:p,stopDraggingBlocks:m}=sd(pk);if((0,tt.useEffect)((()=>()=>{l.current&&m()}),[]),!i)return e({isDraggable:!1});const h={type:"block",srcClientIds:t,srcRootClientId:a};return(0,tt.createElement)(yI,{cloneClassname:n,__experimentalTransferDataType:"wp-blocks",transferData:h,onDragStart:e=>{p(t),l.current=!0,c(e),r&&r()},onDragOver:u,onDragEnd:()=>{m(),l.current=!1,d(),o&&o()},__experimentalDragComponent:(0,tt.createElement)(_I,{count:t.length,icon:s})},(({onDraggableStart:t,onDraggableEnd:n})=>e({draggable:!0,onDragStart:t,onDragEnd:n})))},kI=(0,tt.forwardRef)((({onClick:e,onToggleExpanded:t,block:n,isSelected:r,position:o,siblingBlockCount:a,level:i,...s},l)=>{const{__experimentalFeatures:c}=sI(),{clientId:u}=n,{blockMovingClientId:d,selectedBlockInBlockEditor:p}=Cl((e=>{const{getBlockRootClientId:t,hasBlockMovingClientId:n,getSelectedBlockClientId:r}=e(pk);return{rootClientId:t(u)||"",blockMovingClientId:n(),selectedBlockInBlockEditor:r()}}),[u]),m=d&&p===u,h=so()("block-editor-list-view-block-contents",{"is-dropping-before":m});return(0,tt.createElement)(MI,{clientIds:[n.clientId]},(({draggable:u,onDragStart:d,onDragEnd:p})=>c?(0,tt.createElement)(gI,ot({ref:l,className:h,block:n,onToggleExpanded:t,isSelected:r,position:o,siblingBlockCount:a,level:i,draggable:u&&c,onDragStart:d,onDragEnd:p},s)):(0,tt.createElement)(hI,ot({ref:l,className:h,block:n,onClick:e,onToggleExpanded:t,isSelected:r,position:o,siblingBlockCount:a,level:i,draggable:u,onDragStart:d,onDragEnd:p},s))))}));const wI=function(e={},t){switch(t.type){case"REGISTER_SHORTCUT":return{...e,[t.name]:{category:t.category,keyCombination:t.keyCombination,aliases:t.aliases,description:t.description}};case"UNREGISTER_SHORTCUT":return(0,at.omit)(e,t.name)}return e};function EI({name:e,category:t,description:n,keyCombination:r,aliases:o}){return{type:"REGISTER_SHORTCUT",name:e,category:t,keyCombination:r,aliases:o,description:n}}function LI(e){return{type:"UNREGISTER_SHORTCUT",name:e}}const AI=[],SI={display:Am,raw:Em,ariaLabel:Sm};function CI(e,t){return e?e.modifier?SI[t][e.modifier](e.character):e.character:null}function TI(e,t){return e[t]?e[t].keyCombination:null}function xI(e,t,n="display"){return CI(TI(e,t),n)}function zI(e,t){return e[t]?e[t].description:null}function OI(e,t){return e[t]&&e[t].aliases?e[t].aliases:AI}const NI=gr(((e,t)=>(0,at.compact)([TI(e,t),...OI(e,t)])),((e,t)=>[e[t]])),DI=gr(((e,t)=>NI(e,t).map((e=>CI(e,"raw")))),((e,t)=>[e[t]])),BI=gr(((e,t)=>Object.entries(e).filter((([,e])=>e.category===t)).map((([e])=>e))),(e=>[e])),II=Jt("core/keyboard-shortcuts",{reducer:wI,actions:b,selectors:y});an(II);const PI=function(e,t,n){const r=Cl((t=>t(II).getAllShortcutRawKeyCombinations(e)),[e]);mS(r,t,n)};var RI=n(2152),WI=n.n(RI);function YI(e){const t=(0,tt.useRef)(e);return t.current=e,t}function HI(e,t){const n=YI(e),r=YI(t);return R_((e=>{const t=new(WI())(e,{text:()=>"function"==typeof n.current?n.current():n.current||""});return t.on("success",(({clearSelection:t})=>{t(),e.focus(),r.current&&r.current()})),()=>{t.destroy()}}),[])}function qI(e){ds(e.defaultView);const t=e.defaultView.getSelection();ds();const n=t.rangeCount?t.getRangeAt(0):null;return!!n&&!n.collapsed}function jI(e){return!!e&&"INPUT"===e.nodeName}function FI(e){return jI(e)&&e.type&&!["button","checkbox","hidden","file","radio","image","range","reset","submit","number"].includes(e.type)||"TEXTAREA"===e.nodeName||"true"===e.contentEditable}function VI(e){return jI(e)&&"number"===e.type&&!!e.valueAsNumber}function XI(e){return qI(e)||!!e.activeElement&&function(e){if(!FI(e)&&!VI(e))return!1;try{const{selectionStart:t,selectionEnd:n}=e;return null!==t&&t!==n}catch(e){return!1}}(e.activeElement)}const UI=(e=>t=>(n={},r)=>{const o=r[e];if(void 0===o)return n;const a=t(n[o],r);return a===n[o]?n:{...n,[o]:a}})("context")(((e=[],t)=>{switch(t.type){case"CREATE_NOTICE":return[...(0,at.reject)(e,{id:t.notice.id}),t.notice];case"REMOVE_NOTICE":return(0,at.reject)(e,{id:t.id})}return e})),$I="global";function KI(e="info",t,n={}){const{speak:r=!0,isDismissible:o=!0,context:a=$I,id:i=(0,at.uniqueId)(a),actions:s=[],type:l="default",__unstableHTML:c,icon:u=null,explicitDismiss:d=!1,onDismiss:p}=n;return{type:"CREATE_NOTICE",context:a,notice:{id:i,status:e,content:t=String(t),spokenMessage:r?t:null,__unstableHTML:c,isDismissible:o,actions:s,type:l,icon:u,explicitDismiss:d,onDismiss:p}}}function GI(e,t){return KI("success",e,t)}function JI(e,t){return KI("info",e,t)}function ZI(e,t){return KI("error",e,t)}function QI(e,t){return KI("warning",e,t)}function eP(e,t=$I){return{type:"REMOVE_NOTICE",id:e,context:t}}const tP=[];function nP(e,t=$I){return e[t]||tP}const rP=Jt("core/notices",{reducer:UI,actions:v,selectors:_});function oP(e){const t=Array.from(e.files);return Array.from(e.items).forEach((e=>{const n=e.getAsFile();n&&!t.find((({name:e,type:t,size:r})=>e===n.name&&t===n.type&&r===n.size))&&t.push(n)})),t}function aP(){const{getBlockName:e}=Cl(pk),{getBlockType:t}=Cl(Gr),{createSuccessNotice:n}=sd(rP);return(0,tt.useCallback)(((r,o)=>{let a="";if(1===o.length){const n=o[0],{title:i}=t(e(n));a=pn(er("copy"===r?'Copied "%s" to clipboard.':'Moved "%s" to clipboard.'),i)}else a=pn("copy"===r?nr("Copied %d block to clipboard.","Copied %d blocks to clipboard.",o.length):nr("Moved %d block to clipboard.","Moved %d blocks to clipboard.",o.length),o.length);n(a,{type:"snackbar"})}),[])}function iP(){const{getBlocksByClientId:e,getSelectedBlockClientIds:t,hasMultiSelection:n,getSettings:r}=Cl(pk),{flashBlock:o,removeBlocks:a,replaceBlocks:i}=sd(pk),s=aP();return R_((l=>{function c(c){const u=t();if(0!==u.length){if(!n()){const{target:e}=c,{ownerDocument:t}=e;if("copy"===c.type||"cut"===c.type?XI(t):function(e){return!!e.activeElement&&(FI(e.activeElement)||VI(e.activeElement)||qI(e))}(t))return}if(l.contains(c.target.ownerDocument.activeElement)){if(c.preventDefault(),"copy"===c.type||"cut"===c.type){1===u.length&&o(u[0]),s(c.type,u);const t=fi(e(u));c.clipboardData.setData("text/plain",t),c.clipboardData.setData("text/html",t)}if("cut"===c.type)a(u);else if("paste"===c.type){const{__experimentalCanUserUseUnfilteredHTML:e}=r(),{plainText:t,html:n}=function({clipboardData:e}){let t="",n="";try{t=e.getData("text/plain"),n=e.getData("text/html")}catch(t){try{n=e.getData("Text")}catch(e){return}}const r=oP(e).filter((({type:e})=>/^image\/(?:jpe?g|png|gif)$/.test(e)));return r.length&&!n&&(n=r.map((e=>``)).join(""),t=""),{html:n,plainText:t}}(c),o=ul({HTML:n,plainText:t,mode:"BLOCKS",canUserUseUnfilteredHTML:e});i(u,o,o.length-1,-1)}}}}return l.ownerDocument.addEventListener("copy",c),l.ownerDocument.addEventListener("cut",c),l.ownerDocument.addEventListener("paste",c),()=>{l.ownerDocument.removeEventListener("copy",c),l.ownerDocument.removeEventListener("cut",c),l.ownerDocument.removeEventListener("paste",c)}}),[])}an(rP);function sP({clientIds:e,children:t,__experimentalUpdateSelection:n}){const{canInsertBlockType:r,getBlockRootClientId:o,getBlocksByClientId:a,getTemplateLock:i}=Cl((e=>e(pk)),[]),{getDefaultBlockName:s,getGroupingBlockName:l}=Cl((e=>e(Gr)),[]),c=a(e),u=o(e[0]),d=(0,at.every)(c,(e=>!!e&&Ro(e.name,"multiple",!0)&&r(e.name,u))),p=r(s(),u),{removeBlocks:m,replaceBlocks:h,duplicateBlocks:f,insertAfterBlock:g,insertBeforeBlock:b,flashBlock:y,setBlockMovingClientId:v,setNavigationMode:_,selectBlock:M}=sd(pk),k=aP();return t({canDuplicate:d,canInsertDefaultBlock:p,isLocked:!!i(u),rootClientId:u,blocks:c,onDuplicate:()=>f(e,n),onRemove:()=>m(e,n),onInsertBefore(){b((0,at.first)((0,at.castArray)(e)))},onInsertAfter(){g((0,at.last)((0,at.castArray)(e)))},onMoveTo(){_(!0),M(e[0]),v(e[0])},onGroup(){if(!c.length)return;const t=l(),n=Jo(c,t);n&&h(e,n)},onUngroup(){if(!c.length)return;const t=c[0].innerBlocks;t.length&&h(e,t)},onCopy(){const e=c.map((({clientId:e})=>e));1===c.length&&y(e[0]),k("copy",e)}})}const lP=e=>ni((t=>sS((n=>{const r=Cl(((t,r)=>e(t,n,r)));return(0,tt.createElement)(t,ot({},n,r))}))),"withSelect"),cP=(e,t)=>{const n=kl(),r=(0,tt.useRef)(e);return gl((()=>{r.current=e})),(0,tt.useMemo)((()=>{const e=r.current(n.dispatch,n);return(0,at.mapValues)(e,((e,t)=>("function"!=typeof e&&console.warn(`Property ${t} returned from dispatchMap in useDispatchWithMap must be a function.`),(...e)=>r.current(n.dispatch,n)[t](...e))))}),[n,...t])},uP=e=>ni((t=>n=>{const r=cP(((t,r)=>e(t,n,r)),[]);return(0,tt.createElement)(t,ot({},n,r))}),"withDispatch");const dP=yS([lP(((e,{clientId:t})=>{const{getBlock:n,getBlockMode:r,getSettings:o}=e(pk),a=n(t),i=o().codeEditingEnabled;return{mode:r(t),blockType:a?Bo(a.name):null,isCodeEditingEnabled:i}})),uP(((e,{onToggle:t=at.noop,clientId:n})=>({onToggleMode(){e(pk).toggleBlockMode(n),t()}})))])((function({blockType:e,mode:t,onToggleMode:n,small:r=!1,isCodeEditingEnabled:o=!0}){if(!Ro(e,"html",!0)||!o)return null;const a=er("visual"===t?"Edit as HTML":"Edit visually");return(0,tt.createElement)(HB,{onClick:n},!r&&a)}));const pP=yS(lP(((e,{clientId:t})=>{const n=e(pk).getBlock(t);return{block:n,shouldRender:n&&"core/html"===n.name}})),uP(((e,{block:t})=>({onClick:()=>e(pk).replaceBlocks(t.clientId,Os({HTML:di(t)}))}))))((function({shouldRender:e,onClick:t,small:n}){if(!e)return null;const r=er("Convert to Blocks");return(0,tt.createElement)(HB,{onClick:t},!n&&r)})),{Fill:mP,Slot:hP}=_h("__unstableBlockSettingsMenuFirstItem");mP.Slot=hP;const fP=mP;function gP({clientIds:e,isGroupable:t,isUngroupable:n,blocksSelection:r,groupingBlockName:o,onClose:a=(()=>{})}){const{replaceBlocks:i}=sd(pk);return t||n?(0,tt.createElement)(tt.Fragment,null,t&&(0,tt.createElement)(HB,{onClick:()=>{(()=>{const t=Jo(r,o);t&&i(e,t)})(),a()}},tr("Group","verb")),n&&(0,tt.createElement)(HB,{onClick:()=>{(()=>{const t=r[0].innerBlocks;t.length&&i(e,t)})(),a()}},tr("Ungroup","Ungrouping blocks from within a Group block back into individual blocks within the Editor "))):null}const{Fill:bP,Slot:yP}=_h("BlockSettingsMenuControls");function vP({...e}){return(0,tt.createElement)($p,{document},(0,tt.createElement)(bP,e))}vP.Slot=({fillProps:e,clientIds:t=null})=>{const n=Cl((e=>{const{getBlocksByClientId:n,getSelectedBlockClientIds:r}=e(pk),o=null!==t?t:r();return(0,at.map)((0,at.compact)(n(o)),(e=>e.name))}),[t]),r=function(){const{clientIds:e,isGroupable:t,isUngroupable:n,blocksSelection:r,groupingBlockName:o}=Cl((e=>{var t;const{getBlockRootClientId:n,getBlocksByClientId:r,canInsertBlockType:o,getSelectedBlockClientIds:a}=e(pk),{getGroupingBlockName:i}=e(Gr),s=a(),l=i(),c=o(l,null!=s&&s.length?n(s[0]):void 0),u=r(s),d=1===u.length&&(null===(t=u[0])||void 0===t?void 0:t.name)===l;return{clientIds:s,isGroupable:c&&u.length&&!d,isUngroupable:d&&!!u[0].innerBlocks.length,blocksSelection:u,groupingBlockName:l}}),[]);return{clientIds:e,isGroupable:t,isUngroupable:n,blocksSelection:r,groupingBlockName:o}}(),{isGroupable:o,isUngroupable:a}=r,i=o||a;return(0,tt.createElement)(yP,{fillProps:{...e,selectedBlocks:n}},(t=>{if((null==t?void 0:t.length)>0||i)return(0,tt.createElement)(qN,null,t,(0,tt.createElement)(gP,ot({},r,{onClose:null==e?void 0:e.onClose})))}))};const _P=vP,MP={className:"block-editor-block-settings-menu__popover",position:"bottom right",isAlternate:!0};function kP({blocks:e,onCopy:t}){const n=HI((()=>fi(e)),t);return(0,tt.createElement)(HB,{ref:n},er("Copy"))}const wP=function({clientIds:e,__experimentalSelectBlock:t,children:n,...r}){const o=(0,at.castArray)(e),a=o.length,i=o[0],s=Cl((e=>1===e(pk).getBlockCount()),[]),l=Cl((e=>{const{getShortcutRepresentation:t}=e(II);return{duplicate:t("core/block-editor/duplicate"),remove:t("core/block-editor/remove"),insertAfter:t("core/block-editor/insert-after"),insertBefore:t("core/block-editor/insert-before")}}),[]),c=(0,tt.useCallback)(t?async e=>{const n=await e;n&&n[0]&&t(n[0])}:at.noop,[t]),u=er(1===a?"Remove block":"Remove blocks");return(0,tt.createElement)(sP,{clientIds:e,__experimentalUpdateSelection:!t},(({canDuplicate:t,canInsertDefaultBlock:o,isLocked:d,onDuplicate:p,onInsertAfter:m,onInsertBefore:h,onRemove:f,onCopy:g,onMoveTo:b,blocks:y})=>(0,tt.createElement)(lb,ot({icon:qB,label:er("Options"),className:"block-editor-block-settings-menu",popoverProps:MP,noIcons:!0},r),(({onClose:r})=>(0,tt.createElement)(tt.Fragment,null,(0,tt.createElement)(qN,null,(0,tt.createElement)(fP.Slot,{fillProps:{onClose:r}}),1===a&&(0,tt.createElement)(pP,{clientId:i}),(0,tt.createElement)(kP,{blocks:y,onCopy:g}),t&&(0,tt.createElement)(HB,{onClick:(0,at.flow)(r,p,c),shortcut:l.duplicate},er("Duplicate")),o&&(0,tt.createElement)(tt.Fragment,null,(0,tt.createElement)(HB,{onClick:(0,at.flow)(r,h),shortcut:l.insertBefore},er("Insert before")),(0,tt.createElement)(HB,{onClick:(0,at.flow)(r,m),shortcut:l.insertAfter},er("Insert after"))),!d&&!s&&(0,tt.createElement)(HB,{onClick:(0,at.flow)(r,b)},er("Move to")),1===a&&(0,tt.createElement)(dP,{clientId:i,onToggle:r})),(0,tt.createElement)(_P.Slot,{fillProps:{onClose:r},clientIds:e}),"function"==typeof n?n({onClose:r}):tt.Children.map((e=>(0,tt.cloneElement)(e,{onClose:r}))),(0,tt.createElement)(qN,null,!d&&(0,tt.createElement)(HB,{onClick:(0,at.flow)(r,f,c),shortcut:l.remove},u)))))))};function EP({block:e,isSelected:t,isBranchSelected:n,isLastOfSelectedBranch:r,onClick:o,onToggleExpanded:a,position:i,level:s,rowCount:l,siblingBlockCount:c,showBlockMovers:u,path:d,isExpanded:p}){const m=(0,tt.useRef)(null),[h,f]=(0,tt.useState)(!1),{clientId:g}=e,{isDragging:b,blockParents:y}=Cl((e=>{const{isBlockBeingDragged:t,isAncestorBeingDragged:n,getBlockParents:r}=e(pk);return{isDragging:t(g)||n(g),blockParents:r(g)}}),[g]),{selectBlock:v,toggleBlockHighlight:_}=sd(pk),M=u&&c>0,k=so()("block-editor-list-view-block__mover-cell",{"is-visible":h}),{__experimentalFeatures:w,__experimentalPersistentListViewFeatures:E,isTreeGridMounted:L}=sI(),A=so()("block-editor-list-view-block__menu-cell",{"is-visible":h});(0,tt.useEffect)((()=>{E&&!L&&t&&m.current.focus()}),[]),(0,tt.useEffect)((()=>{w&&t&&m.current.focus()}),[w,t]);const S=E?_:()=>{},C=()=>{f(!0),S(g,!0)},T=()=>{f(!1),S(g,!1)},x=so()({"is-selected":t,"is-branch-selected":E&&n,"is-last-of-selected-branch":E&&r,"is-dragging":b});return(0,tt.createElement)(JB,{className:x,onMouseEnter:C,onMouseLeave:T,onFocus:C,onBlur:T,level:s,position:i,rowCount:l,path:d,id:`list-view-block-${g}`,"data-block":g,isExpanded:p},(0,tt.createElement)(YB,{className:"block-editor-list-view-block__contents-cell",colSpan:M?void 0:2,ref:m},(({ref:n,tabIndex:r,onFocus:l})=>(0,tt.createElement)("div",{className:"block-editor-list-view-block__contents-container"},(0,tt.createElement)(kI,{block:e,onClick:o,onToggleExpanded:a,isSelected:t,position:i,siblingBlockCount:c,level:s,ref:n,tabIndex:r,onFocus:l})))),M&&(0,tt.createElement)(tt.Fragment,null,(0,tt.createElement)(YB,{className:k,withoutGridItem:!0},(0,tt.createElement)(WB,null,(({ref:e,tabIndex:t,onFocus:n})=>(0,tt.createElement)(oI,{orientation:"vertical",clientIds:[g],ref:e,tabIndex:t,onFocus:n}))),(0,tt.createElement)(WB,null,(({ref:e,tabIndex:t,onFocus:n})=>(0,tt.createElement)(aI,{orientation:"vertical",clientIds:[g],ref:e,tabIndex:t,onFocus:n}))))),w&&(0,tt.createElement)(YB,{className:A},(({ref:e,tabIndex:t,onFocus:n})=>(0,tt.createElement)(wP,{clientIds:[g],icon:qB,toggleProps:{ref:e,tabIndex:t,onFocus:n},disableOpenOnArrowDown:!0,__experimentalSelectBlock:o},(({onClose:e})=>(0,tt.createElement)(qN,null,(0,tt.createElement)(HB,{onClick:async()=>{if(y.length)for(const e of y)await v(e);else await v(null);await v(g),e()}},er("Go to block"))))))))}const LP=e=>ni((t=>n=>e(n)?(0,tt.createElement)(t,n):null),"ifCondition"),AP=(0,tt.createElement)(mo,{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24"},(0,tt.createElement)(uo,{d:"M12 13.06l3.712 3.713 1.061-1.06L13.061 12l3.712-3.712-1.06-1.06L12 10.938 8.288 7.227l-1.061 1.06L10.939 12l-3.712 3.712 1.06 1.061L12 13.061z"})),SP=(0,tt.createElement)(mo,{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24"},(0,tt.createElement)(uo,{d:"M13.5 6C10.5 6 8 8.5 8 11.5c0 1.1.3 2.1.9 3l-3.4 3 1 1.1 3.4-2.9c1 .9 2.2 1.4 3.6 1.4 3 0 5.5-2.5 5.5-5.5C19 8.5 16.5 6 13.5 6zm0 9.5c-2.2 0-4-1.8-4-4s1.8-4 4-4 4 1.8 4 4-1.8 4-4 4z"}));const CP=function e({className:t,onChange:n,value:r,label:o,placeholder:a=er("Search"),hideLabelFromVision:i=!0,help:s}){const l=lw(e),c=(0,tt.useRef)(),u=`components-search-control-${l}`;return(0,tt.createElement)(DA,{label:o,id:u,hideLabelFromVision:i,help:s,className:so()(t,"components-search-control")},(0,tt.createElement)("div",{className:"components-search-control__input-wrapper"},(0,tt.createElement)("input",{ref:c,className:"components-search-control__input",id:u,type:"search",placeholder:a,onChange:e=>n(e.target.value),autoComplete:"off",value:r||""}),(0,tt.createElement)("div",{className:"components-search-control__icon"},!!r&&(0,tt.createElement)(Nf,{icon:AP,label:er("Reset search"),onClick:()=>{n(""),c.current.focus()}}),!r&&(0,tt.createElement)(oA,{icon:SP}))))};let TP,xP,zP,OP;const NP=/<(\/)?(\w+)\s*(\/)?>/g;function DP(e,t,n,r,o){return{element:e,tokenStart:t,tokenLength:n,prevOffset:r,leadingTextStart:o,children:[]}}const BP=e=>{const t="object"==typeof e,n=t&&Object.values(e);return t&&n.length&&n.every((e=>(0,tt.isValidElement)(e)))};function IP(e){const t=function(){const e=NP.exec(TP);if(null===e)return["no-more-tokens"];const t=e.index,[n,r,o,a]=e,i=n.length;if(a)return["self-closed",o,t,i];if(r)return["closer",o,t,i];return["opener",o,t,i]}(),[n,r,o,a]=t,i=OP.length,s=o>xP?xP:null;if(!e[r])return PP(),!1;switch(n){case"no-more-tokens":if(0!==i){const{leadingTextStart:e,tokenStart:t}=OP.pop();zP.push(TP.substr(e,t))}return PP(),!1;case"self-closed":return 0===i?(null!==s&&zP.push(TP.substr(s,o-s)),zP.push(e[r]),xP=o+a,!0):(RP(DP(e[r],o,a)),xP=o+a,!0);case"opener":return OP.push(DP(e[r],o,a,o+a,s)),xP=o+a,!0;case"closer":if(1===i)return function(e){const{element:t,leadingTextStart:n,prevOffset:r,tokenStart:o,children:a}=OP.pop(),i=e?TP.substr(r,e-r):TP.substr(r);i&&a.push(i);null!==n&&zP.push(TP.substr(n,o-n));zP.push((0,tt.cloneElement)(t,null,...a))}(o),xP=o+a,!0;const t=OP.pop(),n=TP.substr(t.prevOffset,o-t.prevOffset);t.children.push(n),t.prevOffset=o+a;const l=DP(t.element,t.tokenStart,t.tokenLength,o+a);return l.children=t.children,RP(l),xP=o+a,!0;default:return PP(),!1}}function PP(){const e=TP.length-xP;0!==e&&zP.push(TP.substr(xP,e))}function RP(e){const{element:t,tokenStart:n,tokenLength:r,prevOffset:o,children:a}=e,i=OP[OP.length-1],s=TP.substr(i.prevOffset,n-i.prevOffset);s&&i.children.push(s),i.children.push((0,tt.cloneElement)(t,null,...a)),i.prevOffset=o||n+r}const WP=(e,t)=>{if(TP=e,xP=0,zP=[],OP=[],NP.lastIndex=0,!BP(t))throw new TypeError("The conversionMap provided is not valid. It must be an object with values that are WPElements");do{}while(IP(t));return(0,tt.createElement)(tt.Fragment,null,...zP)};const YP=function(e){return(0,tt.createElement)("div",{className:"components-tip"},(0,tt.createElement)(mo,{width:"24",height:"24",viewBox:"0 0 24 24"},(0,tt.createElement)(uo,{d:"M12 15.8c-3.7 0-6.8-3-6.8-6.8s3-6.8 6.8-6.8c3.7 0 6.8 3 6.8 6.8s-3.1 6.8-6.8 6.8zm0-12C9.1 3.8 6.8 6.1 6.8 9s2.4 5.2 5.2 5.2c2.9 0 5.2-2.4 5.2-5.2S14.9 3.8 12 3.8zM8 17.5h8V19H8zM10 20.5h4V22h-4z"})),(0,tt.createElement)("p",null,e.children))},HP=[WP(er("While writing, you can press / to quickly insert new blocks."),{kbd:(0,tt.createElement)("kbd",null)}),WP(er("Indent a list by pressing space at the beginning of a line."),{kbd:(0,tt.createElement)("kbd",null)}),WP(er("Outdent a list by pressing backspace at the beginning of a line."),{kbd:(0,tt.createElement)("kbd",null)}),er("Drag files into the editor to automatically insert media blocks."),er("Change a block's type by pressing the block icon on the toolbar.")];const qP=function(){const[e]=(0,tt.useState)(Math.floor(Math.random()*HP.length));return(0,tt.createElement)(YP,null,HP[e])};const jP=function({title:e,icon:t,description:n,blockType:r}){return r&&(Jp("`blockType` property in `BlockCard component`",{since:"5.7",alternative:"`title, icon and description` properties"}),({title:e,icon:t,description:n}=r)),(0,tt.createElement)("div",{className:"block-editor-block-card"},(0,tt.createElement)(zB,{icon:t,showColors:!0}),(0,tt.createElement)("div",{className:"block-editor-block-card__content"},(0,tt.createElement)("h2",{className:"block-editor-block-card__title"},e),(0,tt.createElement)("span",{className:"block-editor-block-card__description"},n)))},FP=ni((e=>t=>(0,tt.createElement)(_l,null,(n=>(0,tt.createElement)(e,ot({},t,{registry:n}))))),"withRegistry");function VP({clientId:e=null,value:t,selection:n,onChange:r=at.noop,onInput:o=at.noop}){const a=kl(),{resetBlocks:i,resetSelection:s,replaceInnerBlocks:l,setHasControlledInnerBlocks:c,__unstableMarkNextChangeAsNotPersistent:u}=a.dispatch(pk),{getBlockName:d,getBlocks:p}=a.select(pk),m=(0,tt.useRef)({incoming:null,outgoing:[]}),h=(0,tt.useRef)(!1),f=(0,tt.useRef)(o),g=(0,tt.useRef)(r);(0,tt.useEffect)((()=>{f.current=o,g.current=r}),[o,r]),(0,tt.useEffect)((()=>{m.current.outgoing.includes(t)?(0,at.last)(m.current.outgoing)===t&&(m.current.outgoing=[]):p(e)!==t&&(m.current.outgoing=[],(()=>{if(t)if(u(),e){c(e,!0),u();const n=t.map((e=>Fo(e)));h.current&&(m.current.incoming=n),l(e,n)}else h.current&&(m.current.incoming=t),i(t)})(),n&&s(n.selectionStart,n.selectionEnd,n.initialPosition))}),[t,e]),(0,tt.useEffect)((()=>{const{getSelectionStart:t,getSelectionEnd:n,getSelectedBlocksInitialCaretPosition:r,isLastBlockChangePersistent:o,__unstableIsLastBlockChangeIgnored:i}=a.select(pk);let s=p(e),l=o(),c=!1;h.current=!0;const u=a.subscribe((()=>{if(null!==e&&null===d(e))return;const a=o(),u=p(e),h=u!==s;if(s=u,h&&(m.current.incoming||i()))return m.current.incoming=null,void(l=a);if(h||c&&!h&&a&&!l){l=a,m.current.outgoing.push(s);(l?g.current:f.current)(s,{selection:{selectionStart:t(),selectionEnd:n(),initialPosition:r()}})}c=h}));return()=>u()}),[a,e])}const XP=ni((e=>FP((({useSubRegistry:t=!0,registry:n,...r})=>{if(!t)return(0,tt.createElement)(e,ot({registry:n},r));const[o,a]=(0,tt.useState)(null);return(0,tt.useEffect)((()=>{const e=Qt({},n);e.registerStore(sM,dk),a(e)}),[n]),o?(0,tt.createElement)(Ml,{value:o},(0,tt.createElement)(e,ot({registry:o},r))):null}))),"withRegistryProvider")((function(e){const{children:t,settings:n}=e,{updateSettings:r}=sd(pk);return(0,tt.useEffect)((()=>{r(n)}),[n]),VP(e),(0,tt.createElement)(ZT,null,t)}));const UP=Cf("div",{target:"e1ac3xxk0"})({name:"u2jump",styles:"position:relative;pointer-events:none;&::after{content:'';position:absolute;top:0;right:0;bottom:0;left:0;}*{pointer-events:none;}"}),$P=(0,tt.createContext)(!1),{Consumer:KP,Provider:GP}=$P,JP=["BUTTON","FIELDSET","INPUT","OPTGROUP","OPTION","SELECT","TEXTAREA"];function ZP({className:e,children:t,isDisabled:n=!0,...r}){const o=(0,tt.useRef)(null),a=()=>{o.current&&Hm.focusable.find(o.current).forEach((e=>{(0,at.includes)(JP,e.nodeName)&&e.setAttribute("disabled",""),"A"===e.nodeName&&e.setAttribute("tabindex","-1");const t=e.getAttribute("tabindex");null!==t&&"-1"!==t&&e.removeAttribute("tabindex"),e.hasAttribute("contenteditable")&&e.setAttribute("contenteditable","false")}))},i=(0,tt.useCallback)((0,at.debounce)(a,void 0,{leading:!0}),[]);return(0,tt.useLayoutEffect)((()=>{if(!n)return;let e;return a(),o.current&&(e=new window.MutationObserver(i),e.observe(o.current,{childList:!0,attributes:!0,subtree:!0})),()=>{e&&e.disconnect(),i.cancel()}}),[]),n?(0,tt.createElement)(GP,{value:!0},(0,tt.createElement)(UP,ot({ref:o,className:so()(e,"components-disabled")},r),t)):(0,tt.createElement)(GP,{value:!1},t)}ZP.Context=$P,ZP.Consumer=KP;const QP=ZP;function eR(e){return ni((t=>{const n="core/with-filters/"+e;let r;class o extends tt.Component{constructor(){super(...arguments),void 0===r&&(r=Fn(e,t))}componentDidMount(){o.instances.push(this),1===o.instances.length&&(Bn("hookRemoved",n,i),Bn("hookAdded",n,i))}componentWillUnmount(){o.instances=(0,at.without)(o.instances,this),0===o.instances.length&&(Pn("hookRemoved",n),Pn("hookAdded",n))}render(){return(0,tt.createElement)(r,this.props)}}o.instances=[];const a=(0,at.debounce)((()=>{r=Fn(e,t),o.instances.forEach((e=>{e.forceUpdate()}))}),16);function i(t){t===e&&a()}return o}),"withFilters")}function tR(e){const{body:t}=document.implementation.createHTMLDocument("");t.innerHTML=e;const n=t.getElementsByTagName("*");let r=n.length;for(;r--;){const e=n[r];if("SCRIPT"===e.tagName)ms(e);else{let t=e.attributes.length;for(;t--;){const{name:n}=e.attributes[t];n.startsWith("on")&&e.removeAttribute(n)}}}return t.innerHTML}const nR={},rR=eR("editor.BlockEdit")((e=>{const{attributes:t={},name:n}=e,r=Bo(n),o=(0,tt.useContext)(xB),a=(0,tt.useMemo)((()=>r&&r.usesContext?(0,at.pick)(o,r.usesContext):nR),[r,o]);if(!r)return null;const i=r.edit||r.save;if(r.apiVersion>1||Ro(r,"lightBlockWrapper",!1))return(0,tt.createElement)(i,ot({},e,{context:a}));const s=Ro(r,"className",!0)?si(n):null,l=so()(s,t.className);return(0,tt.createElement)(i,ot({},e,{context:a,className:l}))}));function oR(e){const{name:t,isSelected:n,clientId:r}=e,o={name:t,isSelected:n,clientId:r};return(0,tt.createElement)(pb,{value:(0,tt.useMemo)((()=>o),Object.values(o))},(0,tt.createElement)(rR,e))}const aR=ni((e=>t=>{const[n,r]=(0,tt.useState)(),o=(0,tt.useCallback)((e=>r((()=>null!=e&&e.handleFocusOutside?e.handleFocusOutside.bind(e):void 0))),[]);return(0,tt.createElement)("div",Xm(n),(0,tt.createElement)(e,ot({ref:o},t)))}),"withFocusOutside");function iR({overlayClassName:e,contentLabel:t,aria:{describedby:n,labelledby:r},children:o,className:a,role:i,style:s,focusOnMount:l,shouldCloseOnEsc:c,onRequestClose:u}){const d=jm(l),p=qm(),m=Fm();return(0,tt.createElement)("div",{className:so()("components-modal__screen-overlay",e),onKeyDown:function(e){c&&e.keyCode===mm&&!e.defaultPrevented&&(e.preventDefault(),u&&u(e))}},(0,tt.createElement)("div",{className:so()("components-modal__frame",a),style:s,ref:$m([p,m,d]),role:i,"aria-label":t,"aria-labelledby":t?null:r,"aria-describedby":n,tabIndex:"-1"},o))}class sR extends tt.Component{constructor(){super(...arguments),this.handleFocusOutside=this.handleFocusOutside.bind(this)}handleFocusOutside(e){this.props.shouldCloseOnClickOutside&&this.props.onRequestClose&&this.props.onRequestClose(e)}render(){return(0,tt.createElement)(iR,this.props)}}const lR=aR(sR),cR=({icon:e,title:t,onClose:n,closeLabel:r,headingId:o,isDismissible:a})=>{const i=r||er("Close dialog");return(0,tt.createElement)("div",{className:"components-modal__header"},(0,tt.createElement)("div",{className:"components-modal__header-heading-container"},e&&(0,tt.createElement)("span",{className:"components-modal__icon-container","aria-hidden":!0},e),t&&(0,tt.createElement)("h1",{id:o,className:"components-modal__header-heading"},t)),a&&(0,tt.createElement)(Nf,{onClick:n,icon:AP,label:i}))},uR=new Set(["alert","status","log","marquee","timer"]);let dR=[],pR=!1;function mR(e){if(pR)return;const t=document.body.children;(0,at.forEach)(t,(t=>{t!==e&&function(e){const t=e.getAttribute("role");return!("SCRIPT"===e.tagName||e.hasAttribute("aria-hidden")||e.hasAttribute("aria-live")||uR.has(t))}(t)&&(t.setAttribute("aria-hidden","true"),dR.push(t))})),pR=!0}let hR,fR=0;class gR extends tt.Component{constructor(e){super(e),this.prepareDOM()}componentDidMount(){fR++,1===fR&&this.openFirstModal()}componentWillUnmount(){fR--,0===fR&&this.closeLastModal(),this.cleanDOM()}prepareDOM(){hR||(hR=document.createElement("div"),document.body.appendChild(hR)),this.node=document.createElement("div"),hR.appendChild(this.node)}cleanDOM(){hR.removeChild(this.node)}openFirstModal(){mR(hR),document.body.classList.add(this.props.bodyOpenClassName)}closeLastModal(){document.body.classList.remove(this.props.bodyOpenClassName),pR&&((0,at.forEach)(dR,(e=>{e.removeAttribute("aria-hidden")})),dR=[],pR=!1)}render(){const{onRequestClose:e,title:t,icon:n,closeButtonLabel:r,children:o,aria:a,instanceId:i,isDismissible:s,isDismissable:l,...c}=this.props,u=t?`components-modal-header-${i}`:a.labelledby;return l&&Jp("isDismissable prop of the Modal component",{since:"5.4",alternative:"isDismissible prop (renamed) of the Modal component"}),(0,rt.createPortal)((0,tt.createElement)(lR,ot({onRequestClose:e,aria:{labelledby:u,describedby:a.describedby}},c),(0,tt.createElement)("div",{className:"components-modal__content",role:"document"},(0,tt.createElement)(cR,{closeLabel:r,headingId:t&&u,icon:n,isDismissible:s||l,onClose:e,title:t}),o)),this.node)}}gR.defaultProps={bodyOpenClassName:"modal-open",role:"dialog",title:null,focusOnMount:!0,shouldCloseOnEsc:!0,shouldCloseOnClickOutside:!0,isDismissible:!0,aria:{labelledby:null,describedby:null}};const bR=vS(gR),yR=(0,tt.createElement)(mo,{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24"},(0,tt.createElement)(uo,{d:"M11 13h2v-2h-2v2zm-6 0h2v-2H5v2zm12-2v2h2v-2h-2z"}));const vR=function({className:e,actions:t,children:n,secondaryActions:r}){return(0,tt.createElement)("div",{className:so()(e,"block-editor-warning")},(0,tt.createElement)("div",{className:"block-editor-warning__contents"},(0,tt.createElement)("p",{className:"block-editor-warning__message"},n),(tt.Children.count(t)>0||r)&&(0,tt.createElement)("div",{className:"block-editor-warning__actions"},tt.Children.count(t)>0&&tt.Children.map(t,((e,t)=>(0,tt.createElement)("span",{key:t,className:"block-editor-warning__action"},e))),r&&(0,tt.createElement)(lb,{className:"block-editor-warning__secondary",icon:yR,label:er("More options"),popoverProps:{position:"bottom left",className:"block-editor-warning__dropdown"},noIcons:!0},(()=>(0,tt.createElement)(qN,null,r.map(((e,t)=>(0,tt.createElement)(HB,{onClick:e.onClick,key:t},e.title)))))))))};var _R=n(7630);function MR({title:e,rawContent:t,renderedContent:n,action:r,actionText:o,className:a}){return(0,tt.createElement)("div",{className:a},(0,tt.createElement)("div",{className:"block-editor-block-compare__content"},(0,tt.createElement)("h2",{className:"block-editor-block-compare__heading"},e),(0,tt.createElement)("div",{className:"block-editor-block-compare__html"},t),(0,tt.createElement)("div",{className:"block-editor-block-compare__preview edit-post-visual-editor"},(0,tt.createElement)(Ia,null,tR(n)))),(0,tt.createElement)("div",{className:"block-editor-block-compare__action"},(0,tt.createElement)(Nf,{variant:"secondary",tabIndex:"0",onClick:r},o)))}const kR=function({block:e,onKeep:t,onConvert:n,convertor:r,convertButtonText:o}){const a=(i=r(e),(0,at.castArray)(i).map((e=>ui(e.name,e.attributes,e.innerBlocks))).join(""));var i;const s=(l=e.originalContent,c=a,(0,_R.Kx)(l,c).map(((e,t)=>{const n=so()({"block-editor-block-compare__added":e.added,"block-editor-block-compare__removed":e.removed});return(0,tt.createElement)("span",{key:t,className:n},e.value)})));var l,c;return(0,tt.createElement)("div",{className:"block-editor-block-compare__wrapper"},(0,tt.createElement)(MR,{title:er("Current"),className:"block-editor-block-compare__current",action:t,actionText:er("Convert to HTML"),rawContent:e.originalContent,renderedContent:e.originalContent}),(0,tt.createElement)(MR,{title:er("After Conversion"),className:"block-editor-block-compare__converted",action:n,actionText:o,rawContent:s,renderedContent:a}))};const wR=e=>Os({HTML:e.originalContent}),ER=yS([lP(((e,{clientId:t})=>({block:e(pk).getBlock(t)}))),uP(((e,{block:t})=>{const{replaceBlock:n}=e(pk);return{convertToClassic(){n(t.clientId,(e=>Ho("core/freeform",{content:e.originalContent}))(t))},convertToHTML(){n(t.clientId,(e=>Ho("core/html",{content:e.originalContent}))(t))},convertToBlocks(){n(t.clientId,wR(t))},attemptBlockRecovery(){n(t.clientId,(({name:e,attributes:t,innerBlocks:n})=>Ho(e,t,n))(t))}}}))])((function({convertToHTML:e,convertToBlocks:t,convertToClassic:n,attemptBlockRecovery:r,block:o}){const a=!!Bo("core/html"),[i,s]=(0,tt.useState)(!1),l=(0,tt.useCallback)((()=>s(!0)),[]),c=(0,tt.useCallback)((()=>s(!1)),[]),u=(0,tt.useMemo)((()=>[{title:tr("Resolve","imperative verb"),onClick:l},a&&{title:er("Convert to HTML"),onClick:e},{title:er("Convert to Classic Block"),onClick:n}].filter(Boolean)),[l,e,n]);return(0,tt.createElement)(tt.Fragment,null,(0,tt.createElement)(vR,{actions:[(0,tt.createElement)(Nf,{key:"recover",onClick:r,variant:"primary"},er("Attempt Block Recovery"))],secondaryActions:u},er("This block contains unexpected or invalid content.")),i&&(0,tt.createElement)(bR,{title:er("Resolve Block"),onRequestClose:c,className:"block-editor-block-compare"},(0,tt.createElement)(kR,{block:o,onKeep:e,onConvert:t,convertor:wR,convertButtonText:er("Convert to Blocks")})))})),LR=(0,tt.createElement)(vR,{className:"block-editor-block-list__block-crash-warning"},er("This block has encountered an error and cannot be previewed.")),AR=()=>LR;class SR extends tt.Component{constructor(){super(...arguments),this.state={hasError:!1}}componentDidCatch(){this.setState({hasError:!0})}render(){return this.state.hasError?this.props.fallback:this.props.children}}const CR=SR;var TR=n(4042);const xR=function({clientId:e}){const[t,n]=(0,tt.useState)(""),r=Cl((t=>t(pk).getBlock(e)),[e]),{updateBlock:o}=sd(pk);return(0,tt.useEffect)((()=>{n(di(r))}),[r]),(0,tt.createElement)(TR.Z,{className:"block-editor-block-list__block-html-textarea",value:t,onBlur:()=>{const a=Bo(r.name),i=Ki(a,t,r.attributes),s=t||ui(a,i),l=!t||function(e,t,n){const{isValid:r}=Pi(e,t,n,xa());return r}(a,i,s);o(e,{attributes:i,originalContent:s,isValid:l}),t||n({content:s})},onChange:e=>n(e.target.value)})};function zR(e,t,n,r){const o=r.style.zIndex,a=r.style.position,{position:i="static"}=VB(r);"static"===i&&(r.style.position="relative"),r.style.zIndex="10000";const s=function(e,t,n){if(e.caretRangeFromPoint)return e.caretRangeFromPoint(t,n);if(!e.caretPositionFromPoint)return null;const r=e.caretPositionFromPoint(t,n);if(!r)return null;const o=e.createRange();return o.setStart(r.offsetNode,r.offset),o.collapse(!0),o}(e,t,n);return r.style.zIndex=o,r.style.position=a,s}function OR(e){return"INPUT"===e.tagName||"TEXTAREA"===e.tagName}function NR(e){return"rtl"===VB(e).direction}function DR(e,t){const{ownerDocument:n}=e,r=NR(e)?!t:t,o=e.getBoundingClientRect();return zR(n,t?o.right-1:o.left+1,r?o.bottom-1:o.top+1,e)}function BR(e,t){if(!e)return;if(e.focus(),OR(e)){if("number"!=typeof e.selectionStart)return;return void(t?(e.selectionStart=e.value.length,e.selectionEnd=e.value.length):(e.selectionStart=0,e.selectionEnd=0))}if(!e.isContentEditable)return;let n=DR(e,t);if(!(n&&n.startContainer&&e.contains(n.startContainer)||(e.scrollIntoView(t),n=DR(e,t),n&&n.startContainer&&e.contains(n.startContainer))))return;const{ownerDocument:r}=e,{defaultView:o}=r;ds();const a=o.getSelection();ds(),a.removeAllRanges(),a.addRange(n)}const IR=".block-editor-block-list__block",PR=".block-list-appender";function RR(e,t){return t.closest([IR,PR].join(","))===e}function WR(e){const t=(0,tt.useRef)(),n=function(e){return Cl((t=>{const{getSelectedBlocksInitialCaretPosition:n,isMultiSelecting:r,isNavigationMode:o,isBlockSelected:a}=t(pk);if(a(e)&&!r()&&!o())return n()}),[e])}(e);return(0,tt.useEffect)((()=>{if(null==n)return;if(!t.current)return;const{ownerDocument:e}=t.current;if(t.current.contains(e.activeElement))return;const r=Hm.tabbable.find(t.current).filter((e=>FI(e))),o=-1===n,a=(o?at.last:at.first)(r)||t.current;RR(t.current,a)?BR(a,o):t.current.focus()}),[n]),t}function YR(e){if(e.defaultPrevented)return;const t="mouseover"===e.type?"add":"remove";e.preventDefault(),e.currentTarget.classList[t]("is-hovered")}function HR(){const e=Cl((e=>{const{isNavigationMode:t,getSettings:n}=e(pk);return t()||n().outlineMode}),[]);return R_((t=>{if(e)return t.addEventListener("mouseout",YR),t.addEventListener("mouseover",YR),()=>{t.removeEventListener("mouseout",YR),t.removeEventListener("mouseover",YR),t.classList.remove("is-hovered")}}),[e])}function qR(e){return Cl((t=>{const{isBlockBeingDragged:n,isBlockHighlighted:r,isBlockSelected:o,isBlockMultiSelected:a,getBlockName:i,getSettings:s,hasSelectedInnerBlock:l,isTyping:c,__experimentalGetActiveBlockIdByBlockNames:u}=t(pk),{__experimentalSpotlightEntityBlocks:d,outlineMode:p}=s(),m=n(e),h=o(e),f=i(e),g=l(e,!0),b=u(d);return so()({"is-selected":h,"is-highlighted":r(e),"is-multi-selected":a(e),"is-reusable":Wo(Bo(f)),"is-dragging":m,"has-child-selected":g,"has-active-entity":b,"is-active-entity":b===e,"remove-outline":h&&p&&c()})}),[e])}function jR(e){return Cl((t=>{const n=t(pk).getBlockName(e),r=Bo(n);if(r.apiVersion>1||Ro(r,"lightBlockWrapper",!1))return si(n)}),[e])}function FR(e){return Cl((t=>{const{getBlockName:n,getBlockAttributes:r}=t(pk),{className:o}=r(e);if(!o)return;const a=Bo(n(e));return a.apiVersion>1||Ro(a,"lightBlockWrapper",!1)?o:void 0}),[e])}function VR(e){return Cl((t=>{const{hasBlockMovingClientId:n,canInsertBlockType:r,getBlockName:o,getBlockRootClientId:a,isBlockSelected:i}=t(pk);if(!i(e))return;const s=n();return s?so()("is-block-moving-mode",{"can-insert-moving-block":r(o(s),a(e))}):void 0}),[e])}function XR(e){const{isBlockSelected:t}=Cl(pk),{selectBlock:n,selectionChange:r}=sd(pk);return R_((o=>{function a(a){t(e)?a.target.isContentEditable||r(e):RR(o,a.target)&&n(e)}return o.addEventListener("focusin",a),()=>{o.removeEventListener("focusin",a)}}),[t,n])}function UR(e){const t=Cl((t=>t(pk).isBlockSelected(e)),[e]),{getBlockRootClientId:n,getBlockIndex:r}=Cl(pk),{insertDefaultBlock:o,removeBlock:a}=sd(pk);return R_((i=>{if(t)return i.addEventListener("keydown",s),i.addEventListener("dragstart",l),()=>{i.removeEventListener("keydown",s),i.removeEventListener("dragstart",l)};function s(t){const{keyCode:s,target:l}=t;s!==pm&&s!==dm&&s!==ym||l!==i||FI(l)||(t.preventDefault(),s===pm?o({},n(e),r(e)+1):a(e))}function l(e){e.preventDefault()}}),[e,t,n,r,o,a])}function $R(e){const{isNavigationMode:t,isBlockSelected:n}=Cl(pk),{setNavigationMode:r,selectBlock:o}=sd(pk);return R_((a=>{function i(a){t()&&!a.defaultPrevented&&(a.preventDefault(),n(e)?r(!1):o(e))}return a.addEventListener("mousedown",i),()=>{a.addEventListener("mousedown",i)}}),[e,t,n,r])}var KR=n(4979),GR=n.n(KR);function JR(e){const t=(0,tt.useRef)(),n=Cl((t=>{const{isBlockSelected:n,getBlockSelectionEnd:r}=t(pk);return n(e)||r()===e}),[e]);return(0,tt.useEffect)((()=>{if(!n)return;const e=t.current;if(!e)return;if(e.contains(e.ownerDocument.activeElement))return;const r=XB(e)||e.ownerDocument.defaultView;r&&GR()(e,r,{onlyScrollIfNeeded:!0})}),[n]),t}function ZR(e,t){Array.from(e.closest(".is-root-container").querySelectorAll(".rich-text")).forEach((e=>{t?e.setAttribute("contenteditable",!0):e.removeAttribute("contenteditable")}))}function QR(e){const{startMultiSelect:t,stopMultiSelect:n,multiSelect:r,selectBlock:o}=sd(pk),{isSelectionEnabled:a,isBlockSelected:i,getBlockParents:s,getBlockSelectionStart:l,hasMultiSelection:c}=Cl(pk);return R_((u=>{const{ownerDocument:d}=u,{defaultView:p}=d;let m,h;function f({isSelectionEnd:t}){const n=p.getSelection();if(!n.rangeCount||n.isCollapsed)return void ZR(u,!0);const a=function(e){for(;e&&e.nodeType!==e.ELEMENT_NODE;)e=e.parentNode;if(!e)return;const t=e.closest(IR);return t?t.id.slice("block-".length):void 0}(n.focusNode);if(e===a){if(o(e),t&&(ZR(u,!0),n.rangeCount)){const{commonAncestorContainer:e}=n.getRangeAt(0);m.contains(e)&&m.focus()}}else{const t=[...s(e),e],n=[...s(a),a],o=Math.min(t.length,n.length)-1;r(t[o],n[o])}}function g(){d.removeEventListener("selectionchange",f),p.removeEventListener("mouseup",g),h=p.requestAnimationFrame((()=>{f({isSelectionEnd:!0}),n()}))}function b({buttons:n}){1===n&&a()&&i(e)&&(m=d.activeElement,t(),d.addEventListener("selectionchange",f),p.addEventListener("mouseup",g),ZR(u,!1))}function y(t){if(a()&&0===t.button)if(t.shiftKey){const n=l();n!==e&&(ZR(u,!1),r(n,e),t.preventDefault())}else c()&&o(e)}return u.addEventListener("mousedown",y),u.addEventListener("mouseleave",b),()=>{u.removeEventListener("mousedown",y),u.removeEventListener("mouseleave",b),d.removeEventListener("selectionchange",f),p.removeEventListener("mouseup",g),p.cancelAnimationFrame(h)}}),[e,t,n,r,o,a,i,s])}function eW(){const e=(0,tt.useContext)(uY);return R_((t=>{if(e)return e.observe(t),()=>{e.unobserve(t)}}),[e])}function tW(e={},{__unstableIsHtml:t}={}){const{clientId:n,className:r,wrapperProps:o={},isAligned:a}=(0,tt.useContext)(nW),{index:i,mode:s,name:l,blockTitle:c,isPartOfSelection:u,adjustScrolling:d,enableAnimation:p,lightBlockWrapper:m}=Cl((e=>{const{getBlockRootClientId:t,getBlockIndex:r,getBlockMode:o,getBlockName:a,isTyping:i,getGlobalBlockCount:s,isBlockSelected:l,isBlockMultiSelected:c,isAncestorMultiSelected:u,isFirstMultiSelectedBlock:d}=e(pk),p=l(n),m=c(n)||u(n),h=a(n),f=t(n),g=Bo(h);return{index:r(n,f),mode:o(n),name:h,blockTitle:g.title,isPartOfSelection:p||m,adjustScrolling:p||d(n),enableAnimation:!i()&&s()<=200,lightBlockWrapper:g.apiVersion>1||Ro(g,"lightBlockWrapper",!1)}}),[n]),h=pn(er("Block: %s"),c),f="html"!==s||t?"":"-visual",g=$m([e.ref,WR(n),JR(n),QT(n),XR(n),QR(n),UR(n),$R(n),HR(),eW(),KB({isSelected:u,adjustScrolling:d,enableAnimation:p,triggerAnimationOnChange:i})]),b=mb();return!m&&b.clientId,{...o,...e,ref:g,id:`block-${n}${f}`,tabIndex:0,role:"group","aria-label":h,"data-block":n,"data-type":l,"data-title":c,className:so()(so()("block-editor-block-list__block",{"wp-block":!a}),r,e.className,o.className,qR(n),jR(n),FR(n),VR(n)),style:{...o.style,...e.style}}}tW.save=function(e={}){const{blockType:t,attributes:n}=ci;return Fn("blocks.getSaveContent.extraProps",{...e},t,n)};const nW=(0,tt.createContext)();function rW({children:e,isHtml:t,...n}){return(0,tt.createElement)("div",tW(n,{__unstableIsHtml:t}),e)}const oW=lP(((e,{clientId:t,rootClientId:n})=>{const{isBlockSelected:r,getBlockMode:o,isSelectionEnabled:a,getTemplateLock:i,__unstableGetBlockWithoutInnerBlocks:s}=e(pk),l=s(t),c=r(t),u=i(n),{name:d,attributes:p,isValid:m}=l||{};return{mode:o(t),isSelectionEnabled:a(),isLocked:!!u,block:l,name:d,attributes:p,isValid:m,isSelected:c}})),aW=uP(((e,t,{select:n})=>{const{updateBlockAttributes:r,insertBlocks:o,mergeBlocks:a,replaceBlocks:i,toggleSelection:s,__unstableMarkLastChangeAsPersistent:l}=e(pk);return{setAttributes(e){const{getMultiSelectedBlockClientIds:o}=n(pk),a=o(),{clientId:i}=t,s=a.length?a:[i];r(s,e)},onInsertBlocks(e,n){const{rootClientId:r}=t;o(e,n,r)},onInsertBlocksAfter(e){const{clientId:r,rootClientId:a}=t,{getBlockIndex:i}=n(pk),s=i(r,a);o(e,s+1,a)},onMerge(e){const{clientId:r}=t,{getPreviousBlockClientId:o,getNextBlockClientId:i}=n(pk);if(e){const e=i(r);e&&a(r,e)}else{const e=o(r);e&&a(e,r)}},onReplace(e,n,r){e.length&&!yo(e[e.length-1])&&l(),i([t.clientId],e,n,r)},toggleSelection(e){s(e)}}})),iW=yS(sS,oW,aW,LP((({block:e})=>!!e)),eR("editor.BlockListBlock"))((function({mode:e,isLocked:t,clientId:n,isSelected:r,isSelectionEnabled:o,className:a,name:i,isValid:s,attributes:l,wrapperProps:c,setAttributes:u,onReplace:d,onInsertBlocksAfter:p,onMerge:m,toggleSelection:h}){const{removeBlock:f}=sd(pk),g=(0,tt.useCallback)((()=>f(n)),[n]);let b=(0,tt.createElement)(oR,{name:i,isSelected:r,attributes:l,setAttributes:u,insertBlocksAfter:t?void 0:p,onReplace:t?void 0:d,onRemove:t?void 0:g,mergeBlocks:t?void 0:m,clientId:n,isSelectionEnabled:o,toggleSelection:h});const y=Bo(i),v=y.apiVersion>1||Ro(y,"lightBlockWrapper",!1);y.getEditWrapperProps&&(c=function(e,t){const n={...e,...t};return e&&t&&e.className&&t.className&&(n.className=so()(e.className,t.className)),e&&t&&e.style&&t.style&&(n.style={...e.style,...t.style}),n}(c,y.getEditWrapperProps(l)));const _=c&&!!c["data-align"];let M;if(_&&(b=(0,tt.createElement)("div",{className:"wp-block","data-align":c["data-align"]},b)),s)M="html"===e?(0,tt.createElement)(tt.Fragment,null,(0,tt.createElement)("div",{style:{display:"none"}},b),(0,tt.createElement)(rW,{isHtml:!0},(0,tt.createElement)(xR,{clientId:n}))):v?b:(0,tt.createElement)(rW,c,b);else{const e=ui(y,l);M=(0,tt.createElement)(rW,{className:"has-warning"},(0,tt.createElement)(ER,{clientId:n}),(0,tt.createElement)(Ia,null,tR(e)))}const k={clientId:n,className:a,wrapperProps:(0,at.omit)(c,["data-align"]),isAligned:_},w=(0,tt.useMemo)((()=>k),Object.values(k));return(0,tt.createElement)(nW.Provider,{value:w},(0,tt.createElement)(CR,{fallback:(0,tt.createElement)(rW,{className:"has-warning"},(0,tt.createElement)(AR,null))},M))}));const sW=yS(lP(((e,t)=>{const{getBlockCount:n,getBlockName:r,isBlockValid:o,getSettings:a,getTemplateLock:i}=e(pk),s=!n(t.rootClientId),l=r(t.lastBlockClientId)===Do(),c=o(t.lastBlockClientId),{bodyPlaceholder:u}=a();return{isVisible:s||!l||!c,showPrompt:s,isLocked:!!i(t.rootClientId),placeholder:u}})),uP(((e,t)=>{const{insertDefaultBlock:n,startTyping:r}=e(pk);return{onAppend(){const{rootClientId:e}=t;n(void 0,e),r()}}})))((function({isLocked:e,isVisible:t,onAppend:n,showPrompt:r,placeholder:o,rootClientId:a}){if(e||!t)return null;const i=Ta(o)||er("Type / to choose a block");return(0,tt.createElement)("div",{"data-root-client-id":a||"",className:so()("block-editor-default-block-appender",{"has-visible-prompt":r})},(0,tt.createElement)("p",{tabIndex:"0",contentEditable:!0,suppressContentEditableWarning:!0,role:"button","aria-label":er("Add block"),className:"wp-block block-editor-default-block-appender__content",onFocus:n},r?i:"\ufeff"),(0,tt.createElement)(fH,{rootClientId:a,position:"bottom right",isAppender:!0,__experimentalIsQuick:!0}))}));function lW({rootClientId:e,className:t,onFocus:n,tabIndex:r},o){return(0,tt.createElement)(fH,{position:"bottom center",rootClientId:e,__experimentalIsQuick:!0,renderToggle:({onToggle:e,disabled:a,isOpen:i,blockTitle:s,hasSingleBlockType:l})=>{let c;c=l?pn(tr("Add %s","directly add the only allowed block"),s):tr("Add block","Generic label for block inserter button");const u=!l;let d=(0,tt.createElement)(Nf,{ref:o,onFocus:n,tabIndex:r,className:so()(t,"block-editor-button-block-appender"),onClick:e,"aria-haspopup":u?"true":void 0,"aria-expanded":u?i:void 0,disabled:a,label:c},!l&&(0,tt.createElement)(zf,{as:"span"},c),(0,tt.createElement)(oA,{icon:qS}));return(u||l)&&(d=(0,tt.createElement)(Bh,{text:c},d)),d},isAppender:!0})}(0,tt.forwardRef)(((e,t)=>(Jp("wp.blockEditor.ButtonBlockerAppender",{alternative:"wp.blockEditor.ButtonBlockAppender"}),lW(e,t))));const cW=(0,tt.forwardRef)(lW);const uW=lP(((e,{rootClientId:t})=>{const{getBlockOrder:n,canInsertBlockType:r,getTemplateLock:o,getSelectedBlockClientId:a}=e(pk);return{isLocked:!!o(t),blockClientIds:n(t),canInsertDefaultBlock:r(Do(),t),selectedBlockClientId:a()}}))((function({blockClientIds:e,rootClientId:t,canInsertDefaultBlock:n,isLocked:r,renderAppender:o,className:a,selectedBlockClientId:i,tagName:s="div"}){if(r||!1===o)return null;let l;if(o)l=(0,tt.createElement)(o,null);else{const r=!t,o=i===t,a=i&&!e.includes(i);if(!r&&!o&&(!i||a))return null;l=n?(0,tt.createElement)(sW,{rootClientId:t,lastBlockClientId:(0,at.last)(e)}):(0,tt.createElement)(cW,{rootClientId:t,className:"block-list-appender__toggle"})}return(0,tt.createElement)(s,{tabIndex:-1,className:so()("block-list-appender",a)},l)}));function dW(e,t,n){const r=ml((()=>(0,at.throttle)(e,t,n)),[e,t,n]);return(0,tt.useEffect)((()=>()=>r.cancel()),[r]),r}function pW(e){const t=(0,tt.useRef)();return t.current=e,t}function mW({isDisabled:e,onDrop:t,onDragStart:n,onDragEnter:r,onDragLeave:o,onDragEnd:a,onDragOver:i}){const s=pW(t),l=pW(n),c=pW(r),u=pW(o),d=pW(a),p=pW(i);return R_((t=>{if(e)return;let n=!1;const{ownerDocument:r}=t;function o(e){n||(n=!0,r.removeEventListener("dragenter",o),r.addEventListener("dragend",f),r.addEventListener("mousemove",f),l.current&&l.current(e))}function a(e){e.preventDefault(),t.contains(e.relatedTarget)||c.current&&c.current(e)}function i(e){!e.defaultPrevented&&p.current&&p.current(e),e.preventDefault()}function m(e){(function(e){if(!e||!t.contains(e))return!1;do{if(e.dataset.isDropZone)return e===t}while(e=e.parentElement);return!1})(e.relatedTarget)||u.current&&u.current(e)}function h(e){e.defaultPrevented||(e.preventDefault(),e.dataTransfer&&e.dataTransfer.files.length,s.current&&s.current(e),f(e))}function f(e){n&&(n=!1,r.addEventListener("dragenter",o),r.removeEventListener("dragend",f),r.removeEventListener("mousemove",f),d.current&&d.current(e))}return t.dataset.isDropZone="true",t.addEventListener("drop",h),t.addEventListener("dragenter",a),t.addEventListener("dragover",i),t.addEventListener("dragleave",m),r.addEventListener("dragenter",o),()=>{delete t.dataset.isDropZone,t.removeEventListener("drop",h),t.removeEventListener("dragenter",a),t.removeEventListener("dragover",i),t.removeEventListener("dragleave",m),r.removeEventListener("dragend",f),r.removeEventListener("mousemove",f),r.addEventListener("dragenter",o)}}),[e])}function hW(e,t,n,r,o,a,i){return s=>{const{srcRootClientId:l,srcClientIds:c,type:u,blocks:d}=function(e){let t={srcRootClientId:null,srcClientIds:null,srcIndex:null,type:null,blocks:null};if(!e.dataTransfer)return t;try{t=Object.assign(t,JSON.parse(e.dataTransfer.getData("wp-blocks")))}catch(e){return t}return t}(s);if("inserter"===u&&(i(),a(d,t,e,!0,null)),"block"===u){const a=n(c[0],l);if(l===e&&a===t)return;if(c.includes(e)||r(c).some((t=>t===e)))return;const i=l===e,s=c.length;o(c,l,e,i&&ae(pk).getSettings().mediaUpload),[]),{canInsertBlockType:r,getBlockIndex:o,getClientIdsOfDescendants:a}=Cl(pk),{insertBlocks:i,moveBlocksToPosition:s,updateBlockAttributes:l,clearSelectedBlock:c}=sd(pk),u=hW(e,t,o,a,s,i,c),d=function(e,t,n,r,o,a){return i=>{if(!n)return;const s=Ko(Go("from"),(t=>"files"===t.type&&o(t.blockName,e)&&t.isMatch(i)));if(s){const n=s.transform(i,r);a(n,t,e)}}}(e,t,n,l,r,i),p=function(e,t,n){return r=>{const o=ul({HTML:r,mode:"BLOCKS"});o.length&&n(o,t,e)}}(e,t,i);return e=>{const t=oP(e.dataTransfer),n=e.dataTransfer.getData("text/html");t.length?d(t):n?p(n):u(e)}}function gW(e,t,n=["top","bottom","left","right"]){let r,o;return n.forEach((n=>{const a=function(e,t,n){const r="top"===n||"bottom"===n,{x:o,y:a}=e,i=r?o:a,s=r?a:o,l=r?t.left:t.top,c=r?t.right:t.bottom,u=t[n];let d;return d=i>=l&&i<=c?i:i{const{getTemplateLock:n}=t(pk);return"all"===n(e)}),[e]),{getBlockListSettings:o}=Cl(pk),{showInsertionPoint:a,hideInsertionPoint:i}=sd(pk),s=fW(e,t),l=dW((0,tt.useCallback)(((t,r)=>{var i;const s=function(e,t,n){const r="horizontal"===n?["left","right"]:["top","bottom"],o=rr();let a,i;return e.forEach(((e,n)=>{const s=e.getBoundingClientRect(),[l,c]=gW(t,s,r);(void 0===i||le.classList.contains("wp-block"))),{x:t.clientX,y:t.clientY},null===(i=o(e))||void 0===i?void 0:i.orientation);n(void 0===s?0:s),null!==s&&a(e,s)}),[]),200);return mW({isDisabled:r,onDrop:s,onDragOver(e){l(e,e.currentTarget)},onDragLeave(){l.cancel(),i(),n(null)},onDragEnd(){l.cancel(),i(),n(null)}})}function yW(e){return R_((t=>{if(!e)return;function n(t){const{deltaX:n,deltaY:r}=t;e.current.scrollBy(n,r)}const r={passive:!0};return t.addEventListener("wheel",n,r),()=>{t.removeEventListener("wheel",n,r)}}),[e])}const vW=(0,tt.createContext)();function _W({__unstablePopoverSlot:e,__unstableContentRef:t}){const{selectBlock:n}=sd(pk),r=(0,tt.useContext)(vW),o=(0,tt.useRef)(),{orientation:a,previousClientId:i,nextClientId:s,rootClientId:l,isInserterShown:c}=Cl((e=>{var t;const{getBlockOrder:n,getBlockListSettings:r,getBlockInsertionPoint:o,isBlockBeingDragged:a,getPreviousBlockClientId:i,getNextBlockClientId:s}=e(pk),l=o(),c=n(l.rootClientId);if(!c.length)return{};let u=c[l.index-1],d=c[l.index];for(;a(u);)u=i(u);for(;a(d);)d=s(d);return{previousClientId:u,nextClientId:d,orientation:(null===(t=r(l.rootClientId))||void 0===t?void 0:t.orientation)||"vertical",rootClientId:l.rootClientId,isInserterShown:null==l?void 0:l.__unstableWithInserter}}),[]),u=tx(i),d=tx(s),p=(0,tt.useMemo)((()=>{if(!u&&!d)return{};const e=u?u.getBoundingClientRect():null,t=d?d.getBoundingClientRect():null;if("vertical"===a)return{width:u?u.offsetWidth:d.offsetWidth,height:t&&e?t.top-e.bottom:0};let n=0;return e&&t&&(n=rr()?e.left-t.right:t.left-e.right),{width:n,height:u?u.offsetHeight:d.offsetHeight}}),[u,d]),m=(0,tt.useCallback)((()=>{if(!u&&!d)return{};const{ownerDocument:e}=u||d,t=u?u.getBoundingClientRect():null,n=d?d.getBoundingClientRect():null;return"vertical"===a?rr()?{top:t?t.bottom:n.top,left:t?t.right:n.right,right:t?t.left:n.left,bottom:n?n.top:t.bottom,ownerDocument:e}:{top:t?t.bottom:n.top,left:t?t.left:n.left,right:t?t.right:n.right,bottom:n?n.top:t.bottom,ownerDocument:e}:rr()?{top:t?t.top:n.top,left:t?t.left:n.right,right:n?n.right:t.left,bottom:t?t.bottom:n.bottom,ownerDocument:e}:{top:t?t.top:n.top,left:t?t.right:n.left,right:n?n.left:t.right,bottom:t?t.bottom:n.bottom,ownerDocument:e}}),[u,d]),h=yW(t),f=so()("block-editor-block-list__insertion-point","is-"+a);const g=u&&d&&c;return(0,tt.createElement)(Ch,{ref:h,noArrow:!0,animate:!1,getAnchorRect:m,focusOnMount:!1,className:"block-editor-block-list__insertion-point-popover",__unstableSlotName:e||null},(0,tt.createElement)("div",{ref:o,tabIndex:-1,onClick:function(e){e.target===o.current&&s&&n(s,-1)},onFocus:function(e){e.target!==o.current&&(r.current=!0)},className:so()(f,{"is-with-inserter":g}),style:p},(0,tt.createElement)("div",{className:"block-editor-block-list__insertion-point-indicator"}),g&&(0,tt.createElement)("div",{className:so()("block-editor-block-list__insertion-point-inserter")},(0,tt.createElement)(fH,{position:"bottom center",clientId:s,rootClientId:l,__experimentalIsQuick:!0,onToggle:e=>{r.current=e},onSelectOrClose:()=>{r.current=!1}}))))}function MW({children:e,__unstablePopoverSlot:t,__unstableContentRef:n}){const r=Cl((e=>e(pk).isBlockInsertionPointVisible()),[]);return(0,tt.createElement)(vW.Provider,{value:(0,tt.useRef)(!1)},r&&(0,tt.createElement)(_W,{__unstablePopoverSlot:t,__unstableContentRef:n}),e)}function kW(){const e=(0,tt.useContext)(vW),t=Cl((e=>e(pk).getSettings().hasReducedUI),[]),{getBlockListSettings:n,getBlockRootClientId:r,getBlockIndex:o,isBlockInsertionPointVisible:a,isMultiSelecting:i,getSelectedBlockClientIds:s,getTemplateLock:l}=Cl(pk),{showInsertionPoint:c,hideInsertionPoint:u}=sd(pk);return R_((r=>{if(!t)return r.addEventListener("mousemove",d),()=>{r.removeEventListener("mousemove",d)};function d(t){var r;if(e.current)return;if(i())return;if(!t.target.classList.contains("block-editor-block-list__layout"))return void(a()&&u());let d;if(!t.target.classList.contains("is-root-container")){d=(t.target.getAttribute("data-block")?t.target:t.target.closest("[data-block]")).getAttribute("data-block")}if(l(d))return;const p=(null===(r=n(d))||void 0===r?void 0:r.orientation)||"vertical",m=t.target.getBoundingClientRect(),h=t.clientY-m.top,f=t.clientX-m.left;let g=Array.from(t.target.children).find((e=>e.classList.contains("wp-block")&&"vertical"===p&&e.offsetTop>h||e.classList.contains("wp-block")&&"horizontal"===p&&e.offsetLeft>f));if(!g)return;if(!g.id&&(g=g.firstElementChild,!g))return;const b=g.id.slice("block-".length);if(!b)return;if(s().includes(b))return;const y=g.getBoundingClientRect();if("horizontal"===p&&(t.clientY>y.bottom||t.clientYy.right||t.clientX{setTimeout((()=>e(Date.now())),0)}:window.requestIdleCallback||window.requestAnimationFrame,EW="undefined"==typeof window?clearTimeout:window.cancelIdleCallback||window.cancelAnimationFrame;const LW=function({clientId:e,rootClientId:t,blockElement:n}){const r=lI(e),o=Cl((n=>{var r;const{__unstableGetBlockWithoutInnerBlocks:o,getBlockIndex:a,hasBlockMovingClientId:i,getBlockListSettings:s}=n(pk),l=a(e,t),{name:c,attributes:u}=o(e);return{index:l,name:c,attributes:u,blockMovingMode:i(),orientation:null===(r=s(t))||void 0===r?void 0:r.orientation}}),[e,t]),{index:a,name:i,attributes:s,blockMovingMode:l,orientation:c}=o,{setNavigationMode:u,removeBlock:d}=sd(pk),p=(0,tt.useRef)();(0,tt.useEffect)((()=>{p.current.focus(),window.navigator.platform.indexOf("Win")>-1&&wv(L)}),[]);const{hasBlockMovingClientId:m,getBlockIndex:h,getBlockRootClientId:f,getClientIdsOfDescendants:g,getSelectedBlockClientId:b,getMultiSelectedBlocksEndClientId:y,getPreviousBlockClientId:v,getNextBlockClientId:_}=Cl(pk),{selectBlock:M,clearSelectedBlock:k,setBlockMovingClientId:w,moveBlockToPosition:E}=sd(pk),L=function(e,t,n,r="vertical"){const{title:o}=e,a=Mo(e,t,"accessibility"),i=void 0!==n,s=a&&a!==o;return i&&"vertical"===r?s?pn(er("%1$s Block. Row %2$d. %3$s"),o,n,a):pn(er("%1$s Block. Row %2$d"),o,n):i&&"horizontal"===r?s?pn(er("%1$s Block. Column %2$d. %3$s"),o,n,a):pn(er("%1$s Block. Column %2$d"),o,n):s?pn(er("%1$s Block. %2$s"),o,a):pn(er("%s Block"),o)}(Bo(i),s,a+1,c),A=so()("block-editor-block-list__block-selection-button",{"is-block-moving-mode":!!l}),S=er("Drag");return(0,tt.createElement)("div",{className:A},(0,tt.createElement)(vw,{justify:"center",className:"block-editor-block-list__block-selection-button__content"},(0,tt.createElement)(kw,null,(0,tt.createElement)(zB,{icon:null==r?void 0:r.icon,showColors:!0})),(0,tt.createElement)(kw,null,(0,tt.createElement)(MI,{clientIds:[e]},(e=>(0,tt.createElement)(Nf,ot({icon:vI,className:"block-selection-button_drag-handle","aria-hidden":"true",label:S,tabIndex:"-1"},e))))),(0,tt.createElement)(kw,null,(0,tt.createElement)(Nf,{ref:p,onClick:()=>u(!1),onKeyDown:function(t){const{keyCode:r}=t,o=r===fm,a=r===bm,i=r===hm,s=r===gm,l=9===r,c=r===mm,u=r===pm,p=32===r,L=t.shiftKey;if(r===dm||r===ym)return d(e),void t.preventDefault();const A=b(),S=y(),C=v(S||A),T=_(S||A),x=l&&L||o,z=l&&!L||a,O=i,N=s;let D;if(x)D=C;else if(z)D=T;else if(O){var B;D=null!==(B=f(A))&&void 0!==B?B:A}else if(N){var I;D=null!==(I=g([A])[0])&&void 0!==I?I:A}const P=m();if(c&&P&&!t.defaultPrevented&&(w(null),t.preventDefault()),(u||p)&&P){const e=f(P),t=f(A),n=h(P,e);let r=h(A,t);n{!function(e){const[t]=Hm.tabbable.find(e);t&&t.focus()}(e.current)}),[]);PI("core/block-editor/focus-toolbar",s,{bindGlobal:!0,eventName:"keydown"}),(0,tt.useEffect)((()=>{a&&s()}),[n,a,s]),(0,tt.useEffect)((()=>{let t=0;return i&&!a&&(t=window.requestAnimationFrame((()=>{const t=TW(e.current),n=i||0;t[n]&&function(e){return e.contains(e.ownerDocument.activeElement)}(e.current)&&t[n].focus()}))),()=>{if(window.cancelAnimationFrame(t),!o||!e.current)return;const n=TW(e.current).findIndex((e=>0===e.tabIndex));o(n)}}),[i,a])}const zW=function({children:e,focusOnMount:t,__experimentalInitialIndex:n,__experimentalOnIndexChange:r,...o}){const a=(0,tt.useRef)(),i=function(e){const[t,n]=(0,tt.useState)(!0),r=(0,tt.useCallback)((()=>{const t=!Hm.tabbable.find(e.current).some((e=>!("toolbarItem"in e.dataset)));t||Jp("Using custom components as toolbar controls",{since:"5.6",alternative:"ToolbarItem, ToolbarButton or ToolbarDropdownMenu components",link:"https://developer.wordpress.org/block-editor/components/toolbar-button/#inside-blockcontrols"}),n(t)}),[]);return(0,tt.useLayoutEffect)((()=>{const t=new window.MutationObserver(r);return t.observe(e.current,{childList:!0,subtree:!0}),()=>t.disconnect()}),[t]),t}(a);return xW(a,t,i,n,r),i?(0,tt.createElement)(CW,ot({label:o["aria-label"],ref:a},o),e):(0,tt.createElement)(ib,ot({orientation:"horizontal",role:"toolbar",ref:a},o),e)};const OW=lP(((e,{clientIds:t})=>{var n;const{getBlock:r,getBlockIndex:o,getBlockListSettings:a,getTemplateLock:i,getBlockOrder:s,getBlockRootClientId:l}=e(pk),c=(0,at.castArray)(t),u=(0,at.first)(c),d=r(u),p=l((0,at.first)(c)),m=o(u,p),h=0===m,f=o((0,at.last)(c),p)===s(p).length-1;return{blockType:d?Bo(d.name):null,isLocked:"all"===i(p),rootClientId:p,firstIndex:m,isFirst:h,isLast:f,orientation:null===(n=a(p))||void 0===n?void 0:n.orientation}}))((function({isFirst:e,isLast:t,clientIds:n,isLocked:r,isHidden:o,rootClientId:a,orientation:i,hideDragHandle:s}){const[l,c]=(0,tt.useState)(!1),u=()=>c(!0),d=()=>c(!1);if(r||e&&t&&!a)return null;const p=er("Drag");return(0,tt.createElement)("div",{className:so()("block-editor-block-mover",{"is-visible":l||!o,"is-horizontal":"horizontal"===i})},!s&&(0,tt.createElement)(MI,{clientIds:n,cloneClassname:"block-editor-block-mover__drag-clone"},(e=>(0,tt.createElement)(Nf,ot({icon:vI,className:"block-editor-block-mover__drag-handle","aria-hidden":"true",label:p,tabIndex:"-1"},e)))),(0,tt.createElement)(ub,{className:"block-editor-block-mover__move-button-container"},(0,tt.createElement)(Gg,{onFocus:u,onBlur:d},(e=>(0,tt.createElement)(oI,ot({clientIds:n},e)))),(0,tt.createElement)(Gg,{onFocus:u,onBlur:d},(e=>(0,tt.createElement)(aI,ot({clientIds:n},e))))))})),{clearTimeout:NW,setTimeout:DW}=window;function BW({ref:e,isFocused:t,debounceTimeout:n=200,onChange:r=at.noop}){const[o,a]=(0,tt.useState)(!1),i=(0,tt.useRef)(),s=t=>{null!=e&&e.current&&a(t),r(t)},l=()=>{const n=(null==e?void 0:e.current)&&e.current.matches(":hover");return!t&&!n},c=()=>{const e=i.current;e&&NW&&NW(e)};return(0,tt.useEffect)((()=>()=>c()),[]),{showMovers:o,debouncedShowMovers:e=>{e&&e.stopPropagation(),c(),o||s(!0)},debouncedHideMovers:e=>{e&&e.stopPropagation(),c(),i.current=DW((()=>{l()&&s(!1)}),n)}}}function IW({ref:e,debounceTimeout:t=200,onChange:n=at.noop}){const[r,o]=(0,tt.useState)(!1),{showMovers:a,debouncedShowMovers:i,debouncedHideMovers:s}=BW({ref:e,debounceTimeout:t,isFocused:r,onChange:n}),l=(0,tt.useRef)(!1),c=()=>(null==e?void 0:e.current)&&e.current.contains(e.current.ownerDocument.activeElement);return(0,tt.useEffect)((()=>{const t=e.current,n=()=>{c()&&(o(!0),i())},r=()=>{c()||(o(!1),s())};return t&&!l.current&&(t.addEventListener("focus",n,!0),t.addEventListener("blur",r,!0),l.current=!0),()=>{t&&(t.removeEventListener("focus",n),t.removeEventListener("blur",r))}}),[e,l,o,i,s]),{showMovers:a,gestures:{onMouseMove:i,onMouseLeave:s}}}function PW(){const{selectBlock:e,toggleBlockHighlight:t}=sd(pk),{firstParentClientId:n,shouldHide:r,hasReducedUI:o}=Cl((e=>{const{getBlockName:t,getBlockParents:n,getSelectedBlockClientId:r,getSettings:o}=e(pk),{hasBlockSupport:a}=e(Gr),i=n(r()),s=i[i.length-1],l=Bo(t(s)),c=o();return{firstParentClientId:s,shouldHide:!a(l,"__experimentalParentSelector",!0),hasReducedUI:c.hasReducedUI}}),[]),a=lI(n),i=(0,tt.useRef)(),{gestures:s}=IW({ref:i,onChange(e){e&&o||t(n,e)}});return r||void 0===n?null:(0,tt.createElement)("div",ot({className:"block-editor-block-parent-selector",key:n,ref:i},s),(0,tt.createElement)(Zg,{className:"block-editor-block-parent-selector__button",onClick:()=>e(n),label:pn(er("Select %s"),a.title),showTooltip:!0,icon:(0,tt.createElement)(zB,{icon:a.icon})}))}const RW=(0,tt.createElement)(mo,{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24"},(0,tt.createElement)(uo,{d:"M20.2 8v11c0 .7-.6 1.2-1.2 1.2H6v1.5h13c1.5 0 2.7-1.2 2.7-2.8V8zM18 16.4V4.6c0-.9-.7-1.6-1.6-1.6H4.6C3.7 3 3 3.7 3 4.6v11.8c0 .9.7 1.6 1.6 1.6h11.8c.9 0 1.6-.7 1.6-1.6zm-13.5 0V4.6c0-.1.1-.1.1-.1h11.8c.1 0 .1.1.1.1v11.8c0 .1-.1.1-.1.1H4.6l-.1-.1z"}));function WW({blocks:e}){return(0,tt.createElement)("div",{className:"block-editor-block-switcher__popover__preview__parent"},(0,tt.createElement)("div",{className:"block-editor-block-switcher__popover__preview__container"},(0,tt.createElement)(Ch,{className:"block-editor-block-switcher__preview__popover",position:"bottom right",focusOnMount:!1},(0,tt.createElement)("div",{className:"block-editor-block-switcher__preview"},(0,tt.createElement)("div",{className:"block-editor-block-switcher__preview-title"},er("Preview")),(0,tt.createElement)(yY,{viewportWidth:500,blocks:e})))))}const YW=({className:e,possibleBlockTransformations:t,onSelect:n,blocks:r})=>{const[o,a]=(0,tt.useState)();return(0,tt.createElement)(qN,{label:er("Transform to"),className:e},o&&(0,tt.createElement)(WW,{blocks:Jo(r,o)}),t.map((e=>{const{name:t,icon:r,title:o,isDisabled:i}=e;return(0,tt.createElement)(HB,{key:t,className:li(t),onClick:e=>{e.preventDefault(),n(t)},disabled:i,onMouseLeave:()=>a(null),onMouseEnter:()=>a(t)},(0,tt.createElement)(zB,{icon:r,showColors:!0}),o)})))};const HW={};function qW({genericPreviewBlock:e,style:t,isActive:n,onBlur:r,onHover:o,onSelect:a,styleClassName:i,itemRole:s}){const l=(0,tt.useMemo)((()=>({...e,attributes:{...e.attributes,className:i}})),[e,i]);return(0,tt.createElement)("div",{key:t.name,className:so()("block-editor-block-styles__item",{"is-active":n}),onClick:()=>a(),onKeyDown:e=>{pm!==e.keyCode&&32!==e.keyCode||(e.preventDefault(),a())},onMouseEnter:o,onMouseLeave:r,role:s||"button",tabIndex:"0","aria-label":t.label||t.name},(0,tt.createElement)("div",{className:"block-editor-block-styles__item-preview"},(0,tt.createElement)(yY,{viewportWidth:500,blocks:l})),(0,tt.createElement)("div",{className:"block-editor-block-styles__item-label"},t.label||t.name))}const jW=function({clientId:e,onSwitch:t=at.noop,onHoverClassName:n=at.noop,itemRole:r}){const{styles:o,block:a,type:i,className:s}=Cl((t=>{const{getBlock:n}=t(pk),r=n(e);if(!r)return HW;const o=Bo(r.name),{getBlockStyles:a}=t(Gr);return{block:r,type:o,styles:a(r.name),className:r.attributes.className||""}}),[e]),{updateBlockAttributes:l}=sd(pk),c=function(e,t){return(0,tt.useMemo)((()=>{const n=null==t?void 0:t.example,r=null==t?void 0:t.name;return n&&r?Zo(r,{attributes:n.attributes,innerBlocks:n.innerBlocks}):e?Fo(e):void 0}),[null!=t&&t.example?null==e?void 0:e.name:e,t])}(a,i);if(!o||0===o.length)return null;const u=(0,at.find)(o,"isDefault")?o:[{name:"default",label:tr("Default","block style"),isDefault:!0},...o],d=function(e,t){for(const n of new eO(t).values()){if(-1===n.indexOf("is-style-"))continue;const t=n.substring(9),r=(0,at.find)(e,{name:t});if(r)return r}return(0,at.find)(e,"isDefault")}(u,s);return(0,tt.createElement)("div",{className:"block-editor-block-styles"},u.map((o=>{const a=function(e,t,n){const r=new eO(e);return t&&r.remove("is-style-"+t.name),r.add("is-style-"+n.name),r.value}(s,d,o);return(0,tt.createElement)(qW,{genericPreviewBlock:c,className:s,isActive:d===o,key:o.name,onSelect:()=>{l(e,{className:a}),n(null),t()},onBlur:()=>n(null),onHover:()=>n(a),style:o,styleClassName:a,itemRole:r})})))};function FW({hoveredBlock:e,onSwitch:t}){const{name:n,clientId:r}=e,[o,a]=(0,tt.useState)(),i=Cl((e=>e(Gr).getBlockType(n)),[n]);return(0,tt.createElement)(qN,{label:er("Styles"),className:"block-editor-block-switcher__styles__menugroup"},o&&(0,tt.createElement)(WW,{blocks:i.example?Zo(i.name,{attributes:{...i.example.attributes,className:o},innerBlocks:i.example.innerBlocks}):Fo(e,{className:o})}),(0,tt.createElement)(jW,{clientId:r,onSwitch:t,onHoverClassName:a,itemRole:"menuitem"}))}const VW=(e,t,n=new Set)=>{const{clientId:r,name:o,innerBlocks:a=[]}=e;if(!n.has(r)){if(o===t)return e;for(const e of a){const r=VW(e,t,n);if(r)return r}}},XW=(e,t)=>{const n=function(e,t){var n;const r=null===(n=Bo(e))||void 0===n?void 0:n.attributes;if(!r)return[];const o=Object.keys(r);return t?o.filter((e=>{var n;return(null===(n=r[e])||void 0===n?void 0:n.__experimentalRole)===t})):o}(e,"content");return null!=n&&n.length?n.reduce(((e,n)=>(t[n]&&(e[n]=t[n]),e)),{}):t},UW=(e,t)=>{const n=XW(t.name,t.attributes);e.attributes={...e.attributes,...n}},$W=(e,t)=>(0,tt.useMemo)((()=>e.reduce(((e,n)=>{const r=((e,t)=>{const n=t.map((e=>Fo(e))),r=new Set;for(const t of e){let e=!1;for(const o of n){const n=VW(o,t.name,r);if(n){e=!0,r.add(n.clientId),UW(n,t);break}}if(!e)return}return n})(t,n.blocks);return r&&e.push({...n,transformedBlocks:r}),e}),[])),[e,t]);function KW({patterns:e,onSelect:t}){return(0,tt.createElement)("div",{className:"block-editor-block-switcher__popover__preview__parent"},(0,tt.createElement)("div",{className:"block-editor-block-switcher__popover__preview__container"},(0,tt.createElement)(Ch,{className:"block-editor-block-switcher__preview__popover",position:"bottom right"},(0,tt.createElement)("div",{className:"block-editor-block-switcher__preview"},(0,tt.createElement)("div",{className:"block-editor-block-switcher__preview-title"},er("Preview")),(0,tt.createElement)(GW,{patterns:e,onSelect:t})))))}function GW({patterns:e,onSelect:t}){const n=uB();return(0,tt.createElement)(vB,ot({},n,{role:"listbox",className:"block-editor-block-switcher__preview-patterns-container","aria-label":er("Patterns list")}),e.map((e=>(0,tt.createElement)(JW,{key:e.name,pattern:e,onSelect:t,composite:n}))))}function JW({pattern:e,onSelect:t,composite:n}){const r="block-editor-block-switcher__preview-patterns-container",o=lw(JW,`${r}-list__item-description`);return(0,tt.createElement)("div",{className:`${r}-list__list-item`,"aria-label":e.title,"aria-describedby":e.description?o:void 0},(0,tt.createElement)(Xg,ot({role:"option",as:"div"},n,{className:`${r}-list__item`,onClick:()=>t(e.transformedBlocks)}),(0,tt.createElement)(yY,{blocks:e.transformedBlocks,viewportWidth:e.viewportWidth||500}),(0,tt.createElement)("div",{className:`${r}-list__item-title`},e.title)),!!e.description&&(0,tt.createElement)(zf,{id:o},e.description))}const ZW=function({blocks:e,patterns:t,onSelect:n}){const[r,o]=(0,tt.useState)(!1),a=$W(t,e);return a.length?(0,tt.createElement)(qN,{className:"block-editor-block-switcher__pattern__transforms__menugroup"},r&&(0,tt.createElement)(KW,{patterns:a,onSelect:n}),(0,tt.createElement)(HB,{onClick:e=>{e.preventDefault(),o(!r)},icon:ZB},er("Patterns"))):null},QW=({clientIds:e,blocks:t})=>{const{replaceBlocks:n}=sd(pk),r=lI(t[0].clientId),{possibleBlockTransformations:o,hasBlockStyles:a,icon:i,blockTitle:s,patterns:l}=Cl((n=>{const{getBlockRootClientId:o,getBlockTransformItems:a,__experimentalGetPatternTransformItems:i}=n(pk),{getBlockStyles:s,getBlockType:l}=n(Gr),c=o((0,at.castArray)(e)[0]),[{name:u}]=t,d=1===t.length,p=d&&s(u);let m;if(d)m=null==r?void 0:r.icon;else{var h;m=1===(0,at.uniq)(t.map((({name:e})=>e))).length?null===(h=l(u))||void 0===h?void 0:h.icon:RW}return{possibleBlockTransformations:a(t,c),hasBlockStyles:!(null==p||!p.length),icon:m,blockTitle:l(u).title,patterns:i(t,c)}}),[e,t,null==r?void 0:r.icon]),c=1===t.length&&Wo(t[0]),u=1===t.length&&"core/template-part"===t[0].name;const d=!!o.length,p=!(null==l||!l.length);if(!a&&!d)return(0,tt.createElement)(ub,null,(0,tt.createElement)(Zg,{disabled:!0,className:"block-editor-block-switcher__no-switcher-icon",title:s,icon:(0,tt.createElement)(zB,{icon:i,showColors:!0})}));const m=s,h=1===t.length?pn(er("%s: Change block type or style"),s):pn(nr("Change type of %d block","Change type of %d blocks",t.length),t.length),f=a||d||p;return(0,tt.createElement)(ub,null,(0,tt.createElement)(Gg,null,(r=>(0,tt.createElement)(lb,{className:"block-editor-block-switcher",label:m,popoverProps:{position:"bottom right",isAlternate:!0,className:"block-editor-block-switcher__popover"},icon:(0,tt.createElement)(tt.Fragment,null,(0,tt.createElement)(zB,{icon:i,className:"block-editor-block-switcher__toggle",showColors:!0}),(c||u)&&(0,tt.createElement)("span",{className:"block-editor-block-switcher__toggle-text"},(0,tt.createElement)(dI,{clientId:e}))),toggleProps:{describedBy:h,...r},menuProps:{orientation:"both"}},(({onClose:r})=>f&&(0,tt.createElement)("div",{className:"block-editor-block-switcher__container"},p&&(0,tt.createElement)(ZW,{blocks:t,patterns:l,onSelect:t=>{(t=>{n(e,t)})(t),r()}}),d&&(0,tt.createElement)(YW,{className:"block-editor-block-switcher__transforms__menugroup",possibleBlockTransformations:o,blocks:t,onSelect:o=>{(r=>{n(e,Jo(t,r))})(o),r()}}),a&&(0,tt.createElement)(FW,{hoveredBlock:t[0],onSwitch:r})))))))},eY=({clientIds:e})=>{const t=Cl((t=>t(pk).getBlocksByClientId(e)),[e]);return!t.length||t.some((e=>!e))?null:(0,tt.createElement)(QW,{clientIds:e,blocks:t})};const tY=function({clientIds:e,...t}){return(0,tt.createElement)(ub,null,(0,tt.createElement)(Gg,null,(n=>(0,tt.createElement)(wP,ot({clientIds:e,toggleProps:n},t)))))};function nY({hideDragHandle:e}){const{blockClientIds:t,blockClientId:n,blockType:r,hasFixedToolbar:o,hasReducedUI:a,isValid:i,isVisual:s}=Cl((e=>{const{getBlockName:t,getBlockMode:n,getSelectedBlockClientIds:r,isBlockValid:o,getBlockRootClientId:a,getSettings:i}=e(pk),s=r(),l=s[0],c=a(l),u=i();return{blockClientIds:s,blockClientId:l,blockType:l&&Bo(t(l)),hasFixedToolbar:u.hasFixedToolbar,hasReducedUI:u.hasReducedUI,rootClientId:c,isValid:s.every((e=>o(e))),isVisual:s.every((e=>"visual"===n(e)))}}),[]),{toggleBlockHighlight:l}=sd(pk),c=(0,tt.useRef)(),{showMovers:u,gestures:d}=IW({ref:c,onChange(e){e&&a||l(n,e)}}),p=im("medium","<")||o;if(r&&!Ro(r,"__experimentalToolbar",!0))return null;const m=p||u;if(0===t.length)return null;const h=i&&s,f=t.length>1,g=so()("block-editor-block-toolbar",m&&"is-showing-movers");return(0,tt.createElement)("div",{className:g},!f&&!p&&(0,tt.createElement)(PW,{clientIds:t}),(0,tt.createElement)("div",ot({ref:c},d),(h||f)&&(0,tt.createElement)(ub,{className:"block-editor-block-toolbar__block-controls"},(0,tt.createElement)(eY,{clientIds:t}),(0,tt.createElement)(OW,{clientIds:t,hideDragHandle:e||a}))),h&&(0,tt.createElement)(tt.Fragment,null,(0,tt.createElement)(yk.Slot,{group:"block",className:"block-editor-block-toolbar__slot"}),(0,tt.createElement)(yk.Slot,{className:"block-editor-block-toolbar__slot"}),(0,tt.createElement)(yk.Slot,{group:"inline",className:"block-editor-block-toolbar__slot"}),(0,tt.createElement)(yk.Slot,{group:"other",className:"block-editor-block-toolbar__slot"})),(0,tt.createElement)(tY,{clientIds:t}))}const rY=function({focusOnMount:e,isFixed:t,...n}){const{blockType:r,hasParents:o,showParentSelector:a}=Cl((e=>{const{getBlockName:t,getBlockParents:n,getSelectedBlockClientIds:r}=e(pk),{getBlockType:o}=e(Gr),a=r()[0],i=n(a),s=o(t(i[i.length-1]));return{blockType:a&&o(t(a)),hasParents:i.length,showParentSelector:Ro(s,"__experimentalParentSelector",!0)}}),[]);if(r&&!Ro(r,"__experimentalToolbar",!0))return null;const i=so()("block-editor-block-contextual-toolbar",{"has-parent":o&&a,"is-fixed":t});return(0,tt.createElement)(zW,ot({focusOnMount:e,className:i,"aria-label":er("Block tools")},n),(0,tt.createElement)(nY,{hideDragHandle:t}))};function oY(e){const{isNavigationMode:t,isMultiSelecting:n,hasMultiSelection:r,isTyping:o,isCaretWithinFormattedText:a,getSettings:i,getLastMultiSelectedBlockClientId:s}=e(pk);return{isNavigationMode:t(),isMultiSelecting:n(),isTyping:o(),isCaretWithinFormattedText:a(),hasMultiSelection:r(),hasFixedToolbar:i().hasFixedToolbar,lastClientId:s()}}function aY({clientId:e,rootClientId:t,isValid:n,isEmptyDefaultBlock:r,capturingClientId:o,__unstablePopoverSlot:a,__unstableContentRef:i}){const{isNavigationMode:s,isMultiSelecting:l,isTyping:c,isCaretWithinFormattedText:u,hasMultiSelection:d,hasFixedToolbar:p,lastClientId:m}=Cl(oY,[]),h=Cl((t=>{const{isBlockInsertionPointVisible:n,getBlockInsertionPoint:r,getBlockOrder:o}=t(pk);if(!n())return!1;const a=r();return o(a.rootClientId)[a.index]===e}),[e]),f=im("medium"),[g,b]=(0,tt.useState)(!1),[y,v]=(0,tt.useState)(!1),{stopTyping:_}=sd(pk),M=!c&&!s&&r&&n,k=s,w=!s&&!p&&f&&!M&&!l&&(!c||u),E=!(s||w||p||r);PI("core/block-editor/focus-toolbar",(0,tt.useCallback)((()=>{b(!0),_(!0)}),[]),{bindGlobal:!0,eventName:"keydown",isDisabled:!E}),(0,tt.useEffect)((()=>{w||b(!1)}),[w]);const L=(0,tt.useRef)(),A=tx(e),S=tx(m),C=tx(o),T=yW(i);if(!(k||w||g||M))return null;let x=A;if(!x)return null;o&&(x=C);let z=x;if(d){if(!S)return null;z={top:x,bottom:S}}const O=M?"top left right":"top right left",{ownerDocument:N}=x,D=M?void 0:N.defaultView.frameElement||XB(x)||N.body;return(0,tt.createElement)(Ch,{ref:T,noArrow:!0,animate:!1,position:O,focusOnMount:!1,anchorRef:z,className:so()("block-editor-block-list__block-popover",{"is-insertion-point-visible":h}),__unstableStickyBoundaryElement:D,__unstableSlotName:a||null,__unstableBoundaryParent:!0,__unstableObserveElement:x,shouldAnchorIncludePadding:!0},(w||g)&&(0,tt.createElement)("div",{onFocus:function(){v(!0)},onBlur:function(){v(!1)},tabIndex:-1,className:so()("block-editor-block-list__block-popover-inserter",{"is-visible":y})},(0,tt.createElement)(fH,{clientId:e,rootClientId:t,__experimentalIsQuick:!0})),(w||g)&&(0,tt.createElement)(rY,{focusOnMount:g,__experimentalInitialIndex:L.current,__experimentalOnIndexChange:e=>{L.current=e},key:e}),k&&(0,tt.createElement)(LW,{clientId:e,rootClientId:t,blockElement:x}),M&&(0,tt.createElement)("div",{className:"block-editor-block-list__empty-block-inserter"},(0,tt.createElement)(fH,{position:"bottom right",rootClientId:t,clientId:e,__experimentalIsQuick:!0})))}function iY(e){const{getSelectedBlockClientId:t,getFirstMultiSelectedBlockClientId:n,getBlockRootClientId:r,__unstableGetBlockWithoutInnerBlocks:o,getBlockParents:a,__experimentalGetBlockListSettingsForBlocks:i}=e(pk),s=t()||n();if(!s)return;const{name:l,attributes:c={},isValid:u}=o(s)||{},d=a(s),p=i(d),m=(0,at.find)(d,(e=>{var t;return null===(t=p[e])||void 0===t?void 0:t.__experimentalCaptureToolbars}));return{clientId:s,rootClientId:r(s),name:l,isValid:u,isEmptyDefaultBlock:l&&yo({name:l,attributes:c}),capturingClientId:m}}function sY({__unstablePopoverSlot:e,__unstableContentRef:t}){const n=Cl(iY,[]);if(!n)return null;const{clientId:r,rootClientId:o,name:a,isValid:i,isEmptyDefaultBlock:s,capturingClientId:l}=n;return a?(0,tt.createElement)(aY,{clientId:r,rootClientId:o,isValid:i,isEmptyDefaultBlock:s,capturingClientId:l,__unstablePopoverSlot:e,__unstableContentRef:t}):null}function lY({children:e}){const t=(0,tt.useContext)(vW),n=(0,tt.useContext)(QP.Context);return t||n?e:(Jp('wp.components.Popover.Slot name="block-toolbar"',{alternative:"wp.blockEditor.BlockTools"}),(0,tt.createElement)(MW,{__unstablePopoverSlot:"block-toolbar"},(0,tt.createElement)(sY,{__unstablePopoverSlot:"block-toolbar"}),e))}function cY(){const{hasSelectedBlock:e,hasMultiSelection:t}=Cl(pk),{clearSelectedBlock:n}=sd(pk);return R_((r=>{function o(o){(e()||t())&&o.target===r&&n()}return r.addEventListener("mousedown",o),()=>{r.removeEventListener("mousedown",o)}}),[e,t,n])}const uY=(0,tt.createContext)();function dY({className:e,children:t}){const n=im("medium"),{isOutlineMode:r,isFocusMode:o,isNavigationMode:a}=Cl((e=>{const{getSettings:t,isNavigationMode:n}=e(pk),{outlineMode:r,focusMode:o}=t();return{isOutlineMode:r,isFocusMode:o,isNavigationMode:n()}}),[]);return(0,tt.createElement)(JN,null,(0,tt.createElement)("div",{ref:$m([cY(),bW(),kW()]),className:so()("block-editor-block-list__layout is-root-container",e,{"is-outline-mode":r,"is-focus-mode":o&&n,"is-navigate-mode":a})},t))}function pY({className:e,...t}){return function(){const e=Cl((e=>e(pk).getSettings().__experimentalBlockPatterns),[]);(0,tt.useEffect)((()=>{if(null==e||!e.length)return;let t,n=-1;const r=()=>{n++,n>=e.length||(tn(pk).__experimentalGetParsedPattern(e[n].name),t=wW(r))};return t=wW(r),()=>EW(t)}),[e])}(),(0,tt.createElement)(lY,null,(0,tt.createElement)(dY,{className:e},(0,tt.createElement)(hY,t)))}function mY({placeholder:e,rootClientId:t,renderAppender:n,__experimentalAppenderTagName:r,__experimentalLayout:o=uA}){const[a,i]=(0,tt.useState)(new Set),s=(0,tt.useMemo)((()=>{const{IntersectionObserver:e}=window;if(e)return new e((e=>{i((t=>{const n=new Set(t);for(const t of e){const e=t.target.getAttribute("data-block");n[t.isIntersecting?"add":"delete"](e)}return n}))}))}),[i]),{order:l,selectedBlocks:c}=Cl((e=>{const{getBlockOrder:n,getSelectedBlockClientIds:r}=e(pk);return{order:n(t),selectedBlocks:r()}}),[t]);return(0,tt.createElement)(pA,{value:o},(0,tt.createElement)(uY.Provider,{value:s},l.map((e=>(0,tt.createElement)(Al,{key:e,value:!a.has(e)&&!c.includes(e)},(0,tt.createElement)(iW,{rootClientId:t,clientId:e}))))),l.length<1&&e,(0,tt.createElement)(uW,{tagName:r,rootClientId:t,renderAppender:n}))}function hY(e){return(0,tt.createElement)(Al,{value:!1},(0,tt.createElement)(mY,e))}function fY({onClick:e}){return(0,tt.createElement)("div",{tabIndex:0,role:"button",onClick:e,onKeyPress:e},(0,tt.createElement)(QP,null,(0,tt.createElement)(pY,null)))}let gY;const bY=function({viewportWidth:e,__experimentalPadding:t}){const[n,{width:r}]=cm(),[o,{height:a}]=cm();gY=gY||sS(pY);const i=(r-2*t)/e;return(0,tt.createElement)("div",{className:"block-editor-block-preview__container editor-styles-wrapper","aria-hidden":!0,style:{height:a*i+2*t}},n,(0,tt.createElement)(QP,{style:{transform:`scale(${i})`,width:e,left:t,right:t,top:t},className:"block-editor-block-preview__content"},o,(0,tt.createElement)(gY,null)))};const yY=(0,tt.memo)((function({blocks:e,__experimentalPadding:t=0,viewportWidth:n=1200,__experimentalLive:r=!1,__experimentalOnClick:o}){const a=Cl((e=>e(pk).getSettings()),[]),i=(0,tt.useMemo)((()=>{const e={...a};return e.__experimentalBlockPatterns=[],e}),[a]),s=(0,tt.useMemo)((()=>(0,at.castArray)(e)),[e]);return e&&0!==e.length?(0,tt.createElement)(XP,{value:s,settings:i},r?(0,tt.createElement)(fY,{onClick:o}):(0,tt.createElement)(bY,{viewportWidth:n,__experimentalPadding:t})):null}));const vY=function({item:e}){var t,n;const{name:r,title:o,icon:a,description:i,initialAttributes:s}=e,l=Bo(r),c=Wo(e);return(0,tt.createElement)("div",{className:"block-editor-inserter__preview-container"},(0,tt.createElement)("div",{className:"block-editor-inserter__preview"},c||l.example?(0,tt.createElement)("div",{className:"block-editor-inserter__preview-content"},(0,tt.createElement)(yY,{__experimentalPadding:16,viewportWidth:null!==(t=null===(n=l.example)||void 0===n?void 0:n.viewportWidth)&&void 0!==t?t:500,blocks:l.example?Zo(e.name,{attributes:{...l.example.attributes,...s},innerBlocks:l.example.innerBlocks}):Ho(r,s)})):(0,tt.createElement)("div",{className:"block-editor-inserter__preview-content-missing"},er("No Preview Available."))),!c&&(0,tt.createElement)(jP,{title:o,icon:a,description:i}))},_Y=(0,tt.createContext)();const MY=(0,tt.forwardRef)((function({isFirst:e,as:t,children:n,...r},o){const a=(0,tt.useContext)(_Y);return(0,tt.createElement)(Xg,ot({ref:o,state:a,role:"option",focusable:!0},r),(r=>{const o={...r,tabIndex:e?0:r.tabIndex};return t?(0,tt.createElement)(t,o,n):"function"==typeof n?n(o):(0,tt.createElement)(Nf,o,n)}))})),kY=({isEnabled:e,blocks:t,icon:n,children:r})=>{const o={type:"inserter",blocks:t};return(0,tt.createElement)(yI,{__experimentalTransferDataType:"wp-blocks",transferData:o,__experimentalDragComponent:(0,tt.createElement)(_I,{count:t.length,icon:n})},(({onDraggableStart:t,onDraggableEnd:n})=>r({draggable:e,onDragStart:e?t:void 0,onDragEnd:e?n:void 0})))};function wY(e=window){const{platform:t}=e.navigator;return-1!==t.indexOf("Mac")||["iPad","iPhone"].includes(t)}const EY=(0,tt.memo)((function({className:e,isFirst:t,item:n,onSelect:r,onHover:o,isDraggable:a,...i}){const s=(0,tt.useRef)(!1),l=n.icon?{backgroundColor:n.icon.background,color:n.icon.foreground}:{},c=(0,tt.useMemo)((()=>[Ho(n.name,n.initialAttributes,qo(n.innerBlocks))]),[n.name,n.initialAttributes,n.initialAttributes]);return(0,tt.createElement)(kY,{isEnabled:a&&!n.disabled,blocks:c,icon:n.icon},(({draggable:a,onDragStart:c,onDragEnd:u})=>(0,tt.createElement)("div",{className:"block-editor-block-types-list__list-item",draggable:a,onDragStart:e=>{s.current=!0,c&&(o(null),c(e))},onDragEnd:e=>{s.current=!1,u&&u(e)}},(0,tt.createElement)(MY,ot({isFirst:t,className:so()("block-editor-block-types-list__item",e),disabled:n.isDisabled,onClick:e=>{e.preventDefault(),r(n,wY()?e.metaKey:e.ctrlKey),o(null)},onKeyDown:e=>{const{keyCode:t}=e;t===pm&&(e.preventDefault(),r(n,wY()?e.metaKey:e.ctrlKey),o(null))},onFocus:()=>{s.current||o(n)},onMouseEnter:()=>{s.current||o(n)},onMouseLeave:()=>o(null),onBlur:()=>o(null)},i),(0,tt.createElement)("span",{className:"block-editor-block-types-list__item-icon",style:l},(0,tt.createElement)(zB,{icon:n.icon,showColors:!0})),(0,tt.createElement)("span",{className:"block-editor-block-types-list__item-title"},n.title)))))}));const LY=(0,tt.forwardRef)((function(e,t){const[n,r]=(0,tt.useState)(!1);return(0,tt.useEffect)((()=>{n&&wv(er("Use left and right arrow keys to move through blocks"))}),[n]),(0,tt.createElement)("div",ot({ref:t,role:"listbox","aria-orientation":"horizontal",onFocus:()=>{r(!0)},onBlur:e=>{!e.currentTarget.contains(e.relatedTarget)&&r(!1)}},e))}));const AY=(0,tt.forwardRef)((function(e,t){const n=(0,tt.useContext)(_Y);return(0,tt.createElement)(MB,ot({state:n,role:"presentation",ref:t},e))}));const SY=function({items:e=[],onSelect:t,onHover:n=(()=>{}),children:r,label:o,isDraggable:a=!0}){return(0,tt.createElement)(LY,{className:"block-editor-block-types-list","aria-label":o},function(e,t){const n=[];for(let r=0,o=e.length;r(0,tt.createElement)(AY,{key:r},e.map(((e,o)=>(0,tt.createElement)(EY,{key:e.id,item:e,className:li(e.id),onSelect:t,onHover:n,isDraggable:a,isFirst:0===r&&0===o})))))),r)};const CY=function({title:e,icon:t,children:n}){return(0,tt.createElement)(tt.Fragment,null,(0,tt.createElement)("div",{className:"block-editor-inserter__panel-header"},(0,tt.createElement)("h2",{className:"block-editor-inserter__panel-title"},e),(0,tt.createElement)(Ph,{icon:t})),(0,tt.createElement)("div",{className:"block-editor-inserter__panel-content"},n))},TY=(e,t)=>{const{categories:n,collections:r,items:o}=Cl((t=>{const{getInserterItems:n}=t(pk),{getCategories:r,getCollections:o}=t(Gr);return{categories:r(),collections:o(),items:n(e)}}),[e]);return[o,n,r,(0,tt.useCallback)((({name:e,initialAttributes:n,innerBlocks:r},o)=>{const a=Ho(e,n,qo(r));t(a,void 0,o)}),[t])]};const xY=function({children:e}){const t=uB({shift:!0,wrap:"horizontal"});return(0,tt.createElement)(_Y.Provider,{value:t},e)};const zY=function({rootClientId:e,onInsert:t,onHover:n,showMostUsedBlocks:r}){const[o,a,i,s]=TY(e,t),l=(0,tt.useMemo)((()=>(0,at.orderBy)(o,["frecency"],["desc"]).slice(0,6)),[o]),c=(0,tt.useMemo)((()=>o.filter((e=>!e.category))),[o]),u=(0,tt.useMemo)((()=>(0,at.flow)((e=>e.filter((e=>e.category&&"reusable"!==e.category))),(e=>(0,at.groupBy)(e,"category")))(o)),[o]),d=(0,tt.useMemo)((()=>{const e={...i};return Object.keys(i).forEach((t=>{e[t]=o.filter((e=>(e=>e.name.split("/")[0])(e)===t)),0===e[t].length&&delete e[t]})),e}),[o,i]);return(0,tt.useEffect)((()=>()=>n(null)),[]),(0,tt.createElement)(xY,null,(0,tt.createElement)("div",null,r&&!!l.length&&(0,tt.createElement)(CY,{title:tr("Most used","blocks")},(0,tt.createElement)(SY,{items:l,onSelect:s,onHover:n,label:tr("Most used","blocks")})),(0,at.map)(a,(e=>{const t=u[e.slug];return t&&t.length?(0,tt.createElement)(CY,{key:e.slug,title:e.title,icon:e.icon},(0,tt.createElement)(SY,{items:t,onSelect:s,onHover:n,label:e.title})):null})),c.length>0&&(0,tt.createElement)(CY,{className:"block-editor-inserter__uncategorized-blocks-panel",title:er("Uncategorized")},(0,tt.createElement)(SY,{items:c,onSelect:s,onHover:n,label:er("Uncategorized")})),(0,at.map)(i,((e,t)=>{const r=d[t];return r&&r.length?(0,tt.createElement)(CY,{key:t,title:e.title,icon:e.icon},(0,tt.createElement)(SY,{items:r,onSelect:s,onHover:n,label:e.title})):null}))))};const OY=function(e){const[t,n]=(0,tt.useState)([]);return(0,tt.useEffect)((()=>{const r=function(e,t){const n=[];for(let r=0;r()=>{e.length<=t||(n((n=>[...n,e[t]])),o.add({},a(t+1)))};return o.add({},a(r.length)),()=>o.reset()}),[e]),t};const NY=function({selectedCategory:e,patternCategories:t,onClickCategory:n,children:r}){return(0,tt.createElement)(tt.Fragment,null,(0,tt.createElement)("div",{className:so()("block-editor-inserter__panel-header","block-editor-inserter__panel-header-patterns")},(0,tt.createElement)(aC,{className:"block-editor-inserter__panel-dropdown",label:er("Filter patterns"),hideLabelFromVision:!0,value:e.name,onChange:e=>{n(t.find((t=>e===t.name)))},onBlur:e=>{null!=e&&e.relatedTarget||e.stopPropagation()},options:(()=>{const e=[];return t.map((t=>e.push({value:t.name,label:t.label}))),e})()})),(0,tt.createElement)("div",{className:"block-editor-inserter__panel-content"},r))},DY=(e,t)=>{const{patternCategories:n,patterns:r}=Cl((e=>{const{__experimentalGetAllowedPatterns:n,getSettings:r}=e(pk);return{patterns:n(t),patternCategories:r().__experimentalBlockPatternCategories}}),[t]),{createSuccessNotice:o}=sd(rP);return[r,n,(0,tt.useCallback)(((t,n)=>{e((0,at.map)(n,(e=>Fo(e))),t.name),o(pn(er('Block pattern "%s" inserted.'),t.title),{type:"snackbar"})}),[])]};function BY({isDraggable:e,pattern:t,onClick:n,composite:r}){const{name:o,viewportWidth:a}=t,{blocks:i}=Cl((e=>e(pk).__experimentalGetParsedPattern(o)),[o]),s=`block-editor-block-patterns-list__item-description-${lw(BY)}`;return(0,tt.createElement)(kY,{isEnabled:e,blocks:i},(({draggable:e,onDragStart:o,onDragEnd:l})=>(0,tt.createElement)("div",{className:"block-editor-block-patterns-list__list-item","aria-label":t.title,"aria-describedby":t.description?s:void 0,draggable:e,onDragStart:o,onDragEnd:l},(0,tt.createElement)(Xg,ot({role:"option",as:"div"},r,{className:"block-editor-block-patterns-list__item",onClick:()=>n(t,i)}),(0,tt.createElement)(yY,{blocks:i,viewportWidth:a}),(0,tt.createElement)("div",{className:"block-editor-block-patterns-list__item-title"},t.title),!!t.description&&(0,tt.createElement)(zf,{id:s},t.description)))))}function IY(){return(0,tt.createElement)("div",{className:"block-editor-block-patterns-list__item is-placeholder"})}const PY=function({isDraggable:e,blockPatterns:t,shownPatterns:n,onClickPattern:r,orientation:o,label:a=er("Block Patterns")}){const i=uB({orientation:o});return(0,tt.createElement)(vB,ot({},i,{role:"listbox",className:"block-editor-block-patterns-list","aria-label":a}),t.map((t=>n.includes(t)?(0,tt.createElement)(BY,{key:t.name,pattern:t,onClick:r,isDraggable:e,composite:i}):(0,tt.createElement)(IY,{key:t.name}))))};function RY({rootClientId:e,onInsert:t,selectedCategory:n,onClickCategory:r}){const[o,a,i]=DY(t,e),s=(0,tt.useMemo)((()=>a.filter((e=>o.some((t=>{var n;return null===(n=t.categories)||void 0===n?void 0:n.includes(e.name)}))))),[o,a]),l=n||s[0];(0,tt.useEffect)((()=>{o.some((e=>c(e)===1/0))&&!s.find((e=>"uncategorized"===e.name))&&s.push({name:"uncategorized",label:tr("Uncategorized")})}),[s,o]);const c=(0,tt.useCallback)((e=>{if(!e.categories||!e.categories.length)return 1/0;const t=(0,at.fromPairs)(s.map((({name:e},t)=>[e,t])));return Math.min(...e.categories.map((e=>void 0!==t[e]?t[e]:1/0)))}),[s]),u=(0,tt.useMemo)((()=>o.filter((e=>"uncategorized"===l.name?c(e)===1/0:e.categories&&e.categories.includes(l.name)))),[o,l]),d=(0,tt.useMemo)((()=>u.sort(((e,t)=>c(e)-c(t)))),[u,c]),p=OY(d);return(0,tt.createElement)(tt.Fragment,null,!!u.length&&(0,tt.createElement)(NY,{selectedCategory:l,patternCategories:s,onClickCategory:r},(0,tt.createElement)(PY,{shownPatterns:p,blockPatterns:u,onClickPattern:i,label:l.label,orientation:"vertical",isDraggable:!0})))}const WY=function({rootClientId:e,onInsert:t,onClickCategory:n,selectedCategory:r}){return(0,tt.createElement)(RY,{rootClientId:e,selectedCategory:r,onInsert:t,onClickCategory:n})};const YY=function(){return(0,tt.createElement)("div",{className:"block-editor-inserter__no-results"},(0,tt.createElement)(oA,{className:"block-editor-inserter__no-results-icon",icon:ho}),(0,tt.createElement)("p",null,er("No results found.")))};function HY({onHover:e,onInsert:t,rootClientId:n}){const[r,,,o]=TY(n,t),a=(0,tt.useMemo)((()=>r.filter((({category:e})=>"reusable"===e))),[r]);return 0===a.length?(0,tt.createElement)(YY,null):(0,tt.createElement)(CY,{title:er("Reusable blocks")},(0,tt.createElement)(SY,{items:a,onSelect:o,onHover:e,label:er("Reusable blocks")}))}const qY=function({rootClientId:e,onInsert:t,onHover:n}){return(0,tt.createElement)(tt.Fragment,null,(0,tt.createElement)(HY,{onHover:n,onInsert:t,rootClientId:e}),(0,tt.createElement)("div",{className:"block-editor-inserter__manage-reusable-blocks-container"},(0,tt.createElement)("a",{className:"block-editor-inserter__manage-reusable-blocks",href:Il("edit.php",{post_type:"wp_block"})},er("Manage Reusable blocks"))))},{Fill:jY,Slot:FY}=_h("__unstableInserterMenuExtension");jY.Slot=FY;const VY=jY;const XY=function({rootClientId:e="",insertionIndex:t,clientId:n,isAppender:r,onSelect:o,shouldFocusBlock:a=!0}){const{getSelectedBlock:i}=Cl(pk),{destinationRootClientId:s,destinationIndex:l}=Cl((o=>{const{getSelectedBlockClientId:a,getBlockRootClientId:i,getBlockIndex:s,getBlockOrder:l}=o(pk),c=a();let u,d=e;return void 0!==t?u=t:n?u=s(n,d):!r&&c?(d=i(c),u=s(c,d)+1):u=l(d).length,{destinationRootClientId:d,destinationIndex:u}}),[e,t,n,r]),{replaceBlocks:c,insertBlocks:u,showInsertionPoint:d,hideInsertionPoint:p}=sd(pk),m=(0,tt.useCallback)(((e,t,n=!1)=>{const d=i();!r&&d&&yo(d)?c(d.clientId,e,null,a||n?0:null,t):u(e,l,s,!0,a||n?0:null,t);wv(pn(nr("%d block added.","%d blocks added.",(0,at.castArray)(e).length),(0,at.castArray)(e).length)),o&&o()}),[r,i,c,u,s,l,o,a]),h=(0,tt.useCallback)((e=>{e?d(s,l):p()}),[d,p,s,l]);return[s,m,h]},UY=e=>e.name||"",$Y=e=>e.title,KY=e=>e.description||"",GY=e=>e.keywords||[],JY=e=>e.category,ZY=()=>null;function QY(e=""){return e=(e=(e=(0,at.deburr)(e)).replace(/^\//,"")).toLowerCase()}const eH=(e="")=>(0,at.words)(QY(e)),tH=(e,t,n,r)=>{if(0===eH(r).length)return e;return nH(e,r,{getCategory:e=>{var n;return null===(n=(0,at.find)(t,{slug:e.category}))||void 0===n?void 0:n.title},getCollection:e=>{var t;return null===(t=n[e.name.split("/")[0]])||void 0===t?void 0:t.title}})},nH=(e=[],t="",n={})=>{if(0===eH(t).length)return e;const r=e.map((e=>[e,rH(e,t,n)])).filter((([,e])=>e>0));return r.sort((([,e],[,t])=>t-e)),r.map((([e])=>e))};function rH(e,t,n={}){const{getName:r=UY,getTitle:o=$Y,getDescription:a=KY,getKeywords:i=GY,getCategory:s=JY,getCollection:l=ZY}=n,c=r(e),u=o(e),d=a(e),p=i(e),m=s(e),h=l(e),f=QY(t),g=QY(u);let b=0;if(f===g)b+=30;else if(g.startsWith(f))b+=20;else{const e=[c,u,d,...p,m,h].join(" ");0===((e,t)=>(0,at.differenceWith)(e,eH(t),((e,t)=>t.includes(e))))((0,at.words)(f),e).length&&(b+=10)}return 0!==b&&c.startsWith("core/")&&b++,b}const oH=function({filterValue:e,onSelect:t,onHover:n,rootClientId:r,clientId:o,isAppender:a,__experimentalInsertionIndex:i,maxBlockPatterns:s,maxBlockTypes:l,showBlockDirectory:c=!1,isDraggable:u=!0,shouldFocusBlock:d=!0}){const p=Zp(wv,500),[m,h]=XY({onSelect:t,rootClientId:r,clientId:o,isAppender:a,insertionIndex:i,shouldFocusBlock:d}),[f,g,b,y]=TY(m,h),[v,,_]=DY(h,m),M=(0,tt.useMemo)((()=>{const t=tH((0,at.orderBy)(f,["frecency"],["desc"]),g,b,e);return void 0!==l?t.slice(0,l):t}),[e,f,g,b,l]),k=(0,tt.useMemo)((()=>{const t=nH(v,e);return void 0!==s?t.slice(0,s):t}),[e,v,s]);(0,tt.useEffect)((()=>{if(!e)return;const t=M.length+k.length,n=pn(nr("%d result found.","%d results found.",t),t);p(n)}),[e,p]);const w=OY(k),E=!(0,at.isEmpty)(M)||!(0,at.isEmpty)(k);return(0,tt.createElement)(xY,null,!c&&!E&&(0,tt.createElement)(YY,null),!!M.length&&(0,tt.createElement)(CY,{title:(0,tt.createElement)(zf,null,er("Blocks"))},(0,tt.createElement)(SY,{items:M,onSelect:y,onHover:n,label:er("Blocks"),isDraggable:u})),!!M.length&&!!k.length&&(0,tt.createElement)("div",{className:"block-editor-inserter__quick-inserter-separator"}),!!k.length&&(0,tt.createElement)(CY,{title:(0,tt.createElement)(zf,null,er("Block Patterns"))},(0,tt.createElement)("div",{className:"block-editor-inserter__quick-inserter-patterns"},(0,tt.createElement)(PY,{shownPatterns:w,blockPatterns:k,onClickPattern:_,isDraggable:u}))),c&&(0,tt.createElement)(VY.Slot,{fillProps:{onSelect:y,onHover:n,filterValue:e,hasItems:E,rootClientId:m}},(e=>e.length?e:E?null:(0,tt.createElement)(YY,null))))},aH=({tabId:e,onClick:t,children:n,selected:r,...o})=>(0,tt.createElement)(Nf,ot({role:"tab",tabIndex:r?null:-1,"aria-selected":r,id:e,onClick:t},o),n);function iH({className:e,children:t,tabs:n,initialTabName:r,orientation:o="horizontal",activeClass:a="is-active",onSelect:i=at.noop}){var s;const l=lw(iH,"tab-panel"),[c,u]=(0,tt.useState)(null),d=e=>{u(e),i(e)},p=(0,at.find)(n,{name:c}),m=`${l}-${null!==(s=null==p?void 0:p.name)&&void 0!==s?s:"none"}`;return(0,tt.useEffect)((()=>{(0,at.find)(n,{name:c})||u(r||(n.length>0?n[0].name:null))}),[n]),(0,tt.createElement)("div",{className:e},(0,tt.createElement)(ib,{role:"tablist",orientation:o,onNavigate:(e,t)=>{t.click()},className:"components-tab-panel__tabs"},n.map((e=>(0,tt.createElement)(aH,{className:so()("components-tab-panel__tabs-item",e.className,{[a]:e.name===c}),tabId:`${l}-${e.name}`,"aria-controls":`${l}-${e.name}-view`,selected:e.name===c,key:e.name,onClick:(0,at.partial)(d,e.name)},e.title)))),p&&(0,tt.createElement)("div",{key:m,"aria-labelledby":m,role:"tabpanel",id:`${m}-view`,className:"components-tab-panel__tab-content"},t(p)))}const sH={name:"blocks",title:er("Blocks")},lH={name:"patterns",title:er("Patterns")},cH={name:"reusable",title:er("Reusable")};const uH=function({children:e,showPatterns:t=!1,showReusableBlocks:n=!1,onSelect:r}){const o=(0,tt.useMemo)((()=>{const e=[sH];return t&&e.push(lH),n&&e.push(cH),e}),[sH,t,lH,n,cH]);return(0,tt.createElement)(iH,{className:"block-editor-inserter__tabs",tabs:o,onSelect:r},e)};const dH=function({rootClientId:e,clientId:t,isAppender:n,__experimentalInsertionIndex:r,onSelect:o,showInserterHelpPanel:a,showMostUsedBlocks:i,shouldFocusBlock:s=!0}){const[l,c]=(0,tt.useState)(""),[u,d]=(0,tt.useState)(null),[p,m]=(0,tt.useState)(null),[h,f,g]=XY({rootClientId:e,clientId:t,isAppender:n,insertionIndex:r,shouldFocusBlock:s}),{showPatterns:b,hasReusableBlocks:y}=Cl((e=>{var t;const{__experimentalGetAllowedPatterns:n,getSettings:r}=e(pk);return{showPatterns:!!n(h).length,hasReusableBlocks:!(null===(t=r().__experimentalReusableBlocks)||void 0===t||!t.length)}}),[h]),v=(0,tt.useCallback)(((e,t,n)=>{f(e,t,n),o()}),[f,o]),_=(0,tt.useCallback)(((e,t)=>{f(e,{patternName:t}),o()}),[f,o]),M=(0,tt.useCallback)((e=>{g(!!e),d(e)}),[g,d]),k=(0,tt.useCallback)((e=>{m(e)}),[m]),w=(0,tt.useMemo)((()=>(0,tt.createElement)(tt.Fragment,null,(0,tt.createElement)("div",{className:"block-editor-inserter__block-list"},(0,tt.createElement)(zY,{rootClientId:h,onInsert:v,onHover:M,showMostUsedBlocks:i})),a&&(0,tt.createElement)("div",{className:"block-editor-inserter__tips"},(0,tt.createElement)(zf,{as:"h2"},er("A tip for using the block editor")),(0,tt.createElement)(qP,null)))),[h,v,M,l,i,a]),E=(0,tt.useMemo)((()=>(0,tt.createElement)(WY,{rootClientId:h,onInsert:_,onClickCategory:k,selectedCategory:p})),[h,_,k,p]),L=(0,tt.useMemo)((()=>(0,tt.createElement)(qY,{rootClientId:h,onInsert:v,onHover:M})),[h,v,M]),A=(0,tt.useCallback)((e=>"blocks"===e.name?w:"patterns"===e.name?E:L),[w,E,L]);return(0,tt.createElement)("div",{className:"block-editor-inserter__menu"},(0,tt.createElement)("div",{className:"block-editor-inserter__main-area"},(0,tt.createElement)("div",{className:"block-editor-inserter__content"},(0,tt.createElement)(CP,{className:"block-editor-inserter__search",onChange:e=>{u&&d(null),c(e)},value:l,label:er("Search for blocks and patterns"),placeholder:er("Search")}),!!l&&(0,tt.createElement)(oH,{filterValue:l,onSelect:o,onHover:M,rootClientId:e,clientId:t,isAppender:n,__experimentalInsertionIndex:r,showBlockDirectory:!0,shouldFocusBlock:s}),!l&&(b||y)&&(0,tt.createElement)(uH,{showPatterns:b,showReusableBlocks:y},A),!l&&!b&&!y&&w)),a&&u&&(0,tt.createElement)(vY,{item:u}))};function pH({onSelect:e,rootClientId:t,clientId:n,isAppender:r}){const[o,a]=(0,tt.useState)(""),[i,s]=XY({onSelect:e,rootClientId:t,clientId:n,isAppender:r}),[l]=TY(i,s),[c]=DY(s,i),u=c.length&&!!o,d=u&&c.length>6||l.length>6,{setInserterIsOpened:p,insertionIndex:m}=Cl((e=>{const{getSettings:r,getBlockIndex:o,getBlockCount:a}=e(pk),i=o(n,t);return{setInserterIsOpened:r().__experimentalSetIsInserterOpened,insertionIndex:-1===i?a():i}}),[n,t]);(0,tt.useEffect)((()=>{p&&p(!1)}),[p]);return(0,tt.createElement)("div",{className:so()("block-editor-inserter__quick-inserter",{"has-search":d,"has-expand":p})},d&&(0,tt.createElement)(CP,{className:"block-editor-inserter__search",value:o,onChange:e=>{a(e)},label:er("Search for blocks and patterns"),placeholder:er("Search")}),(0,tt.createElement)("div",{className:"block-editor-inserter__quick-inserter-results"},(0,tt.createElement)(oH,{filterValue:o,onSelect:e,rootClientId:t,clientId:n,isAppender:r,maxBlockPatterns:u?2:0,maxBlockTypes:6,isDraggable:!1})),p&&(0,tt.createElement)(Nf,{className:"block-editor-inserter__quick-inserter-expand",onClick:()=>{p({rootClientId:t,insertionIndex:m})},"aria-label":er("Browse all. This will open the main inserter panel in the editor toolbar.")},er("Browse all")))}const mH=({onToggle:e,disabled:t,isOpen:n,blockTitle:r,hasSingleBlockType:o,toggleProps:a={}})=>{let i;i=o?pn(tr("Add %s","directly add the only allowed block"),r):tr("Add block","Generic label for block inserter button");const{onClick:s,...l}=a;return(0,tt.createElement)(Nf,ot({icon:qS,label:i,tooltipPosition:"bottom",onClick:function(t){e&&e(t),s&&s(t)},className:"block-editor-inserter__toggle","aria-haspopup":!o&&"true","aria-expanded":!o&&n,disabled:t},l))};class hH extends tt.Component{constructor(){super(...arguments),this.onToggle=this.onToggle.bind(this),this.renderToggle=this.renderToggle.bind(this),this.renderContent=this.renderContent.bind(this)}onToggle(e){const{onToggle:t}=this.props;t&&t(e)}renderToggle({onToggle:e,isOpen:t}){const{disabled:n,blockTitle:r,hasSingleBlockType:o,toggleProps:a,hasItems:i,renderToggle:s=mH}=this.props;return s({onToggle:e,isOpen:t,disabled:n||!i,blockTitle:r,hasSingleBlockType:o,toggleProps:a})}renderContent({onClose:e}){const{rootClientId:t,clientId:n,isAppender:r,showInserterHelpPanel:o,__experimentalIsQuick:a}=this.props;return a?(0,tt.createElement)(pH,{onSelect:()=>{e()},rootClientId:t,clientId:n,isAppender:r}):(0,tt.createElement)(dH,{onSelect:()=>{e()},rootClientId:t,clientId:n,isAppender:r,showInserterHelpPanel:o})}render(){const{position:e,hasSingleBlockType:t,insertOnlyAllowedBlock:n,__experimentalIsQuick:r,onSelectOrClose:o}=this.props;return t?this.renderToggle({onToggle:n}):(0,tt.createElement)(tb,{className:"block-editor-inserter",contentClassName:so()("block-editor-inserter__popover",{"is-quick":r}),position:e,onToggle:this.onToggle,expandOnMobile:!0,headerTitle:er("Add a block"),renderToggle:this.renderToggle,renderContent:this.renderContent,onClose:o})}}const fH=yS([lP(((e,{clientId:t,rootClientId:n})=>{const{getBlockRootClientId:r,hasInserterItems:o,__experimentalGetAllowedBlocks:a}=e(pk),{getBlockVariations:i}=e(Gr),s=a(n=n||r(t)||void 0),l=1===(0,at.size)(s)&&0===(0,at.size)(i(s[0].name,"inserter"));let c=!1;return l&&(c=s[0]),{hasItems:o(n),hasSingleBlockType:l,blockTitle:c?c.title:"",allowedBlockType:c,rootClientId:n}})),uP(((e,t,{select:n})=>({insertOnlyAllowedBlock(){const{rootClientId:r,clientId:o,isAppender:a,hasSingleBlockType:i,allowedBlockType:s,onSelectOrClose:l}=t;if(!i)return;const{insertBlock:c}=e(pk);c(Ho(s.name),function(){const{getBlockIndex:e,getBlockSelectionEnd:t,getBlockOrder:i,getBlockRootClientId:s}=n(pk);if(o)return e(o,r);const l=t();return!a&&l&&s(l)===r?e(l,r)+1:i(r).length}(),r),l&&l();wv(pn(er("%s block added"),s.title))}}))),LP((({hasItems:e,isAppender:t,rootClientId:n,clientId:r})=>e||!t&&!n&&!r))])(hH);function gH({parentBlockClientId:e,position:t,level:n,rowCount:r,path:o}){const a=Cl((t=>{const{isBlockBeingDragged:n,isAncestorBeingDragged:r}=t(pk);return n(e)||r(e)}),[e]),i=`list-view-appender-row__description_${lw(gH)}`,s=pn(er("Add block at position %1$d, Level %2$d"),t,n);return(0,tt.createElement)(JB,{className:so()({"is-dragging":a}),level:n,position:t,rowCount:r,path:o},(0,tt.createElement)(YB,{className:"block-editor-list-view-appender__cell",colSpan:"3"},(({ref:t,tabIndex:n,onFocus:r})=>(0,tt.createElement)("div",{className:"block-editor-list-view-appender__container"},(0,tt.createElement)(fH,{rootClientId:e,__experimentalIsQuick:!0,"aria-describedby":i,toggleProps:{ref:t,tabIndex:n,onFocus:r}}),(0,tt.createElement)("div",{className:"block-editor-list-view-appender__description",id:i},s)))))}function bH(e){const{blocks:t,selectBlock:n,selectedBlockClientIds:r,showAppender:o,showBlockMovers:a,showNestedBlocks:i,parentBlockClientId:s,level:l=1,terminatedLevels:c=[],path:u=[],isBranchSelected:d=!1,isLastOfBranch:p=!1}=e,m=!s,h=(0,at.compact)(t),f=e=>o&&!m&&uI(e,r),g=f(s),b=h.length,y=g?b+1:b,v=y,{expandedState:_,expand:M,collapse:k}=sI();return(0,tt.createElement)(tt.Fragment,null,(0,at.map)(h,((e,t)=>{var s;const{clientId:m,innerBlocks:h}=e,g=t+1,v=y===g?[...c,l]:c,w=[...u,g],E=i&&!!h&&!!h.length,L=f(m),A=E||L,S=uI(m,r),C=d||S&&A,T=t===b-1,x=S||p&&T,z=p&&!A&&T,O=A?null===(s=_[m])||void 0===s||s:void 0;return(0,tt.createElement)(tt.Fragment,{key:m},(0,tt.createElement)(EP,{block:e,onClick:e=>{e.stopPropagation(),n(m)},onToggleExpanded:e=>{e.stopPropagation(),!0===O?k(m):!1===O&&M(m)},isSelected:S,isBranchSelected:C,isLastOfSelectedBranch:z,level:l,position:g,rowCount:y,siblingBlockCount:b,showBlockMovers:a,terminatedLevels:c,path:w,isExpanded:O}),A&&O&&(0,tt.createElement)(bH,{blocks:h,selectedBlockClientIds:r,selectBlock:n,isBranchSelected:C,isLastOfBranch:x,showAppender:o,showBlockMovers:a,showNestedBlocks:i,parentBlockClientId:m,level:l+1,terminatedLevels:v,path:w}))})),g&&(0,tt.createElement)(gH,{parentBlockClientId:s,position:y,rowCount:v,level:l,terminatedLevels:c,path:[...u,v]}))}function yH({listViewRef:e,blockDropTarget:t}){const{rootClientId:n,clientId:r,dropPosition:o}=t||{},[a,i]=(0,tt.useMemo)((()=>{if(!e.current)return[];return[n?e.current.querySelector(`[data-block="${n}"]`):void 0,r?e.current.querySelector(`[data-block="${r}"]`):void 0]}),[n,r]),s=i||a,l=(0,tt.useCallback)((()=>{if(!a)return 0;const e=s.getBoundingClientRect();return a.querySelector(".block-editor-block-icon").getBoundingClientRect().right-e.left}),[a,s]),c=(0,tt.useMemo)((()=>{if(!s)return{};const e=l();return{width:s.offsetWidth-e}}),[l,s]),u=(0,tt.useCallback)((()=>{if(!s)return{};const e=s.ownerDocument,t=s.getBoundingClientRect(),n=l(),r={left:t.left+n,right:t.right,width:0,height:t.height,ownerDocument:e};return"top"===o?{...r,top:t.top,bottom:t.top}:"bottom"===o||"inside"===o?{...r,top:t.bottom,bottom:t.bottom}:{}}),[s,o,l]);return s?(0,tt.createElement)(Ch,{noArrow:!0,animate:!1,getAnchorRect:u,focusOnMount:!1,className:"block-editor-list-view-drop-indicator"},(0,tt.createElement)("div",{style:c,className:"block-editor-list-view-drop-indicator__line"})):null}bH.defaultProps={selectBlock:()=>{}};function vH(e,t,n){const r=(e=>Cl((t=>{const{getSelectedBlockClientId:n,getSelectedBlockClientIds:r}=t(pk);return e?r():n()}),[e]))(n);return{clientIdsTree:((e,t,n)=>Cl((r=>{const{getBlockHierarchyRootClientId:o,__unstableGetClientIdsTree:a,__unstableGetClientIdWithClientIdsTree:i}=r(pk);if(e)return e;const s=t&&!Array.isArray(t);if(!n||!s)return a();const l=i(o(t));return l&&(!uI(l.clientId,t)||l.innerBlocks&&0!==l.innerBlocks.length)?[l]:a()}),[e,t,n]))(e,r,t),selectedClientIds:r}}function _H(e,t){return t.left<=e.x&&t.right>=e.x&&t.top<=e.y&&t.bottom>=e.y}const MH=["top","bottom"];function kH(){const{getBlockRootClientId:e,getBlockIndex:t,getBlockCount:n,getDraggedBlockClientIds:r,canInsertBlocks:o}=Cl(pk),[a,i]=(0,tt.useState)(),{rootClientId:s,blockIndex:l}=a||{},c=fW(s,l),u=r(),d=dW((0,tt.useCallback)(((r,a)=>{const s={x:r.clientX,y:r.clientY},l=!(null==u||!u.length),c=function(e,t){let n,r,o,a;for(const i of e){if(i.isDraggedBlock)continue;const s=i.element.getBoundingClientRect(),[l,c]=gW(t,s,MH),u=_H(t,s);if(void 0===o||l0||function(e,t){const n=t.left+t.width/2;return e.x>n}(t,a)))return{rootClientId:r.clientId,blockIndex:0,dropPosition:"inside"};if(!r.canInsertDraggedBlocksAsSibling)return;const s=i?1:0;return{rootClientId:r.rootClientId,clientId:r.clientId,blockIndex:r.blockIndex+s,dropPosition:n}}(Array.from(a.querySelectorAll("[data-block]")).map((r=>{const a=r.dataset.block,i=e(a);return{clientId:a,rootClientId:i,blockIndex:t(a,i),element:r,isDraggedBlock:!!l&&u.includes(a),innerBlockCount:n(a),canInsertDraggedBlocksAsSibling:!l||o(u,i),canInsertDraggedBlocksAsChild:!l||o(u,a)}})),s);c&&i(c)}),[u]),200);return{ref:mW({onDrop:c,onDragOver(e){d(e,e.currentTarget)},onDragEnd(){d.cancel(),i(null)}}),target:a}}const wH=()=>{},EH=(e,t)=>{switch(t.type){case"expand":return{...e,[t.clientId]:!0};case"collapse":return{...e,[t.clientId]:!1};default:return e}};function LH({blocks:e,showOnlyCurrentHierarchy:t,onSelect:n=wH,__experimentalFeatures:r,__experimentalPersistentListViewFeatures:o,...a}){const{clientIdsTree:i,selectedClientIds:s}=vH(e,t,o),{selectBlock:l}=sd(pk),c=(0,tt.useCallback)((e=>{l(e),n(e)}),[l,n]),[u,d]=(0,tt.useReducer)(EH,{}),{ref:p,target:m}=kH(),h=(0,tt.useRef)(),f=$m([h,p]),g=(0,tt.useRef)(!1);(0,tt.useEffect)((()=>{g.current=!0}),[]);const b=e=>{e&&d({type:"expand",clientId:e})},y=e=>{e&&d({type:"collapse",clientId:e})},v=(0,tt.useMemo)((()=>({__experimentalFeatures:r,__experimentalPersistentListViewFeatures:o,isTreeGridMounted:g.current,expandedState:u,expand:b,collapse:y})),[r,o,g.current,u,b,y]);return(0,tt.createElement)(tt.Fragment,null,(0,tt.createElement)(yH,{listViewRef:h,blockDropTarget:m}),(0,tt.createElement)(PB,{className:"block-editor-list-view-tree","aria-label":er("Block navigation structure"),ref:f,onCollapseRow:e=>{var t;y(null==e||null===(t=e.dataset)||void 0===t?void 0:t.block)},onExpandRow:e=>{var t;b(null==e||null===(t=e.dataset)||void 0===t?void 0:t.block)}},(0,tt.createElement)(iI.Provider,{value:v},(0,tt.createElement)(bH,ot({blocks:i,selectBlock:c,selectedBlockClientIds:s},a)))))}function AH({isEnabled:e,onToggle:t,isOpen:n,innerRef:r,...o}){return(0,tt.createElement)(Nf,ot({},o,{ref:r,icon:OB,"aria-expanded":n,"aria-haspopup":"true",onClick:e?t:void 0,label:er("List view"),className:"block-editor-block-navigation","aria-disabled":!e}))}const SH=(0,tt.forwardRef)((function({isDisabled:e,__experimentalFeatures:t,...n},r){const o=Cl((e=>!!e(pk).getBlockCount()),[])&&!e;return(0,tt.createElement)(tb,{contentClassName:"block-editor-block-navigation__popover",position:"bottom right",renderToggle:({isOpen:e,onToggle:t})=>(0,tt.createElement)(AH,ot({},n,{innerRef:r,isOpen:e,onToggle:t,isEnabled:o})),renderContent:()=>(0,tt.createElement)("div",{className:"block-editor-block-navigation__container"},(0,tt.createElement)("p",{className:"block-editor-block-navigation__label"},er("List view")),(0,tt.createElement)(LH,{showNestedBlocks:!0,showOnlyCurrentHierarchy:!0,__experimentalFeatures:t}))})}));const CH=function({icon:e,children:t,label:n,instructions:r,className:o,notices:a,preview:i,isColumnLayout:s,...l}){const[c,{width:u}]=cm();let d;"number"==typeof u&&(d={"is-large":u>=480,"is-medium":u>=160&&u<480,"is-small":u<160});const p=so()("components-placeholder",o,d),m=so()("components-placeholder__fieldset",{"is-column-layout":s});return(0,tt.createElement)("div",ot({},l,{className:p}),c,a,i&&(0,tt.createElement)("div",{className:"components-placeholder__preview"},i),(0,tt.createElement)("div",{className:"components-placeholder__label"},(0,tt.createElement)(Ph,{icon:e}),n),!!r&&(0,tt.createElement)("div",{className:"components-placeholder__instructions"},r),(0,tt.createElement)("div",{className:m},t))},TH=(0,tt.createElement)(mo,{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24"},(0,tt.createElement)(uo,{d:"M18 5.5H6a.5.5 0 00-.5.5v3h13V6a.5.5 0 00-.5-.5zm.5 5H10v8h8a.5.5 0 00.5-.5v-7.5zm-10 0h-3V18a.5.5 0 00.5.5h2.5v-8zM6 4h12a2 2 0 012 2v12a2 2 0 01-2 2H6a2 2 0 01-2-2V6a2 2 0 012-2z"}));const xH=function({icon:e=TH,label:t=er("Choose variation"),instructions:n=er("Select a variation to start with."),variations:r,onSelect:o,allowSkip:a}){const i=so()("block-editor-block-variation-picker",{"has-many-variations":r.length>4});return(0,tt.createElement)(CH,{icon:e,label:t,instructions:n,className:i},(0,tt.createElement)("ul",{className:"block-editor-block-variation-picker__variations",role:"list","aria-label":er("Block variations")},r.map((e=>(0,tt.createElement)("li",{key:e.name},(0,tt.createElement)(Nf,{variant:"secondary",icon:e.icon,iconSize:48,onClick:()=>o(e),className:"block-editor-block-variation-picker__variation",label:e.description||e.title}),(0,tt.createElement)("span",{className:"block-editor-block-variation-picker__variation-label",role:"presentation"},e.title))))),a&&(0,tt.createElement)("div",{className:"block-editor-block-variation-picker__skip"},(0,tt.createElement)(Nf,{variant:"link",onClick:()=>o()},er("Skip"))))},zH=(0,tt.createElement)(mo,{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24"},(0,tt.createElement)(uo,{d:"M19 3H5c-1.1 0-2 .9-2 2v14c0 1.1.9 2 2 2h14c1.1 0 2-.9 2-2V5c0-1.1-.9-2-2-2zm-7.8 16.5H5c-.3 0-.5-.2-.5-.5v-6.2h6.8v6.7zm0-8.3H4.5V5c0-.3.2-.5.5-.5h6.2v6.7zm8.3 7.8c0 .3-.2.5-.5.5h-6.2v-6.8h6.8V19zm0-7.8h-6.8V4.5H19c.3 0 .5.2.5.5v6.2z",fillRule:"evenodd",clipRule:"evenodd"})),OH="carousel",NH="grid",DH=({onStartBlank:e,onBlockPatternSelect:t})=>(0,tt.createElement)("div",{className:"block-editor-block-pattern-setup__actions"},(0,tt.createElement)(Nf,{onClick:e},er("Start blank")),(0,tt.createElement)(Nf,{variant:"primary",onClick:t},er("Choose"))),BH=({handlePrevious:e,handleNext:t,activeSlide:n,totalSlides:r})=>(0,tt.createElement)("div",{className:"block-editor-block-pattern-setup__navigation"},(0,tt.createElement)(Nf,{icon:QB,label:er("Previous pattern"),onClick:e,disabled:0===n}),(0,tt.createElement)(Nf,{icon:ZB,label:er("Next pattern"),onClick:t,disabled:n===r-1})),IH=({viewMode:e,setViewMode:t,handlePrevious:n,handleNext:r,activeSlide:o,totalSlides:a,onBlockPatternSelect:i,onStartBlank:s})=>{const l=e===OH,c=(0,tt.createElement)("div",{className:"block-editor-block-pattern-setup__display-controls"},(0,tt.createElement)(Nf,{icon:Ek,label:er("Carousel view"),onClick:()=>t(OH),isPressed:l}),(0,tt.createElement)(Nf,{icon:zH,label:er("Grid view"),onClick:()=>t(NH),isPressed:e===NH}));return(0,tt.createElement)("div",{className:"block-editor-block-pattern-setup__toolbar"},l&&(0,tt.createElement)(BH,{handlePrevious:n,handleNext:r,activeSlide:o,totalSlides:a}),c,l&&(0,tt.createElement)(DH,{onBlockPatternSelect:i,onStartBlank:s}))};const PH=function(e,t,n){return Cl((r=>{const{getBlockRootClientId:o,__experimentalGetPatternsByBlockTypes:a,__experimentalGetAllowedPatterns:i}=r(pk),s=o(e);return n?i(s).filter(n):a(t,s)}),[e,t,n])},RH=({viewMode:e,activeSlide:t,patterns:n,onBlockPatternSelect:r})=>{const o=uB(),a="block-editor-block-pattern-setup__container";if(e===OH){const e=new Map([[t,"active-slide"],[t-1,"previous-slide"],[t+1,"next-slide"]]);return(0,tt.createElement)("div",{className:a},(0,tt.createElement)("ul",{className:"carousel-container"},n.map(((t,n)=>(0,tt.createElement)(YH,{className:e.get(n)||"",key:t.name,pattern:t})))))}return(0,tt.createElement)(vB,ot({},o,{role:"listbox",className:a,"aria-label":er("Patterns list")}),n.map((e=>(0,tt.createElement)(WH,{key:e.name,pattern:e,onSelect:r,composite:o}))))};function WH({pattern:e,onSelect:t,composite:n}){const r="block-editor-block-pattern-setup-list",{blocks:o,title:a,description:i,viewportWidth:s=700}=e,l=lw(WH,`${r}__item-description`);return(0,tt.createElement)("div",{className:`${r}__list-item`,"aria-label":e.title,"aria-describedby":e.description?l:void 0},(0,tt.createElement)(Xg,ot({role:"option",as:"div"},n,{className:`${r}__item`,onClick:()=>t(o)}),(0,tt.createElement)(yY,{blocks:o,viewportWidth:s}),(0,tt.createElement)("div",{className:`${r}__item-title`},a)),!!i&&(0,tt.createElement)(zf,{id:l},i))}function YH({className:e,pattern:t}){const{blocks:n,title:r,description:o}=t,a=lw(YH,"block-editor-block-pattern-setup-list__item-description");return(0,tt.createElement)("li",{className:`pattern-slide ${e}`,"aria-label":r,"aria-describedby":o?a:void 0},(0,tt.createElement)(yY,{blocks:n,__experimentalLive:!0}),!!o&&(0,tt.createElement)(zf,{id:a},o))}const HH=({clientId:e,blockName:t,filterPatternsFn:n,startBlankComponent:r,onBlockPatternSelect:o})=>{const[a,i]=(0,tt.useState)(OH),[s,l]=(0,tt.useState)(0),[c,u]=(0,tt.useState)(!1),{replaceBlock:d}=sd(pk),p=PH(e,t,n);if(null==p||!p.length||c)return r;const m=o||(t=>{const n=t.map((e=>Fo(e)));d(e,n)});return(0,tt.createElement)("div",{className:`block-editor-block-pattern-setup view-mode-${a}`},(0,tt.createElement)(IH,{viewMode:a,setViewMode:i,activeSlide:s,totalSlides:p.length,handleNext:()=>{l((e=>e+1))},handlePrevious:()=>{l((e=>e-1))},onBlockPatternSelect:()=>{m(p[s].blocks)},onStartBlank:()=>{u(!0)}}),(0,tt.createElement)(RH,{viewMode:a,activeSlide:s,patterns:p,onBlockPatternSelect:m}))},qH=(0,tt.createElement)(mo,{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24"},(0,tt.createElement)(uo,{d:"M15 4H9v11h6V4zM4 18.5V20h16v-1.5H4z"})),jH=(0,tt.createElement)(mo,{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24"},(0,tt.createElement)(uo,{d:"M20 11h-5V4H9v7H4v1.5h5V20h6v-7.5h5z"})),FH={top:{icon:(0,tt.createElement)(mo,{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24"},(0,tt.createElement)(uo,{d:"M9 20h6V9H9v11zM4 4v1.5h16V4H4z"})),title:tr("Align top","Block vertical alignment setting")},center:{icon:jH,title:tr("Align middle","Block vertical alignment setting")},bottom:{icon:qH,title:tr("Align bottom","Block vertical alignment setting")}},VH=["top","center","bottom"],XH={isAlternate:!0};const UH=function({value:e,onChange:t,controls:n=VH,isCollapsed:r=!0,isToolbar:o}){const a=FH[e],i=FH.top,s=o?ub:vk,l=o?{isCollapsed:r}:{};return(0,tt.createElement)(s,ot({popoverProps:XH,icon:a?a.icon:i.icon,label:tr("Change vertical alignment","Block vertical alignment setting label"),controls:n.map((n=>{return{...FH[n],isActive:e===n,role:r?"menuitemradio":void 0,onClick:(o=n,()=>t(e===o?void 0:o))};var o}))},l))};function $H(e){return(0,tt.createElement)(UH,ot({},e,{isToolbar:!1}))}function KH(e){return(0,tt.createElement)(UH,ot({},e,{isToolbar:!0}))}const GH=ni((e=>t=>{const n=sA("color.palette"),r=!sA("color.custom"),o=void 0===t.colors?n:t.colors,a=void 0===t.disableCustomColors?r:t.disableCustomColors,i=!(0,at.isEmpty)(o)||!a;return(0,tt.createElement)(e,ot({},t,{colors:o,disableCustomColors:a,hasColorsToChoose:i}))}),"withColorContext")(DS);const JH=[25,50,75,100];function ZH({imageWidth:e,imageHeight:t,imageSizeOptions:n=[],isResizable:r=!0,slug:o,width:a,height:i,onChange:s,onChangeImage:l=at.noop}){const{currentHeight:c,currentWidth:u,updateDimension:d,updateDimensions:p}=function(e,t,n,r,o){var a,i;const[s,l]=(0,tt.useState)(null!==(a=null!=t?t:r)&&void 0!==a?a:""),[c,u]=(0,tt.useState)(null!==(i=null!=e?e:n)&&void 0!==i?i:"");return(0,tt.useEffect)((()=>{void 0===t&&void 0!==r&&l(r),void 0===e&&void 0!==n&&u(n)}),[r,n]),{currentHeight:c,currentWidth:s,updateDimension:(e,t)=>{"width"===e?l(t):u(t),o({[e]:""===t?void 0:parseInt(t,10)})},updateDimensions:(e,t)=>{u(null!=e?e:n),l(null!=t?t:r),o({height:e,width:t})}}}(i,a,t,e,s);return(0,tt.createElement)(tt.Fragment,null,!(0,at.isEmpty)(n)&&(0,tt.createElement)(aC,{label:er("Image size"),value:o,options:n,onChange:l}),r&&(0,tt.createElement)("div",{className:"block-editor-image-size-control"},(0,tt.createElement)("p",{className:"block-editor-image-size-control__row"},er("Image dimensions")),(0,tt.createElement)("div",{className:"block-editor-image-size-control__row"},(0,tt.createElement)(BA,{type:"number",className:"block-editor-image-size-control__width",label:er("Width"),value:u,min:1,onChange:e=>d("width",e)}),(0,tt.createElement)(BA,{type:"number",className:"block-editor-image-size-control__height",label:er("Height"),value:c,min:1,onChange:e=>d("height",e)})),(0,tt.createElement)("div",{className:"block-editor-image-size-control__row"},(0,tt.createElement)(iS,{"aria-label":er("Image size presets")},JH.map((n=>{const r=Math.round(e*(n/100)),o=Math.round(t*(n/100)),a=u===r&&c===o;return(0,tt.createElement)(Nf,{key:n,isSmall:!0,variant:a?"primary":void 0,isPressed:a,onClick:()=>p(o,r)},n,"%")}))),(0,tt.createElement)(Nf,{isSmall:!0,onClick:()=>p()},er("Reset")))))}const QH=ni((e=>t=>{const{clientId:n}=mb();return(0,tt.createElement)(e,ot({},t,{clientId:n}))}),"withClientId"),eq=QH((({clientId:e,showSeparator:t,isFloating:n,onAddBlock:r})=>(0,tt.createElement)(cW,{rootClientId:e,showSeparator:t,isFloating:n,onAddBlock:r}))),tq=yS([QH,lP(((e,{clientId:t})=>{const{getBlockOrder:n}=e(pk),r=n(t);return{lastBlockClientId:(0,at.last)(r)}}))])((({clientId:e,lastBlockClientId:t})=>(0,tt.createElement)(sW,{rootClientId:e,lastBlockClientId:t})));const nq=new WeakMap;function rq(e){const{clientId:t,allowedBlocks:n,template:r,templateLock:o,wrapperRef:a,templateInsertUpdatesSelection:i,__experimentalCaptureToolbars:s,__experimentalAppenderTagName:l,renderAppender:c,orientation:u,placeholder:d,__experimentalLayout:p}=e;!function(e,t,n,r,o,a){const{updateBlockListSettings:i}=sd(pk),{blockListSettings:s,parentLock:l}=Cl((t=>{const n=t(pk).getBlockRootClientId(e);return{blockListSettings:t(pk).getBlockListSettings(e),parentLock:t(pk).getTemplateLock(n)}}),[e]),c=(0,tt.useMemo)((()=>t),t);(0,tt.useLayoutEffect)((()=>{const t={allowedBlocks:c,templateLock:void 0===n?l:n};if(void 0!==r&&(t.__experimentalCaptureToolbars=r),void 0!==o)t.orientation=o;else{const e=cA(null==a?void 0:a.type);t.orientation=e.getOrientation(a)}ti(s,t)||i(e,t)}),[e,s,c,n,l,r,o,i,a])}(t,n,o,s,u,p),function(e,t,n,r){const{getSelectedBlocksInitialCaretPosition:o}=Cl(pk),{replaceInnerBlocks:a}=sd(pk),i=Cl((t=>t(pk).getBlocks(e)),[e]),s=(0,tt.useRef)(null);(0,tt.useLayoutEffect)((()=>{if((0===i.length||"all"===n)&&!(0,at.isEqual)(t,s.current)){s.current=t;const n=pl(i,t);(0,at.isEqual)(n,i)||a(e,n,0===i.length&&r&&0!==n.length,o())}}),[i,t,n,e])}(t,r,o,i);const m=Cl((e=>{const n=e(pk).getBlock(t),r=Bo(n.name);if(r&&r.providesContext)return function(e,t){nq.has(t)||nq.set(t,new WeakMap);const n=nq.get(t);if(!n.has(e)){const r=(0,at.mapValues)(t.providesContext,(t=>e[t]));n.set(e,r)}return n.get(e)}(n.attributes,r)}),[t]);return(0,tt.createElement)(TB,{value:m},(0,tt.createElement)(hY,{rootClientId:t,renderAppender:c,__experimentalAppenderTagName:l,__experimentalLayout:p,wrapperRef:a,placeholder:d}))}function oq(e){return VP(e),(0,tt.createElement)(rq,e)}const aq=(0,tt.forwardRef)(((e,t)=>{const n=iq({ref:t},e);return(0,tt.createElement)("div",{className:"block-editor-inner-blocks"},(0,tt.createElement)("div",n))}));function iq(e={},t={}){const{clientId:n}=mb(),r=im("medium","<"),o=Cl((e=>{const{getBlockName:t,isBlockSelected:o,hasSelectedInnerBlock:a,isNavigationMode:i}=e(pk),s=i()||r;return"core/template"!==t(n)&&!o(n)&&!a(n,!0)&&s}),[n,r]),a=$m([e.ref,bW({rootClientId:n})]),i=t.value&&t.onChange?oq:rq;return{...e,ref:a,className:so()(e.className,"block-editor-block-list__layout",{"has-overlay":o}),children:(0,tt.createElement)(i,ot({},t,{clientId:n}))}}aq.DefaultBlockAppender=tq,aq.ButtonBlockAppender=eq,aq.Content=ai((({BlockContent:e})=>(0,tt.createElement)(e,null)));const sq=aq,lq=(0,tt.createElement)(mo,{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24"},(0,tt.createElement)(uo,{d:"M9 9v6h11V9H9zM4 20h1.5V4H4v16z"})),cq=(0,tt.createElement)(mo,{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24"},(0,tt.createElement)(uo,{d:"M20 9h-7.2V4h-1.6v5H4v6h7.2v5h1.6v-5H20z"})),uq=(0,tt.createElement)(mo,{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24"},(0,tt.createElement)(uo,{d:"M4 15h11V9H4v6zM18.5 4v16H20V4h-1.5z"})),dq=(0,tt.createElement)(mo,{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24"},(0,tt.createElement)(uo,{d:"M9 15h6V9H9v6zm-5 5h1.5V4H4v16zM18.5 4v16H20V4h-1.5z"})),pq={left:lq,center:cq,right:uq,"space-between":dq};const mq=function({allowedControls:e=["left","center","right","space-between"],isCollapsed:t=!0,onChange:n,value:r,popoverProps:o,isToolbar:a}){const i=e=>{n(e===r?void 0:e)},s=r?pq[r]:pq.left,l=[{name:"left",icon:lq,title:er("Justify items left"),isActive:"left"===r,onClick:()=>i("left")},{name:"center",icon:cq,title:er("Justify items center"),isActive:"center"===r,onClick:()=>i("center")},{name:"right",icon:uq,title:er("Justify items right"),isActive:"right"===r,onClick:()=>i("right")},{name:"space-between",icon:dq,title:er("Space between items"),isActive:"space-between"===r,onClick:()=>i("space-between")}],c=a?ub:vk,u=a?{isCollapsed:t}:{};return(0,tt.createElement)(c,ot({icon:s,popoverProps:o,label:er("Change items justification"),controls:l.filter((t=>e.includes(t.name)))},u))};function hq(e){return(0,tt.createElement)(mq,ot({},e,{isToolbar:!1}))}function fq(e){return(0,tt.createElement)(mq,ot({},e,{isToolbar:!0}))}const gq=(function(){var e=qk.apply(void 0,arguments),t="animation-"+e.name;return{name:t,styles:"@keyframes "+t+"{"+e.styles+"}",anim:1,toString:function(){return"_EMO_"+this.name+"_"+this.styles+"_EMO_"}}})` from { transform: rotate(0deg); } @@ -7,4 +7,4 @@ to { transform: rotate(360deg); } -`,DH=`calc( ( ${rw.spinnerSize} - ${rw.spinnerSize} * ( 2 / 3 ) ) / 2 )`,BH=Jf("span",{target:"e1s472tg0"})("display:inline-block;background-color:",Ck.gray[600],";width:",rw.spinnerSize,";height:",rw.spinnerSize,";opacity:0.7;margin:5px 11px 0;border-radius:100%;position:relative;&::before{content:'';position:absolute;background-color:",Ck.white,";top:",DH,";left:",DH,";width:calc( ",rw.spinnerSize," / 4.5 );height:calc( ",rw.spinnerSize," / 4.5 );border-radius:100%;transform-origin:calc( ",rw.spinnerSize," / 3 ) calc( ",rw.spinnerSize," / 3 );animation:",NH," 1s infinite linear;}");function IH(){return(0,et.createElement)(BH,{className:"components-spinner"})}const PH=(0,et.createElement)(po,{xmlns:"http://www.w3.org/2000/svg",viewBox:"-2 -2 24 24"},(0,et.createElement)(co,{d:"M6.734 16.106l2.176-2.38-1.093-1.028-3.846 4.158 3.846 4.157 1.093-1.027-2.176-2.38h2.811c1.125 0 2.25.03 3.374 0 1.428-.001 3.362-.25 4.963-1.277 1.66-1.065 2.868-2.906 2.868-5.859 0-2.479-1.327-4.896-3.65-5.93-1.82-.813-3.044-.8-4.806-.788l-.567.002v1.5c.184 0 .368 0 .553-.002 1.82-.007 2.704-.014 4.21.657 1.854.827 2.76 2.657 2.76 4.561 0 2.472-.973 3.824-2.178 4.596-1.258.807-2.864 1.04-4.163 1.04h-.02c-1.115.03-2.229 0-3.344 0H6.734z"})),RH=({value:e,onChange:t=ot.noop,settings:n})=>{if(!n||!n.length)return null;const r=n=>r=>{t({...e,[n.id]:r})},o=n.map((t=>(0,et.createElement)(kN,{className:"block-editor-link-control__setting",key:t.id,label:t.title,onChange:r(t),checked:!!e&&!!e[t.id]})));return(0,et.createElement)("fieldset",{className:"block-editor-link-control__settings"},(0,et.createElement)(eh,{as:"legend"},Zn("Currently selected link settings")),o)},YH=ni((e=>t=>(0,et.createElement)(e,rt({},t,{speak:Xv,debouncedSpeak:qp(Xv,500)}))),"withSpokenMessages"),WH=ni((e=>class extends et.Component{constructor(e){super(e),this.timeouts=[],this.setTimeout=this.setTimeout.bind(this),this.clearTimeout=this.clearTimeout.bind(this)}componentWillUnmount(){this.timeouts.forEach(clearTimeout)}setTimeout(e,t){const n=setTimeout((()=>{e(),this.clearTimeout(n)}),t);return this.timeouts.push(n),n}clearTimeout(e){clearTimeout(e),this.timeouts=(0,ot.without)(this.timeouts,e)}render(){const t={...this.props,setTimeout:this.setTimeout,clearTimeout:this.clearTimeout};return(0,et.createElement)(e,t)}}),"withSafeTimeout");function HH(e){try{return new URL(e),!0}catch{return!1}}class qH extends et.Component{constructor(e){super(e),this.onChange=this.onChange.bind(this),this.onFocus=this.onFocus.bind(this),this.onKeyDown=this.onKeyDown.bind(this),this.selectLink=this.selectLink.bind(this),this.handleOnClick=this.handleOnClick.bind(this),this.bindSuggestionNode=this.bindSuggestionNode.bind(this),this.autocompleteRef=e.autocompleteRef||(0,et.createRef)(),this.inputRef=(0,et.createRef)(),this.updateSuggestions=(0,ot.debounce)(this.updateSuggestions.bind(this),200),this.suggestionNodes=[],this.isUpdatingSuggestions=!1,this.state={suggestions:[],showSuggestions:!1,selectedSuggestion:null,suggestionsListboxId:"",suggestionOptionIdPrefix:""}}componentDidUpdate(e){const{showSuggestions:t,selectedSuggestion:n}=this.state,{value:r}=this.props;t&&null!==n&&this.suggestionNodes[n]&&!this.scrollingIntoView&&(this.scrollingIntoView=!0,mR()(this.suggestionNodes[n],this.autocompleteRef.current,{onlyScrollIfNeeded:!0}),this.props.setTimeout((()=>{this.scrollingIntoView=!1}),100)),e.value!==r&&this.shouldShowInitialSuggestions()&&this.updateSuggestions()}componentDidMount(){this.shouldShowInitialSuggestions()&&this.updateSuggestions()}componentWillUnmount(){var e,t;null===(e=this.suggestionsRequest)||void 0===e||null===(t=e.cancel)||void 0===t||t.call(e),delete this.suggestionsRequest}bindSuggestionNode(e){return t=>{this.suggestionNodes[e]=t}}shouldShowInitialSuggestions(){const{suggestions:e}=this.state,{__experimentalShowInitialSuggestions:t=!1,value:n}=this.props;return!this.isUpdatingSuggestions&&t&&!(n&&n.length)&&!(e&&e.length)}updateSuggestions(e=""){const{__experimentalFetchLinkSuggestions:t,__experimentalHandleURLSuggestions:n}=this.props;if(!t)return;const r=!(e&&e.length);if(!r&&(e.length<2||!n&&HH(e)))return void this.setState({showSuggestions:!1,selectedSuggestion:null,loading:!1});this.isUpdatingSuggestions=!0,this.setState({selectedSuggestion:null,loading:!0});const o=t(e,{isInitialSuggestions:r});o.then((e=>{this.suggestionsRequest===o&&(this.setState({suggestions:e,loading:!1,showSuggestions:!!e.length}),e.length?this.props.debouncedSpeak(dn(tr("%d result found, use up and down arrow keys to navigate.","%d results found, use up and down arrow keys to navigate.",e.length),e.length),"assertive"):this.props.debouncedSpeak(Zn("No results."),"assertive"),this.isUpdatingSuggestions=!1)})).catch((()=>{this.suggestionsRequest===o&&(this.setState({loading:!1}),this.isUpdatingSuggestions=!1)})),this.suggestionsRequest=o}onChange(e){const t=e.target.value;this.props.onChange(t),this.props.disableSuggestions||this.updateSuggestions(t.trim())}onFocus(){const{suggestions:e}=this.state,{disableSuggestions:t,value:n}=this.props;!n||t||this.isUpdatingSuggestions||e&&e.length||this.updateSuggestions(n.trim())}onKeyDown(e){const{showSuggestions:t,selectedSuggestion:n,suggestions:r,loading:o}=this.state;if(!t||!r.length||o){switch(e.keyCode){case am:0!==e.target.selectionStart&&(e.preventDefault(),e.target.setSelectionRange(0,0));break;case sm:this.props.value.length!==e.target.selectionStart&&(e.preventDefault(),e.target.setSelectionRange(this.props.value.length,this.props.value.length));break;case nm:this.props.onSubmit&&this.props.onSubmit()}return}const a=this.state.suggestions[this.state.selectedSuggestion];switch(e.keyCode){case am:{e.preventDefault();const t=n?n-1:r.length-1;this.setState({selectedSuggestion:t});break}case sm:{e.preventDefault();const t=null===n||n===r.length-1?0:n+1;this.setState({selectedSuggestion:t});break}case 9:null!==this.state.selectedSuggestion&&(this.selectLink(a),this.props.speak(Zn("Link selected.")));break;case nm:null!==this.state.selectedSuggestion?(this.selectLink(a),this.props.onSubmit&&this.props.onSubmit(a)):this.props.onSubmit&&this.props.onSubmit()}}selectLink(e){this.props.onChange(e.url,e),this.setState({selectedSuggestion:null,showSuggestions:!1})}handleOnClick(e){this.selectLink(e),this.inputRef.current.focus()}static getDerivedStateFromProps({value:e,instanceId:t,disableSuggestions:n,__experimentalShowInitialSuggestions:r=!1},{showSuggestions:o}){let a=o;const i=e&&e.length;return r||i||(a=!1),!0===n&&(a=!1),{showSuggestions:a,suggestionsListboxId:`block-editor-url-input-suggestions-${t}`,suggestionOptionIdPrefix:`block-editor-url-input-suggestion-${t}`}}render(){return(0,et.createElement)(et.Fragment,null,this.renderControl(),this.renderSuggestions())}renderControl(){const{label:e,className:t,isFullWidth:n,instanceId:r,placeholder:o=Zn("Paste URL or type to search"),__experimentalRenderControl:a,value:i=""}=this.props,{loading:s,showSuggestions:l,selectedSuggestion:c,suggestionsListboxId:u,suggestionOptionIdPrefix:d}=this.state,p={id:`url-input-control-${r}`,label:e,className:io()("block-editor-url-input",t,{"is-full-width":n})},m={value:i,required:!0,className:"block-editor-url-input__input",type:"text",onChange:this.onChange,onFocus:this.onFocus,placeholder:o,onKeyDown:this.onKeyDown,role:"combobox","aria-label":Zn("URL"),"aria-expanded":l,"aria-autocomplete":"list","aria-owns":u,"aria-activedescendant":null!==c?`${d}-${c}`:void 0,ref:this.inputRef};return a?a(p,m,s):(0,et.createElement)(nA,p,(0,et.createElement)("input",m),s&&(0,et.createElement)(IH,null))}renderSuggestions(){const{className:e,__experimentalRenderSuggestions:t,value:n="",__experimentalShowInitialSuggestions:r=!1}=this.props,{showSuggestions:o,suggestions:a,selectedSuggestion:i,suggestionsListboxId:s,suggestionOptionIdPrefix:l,loading:c}=this.state,u={id:s,ref:this.autocompleteRef,role:"listbox"},d=(e,t)=>({role:"option",tabIndex:"-1",id:`${l}-${t}`,ref:this.bindSuggestionNode(t),"aria-selected":t===i});return(0,ot.isFunction)(t)&&o&&a.length?t({suggestions:a,selectedSuggestion:i,suggestionsListProps:u,buildSuggestionItemProps:d,isLoading:c,handleSuggestionClick:this.handleOnClick,isInitialSuggestions:r&&!(n&&n.length)}):!(0,ot.isFunction)(t)&&o&&a.length?(0,et.createElement)(yf,{position:"bottom",noArrow:!0,focusOnMount:!1},(0,et.createElement)("div",rt({},u,{className:io()("block-editor-url-input__suggestions",`${e}__suggestions`)}),a.map(((e,t)=>(0,et.createElement)(nh,rt({},d(0,t),{key:e.id,className:io()("block-editor-url-input__suggestion",{"is-selected":t===i}),onClick:()=>this.handleOnClick(e)}),e.title))))):null}}const jH=WA(WH,YH,HA,LI(((e,t)=>{if((0,ot.isFunction)(t.__experimentalFetchLinkSuggestions))return;const{getSettings:n}=e(DM);return{__experimentalFetchLinkSuggestions:n().__experimentalFetchLinkSuggestions}})))(qH),FH=({searchTerm:e,onClick:t,itemProps:n,isSelected:r,buttonText:o})=>{if(!e)return null;let a;return a=o?(0,ot.isFunction)(o)?o(e):o:nP(dn(Zn("Create: %s"),e),{mark:(0,et.createElement)("mark",null)}),(0,et.createElement)(nh,rt({},n,{className:io()("block-editor-link-control__search-create block-editor-link-control__search-item",{"is-selected":r}),onClick:t}),(0,et.createElement)(AL,{className:"block-editor-link-control__search-item-icon",icon:uS}),(0,et.createElement)("span",{className:"block-editor-link-control__search-item-header"},(0,et.createElement)("span",{className:"block-editor-link-control__search-item-title"},a)))};function VH(e,t=null){let n=e.replace(/^(?:https?:)\/\/(?:www\.)?/,"");n.match(/^[^\/]+\/$/)&&(n=n.replace("/",""));if(!t||n.length<=t||!n.match(/([\w|:])*\.(?:jpg|jpeg|gif|png|svg)/))return n;n=n.split("?")[0];const r=n.split("/"),o=r[r.length-1];if(o.length<=t)return"…"+n.slice(-t);const a=o.lastIndexOf("."),[i,s]=[o.slice(0,a),o.slice(a+1)],l=i.slice(-3)+"."+s;return o.slice(0,t-l.length-1)+"…"+l}function XH(e){try{return decodeURI(e)}catch(t){return e}}const UH=({text:e="",highlight:t=""})=>{const n=t.trim();if(!n)return e;const r=new RegExp(`(${(0,ot.escapeRegExp)(n)})`,"gi");return nP(e.replace(r,"$&"),{mark:(0,et.createElement)("mark",null)})},$H=(0,et.createElement)(po,{xmlns:"http://www.w3.org/2000/svg",viewBox:"-2 -2 24 24"},(0,et.createElement)(co,{d:"M9 0C4.03 0 0 4.03 0 9s4.03 9 9 9 9-4.03 9-9-4.03-9-9-9zM1.11 9.68h2.51c.04.91.167 1.814.38 2.7H1.84c-.403-.85-.65-1.764-.73-2.7zm8.57-5.4V1.19c.964.366 1.756 1.08 2.22 2 .205.347.386.708.54 1.08l-2.76.01zm3.22 1.35c.232.883.37 1.788.41 2.7H9.68v-2.7h3.22zM8.32 1.19v3.09H5.56c.154-.372.335-.733.54-1.08.462-.924 1.255-1.64 2.22-2.01zm0 4.44v2.7H4.7c.04-.912.178-1.817.41-2.7h3.21zm-4.7 2.69H1.11c.08-.936.327-1.85.73-2.7H4c-.213.886-.34 1.79-.38 2.7zM4.7 9.68h3.62v2.7H5.11c-.232-.883-.37-1.788-.41-2.7zm3.63 4v3.09c-.964-.366-1.756-1.08-2.22-2-.205-.347-.386-.708-.54-1.08l2.76-.01zm1.35 3.09v-3.04h2.76c-.154.372-.335.733-.54 1.08-.464.92-1.256 1.634-2.22 2v-.04zm0-4.44v-2.7h3.62c-.04.912-.178 1.817-.41 2.7H9.68zm4.71-2.7h2.51c-.08.936-.327 1.85-.73 2.7H14c.21-.87.337-1.757.38-2.65l.01-.05zm0-1.35c-.046-.894-.176-1.78-.39-2.65h2.16c.403.85.65 1.764.73 2.7l-2.5-.05zm1-4H13.6c-.324-.91-.793-1.76-1.39-2.52 1.244.56 2.325 1.426 3.14 2.52h.04zm-9.6-2.52c-.597.76-1.066 1.61-1.39 2.52H2.65c.815-1.094 1.896-1.96 3.14-2.52zm-3.15 12H4.4c.324.91.793 1.76 1.39 2.52-1.248-.567-2.33-1.445-3.14-2.55l-.01.03zm9.56 2.52c.597-.76 1.066-1.61 1.39-2.52h1.76c-.82 1.08-1.9 1.933-3.14 2.48l-.01.04z"})),KH=({itemProps:e,suggestion:t,isSelected:n=!1,onClick:r,isURL:o=!1,searchTerm:a="",shouldShowType:i=!1})=>(0,et.createElement)(nh,rt({},e,{onClick:r,className:io()("block-editor-link-control__search-item",{"is-selected":n,"is-url":o,"is-entity":!o})}),o&&(0,et.createElement)(AL,{className:"block-editor-link-control__search-item-icon",icon:$H}),(0,et.createElement)("span",{className:"block-editor-link-control__search-item-header"},(0,et.createElement)("span",{className:"block-editor-link-control__search-item-title"},(0,et.createElement)(UH,{text:t.title,highlight:a})),(0,et.createElement)("span",{"aria-hidden":!o,className:"block-editor-link-control__search-item-info"},!o&&(VH(XH(t.url))||""),o&&Zn("Press ENTER to add this link"))),i&&t.type&&(0,et.createElement)("span",{className:"block-editor-link-control__search-item-type"},"post_tag"===t.type?"tag":t.type)),GH="__CREATE__",JH=[{id:"opensInNewTab",title:Zn("Open in new tab")}];function QH({instanceId:e,withCreateSuggestion:t,currentInputValue:n,handleSuggestionClick:r,suggestionsListProps:o,buildSuggestionItemProps:a,suggestions:i,selectedSuggestion:s,isLoading:l,isInitialSuggestions:c,createSuggestionButtonText:u,suggestionsQuery:d}){const p=io()("block-editor-link-control__search-results",{"is-loading":l}),m=["url","mailto","tel","internal"],f=1===i.length&&m.includes(i[0].type.toLowerCase()),h=t&&!f&&!c,g=!(null!=d&&d.type),b=`block-editor-link-control-search-results-label-${e}`,v=c?Zn("Recently updated"):dn(Zn('Search results for "%s"'),n),y=(0,et.createElement)(c?et.Fragment:eh,{},(0,et.createElement)("span",{className:"block-editor-link-control__search-results-label",id:b},v));return(0,et.createElement)("div",{className:"block-editor-link-control__search-results-wrapper"},y,(0,et.createElement)("div",rt({},o,{className:p,"aria-labelledby":b}),i.map(((e,t)=>h&&GH===e.type?(0,et.createElement)(FH,{searchTerm:n,buttonText:u,onClick:()=>r(e),key:e.type,itemProps:a(e,t),isSelected:t===s}):GH===e.type?null:(0,et.createElement)(KH,{key:`${e.id}-${e.type}`,itemProps:a(e,t),suggestion:e,index:t,onClick:()=>{r(e)},isSelected:t===s,isURL:m.includes(e.type.toLowerCase()),searchTerm:n,shouldShowType:g})))))}function ZH(e){const t=/^([^\s:]+:)/.exec(e);if(t)return t[1]}const eq=/^(mailto:)?[a-z0-9._%+-]+@[a-z0-9][a-z0-9.-]*\.[a-z]{2,63}$/i;function tq(e){return eq.test(e)}const nq=/^(?:[a-z]+:|#|\?|\.|\/)/i;function rq(e){return e?(e=e.trim(),nq.test(e)||tq(e)?e:"http://"+e):e}function oq(e){const t=(0,ot.startsWith)(e,"#");return HH(e)||e&&e.includes("www.")||t}const aq=()=>Promise.resolve([]),iq=e=>{let t="URL";const n=ZH(e)||"";return n.includes("mailto")&&(t="mailto"),n.includes("tel")&&(t="tel"),(0,ot.startsWith)(e,"#")&&(t="internal"),Promise.resolve([{id:e,title:e,url:"URL"===t?rq(e):e,type:t}])};function sq(e,t,n,r){const{fetchSearchSuggestions:o}=Cl((e=>{const{getSettings:t}=e(DM);return{fetchSearchSuggestions:t().__experimentalFetchLinkSuggestions}}),[]),a=t?iq:aq;return(0,et.useCallback)(((t,{isInitialSuggestions:i})=>oq(t)?a(t,{isInitialSuggestions:i}):(async(e,t,n,r,o,a)=>{const{isInitialSuggestions:i}=t;let s=await Promise.all([n(e,t),r(e)]);return s=e.includes(" ")||!a||i?s[0]:s[0].concat(s[1]),i||oq(e)||!o?s:s.concat({title:e,url:e,type:GH})})(t,{...e,isInitialSuggestions:i},o,a,n,r)),[a,o,n])}const lq=()=>Promise.resolve([]),cq=(0,et.forwardRef)((({value:e,children:t,currentLink:n={},className:r=null,placeholder:o=null,withCreateSuggestion:a=!1,onCreateSuggestion:i=ot.noop,onChange:s=ot.noop,onSelect:l=ot.noop,showSuggestions:c=!0,renderSuggestions:u=(e=>(0,et.createElement)(QH,e)),fetchSuggestions:d=null,allowDirectEntry:p=!0,showInitialSuggestions:m=!1,suggestionsQuery:f={},withURLSuggestion:h=!0,createSuggestionButtonText:g},b)=>{const v=sq(f,p,a,h),y=c?d||v:lq,_=xk(cq),[M,k]=(0,et.useState)(),w=async e=>{let t=e;if(GH!==e.type)(p||t&&Object.keys(t).length>=1)&&l({...(0,ot.omit)(n,"id","url"),...t},t);else try{var r;t=await i(e.title),null!==(r=t)&&void 0!==r&&r.url&&l(t)}catch(e){}};return(0,et.createElement)("div",null,(0,et.createElement)(jH,{className:r,value:e,onChange:(e,t)=>{s(e),k(t)},placeholder:null!=o?o:Zn("Search or type url"),__experimentalRenderSuggestions:c?t=>u({...t,instanceId:_,withCreateSuggestion:a,currentInputValue:e,createSuggestionButtonText:g,suggestionsQuery:f,handleSuggestionClick:e=>{t.handleSuggestionClick&&t.handleSuggestionClick(e),w(e)}}):null,__experimentalFetchLinkSuggestions:y,__experimentalHandleURLSuggestions:!0,__experimentalShowInitialSuggestions:m,onSubmit:t=>{w(t||M||{url:e})},ref:b}),t)})),uq=cq,{Slot:dq,Fill:pq}=df("BlockEditorLinkControlViewer");function mq(e,t){switch(t.type){case"RESOLVED":return{...e,isFetching:!1,richData:t.richData};case"ERROR":return{...e,isFetching:!1,richData:null};case"LOADING":return{...e,isFetching:!0};default:throw new Error(`Unexpected action type ${t.type}`)}}const fq=function(e){const[t,n]=(0,et.useReducer)(mq,{richData:null,isFetching:!1}),{fetchRichUrlData:r}=Cl((e=>{const{getSettings:t}=e(DM);return{fetchRichUrlData:t().__experimentalFetchRichUrlData}}),[]);return(0,et.useEffect)((()=>{if(null!=e&&e.length&&r&&"undefined"!=typeof AbortController){n({type:"LOADING"});const t=new window.AbortController,o=t.signal;return r(e,{signal:o}).then((e=>{n({type:"RESOLVED",richData:e})})).catch((()=>{o.aborted||n({type:"ERROR"})})),()=>{t.abort()}}}),[e]),t};function hq({value:e,onEditClick:t,hasRichPreviews:n=!1}){const r=n?null==e?void 0:e.url:null,{richData:o,isFetching:a}=fq(r),i=o&&Object.keys(o).length,s=e&&VH(XH(e.url),16)||"";return(0,et.createElement)("div",{"aria-label":Zn("Currently selected"),"aria-selected":"true",className:io()("block-editor-link-control__search-item",{"is-current":!0,"is-rich":i,"is-fetching":!!a,"is-preview":!0})},(0,et.createElement)("div",{className:"block-editor-link-control__search-item-top"},(0,et.createElement)("span",{className:"block-editor-link-control__search-item-header"},(0,et.createElement)("span",{className:io()("block-editor-link-control__search-item-icon",{"is-image":null==o?void 0:o.icon})},null!=o&&o.icon?(0,et.createElement)("img",{src:null==o?void 0:o.icon,alt:""}):(0,et.createElement)(AL,{icon:$H})),(0,et.createElement)("span",{className:"block-editor-link-control__search-item-details"},(0,et.createElement)(iA,{className:"block-editor-link-control__search-item-title",href:e.url},(null==o?void 0:o.title)||(null==e?void 0:e.title)||s),(null==e?void 0:e.url)&&(0,et.createElement)("span",{className:"block-editor-link-control__search-item-info"},s))),(0,et.createElement)(nh,{variant:"secondary",onClick:()=>t(),className:"block-editor-link-control__search-item-action"},Zn("Edit")),(0,et.createElement)(dq,{fillProps:e})),(i||a)&&(0,et.createElement)("div",{className:"block-editor-link-control__search-item-bottom"},(0,et.createElement)("div",{"aria-hidden":!(null!=o&&o.image),className:io()("block-editor-link-control__search-item-image",{"is-placeholder":!(null!=o&&o.image)})},(null==o?void 0:o.image)&&(0,et.createElement)("img",{src:null==o?void 0:o.image,alt:""})),(0,et.createElement)("div",{"aria-hidden":!(null!=o&&o.description),className:io()("block-editor-link-control__search-item-description",{"is-placeholder":!(null!=o&&o.description)})},(null==o?void 0:o.description)&&(0,et.createElement)(gw,{truncate:!0,numberOfLines:"2"},o.description))))}const gq=e=>{let t=!1;return{promise:new Promise(((n,r)=>{e.then((e=>t?r({isCanceled:!0}):n(e)),(e=>r(t?{isCanceled:!0}:e)))})),cancel(){t=!0}}};function bq({searchInputPlaceholder:e,value:t,settings:n=JH,onChange:r=ot.noop,onRemove:o,noDirectEntry:a=!1,showSuggestions:i=!0,showInitialSuggestions:s,forceIsEditingLink:l,createSuggestion:c,withCreateSuggestion:u,inputValue:d="",suggestionsQuery:p={},noURLSuggestion:m=!1,createSuggestionButtonText:f,hasRichPreviews:h=!1}){void 0===u&&c&&(u=!0);const g=(0,et.useRef)(!0),b=(0,et.useRef)(),[v,y]=(0,et.useState)(t&&t.url||""),_=d||v,[M,k]=(0,et.useState)(void 0!==l?l:!t||!t.url),w=(0,et.useRef)(!1);function E(){var e;w.current=!(null===(e=b.current)||void 0===e||!e.contains(b.current.ownerDocument.activeElement)),k(!1)}(0,et.useEffect)((()=>{void 0!==l&&l!==M&&k(l)}),[l]),(0,et.useEffect)((()=>{if(g.current)return void(g.current=!1);(zm.focusable.find(b.current)[0]||b.current).focus(),w.current=!1}),[M]);const{createPage:L,isCreatingPage:A,errorMessage:S}=function(e){const t=(0,et.useRef)(),[n,r]=(0,et.useState)(!1),[o,a]=(0,et.useState)(null);return(0,et.useEffect)((()=>()=>{t.current&&t.current.cancel()}),[]),{createPage:async function(n){r(!0),a(null);try{return t.current=gq(Promise.resolve(e(n))),await t.current.promise}catch(e){if(e&&e.isCanceled)return;throw a(e.message||Zn("An unknown error occurred during creation. Please try again.")),e}finally{r(!1)}},isCreatingPage:n,errorMessage:o}}(c),C=()=>{_!==(null==t?void 0:t.url)&&r({url:_}),E()},T=o&&t&&!M&&!A,x=!(null==n||!n.length);return(0,et.createElement)("div",{tabIndex:-1,ref:b,className:"block-editor-link-control"},A&&(0,et.createElement)("div",{className:"block-editor-link-control__loading"},(0,et.createElement)(IH,null)," ",Zn("Creating"),"…"),(M||!t)&&!A&&(0,et.createElement)(et.Fragment,null,(0,et.createElement)("div",{className:"block-editor-link-control__search-input-wrapper"},(0,et.createElement)(uq,{currentLink:t,className:"block-editor-link-control__search-input",placeholder:e,value:_,withCreateSuggestion:u,onCreateSuggestion:L,onChange:y,onSelect:e=>{r(e),E()},showInitialSuggestions:s,allowDirectEntry:!a,showSuggestions:i,suggestionsQuery:p,withURLSuggestion:!m,createSuggestionButtonText:f},(0,et.createElement)("div",{className:"block-editor-link-control__search-actions"},(0,et.createElement)(nh,{onClick:()=>C(),onKeyDown:e=>{const{keyCode:t}=e;t===nm&&(e.preventDefault(),C())},label:Zn("Submit"),icon:PH,className:"block-editor-link-control__search-submit"})))),S&&(0,et.createElement)(gT,{className:"block-editor-link-control__search-error",status:"error",isDismissible:!1},S)),t&&!M&&!A&&(0,et.createElement)(hq,{key:null==t?void 0:t.url,value:t,onEditClick:()=>k(!0),hasRichPreviews:h}),(x||T)&&(0,et.createElement)("div",{className:"block-editor-link-control__tools"},(0,et.createElement)(RH,{value:t,settings:n,onChange:r}),T&&(0,et.createElement)(nh,{className:"block-editor-link-control__unlink",isDestructive:!0,variant:"link",onClick:o},Zn("Unlink"))))}bq.ViewerFill=pq;const vq=bq;const yq=function({accept:e,children:t,multiple:n=!1,onChange:r,render:o,...a}){const i=(0,et.useRef)(),s=()=>{i.current.click()},l=o?o({openFileDialog:s}):(0,et.createElement)(nh,rt({onClick:s},a),t);return(0,et.createElement)("div",{className:"components-form-file-upload"},l,(0,et.createElement)("input",{type:"file",ref:i,multiple:n,style:{display:"none"},accept:e,onChange:r}))},_q=(0,et.createElement)(po,{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24"},(0,et.createElement)(co,{d:"M18.7 3H5.3C4 3 3 4 3 5.3v13.4C3 20 4 21 5.3 21h13.4c1.3 0 2.3-1 2.3-2.3V5.3C21 4 20 3 18.7 3zm.8 15.7c0 .4-.4.8-.8.8H5.3c-.4 0-.8-.4-.8-.8V5.3c0-.4.4-.8.8-.8h13.4c.4 0 .8.4.8.8v13.4zM10 15l5-3-5-3v6z"})),Mq=(0,et.createElement)(po,{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24"},(0,et.createElement)(co,{d:"M18.5 15v3.5H13V6.7l4.5 4.1 1-1.1-6.2-5.8-5.8 5.8 1 1.1 4-4v11.7h-6V15H4v5h16v-5z"})),kq=bP("editor.MediaUpload")((()=>null));const wq=function({fallback:e=null,children:t}){return Cl((e=>{const{getSettings:t}=e(DM);return!!t().mediaUpload}),[])?t:e},Eq=WA([SI((e=>{const{createNotice:t,removeNotice:n}=e(_I);return{createNotice:t,removeNotice:n}})),bP("editor.MediaReplaceFlow")])((({mediaURL:e,mediaId:t,allowedTypes:n,accept:r,onSelect:o,onSelectURL:a,onFilesUpload:i=ot.noop,name:s=Zn("Replace"),createNotice:l,removeNotice:c})=>{const[u,d]=(0,et.useState)(e),p=Cl((e=>e(DM).getSettings().mediaUpload),[]),m=(0,et.createRef)(),f=(0,ot.uniqueId)("block-editor/media-replace-flow/error-notice/"),h=e=>{const t=document.createElement("div");t.innerHTML=ei(e);const n=t.textContent||t.innerText||"";setTimeout((()=>{l("error",n,{speak:!0,id:f,isDismissible:!0})}),1e3)},g=e=>{o(e),d(e.url),Xv(Zn("The media file has been replaced")),c(f)},b=e=>{e.keyCode===sm&&(e.preventDefault(),e.target.click())};return(0,et.createElement)(Eg,{popoverProps:{isAlternate:!0},contentClassName:"block-editor-media-replace-flow__options",renderToggle:({isOpen:e,onToggle:t})=>(0,et.createElement)(Mg,{ref:m,"aria-expanded":e,"aria-haspopup":"true",onClick:t,onKeyDown:b},s),renderContent:({onClose:e})=>(0,et.createElement)(et.Fragment,null,(0,et.createElement)(Tg,{className:"block-editor-media-replace-flow__media-upload-menu"},(0,et.createElement)(kq,{value:t,onSelect:e=>g(e),allowedTypes:n,render:({open:e})=>(0,et.createElement)(oB,{icon:_q,onClick:e},Zn("Open Media Library"))}),(0,et.createElement)(wq,null,(0,et.createElement)(yq,{onChange:e=>{(e=>{const t=e.target.files;i(t),p({allowedTypes:n,filesList:t,onFileChange:([e])=>{g(e)},onError:h})})(e)},accept:r,render:({openFileDialog:e})=>(0,et.createElement)(oB,{icon:Mq,onClick:()=>{e()}},Zn("Upload"))}))),a&&(0,et.createElement)("form",{className:"block-editor-media-flow__url-input"},(0,et.createElement)("span",{className:"block-editor-media-replace-flow__image-url-label"},Zn("Current media URL:")),(0,et.createElement)(vq,{value:{url:u},settings:[],showSuggestions:!1,onChange:({url:e})=>{d(e),a(e),m.current.focus()}})))})}));function Lq({className:e,label:t,onFilesDrop:n,onHTMLDrop:r,onDrop:o}){const[a,i]=(0,et.useState)(),[s,l]=(0,et.useState)(),[c,u]=(0,et.useState)(),d=xR({onDrop(e){const t=MI(e.dataTransfer),a=e.dataTransfer.getData("text/html");t.length&&n?n(t):a&&r?r(a):o&&o(e)},onDragStart(e){i(!0);let t="default";(0,ot.includes)(e.dataTransfer.types,"Files")||MI(e.dataTransfer).length>0?t="file":(0,ot.includes)(e.dataTransfer.types,"text/html")&&(t="html"),u(t)},onDragEnd(){i(!1),u()},onDragEnter(){l(!0)},onDragLeave(){l(!1)}});let p;s&&(p=(0,et.createElement)("div",{className:"components-drop-zone__content"},(0,et.createElement)(AL,{icon:Mq,className:"components-drop-zone__content-icon"}),(0,et.createElement)("span",{className:"components-drop-zone__content-text"},t||Zn("Drop files to upload"))));const m=io()("components-drop-zone",e,{"is-active":(a||s)&&("file"===c&&n||"html"===c&&r||"default"===c&&o),"is-dragging-over-document":a,"is-dragging-over-element":s,[`is-dragging-${c}`]:!!c});return(0,et.createElement)("div",{ref:d,className:m},p)}const Aq=(0,et.createElement)(po,{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24"},(0,et.createElement)(co,{d:"M20.1 5.1L16.9 2 6.2 12.7l-1.3 4.4 4.5-1.3L20.1 5.1zM4 20.8h8v-1.5H4v1.5z"}));function Sq({url:e,urlLabel:t,className:n}){const r=io()(n,"block-editor-url-popover__link-viewer-url");return e?(0,et.createElement)(iA,{className:r,href:e},t||VH(XH(e))):(0,et.createElement)("span",{className:r})}function Cq({additionalControls:e,children:t,renderSettings:n,position:r="bottom center",focusOnMount:o="firstElement",...a}){const[i,s]=(0,et.useState)(!1),l=!!n&&i;return(0,et.createElement)(yf,rt({className:"block-editor-url-popover",focusOnMount:o,position:r},a),(0,et.createElement)("div",{className:"block-editor-url-popover__input-container"},(0,et.createElement)("div",{className:"block-editor-url-popover__row"},t,!!n&&(0,et.createElement)(nh,{className:"block-editor-url-popover__settings-toggle",icon:uA,label:Zn("Link settings"),onClick:()=>{s(!i)},"aria-expanded":i})),l&&(0,et.createElement)("div",{className:"block-editor-url-popover__row block-editor-url-popover__settings"},n())),e&&!l&&(0,et.createElement)("div",{className:"block-editor-url-popover__additional-controls"},e))}Cq.LinkEditor=function({autocompleteRef:e,className:t,onChangeInputValue:n,value:r,...o}){return(0,et.createElement)("form",rt({className:io()("block-editor-url-popover__link-editor",t)},o),(0,et.createElement)(jH,{value:r,onChange:n,autocompleteRef:e}),(0,et.createElement)(nh,{icon:PH,label:Zn("Apply"),type:"submit"}))},Cq.LinkViewer=function({className:e,linkClassName:t,onEditLinkClick:n,url:r,urlLabel:o,...a}){return(0,et.createElement)("div",rt({className:io()("block-editor-url-popover__link-viewer",e)},a),(0,et.createElement)(Sq,{url:r,urlLabel:o,className:t}),n&&(0,et.createElement)(nh,{icon:Aq,label:Zn("Edit"),onClick:n}))};const Tq=Cq,xq=({src:e,onChange:t,onSubmit:n,onClose:r})=>(0,et.createElement)(Tq,{onClose:r},(0,et.createElement)("form",{className:"block-editor-media-placeholder__url-input-form",onSubmit:n},(0,et.createElement)("input",{className:"block-editor-media-placeholder__url-input-field",type:"url","aria-label":Zn("URL"),placeholder:Zn("Paste or type URL"),onChange:t,value:e}),(0,et.createElement)(nh,{className:"block-editor-media-placeholder__url-input-submit-button",icon:PH,label:Zn("Apply"),type:"submit"})));const zq=bP("editor.MediaPlaceholder")((function({value:e={},allowedTypes:t,className:n,icon:r,labels:o={},mediaPreview:a,notices:i,isAppender:s,accept:l,addToGallery:c,multiple:u=!1,dropZoneUIOnly:d,disableDropZone:p,disableMediaButtons:m,onError:f,onSelect:h,onCancel:g,onSelectURL:b,onDoubleClick:v,onFilesPreUpload:y=ot.noop,onHTMLDrop:_=ot.noop,children:M}){const k=Cl((e=>{const{getSettings:t}=e(DM);return t().mediaUpload}),[]),[w,E]=(0,et.useState)(""),[L,A]=(0,et.useState)(!1);(0,et.useEffect)((()=>{var t;E(null!==(t=null==e?void 0:e.src)&&void 0!==t?t:"")}),[null==e?void 0:e.src]);const S=e=>{E(e.target.value)},C=()=>{A(!0)},T=()=>{A(!1)},x=e=>{e.preventDefault(),w&&b&&(b(w),T())},z=n=>{let r;if(y(n),u)if(c){let t=[];r=n=>{const r=(null!=e?e:[]).filter((e=>e.id?!t.some((({id:t})=>Number(t)===Number(e.id))):!t.some((({urlSlug:t})=>e.url.includes(t)))));h(r.concat(n)),t=n.map((e=>{const t=e.url.lastIndexOf("."),n=e.url.slice(0,t);return{id:e.id,urlSlug:n}}))}}else r=h;else r=([e])=>h(e);k({allowedTypes:t,filesList:n,onFileChange:r,onError:f})},O=e=>{z(e.target.files)},N=(e,l)=>{let{instructions:c,title:u}=o;if(k||b||(c=Zn("To edit this block, you need permission to upload media.")),void 0===c||void 0===u){const e=null!=t?t:[],[n]=e,r=1===e.length,o=r&&"audio"===n,a=r&&"image"===n,i=r&&"video"===n;void 0===c&&k&&(c=Zn("Upload a media file or pick one from your media library."),o?c=Zn("Upload an audio file, pick one from your media library, or add one with a URL."):a?c=Zn("Upload an image file, pick one from your media library, or add one with a URL."):i&&(c=Zn("Upload a video file, pick one from your media library, or add one with a URL."))),void 0===u&&(u=Zn("Media"),o?u=Zn("Audio"):a?u=Zn("Image"):i&&(u=Zn("Video")))}const d=io()("block-editor-media-placeholder",n,{"is-appender":s});return(0,et.createElement)(VW,{icon:r,label:u,instructions:c,className:d,notices:i,onClick:l,onDoubleClick:v,preview:a},e,M)},D=()=>p?null:(0,et.createElement)(Lq,{onFilesDrop:z,onHTMLDrop:_}),B=()=>g&&(0,et.createElement)(nh,{className:"block-editor-media-placeholder__cancel-button",title:Zn("Cancel"),variant:"link",onClick:g},Zn("Cancel")),I=()=>b&&(0,et.createElement)("div",{className:"block-editor-media-placeholder__url-input-container"},(0,et.createElement)(nh,{className:"block-editor-media-placeholder__button",onClick:C,isPressed:L,variant:"tertiary"},Zn("Insert from URL")),L&&(0,et.createElement)(xq,{src:w,onChange:S,onSubmit:x,onClose:T}));return d||m?(d&&Hp("wp.blockEditor.MediaPlaceholder dropZoneUIOnly prop",{since:"5.4",alternative:"disableMediaButtons"}),(0,et.createElement)(wq,null,D())):(0,et.createElement)(wq,{fallback:N(I())},(()=>{const n=(0,et.createElement)(kq,{addToGallery:c,gallery:u&&!(!t||0===t.length)&&t.every((e=>"image"===e||e.startsWith("image/"))),multiple:u,onSelect:h,allowedTypes:t,value:Array.isArray(e)?e.map((({id:e})=>e)):e.id,render:({open:e})=>(0,et.createElement)(nh,{variant:"tertiary",onClick:()=>{e()}},Zn("Media Library"))});if(k&&s)return(0,et.createElement)(et.Fragment,null,D(),(0,et.createElement)(yq,{onChange:O,accept:l,multiple:u,render:({openFileDialog:e})=>{const t=(0,et.createElement)(et.Fragment,null,(0,et.createElement)(nh,{variant:"primary",className:io()("block-editor-media-placeholder__button","block-editor-media-placeholder__upload-button")},Zn("Upload")),n,I(),B());return N(t,e)}}));if(k){const e=(0,et.createElement)(et.Fragment,null,D(),(0,et.createElement)(yq,{variant:"primary",className:io()("block-editor-media-placeholder__button","block-editor-media-placeholder__upload-button"),onChange:O,accept:l,multiple:u},Zn("Upload")),n,I(),B());return N(e)}return N(n)})())})),Oq=({colorSettings:e,...t})=>{const n=e.map((({value:e,onChange:t,...n})=>({...n,colorValue:e,onColorChange:t})));return(0,et.createElement)(fT,rt({settings:n,gradients:[],disableCustomGradients:!0},t))};function Nq(e){return t=>{const[n,r]=(0,et.useState)([]);return(0,et.useLayoutEffect)((()=>{const{options:n,isDebounced:o}=e,a=(0,ot.debounce)((()=>{const o=Promise.resolve("function"==typeof n?n(t):n).then((n=>{if(o.canceled)return;const a=n.map(((t,n)=>({key:`${e.name}-${n}`,value:t,label:e.getOptionLabel(t),keywords:e.getOptionKeywords?e.getOptionKeywords(t):[],isDisabled:!!e.isOptionDisabled&&e.isOptionDisabled(t)}))),i=new RegExp("(?:\\b|\\s|^)"+(0,ot.escapeRegExp)(t),"i");r(function(e,t=[],n=10){const r=[];for(let o=0;oe.test((0,ot.deburr)(t))))&&(r.push(a),r.length===n))break}return r}(i,a))}));return o}),o?250:0),i=a();return()=>{a.cancel(),i&&(i.canceled=!0)}}),[t]),[n]}}function Dq({record:e,onChange:t,onReplace:n,completers:r,contentRef:o}){const a=qp(Xv,500),i=xk(Dq),[s,l]=(0,et.useState)(0),[c,u]=(0,et.useState)([]),[d,p]=(0,et.useState)(""),[m,f]=(0,et.useState)(null),[h,g]=(0,et.useState)(null),[b,v]=(0,et.useState)(!1);function y(r){const{getOptionCompletion:o}=m||{};if(!r.isDisabled){if(o){const a=o(r.value,d),{action:i,value:s}=void 0===a.action||void 0===a.value?{action:"insert-at-caret",value:a}:a;if("replace"===i)return void n([s]);"insert-at-caret"===i&&function(n){const r=e.start,o=r-m.triggerPrefix.length-d.length,a=dy({html:ei(n)});t(Oy(e,a,o,r))}(s)}_()}}function _(){l(0),u([]),p(""),f(null),g(null)}let M;Ay(e)&&(M=ky(By(e,0))),(0,et.useEffect)((()=>{if(!M)return void _();const t=(0,ot.deburr)(M),n=ky(By(e,void 0,ky(e).length)),o=(0,ot.find)(r,(({triggerPrefix:e,allowContext:r})=>{const o=t.lastIndexOf(e);if(-1===o)return!1;const a=t.slice(o+e.length);if(a.length>50)return!1;const i=0===c.length,s=1===a.split(/\s/).length,l=b&&a.split(/\s/).length<=3;return!(i&&!l&&!s)&&(!(r&&!r(t.slice(0,o),n))&&(!/^\s/.test(a)&&!/\s\s+$/.test(a)&&/[\u0000-\uFFFF]*$/.test(a)))}));if(!o)return void _();const a=(0,ot.escapeRegExp)(o.triggerPrefix),i=t.slice(t.lastIndexOf(o.triggerPrefix)).match(new RegExp(`${a}([\0-￿]*)$`)),s=i&&i[1];f(o),g((()=>o!==m?function(e){const t=e.useItems?e.useItems:Nq(e);return function({filterValue:e,instanceId:n,listBoxId:r,className:o,selectedIndex:a,onChangeOptions:i,onSelect:s,onReset:l,value:c,contentRef:u}){const[d]=t(e),p=a_({ref:u,value:c});return(0,et.useLayoutEffect)((()=>{i(d)}),[d]),!d.length>0?null:(0,et.createElement)(yf,{focusOnMount:!1,onClose:l,position:"top right",className:"components-autocomplete__popover",anchorRef:p},(0,et.createElement)("div",{id:r,role:"listbox",className:"components-autocomplete__results"},(0,ot.map)(d,((e,t)=>(0,et.createElement)(nh,{key:e.key,id:`components-autocomplete-item-${n}-${e.key}`,role:"option","aria-selected":t===a,disabled:e.isDisabled,className:io()("components-autocomplete__result",o,{"is-selected":t===a}),onClick:()=>s(e)},e.label)))))}}(o):h)),p(s)}),[M]);const{key:k=""}=c[s]||{},{className:w}=m||{},E=!!m&&c.length>0,L=E?`components-autocomplete-listbox-${i}`:null;return{listBoxId:L,activeId:E?`components-autocomplete-item-${i}-${k}`:null,onKeyDown:function(e){if(v(e.keyCode===tm),m&&0!==c.length&&!e.defaultPrevented){switch(e.keyCode){case am:l((0===s?c.length:s)-1);break;case sm:l((s+1)%c.length);break;case rm:f(null),g(null),e.preventDefault();break;case nm:y(c[s]);break;case om:case im:return void _();default:return}e.preventDefault()}},popover:void 0!==e.start&&h&&(0,et.createElement)(h,{className:w,filterValue:d,instanceId:i,listBoxId:L,selectedIndex:s,onChangeOptions:function(e){l(e.length===c.length?s:0),u(e),function(e){a&&(e.length?a(dn(tr("%d result found, use up and down arrow keys to navigate.","%d results found, use up and down arrow keys to navigate.",e.length),e.length),"assertive"):a(Zn("No results."),"assertive"))}(e)},onSelect:y,value:e,contentRef:o,reset:_})}}const Bq={name:"blocks",className:"block-editor-autocompleters__block",triggerPrefix:"/",useItems(e){const{rootClientId:t,selectedBlockName:n}=Cl((e=>{const{getSelectedBlockClientId:t,getBlockName:n,getBlockInsertionPoint:r}=e(DM),o=t();return{selectedBlockName:o?n(o):null,rootClientId:r().rootClientId}}),[]),[r,o,a]=XY(t,ot.noop),i=(0,et.useMemo)((()=>(e.trim()?vW(r,o,a,e):(0,ot.orderBy)(r,["frecency"],["desc"])).filter((e=>e.name!==n)).slice(0,9)),[e,n,r,o,a]);return[(0,et.useMemo)((()=>i.map((e=>{const{title:t,icon:n,isDisabled:r}=e;return{key:`block-${e.id}`,value:e,label:(0,et.createElement)(et.Fragment,null,(0,et.createElement)($D,{key:"icon",icon:n,showColors:!0}),t),isDisabled:r}}))),[i])]},allowContext:(e,t)=>!(/\S/.test(e)||/\S/.test(t)),getOptionCompletion(e){const{name:t,initialAttributes:n,innerBlocks:r}=e;return{action:"replace",value:Wo(t,n,Ho(r))}}},Iq=[];function Pq({completers:e=Iq}){const{name:t}=Ig();return(0,et.useMemo)((()=>{let n=e;return t===No()&&(n=n.concat([Bq])),Yn("editor.Autocomplete.completers")&&(n===e&&(n=n.map(ot.clone)),n=jn("editor.Autocomplete.completers",n,t)),n}),[e,t])}function Rq(e){return function(e){const t=(0,et.useRef)(),n=(0,et.useRef)(),{popover:r,listBoxId:o,activeId:a,onKeyDown:i}=Dq({...e,contentRef:t});return n.current=i,{ref:Rm([t,i_((e=>{function t(e){n.current(e)}return e.addEventListener("keydown",t),()=>{e.removeEventListener("keydown",t)}}),[])]),children:r,"aria-autocomplete":o?"list":void 0,"aria-owns":o,"aria-activedescendant":a}}({...e,completers:Pq(e)})}const Yq={position:"bottom right",isAlternate:!0},Wq=()=>(0,et.createElement)(et.Fragment,null,["bold","italic","link","text-color"].map((e=>(0,et.createElement)(cf,{name:`RichText.ToolbarControls.${e}`,key:e}))),(0,et.createElement)(cf,{name:"RichText.ToolbarControls"},(e=>0!==e.length&&(0,et.createElement)(yg,null,(t=>(0,et.createElement)(zg,{icon:uA,label:Zn("More"),toggleProps:t,controls:(0,ot.orderBy)(e.map((([{props:e}])=>e)),"title"),popoverProps:Yq})))))),Hq=({inline:e,anchorRef:t})=>e?(0,et.createElement)(yf,{noArrow:!0,position:"top center",focusOnMount:!1,anchorRef:t,className:"block-editor-rich-text__inline-format-toolbar",__unstableSlotName:"block-toolbar"},(0,et.createElement)("div",{className:"block-editor-rich-text__inline-format-toolbar-group"},(0,et.createElement)(Ng,null,(0,et.createElement)(Wq,null)))):(0,et.createElement)(WM,{group:"inline"},(0,et.createElement)(Wq,null));function qq(){const{didAutomaticChange:e,getSettings:t}=Cl(DM);return i_((n=>{function r(n){const{keyCode:r}=n;n.defaultPrevented||r!==lm&&r!==tm&&r!==rm||e()&&(n.preventDefault(),t().__experimentalUndo())}return n.addEventListener("keydown",r),()=>{n.removeEventListener("keydown",r)}}),[])}function jq(e){return e.filter((({type:e})=>/^image\/(?:jpe?g|png|gif)$/.test(e))).map((e=>``)).join("")}function Fq(e,t){if(null!=t&&t.length){let n=e.formats.length;for(;n--;)e.formats[n]=[...t,...e.formats[n]||[]]}}function Vq(e){if(!0===e||"p"===e||"li"===e)return!0===e?"p":e}function Xq({allowedFormats:e,formattingControls:t,disableFormats:n}){return n?Xq.EMPTY_ARRAY:e||t?e||(Hp("wp.blockEditor.RichText formattingControls prop",{since:"5.4",alternative:"allowedFormats"}),t.map((e=>`core/${e}`))):void 0}Xq.EMPTY_ARRAY=[];function Uq({value:e,pastedBlocks:t=[],onReplace:n,onSplit:r,onSplitMiddle:o,multilineTag:a}){if(!n||!r)return;const i=[],[s,l]=Iy(e),c=t.length>0;let u=-1;const d=Sy(s)&&!Sy(l);c&&Sy(s)||(i.push(r(qy({value:s,multilineTag:a}),!d)),u+=1),c?(i.push(...t),u+=t.length):o&&i.push(o()),(c||o)&&Sy(l)||i.push(r(qy({value:l,multilineTag:a}),d));n(i,c?u:1,c?-1:0)}function $q(e){const t=(0,et.useRef)(e);return t.current=e,i_((e=>{function n(e){const{isSelected:n,disableFormats:r,onChange:o,value:a,formatTypes:i,tagName:s,onReplace:l,onSplit:c,onSplitMiddle:u,__unstableEmbedURLOnPaste:d,multilineTag:p,preserveWhiteSpace:m,pastePlainText:f}=t.current;if(!n)return void e.preventDefault();const{clipboardData:h}=e;let g="",b="";try{g=h.getData("text/plain"),b=h.getData("text/html")}catch(e){try{b=h.getData("Text")}catch(e){return}}if(e.preventDefault(),window.console.log("Received HTML:\n\n",b),window.console.log("Received plain text:\n\n",g),r)return void o(Oy(a,g));const v=i.reduce(((e,{__unstablePasteRule:t})=>(t&&e===a&&(e=t(a,{html:b,plainText:g})),e)),a);if(v!==a)return void o(v);const y=[...MI(h)];if("true"===h.getData("rich-text")){const e=dy({html:b,multilineTag:p,multilineWrapperTags:"li"===p?["ul","ol"]:void 0,preserveWhiteSpace:m});return Fq(e,a.activeFormats),void o(Oy(a,e))}if(f)return void o(Oy(a,dy({text:g})));if(y&&y.length&&!b){const e=ul({HTML:jq(y),mode:"BLOCKS",tagName:s,preserveWhiteSpace:m});return window.console.log("Received items:\n\n",y),void(l&&Sy(a)?l(e):Uq({value:a,pastedBlocks:e,onReplace:l,onSplit:c,onSplitMiddle:u,multilineTag:p}))}let _=l&&c?"AUTO":"INLINE";var M;"AUTO"===_&&Sy(a)&&(M=g,ws(".*").test(M))&&(_="BLOCKS"),d&&Sy(a)&&HH(g.trim())&&(_="BLOCKS");const k=ul({HTML:b,plainText:g,mode:_,tagName:s,preserveWhiteSpace:m});if("string"==typeof k){let e=dy({html:k});Fq(e,a.activeFormats),p&&(e=Dy(e,/\n+/g,sy)),o(Oy(a,e))}else k.length>0&&(l&&Sy(a)?l(k,k.length-1,-1):Uq({value:a,pastedBlocks:k,onReplace:l,onSplit:c,onSplitMiddle:u,multilineTag:p}))}return e.addEventListener("paste",n),()=>{e.removeEventListener("paste",n)}}),[])}function Kq(e){const{__unstableMarkLastChangeAsPersistent:t,__unstableMarkAutomaticChange:n}=sd(DM),r=(0,et.useRef)(e);return r.current=e,i_((e=>{function o(){const{value:e,onReplace:t}=r.current;if(!t)return;const{start:o,text:a}=e;if(" "!==a.slice(o-1,o))return;const i=a.slice(0,o).trim(),s=$o(Ko("from").filter((({type:e})=>"prefix"===e)),(({prefix:e})=>i===e));if(!s)return;const l=qy({value:By(e,o,a.length)});t([s.transform(l)]),n()}function a(e){const{inputType:a,type:i}=e,{value:s,onChange:l,__unstableAllowPrefixTransformations:c,formatTypes:u}=r.current;if("insertText"!==a&&"compositionend"!==i)return;c&&o&&o();const d=u.reduce(((e,{__unstableInputRule:t})=>(t&&(e=t(e)),e)),s);d!==s&&(t(),l({...d,activeFormats:s.activeFormats}),n())}return e.addEventListener("input",a),e.addEventListener("compositionend",a),()=>{e.removeEventListener("input",a),e.removeEventListener("compositionend",a)}}),[])}function Gq(e){const{__unstableMarkAutomaticChange:t}=sd(DM),n=(0,et.useRef)(e);return n.current=e,i_((e=>{function r(e){if(e.defaultPrevented)return;const{removeEditorOnlyFormats:r,value:o,onReplace:a,onSplit:i,onSplitMiddle:s,multilineTag:l,onChange:c,disableLineBreaks:u,onSplitAtEnd:d}=n.current;if(e.keyCode!==nm)return;e.preventDefault();const p={...o};p.formats=r(o);const m=a&&i;if(a){const e=$o(Ko("from").filter((({type:e})=>"enter"===e)),(e=>e.regExp.test(p.text)));e&&(a([e.transform({content:p.text})]),t())}if(l)e.shiftKey?u||c(Oy(p,"\n")):m&&Cy(p)?Uq({value:p,onReplace:a,onSplit:i,onSplitMiddle:s,multilineTag:l}):c(function(e,t=e.start,n=e.end){const r=e.text.slice(0,t).lastIndexOf(sy),o=e.replacements[r];let a=[,];return o&&(a=[o]),Oy(e,{formats:[,],replacements:a,text:sy},t,n)}(p));else{const{text:t,start:n,end:r}=p,o=d&&n===r&&r===t.length;e.shiftKey||!m&&!o?u||c(Oy(p,"\n")):!m&&o?d():m&&Uq({value:p,onReplace:a,onSplit:i,onSplitMiddle:s,multilineTag:l})}}return e.addEventListener("keydown",r),()=>{e.removeEventListener("keydown",r)}}),[])}function Jq(e){return e(ey).getFormatTypes()}const Qq=new Set(["a","audio","button","details","embed","iframe","input","label","select","textarea","video"]);function Zq({formatTypes:e,onChange:t,onFocus:n,value:r,forwardedRef:o}){return e.map((e=>{const{name:a,edit:i}=e;if(!i)return null;const s=My(r,a),l=void 0!==s,c=function({start:e,end:t,replacements:n,text:r}){if(e+1===t&&r[e]===ly)return n[e]}(r),u=void 0!==c&&c.type===a;return(0,et.createElement)(i,{key:a,isActive:l,activeAttributes:l&&s.attributes||{},isObjectActive:u,activeObjectAttributes:u&&c.attributes||{},value:r,onChange:t,onFocus:n,contentRef:o})}))}const ej=(0,et.forwardRef)((function e({children:t,tagName:n="div",value:r="",onChange:o,isSelected:a,multiline:i,inlineToolbar:s,wrapperClassName:l,autocompleters:c,onReplace:u,placeholder:d,allowedFormats:p,formattingControls:m,withoutInteractiveFormatting:f,onRemove:h,onMerge:g,onSplit:b,__unstableOnSplitAtEnd:v,__unstableOnSplitMiddle:y,identifier:_,preserveWhiteSpace:M,__unstablePastePlainText:k,__unstableEmbedURLOnPaste:w,__unstableDisableFormats:E,disableLineBreaks:L,unstableOnFocus:A,__unstableAllowPrefixTransformations:S,...C},T){const x=xk(e);_=_||x,C=function(e){return(0,ot.omit)(e,["__unstableMobileNoFocusOnMount","deleteEnter","placeholderTextColor","textAlign","selectionColor","tagsToEliminate","rootTagsToEliminate","disableEditingMenu","fontSize","fontFamily","fontWeight","fontStyle","minWidth","maxWidth","setRef"])}(C);const z=(0,et.useRef)(),{clientId:O}=Ig(),{selectionStart:N,selectionEnd:D,isSelected:B,disabled:I}=Cl((e=>{const{getSelectionStart:t,getSelectionEnd:n,isMultiSelecting:r,hasMultiSelection:o}=e(DM),i=t(),s=n();let l;return void 0===a?l=i.clientId===O&&i.attributeKey===_:a&&(l=i.clientId===O),{selectionStart:l?i.offset:void 0,selectionEnd:l?s.offset:void 0,isSelected:l,disabled:r()||o()}})),{selectionChange:P}=sd(DM),R=Vq(i),Y=Xq({allowedFormats:p,formattingControls:m,disableFormats:E}),W=!Y||Y.length>0;let H=r,q=o;Array.isArray(r)&&(H=Fi.toHTML(r),q=e=>o(Fi.fromDOM(ay(document,e).childNodes)));const j=(0,et.useCallback)(((e,t)=>{P(O,_,e,t)}),[O,_]),{formatTypes:F,prepareHandlers:V,valueHandlers:X,changeHandlers:U,dependencies:$}=function({clientId:e,identifier:t,withoutInteractiveFormatting:n,allowedFormats:r}){const o=Cl(Jq,[]),a=(0,et.useMemo)((()=>o.filter((({name:e,tagName:t})=>!(r&&!r.includes(e)||n&&Qq.has(t))))),[o,r,Qq]),i=Cl((n=>a.reduce(((r,o)=>(o.__experimentalGetPropsForEditableTreePreparation&&(r[o.name]=o.__experimentalGetPropsForEditableTreePreparation(n,{richTextIdentifier:t,blockClientId:e})),r)),{})),[a,e,t]),s=sd(),l=[],c=[],u=[],d=[];return a.forEach((n=>{if(n.__experimentalCreatePrepareEditableTree){const r=i[n.name],o=n.__experimentalCreatePrepareEditableTree(r,{richTextIdentifier:t,blockClientId:e});n.__experimentalCreateOnChangeEditableValue?c.push(o):l.push(o);for(const e in r)d.push(r[e])}if(n.__experimentalCreateOnChangeEditableValue){let r={};n.__experimentalGetPropsForEditableTreeChangeHandler&&(r=n.__experimentalGetPropsForEditableTreeChangeHandler(s,{richTextIdentifier:t,blockClientId:e})),u.push(n.__experimentalCreateOnChangeEditableValue({...i[n.name]||{},...r},{richTextIdentifier:t,blockClientId:e}))}})),{formatTypes:a,prepareHandlers:l,valueHandlers:c,changeHandlers:u,dependencies:d}}({clientId:O,identifier:_,withoutInteractiveFormatting:f,allowedFormats:Y});function K(e){return F.forEach((t=>{t.__experimentalCreatePrepareEditableTree&&(e=xy(e,t.name,0,e.text.length))})),e.formats}const{value:G,onChange:J,onFocus:Q,ref:Z}=function({value:e="",selectionStart:t,selectionEnd:n,placeholder:r,preserveWhiteSpace:o,onSelectionChange:a,onChange:i,__unstableMultilineTag:s,__unstableDisableFormats:l,__unstableIsSelected:c,__unstableDependencies:u,__unstableAfterParse:d,__unstableBeforeSerialize:p,__unstableAddInvisibleFormats:m}){const[,f]=(0,et.useReducer)((()=>({}))),h=(0,et.useRef)();function g(){const{ownerDocument:{defaultView:e}}=h.current,t=e.getSelection(),n=t.rangeCount>0?t.getRangeAt(0):null;return dy({element:h.current,range:n,multilineTag:s,multilineWrapperTags:"li"===s?["ul","ol"]:void 0,__unstableIsEditableTree:!0,preserveWhiteSpace:o})}function b(e,{domOnly:t}={}){g_({value:e,current:h.current,multilineTag:s,multilineWrapperTags:"li"===s?["ul","ol"]:void 0,prepareEditableTree:m,__unstableDomOnly:t,placeholder:r})}const v=(0,et.useRef)(e),y=(0,et.useRef)();function _(){v.current=e,y.current=dy({html:e,multilineTag:s,multilineWrapperTags:"li"===s?["ul","ol"]:void 0,preserveWhiteSpace:o}),l&&(y.current.formats=Array(e.length),y.current.replacements=Array(e.length)),y.current.formats=d(y.current),y.current.start=t,y.current.end=n}const M=(0,et.useRef)(!1);function k(e){b(e),v.current=l?e.text:qy({value:{...e,formats:p(e)},multilineTag:s,preserveWhiteSpace:o}),y.current=e;const{start:t,end:n,formats:r,text:c}=e;a(t,n),i(v.current,{__unstableFormats:r,__unstableText:c}),f()}function w(){_(),b(y.current)}y.current?t===y.current.start&&n===y.current.end||(M.current=c,y.current={...y.current,start:t,end:n}):_();const E=(0,et.useRef)(!1);(0,et.useLayoutEffect)((()=>{E.current&&e!==v.current&&w()}),[e]),(0,et.useLayoutEffect)((()=>{M.current&&(w(),M.current=!1)}),[M.current]);const L=Rm([h,(0,et.useCallback)((e=>{e&&(e.style.whiteSpace="pre-wrap",e.style.minWidth="1px")}),[]),v_({record:y}),y_({record:y,multilineTag:s,preserveWhiteSpace:o}),i_((e=>{function t(t){const{target:n}=t;if(n===e||n.textContent)return;const{ownerDocument:r}=n,{defaultView:o}=r,a=r.createRange(),i=o.getSelection();a.selectNode(n),i.removeAllRanges(),i.addRange(a)}return e.addEventListener("click",t),()=>{e.removeEventListener("click",t)}}),[]),M_({record:y,applyRecord:b}),S_({createRecord:g,handleChange:k,multilineTag:s}),k_({multilineTag:s,createRecord:g,handleChange:k}),L_({record:y,applyRecord:b,createRecord:g,handleChange:k,isSelected:c,onSelectionChange:a}),i_((()=>{w(),E.current=!0}),[r,...u])]);return{value:y.current,onChange:k,onFocus:function(){h.current.focus(),b(y.current)},ref:L}}({value:H,onChange(e,{__unstableFormats:t,__unstableText:n}){q(e),Object.values(U).forEach((e=>{e(t,n)}))},selectionStart:N,selectionEnd:D,onSelectionChange:j,placeholder:d,__unstableIsSelected:B,__unstableMultilineTag:R,__unstableDisableFormats:E,preserveWhiteSpace:M,__unstableDependencies:[...$,n],__unstableAfterParse:function(e){return X.reduce(((t,n)=>n(t,e.text)),e.formats)},__unstableBeforeSerialize:K,__unstableAddInvisibleFormats:function(e){return V.reduce(((t,n)=>n(t,e.text)),e.formats)}}),ee=Rq({onReplace:u,completers:c,record:G,onChange:J});!function({value:e}){const t=e.activeFormats&&!!e.activeFormats.length,{isCaretWithinFormattedText:n}=Cl(DM),{enterFormattedText:r,exitFormattedText:o}=sd(DM);(0,et.useEffect)((()=>{t?n()||r():n()&&o()}),[t])}({value:G}),function({html:e,value:t}){const n=(0,et.useRef)(),r=t.activeFormats&&!!t.activeFormats.length,{__unstableMarkLastChangeAsPersistent:o}=sd(DM);(0,et.useLayoutEffect)((()=>{if(n.current){if(n.current!==t.text){const e=window.setTimeout((()=>{o()}),1e3);return n.current=t.text,()=>{window.clearTimeout(e)}}o()}else n.current=t.text}),[e,r])}({html:H,value:G});const te=n,ne=(0,et.createElement)(et.Fragment,null,B&&t&&t({value:G,onChange:J,onFocus:Q}),B&&(0,et.createElement)(Zq,{value:G,onChange:J,onFocus:Q,formatTypes:F,forwardedRef:z}),B&&W&&(0,et.createElement)(Hq,{inline:s,anchorRef:z.current}),(0,et.createElement)(te,rt({role:"textbox","aria-multiline":!0,"aria-label":d},C,ee,{ref:Rm([ee.ref,C.ref,Z,Kq({value:G,onChange:J,__unstableAllowPrefixTransformations:S,formatTypes:F,onReplace:u}),i_((e=>{function t(e){(vm.primary(e,"z")||vm.primary(e,"y")||vm.primaryShift(e,"z"))&&e.preventDefault()}return e.addEventListener("keydown",t),()=>{e.addEventListener("keydown",t)}}),[]),qq(),$q({isSelected:B,disableFormats:E,onChange:J,value:G,formatTypes:F,tagName:n,onReplace:u,onSplit:b,onSplitMiddle:y,__unstableEmbedURLOnPaste:w,multilineTag:R,preserveWhiteSpace:M,pastePlainText:k}),Gq({removeEditorOnlyFormats:K,value:G,onReplace:u,onSplit:b,onSplitMiddle:y,multilineTag:R,onChange:J,disableLineBreaks:L,onSplitAtEnd:v}),z,T]),contentEditable:!I||void 0,suppressContentEditableWarning:!I,className:io()("block-editor-rich-text__editable",C.className,"rich-text"),onFocus:A,onKeyDown:function(e){const{keyCode:t}=e;if(!e.defaultPrevented&&(t===lm||t===tm)){const{start:n,end:r,text:o}=G,a=t===tm,i=G.activeFormats&&!!G.activeFormats.length;if(!Ay(G)||i||a&&0!==n||!a&&r!==o.length)return;g&&g(!a),h&&Sy(G)&&a&&h(!a),e.preventDefault()}}})));if(!l)return ne;Hp("wp.blockEditor.RichText wrapperClassName prop",{since:"5.4",alternative:"className prop or create your own wrapper div"});const re=io()("block-editor-rich-text",l);return(0,et.createElement)("div",{className:re},ne)}));ej.Content=({value:e,tagName:t,multiline:n,...r})=>{Array.isArray(e)&&(e=Fi.toHTML(e));const o=Vq(n);!e&&o&&(e=`<${o}>`);const a=(0,et.createElement)(Ia,null,e);return t?(0,et.createElement)(t,(0,ot.omit)(r,["format"]),a):a},ej.isEmpty=e=>!e||0===e.length;const tj=ej,nj=(0,et.forwardRef)(((e,t)=>(0,et.createElement)(tj,rt({ref:t},e,{__unstableDisableFormats:!0,preserveWhiteSpace:!0}))));nj.Content=({value:e="",tagName:t="div",...n})=>(0,et.createElement)(t,n,e);const rj=nj,oj=(0,et.forwardRef)((({__experimentalVersion:e,...t},n)=>{if(2===e)return(0,et.createElement)(rj,rt({ref:n},t));const{className:r,onChange:o,...a}=t;return(0,et.createElement)(XP.Z,rt({ref:n,className:io()("block-editor-plain-text",r),onChange:e=>o(e.target.value)},a))}));function aj({character:e,type:t,onUse:n}){return BA(fm[t](e),(()=>(n(),!1)),{bindGlobal:!0}),null}function ij({name:e,shortcutType:t,shortcutCharacter:n,...r}){let o,a="RichText.ToolbarControls";return e&&(a+=`.${e}`),t&&n&&(o=gm[t](n)),(0,et.createElement)(lf,{name:a},(0,et.createElement)(Mg,rt({},r,{shortcut:o})))}class sj extends et.Component{constructor(){super(...arguments),this.onInput=this.onInput.bind(this)}onInput(e){e.inputType===this.props.inputType&&this.props.onInput()}componentDidMount(){document.addEventListener("input",this.onInput,!0)}componentWillUnmount(){document.removeEventListener("input",this.onInput,!0)}render(){return null}}function lj({units:e,...t}){const n=rk({availableUnits:TL("spacing.units")||["%","px","em","rem","vw"],units:e});return(0,et.createElement)(LL,rt({units:n},t))}const cj="none",uj="custom",dj="media",pj="attachment",mj=["noreferrer","noopener"],fj=(0,et.createElement)(po,{viewBox:"0 0 24 24",xmlns:"http://www.w3.org/2000/svg"},(0,et.createElement)(co,{d:"M0,0h24v24H0V0z",fill:"none"}),(0,et.createElement)(co,{d:"m19 5v14h-14v-14h14m0-2h-14c-1.1 0-2 0.9-2 2v14c0 1.1 0.9 2 2 2h14c1.1 0 2-0.9 2-2v-14c0-1.1-0.9-2-2-2z"}),(0,et.createElement)(co,{d:"m14.14 11.86l-3 3.87-2.14-2.59-3 3.86h12l-3.86-5.14z"})),hj=({linkDestination:e,onChangeUrl:t,url:n,mediaType:r="image",mediaUrl:o,mediaLink:a,linkTarget:i,linkClass:s,rel:l})=>{const[c,u]=(0,et.useState)(!1),d=(0,et.useCallback)((()=>{u(!0)})),[p,m]=(0,et.useState)(!1),[f,h]=(0,et.useState)(null),g=(0,et.useRef)(null),b=(0,et.useCallback)((()=>{e!==dj&&e!==pj||h(""),m(!0)})),v=(0,et.useCallback)((()=>{m(!1)})),y=(0,et.useCallback)((()=>{h(null),v(),u(!1)})),_=e=>{let t=e;return void 0===e||(0,ot.isEmpty)(t)||(0,ot.isEmpty)(t)||((0,ot.each)(mj,(e=>{const n=new RegExp("\\b"+e+"\\b","gi");t=t.replace(n,"")})),t!==e&&(t=t.trim()),(0,ot.isEmpty)(t)&&(t=void 0)),t},M=(0,et.useCallback)((()=>e=>{const t=g.current;t&&t.contains(e.target)||(u(!1),h(null),v())})),k=(0,et.useCallback)((()=>e=>{if(f){var n;const e=(null===(n=E().find((e=>e.url===f)))||void 0===n?void 0:n.linkDestination)||uj;t({href:f,linkDestination:e})}v(),h(null),e.preventDefault()})),w=(0,et.useCallback)((()=>{t({linkDestination:cj,href:""})})),E=()=>{const e=[{linkDestination:dj,title:Zn("Media File"),url:"image"===r?o:void 0,icon:fj}];return"image"===r&&a&&e.push({linkDestination:pj,title:Zn("Attachment Page"),url:"image"===r?a:void 0,icon:(0,et.createElement)(po,{viewBox:"0 0 24 24",xmlns:"http://www.w3.org/2000/svg"},(0,et.createElement)(co,{d:"M0 0h24v24H0V0z",fill:"none"}),(0,et.createElement)(co,{d:"M14 2H6c-1.1 0-1.99.9-1.99 2L4 20c0 1.1.89 2 1.99 2H18c1.1 0 2-.9 2-2V8l-6-6zM6 20V4h7v5h5v11H6z"}))}),e},L=(0,et.createElement)(et.Fragment,null,(0,et.createElement)(kN,{label:Zn("Open in new tab"),onChange:e=>{const n=(e=>{const t=e?"_blank":void 0;let n;return n=t||l?_(l):void 0,{linkTarget:t,rel:n}})(e);t(n)},checked:"_blank"===i}),(0,et.createElement)(rA,{label:Zn("Link Rel"),value:_(l)||"",onChange:e=>{t({rel:e})}}),(0,et.createElement)(rA,{label:Zn("Link CSS Class"),value:s||"",onChange:e=>{t({linkClass:e})}})),A=null!==f?f:n,S=((0,ot.find)(E(),["linkDestination",e])||{}).title;return(0,et.createElement)(et.Fragment,null,(0,et.createElement)(Mg,{icon:jC,className:"components-toolbar__control",label:Zn(n?"Edit link":"Insert link"),"aria-expanded":c,onClick:d}),c&&(0,et.createElement)(Tq,{onFocusOutside:M(),onClose:y,renderSettings:()=>L,additionalControls:!A&&(0,et.createElement)(Tg,null,(0,ot.map)(E(),(e=>(0,et.createElement)(oB,{key:e.linkDestination,icon:e.icon,onClick:()=>{h(null),(e=>{const n=E();let r;r=e?((0,ot.find)(n,(t=>t.url===e))||{linkDestination:uj}).linkDestination:cj,t({linkDestination:r,href:e})})(e.url),v()}},e.title))))},(!n||p)&&(0,et.createElement)(Tq.LinkEditor,{className:"block-editor-format-toolbar__link-container-content",value:A,onChangeInputValue:h,onSubmit:k(),autocompleteRef:g}),n&&!p&&(0,et.createElement)(et.Fragment,null,(0,et.createElement)(Tq.LinkViewer,{className:"block-editor-format-toolbar__link-container-content",url:n,onEditLinkClick:b,urlLabel:S}),(0,et.createElement)(nh,{icon:Wm,label:Zn("Remove link"),onClick:w}))))},gj=LI((e=>({selectedBlockClientId:e(DM).getBlockSelectionStart()})))((({selectedBlockClientId:e})=>{const t=kT(e);return e?(0,et.createElement)(nh,{variant:"secondary",className:"block-editor-skip-to-selected-block",onClick:()=>{t.current.focus()}},Zn("Skip to the selected block")):null})),bj={HTMLRegExp:/<\/?[a-z][^>]*?>/gi,HTMLcommentRegExp://g,spaceRegExp:/ | /gi,HTMLEntityRegExp:/&\S+?;/g,connectorRegExp:/--|\u2014/g,removeRegExp:new RegExp(["[","!-/:-@[-`{-~","€-¿×÷"," -⯿","⸀-⹿","]"].join(""),"g"),astralRegExp:/[\uD800-\uDBFF][\uDC00-\uDFFF]/g,wordsRegExp:/\S\s+/g,characters_excluding_spacesRegExp:/\S/g,characters_including_spacesRegExp:/[^\f\n\r\t\v\u00AD\u2028\u2029]/g,l10n:{type:"words"}};function vj(e,t){return t.replace(e.HTMLRegExp,"\n")}function yj(e,t){return t.replace(e.astralRegExp,"a")}function _j(e,t){return t.replace(e.HTMLEntityRegExp,"")}function Mj(e,t){return t.replace(e.connectorRegExp," ")}function kj(e,t){return t.replace(e.removeRegExp,"")}function wj(e,t){return t.replace(e.HTMLcommentRegExp,"")}function Ej(e,t){return e.shortcodesRegExp?t.replace(e.shortcodesRegExp,"\n"):t}function Lj(e,t){return t.replace(e.spaceRegExp," ")}function Aj(e,t){return t.replace(e.HTMLEntityRegExp,"a")}function Sj(e,t,n){var r,o;return e=(0,ot.flow)(vj.bind(null,n),wj.bind(null,n),Ej.bind(null,n),yj.bind(null,n),Lj.bind(null,n),Aj.bind(null,n))(e),null!==(r=null===(o=(e+="\n").match(t))||void 0===o?void 0:o.length)&&void 0!==r?r:0}function Cj(e,t,n){const r=function(e,t){var n,r;const o=(0,ot.extend)({},bj,t);return o.shortcodes=null!==(n=null===(r=o.l10n)||void 0===r?void 0:r.shortcodes)&&void 0!==n?n:[],o.shortcodes&&o.shortcodes.length&&(o.shortcodesRegExp=new RegExp("\\[\\/?(?:"+o.shortcodes.join("|")+")[^\\]]*?\\]","g")),o.type=e,"characters_excluding_spaces"!==o.type&&"characters_including_spaces"!==o.type&&(o.type="words"),o}(t,n);let o;switch(r.type){case"words":return o=r.wordsRegExp,function(e,t,n){var r,o;return e=(0,ot.flow)(vj.bind(null,n),wj.bind(null,n),Ej.bind(null,n),Lj.bind(null,n),_j.bind(null,n),Mj.bind(null,n),kj.bind(null,n))(e),null!==(r=null===(o=(e+="\n").match(t))||void 0===o?void 0:o.length)&&void 0!==r?r:0}(e,o,r);case"characters_including_spaces":return o=r.characters_including_spacesRegExp,Sj(e,o,r);case"characters_excluding_spaces":return o=r.characters_excluding_spacesRegExp,Sj(e,o,r);default:return 0}}const Tj=LI((e=>{const{getMultiSelectedBlocks:t}=e(DM);return{blocks:t()}}))((function({blocks:e}){const t=Cj(hi(e),"words");return(0,et.createElement)("div",{className:"block-editor-multi-selection-inspector__card"},(0,et.createElement)($D,{icon:tY,showColors:!0}),(0,et.createElement)("div",{className:"block-editor-multi-selection-inspector__card-content"},(0,et.createElement)("div",{className:"block-editor-multi-selection-inspector__card-title"},dn(tr("%d block","%d blocks",e.length),e.length)),(0,et.createElement)("div",{className:"block-editor-multi-selection-inspector__card-description"},dn(tr("%d word","%d words",t),t))))}));function xj({blockName:e}){const{preferredStyle:t,onUpdatePreferredStyleVariations:n,styles:r}=Cl((t=>{var n,r;const o=t(DM).getSettings().__experimentalPreferredStyleVariations;return{preferredStyle:null==o||null===(n=o.value)||void 0===n?void 0:n[e],onUpdatePreferredStyleVariations:null!==(r=null==o?void 0:o.onChange)&&void 0!==r?r:null,styles:t(Kr).getBlockStyles(e)}}),[e]),o=(0,et.useMemo)((()=>[{label:Zn("Not set"),value:""},...r.map((({label:e,name:t})=>({label:e,value:t})))]),[r]),a=(0,et.useCallback)((t=>{n(e,t)}),[e,n]);return n&&(0,et.createElement)(SS,{options:o,value:t||"",label:Zn("Default Style"),onChange:a})}function zj({choices:e=[],onHover:t=ot.noop,onSelect:n,value:r}){return e.map((e=>{const o=r===e.value;return(0,et.createElement)(oB,{key:e.value,role:"menuitemradio",icon:o&&eS,info:e.info,isSelected:o,shortcut:e.shortcut,className:"components-menu-items-choice",onClick:()=>{o||n(e.value)},onMouseEnter:()=>t(e.value),onMouseLeave:()=>t(null),"aria-label":e["aria-label"]},e.label)}))}const Oj=(e,t)=>{if(!t||!e)return;const n=t.filter((({attributes:t})=>!(!t||!Object.keys(t).length)&&(0,ot.isMatch)(e,t)));return 1===n.length?n[0]:void 0};const Nj=function({blockClientId:e}){const[t,n]=(0,et.useState)(),{updateBlockAttributes:r}=sd(DM),{variations:o,blockAttributes:a}=Cl((t=>{const{getBlockVariations:n}=t(Kr),{getBlockName:r,getBlockAttributes:o}=t(DM),a=e&&r(e);return{variations:a&&n(a,"transform"),blockAttributes:o(e)}}),[e]);if((0,et.useEffect)((()=>{var e;n(null===(e=Oj(a,o))||void 0===e?void 0:e.name)}),[a,o]),null==o||!o.length)return null;const i=o.map((({name:e,title:t,description:n})=>({value:e,label:t,info:n}))),s=t=>{r(e,{...o.find((({name:e})=>e===t)).attributes})},l="block-editor-block-variation-transforms";return(0,et.createElement)(zg,{className:l,label:Zn("Transform to variation"),text:Zn("Transform to variation"),popoverProps:{position:"bottom center",className:`${l}__popover`},icon:uA,toggleProps:{iconPosition:"right"}},(()=>(0,et.createElement)("div",{className:`${l}__container`},(0,et.createElement)(aN,null,(0,et.createElement)(zj,{choices:i,value:t,onSelect:s})))))},Dj=({clientId:e,blockName:t,hasBlockStyles:n,bubblesVirtually:r})=>{const o=LB(e);return(0,et.createElement)("div",{className:"block-editor-block-inspector"},(0,et.createElement)(iP,o),(0,et.createElement)(Nj,{blockClientId:e}),n&&(0,et.createElement)("div",null,(0,et.createElement)(mA,{title:Zn("Styles")},(0,et.createElement)(iY,{clientId:e}),Po(t,"defaultStylePicker",!0)&&(0,et.createElement)(xj,{blockName:t}))),(0,et.createElement)(kA.Slot,{bubblesVirtually:r}),(0,et.createElement)("div",null,(0,et.createElement)(Bj,{slotName:vA.slotName,bubblesVirtually:r})),(0,et.createElement)(gj,{key:"back"}))},Bj=({slotName:e,bubblesVirtually:t})=>{const n=tf(e);return Boolean(n.fills&&n.fills.length)?(0,et.createElement)(mA,{className:"block-editor-block-inspector__advanced",title:Zn("Advanced"),initialOpen:!1},(0,et.createElement)(vA.Slot,{bubblesVirtually:t})):null},Ij=({showNoBlockSelectedMessage:e=!0,bubblesVirtually:t=!0})=>{const{count:n,hasBlockStyles:r,selectedBlockName:o,selectedBlockClientId:a,blockType:i}=Cl((e=>{const{getSelectedBlockClientId:t,getSelectedBlockCount:n,getBlockName:r}=e(DM),{getBlockStyles:o}=e(Kr),a=t(),i=a&&r(a),s=i&&Do(i),l=i&&o(i);return{count:n(),selectedBlockClientId:a,selectedBlockName:i,blockType:s,hasBlockStyles:l&&l.length>0}}),[]);if(n>1)return(0,et.createElement)("div",{className:"block-editor-block-inspector"},(0,et.createElement)(Tj,null),(0,et.createElement)(kA.Slot,{bubblesVirtually:t}));const s=o===Oo();return i&&a&&!s?(0,et.createElement)(Dj,{clientId:a,blockName:i.name,hasBlockStyles:r,bubblesVirtually:t}):e?(0,et.createElement)("span",{className:"block-editor-block-inspector__no-blocks"},Zn("No block selected.")):null};const Pj=function({rootClientId:e,clientId:t,isAppender:n,showInserterHelpPanel:r,showMostUsedBlocks:o=!1,__experimentalInsertionIndex:a,onSelect:i=ot.noop,shouldFocusBlock:s=!1}){const l=Cl((n=>{const{getBlockRootClientId:r}=n(DM);return e||r(t)||void 0}),[t,e]);return(0,et.createElement)(CW,{onSelect:i,rootClientId:l,clientId:t,isAppender:n,showInserterHelpPanel:r,showMostUsedBlocks:o,__experimentalInsertionIndex:a,shouldFocusBlock:s})};function Rj(){return null}Rj.Register=function(){const{registerShortcut:e}=sd(ZB);return(0,et.useEffect)((()=>{e({name:"core/block-editor/duplicate",category:"block",description:Zn("Duplicate the selected block(s)."),keyCombination:{modifier:"primaryShift",character:"d"}}),e({name:"core/block-editor/remove",category:"block",description:Zn("Remove the selected block(s)."),keyCombination:{modifier:"access",character:"z"}}),e({name:"core/block-editor/insert-before",category:"block",description:Zn("Insert a new block before the selected block(s)."),keyCombination:{modifier:"primaryAlt",character:"t"}}),e({name:"core/block-editor/insert-after",category:"block",description:Zn("Insert a new block after the selected block(s)."),keyCombination:{modifier:"primaryAlt",character:"y"}}),e({name:"core/block-editor/delete-multi-selection",category:"block",description:Zn("Remove multiple selected blocks."),keyCombination:{character:"del"},aliases:[{character:"backspace"}]}),e({name:"core/block-editor/select-all",category:"selection",description:Zn("Select all text when typing. Press again to select all blocks."),keyCombination:{modifier:"primary",character:"a"}}),e({name:"core/block-editor/unselect",category:"selection",description:Zn("Clear selection."),keyCombination:{character:"escape"}}),e({name:"core/block-editor/focus-toolbar",category:"global",description:Zn("Navigate to the nearest toolbar."),keyCombination:{modifier:"alt",character:"F10"}}),e({name:"core/block-editor/move-up",category:"block",description:Zn("Move the selected block(s) up."),keyCombination:{modifier:"secondary",character:"t"}}),e({name:"core/block-editor/move-down",category:"block",description:Zn("Move the selected block(s) down."),keyCombination:{modifier:"secondary",character:"y"}})}),[e]),null};const Yj=Rj,Wj=new Set([am,im,sm,om,nm,tm]);function Hj(){const e=Cl((e=>e(DM).isTyping())),{startTyping:t,stopTyping:n}=sd(DM);return Rm([function(){const e=Cl((e=>e(DM).isTyping())),{stopTyping:t}=sd(DM);return i_((n=>{if(!e)return;const{ownerDocument:r}=n;let o,a;function i(e){const{clientX:n,clientY:r}=e;o&&a&&(o!==n||a!==r)&&t(),o=n,a=r}return r.addEventListener("mousemove",i),()=>{r.removeEventListener("mousemove",i)}}),[e,t])}(),i_((r=>{const{ownerDocument:o}=r,{defaultView:a}=o;if(e){let e;function t(t){const{target:r}=t;e=a.setTimeout((()=>{sI(r)||n()}))}function i(e){const{keyCode:t}=e;t!==rm&&9!==t||n()}function s(){const e=a.getSelection();e.rangeCount>0&&e.getRangeAt(0).collapsed||n()}return r.addEventListener("focus",t),r.addEventListener("keydown",i),o.addEventListener("selectionchange",s),()=>{a.clearTimeout(e),r.removeEventListener("focus",t),r.removeEventListener("keydown",i),o.removeEventListener("selectionchange",s)}}function i(e){const{type:n,target:o}=e;sI(o)&&r.contains(o)&&("keydown"!==n||function(e){const{keyCode:t,shiftKey:n}=e;return!n&&Wj.has(t)}(e))&&t()}return r.addEventListener("keypress",i),r.addEventListener("keydown",i),()=>{r.removeEventListener("keypress",i),r.removeEventListener("keydown",i)}}),[e,t,n])])}function qj(e){const t=e.getSelection();ds();const n=t.rangeCount?t.getRangeAt(0):null;return n?jp(n):null}window.navigator.userAgent.indexOf("Trident");const jj=new Set([am,sm,om,im]);function Fj(){const e=Cl((e=>e(DM).hasSelectedBlock()));return i_((t=>{if(!e)return;const{ownerDocument:n}=t,{defaultView:r}=n;let o,a,i;function s(){o||(o=r.requestAnimationFrame((()=>{p(),o=null})))}function l(e){a&&r.cancelAnimationFrame(a),a=r.requestAnimationFrame((()=>{c(e),a=null}))}function c({keyCode:e}){if(!m())return;const o=qj(r);if(!o)return;if(!i)return void(i=o);if(jj.has(e))return void(i=o);const a=o.top-i.top;if(0===a)return;const s=cB(t);if(!s)return;const l=s===n.body,c=l?r.scrollY:s.scrollTop,u=l?0:s.getBoundingClientRect().top,d=l?i.top/r.innerHeight:(i.top-u)/(r.innerHeight-u);if(0===c&&d<.75&&function(){const e=t.querySelectorAll('[contenteditable="true"]');return e[e.length-1]===n.activeElement}())return void(i=o);const p=l?r.innerHeight:s.clientHeight;i.top+i.height>u+p||i.top{r.removeEventListener("scroll",s,!0),r.removeEventListener("resize",s,!0),t.removeEventListener("keydown",l),t.removeEventListener("keyup",c),t.removeEventListener("mousedown",u),t.removeEventListener("touchstart",u),n.removeEventListener("selectionchange",d),r.cancelAnimationFrame(o),r.cancelAnimationFrame(a)}}),[e])}function Vj(e,t){const n="start"===t?"firstChild":"lastChild",r="start"===t?"nextSibling":"previousSibling";for(;e[n];)for(e=e[n];e.nodeType===e.TEXT_NODE&&/^[ \t\n]*$/.test(e.data)&&e[r];)e=e[r];return e}function Xj(e){const{isMultiSelecting:t,getMultiSelectedBlockClientIds:n,hasMultiSelection:r,getSelectedBlockClientId:o}=e(DM);return{isMultiSelecting:t(),multiSelectedBlockClientIds:n(),hasMultiSelection:r(),selectedBlockClientId:o()}}function Uj(){const e=(0,et.useRef)(),{isMultiSelecting:t,multiSelectedBlockClientIds:n,hasMultiSelection:r,selectedBlockClientId:o}=Cl(Xj,[]),a=kT(o),i=kT((0,ot.first)(n)),s=kT((0,ot.last)(n));return(0,et.useEffect)((()=>{const{ownerDocument:l}=e.current,{defaultView:c}=l;if(!r||t){if(!o||t)return;const e=c.getSelection();if(e.rangeCount&&!e.isCollapsed){const t=a.current,{startContainer:n,endContainer:r}=e.getRangeAt(0);!t||t.contains(n)&&t.contains(r)||e.removeAllRanges()}return}const{length:u}=n;if(u<2)return;e.current.focus();const d=c.getSelection(),p=l.createRange(),m=Vj(i.current,"start"),f=Vj(s.current,"end");!function(e,t){Array.from(e.querySelectorAll(".rich-text")).forEach((e=>{t?e.setAttribute("contenteditable",!0):e.removeAttribute("contenteditable")}))}(e.current,!1),p.setStartBefore(m),p.setEndAfter(f),d.removeAllRanges(),d.addRange(p)}),[r,t,n,o]),e}function $j(e){const{tagName:t}=e;return"INPUT"===t||"BUTTON"===t||"SELECT"===t||"TEXTAREA"===t}function Kj(e,t,n=!1){if(KP(e))return e.selectionStart===e.selectionEnd&&(t?0===e.selectionStart:e.value.length===e.selectionStart);if(!e.isContentEditable)return!0;const{ownerDocument:r}=e,{defaultView:o}=r;ds();const a=o.getSelection();if(!a||!a.rangeCount)return!1;const i=a.getRangeAt(0),s=i.cloneRange(),l=function(e){const{anchorNode:t,focusNode:n,anchorOffset:r,focusOffset:o}=e;ds(),ds();const a=t.compareDocumentPosition(n);return!(a&t.DOCUMENT_POSITION_PRECEDING)&&(!!(a&t.DOCUMENT_POSITION_FOLLOWING)||0!==a||r<=o)}(a),c=a.isCollapsed;c||s.collapse(!l);const u=jp(s),d=jp(i);if(!u||!d)return!1;const p=function(e){const t=Array.from(e.getClientRects());if(!t.length)return;const n=Math.min(...t.map((({top:e})=>e)));return Math.max(...t.map((({bottom:e})=>e)))-n}(i);if(!c&&p&&p>u.height&&l===t)return!1;const m=GP(e)?!t:t,f=e.getBoundingClientRect(),h=$P(r,m?f.left+1:f.right-1,t?f.top+1:f.bottom-1,e);if(!h)return!1;const g=jp(h);if(!g)return!1;const b=t?"top":"bottom",v=m?"left":"right",y=g[b]-d[b],_=g[v]-u[v],M=Math.abs(y)<=1,k=Math.abs(_)<=1;return n?M:M&&k}function Gj(e,t){return Kj(e,t,!0)}function Jj(e,t){return Kj(e,t)}function Qj(e,t,n,r=!0){if(!e)return;if(!n||!e.isContentEditable)return void QP(e,t);e.focus();const o=n.height/2,a=e.getBoundingClientRect(),i=n.left,s=t?a.bottom-o:a.top+o,{ownerDocument:l}=e,{defaultView:c}=l,u=$P(l,i,s,e);if(!u||!e.contains(u.startContainer))return!r||u&&u.startContainer&&u.startContainer.contains(e)?void QP(e,t):(e.scrollIntoView(t),void Qj(e,t,n,!1));ds();const d=c.getSelection();ds(),d.removeAllRanges(),d.addRange(u)}function Zj(e,t,n,r){let o,a=zm.focusable.find(n);return t&&(a=(0,ot.reverse)(a)),a=a.slice(a.indexOf(e)+1),r&&(o=e.getBoundingClientRect()),(0,ot.find)(a,(function(e){if(!zm.tabbable.isTabbableIndex(e))return!1;if(e.isContentEditable&&"true"!==e.contentEditable)return!1;if(r){const t=e.getBoundingClientRect();if(t.left>=o.right||t.right<=o.left)return!1}return!0}))}function eF(){const{getSelectedBlockClientId:e,getMultiSelectedBlocksStartClientId:t,getMultiSelectedBlocksEndClientId:n,getPreviousBlockClientId:r,getNextBlockClientId:o,getFirstMultiSelectedBlockClientId:a,getLastMultiSelectedBlockClientId:i,getSettings:s,hasMultiSelection:l}=Cl(DM),{multiSelect:c,selectBlock:u}=sd(DM);return i_((d=>{let p;function m(){p=null}function f(a){const i=e(),s=t(),l=n(),d=r(l||i),p=o(l||i),m=a?d:p;m&&(s===m?u(m):c(s||i,m))}function h(e){const t=a(),n=i(),r=e?t:n;r&&u(r)}function g(e,t){const n=Zj(e,t,d);return!(n&&(r=e,o=n,r.closest(ZP)===o.closest(ZP)));var r,o}function b(t){const{keyCode:a,target:i}=t,c=a===am,u=a===om,m=c||u,b=u||a===im,v=c||a===sm,y=b||v,_=t.shiftKey,M=_||t.ctrlKey||t.altKey||t.metaKey,k=v?Gj:Jj,{ownerDocument:w}=d,{defaultView:E}=w;if(l()){if(y){(_?f:h)(m),t.preventDefault()}return}if(v?p||(p=qj(E)):p=null,t.defaultPrevented)return;if(!y)return;if(!function(e,t,n){if((t===am||t===sm)&&!n)return!0;const{tagName:r}=e;return"INPUT"!==r&&"TEXTAREA"!==r}(i,a,M))return;const L=GP(i)?!m:m,{keepCaretInsideBlock:A}=s(),S=e();if(_){const e=n(),a=r(e||S),s=o(e||S);(m&&a||!m&&s)&&g(i,m)&&k(i,m)&&(f(m),t.preventDefault())}else if(v&&Gj(i,m)&&!A){const e=Zj(i,m,d,!0);e&&(Qj(e,m,p),t.preventDefault())}else if(b&&E.getSelection().isCollapsed&&Jj(i,L)&&!A){QP(Zj(i,L,d),m),t.preventDefault()}}return d.addEventListener("mousedown",m),d.addEventListener("keydown",b),()=>{d.removeEventListener("mousedown",m),d.removeEventListener("keydown",b)}}),[])}function tF(e,t,n){let r=t;do{if(e===r)return!0;r=r[n]}while(r);return!1}function nF(){const{getBlockOrder:e,getSelectedBlockClientIds:t,getBlockRootClientId:n}=Cl(DM),{multiSelect:r}=sd(DM),o=function(){const{getAllShortcutKeyCombinations:e}=Cl(ZB);return function(t,n){return e(t).some((({modifier:e,character:t})=>vm[e](n,t)))}}();return i_((a=>{function i(a){if(!o("core/block-editor/select-all",a))return;if(!function(e){if(KP(e))return 0===e.selectionStart&&e.value.length===e.selectionEnd;if(!e.isContentEditable)return!0;const{ownerDocument:t}=e,{defaultView:n}=t;ds();const r=n.getSelection();ds();const o=r.rangeCount?r.getRangeAt(0):null;if(!o)return!0;const{startContainer:a,endContainer:i,startOffset:s,endOffset:l}=o;if(a===e&&i===e&&0===s&&l===e.childNodes.length)return!0;e.lastChild,ds();const c=i.nodeType===i.TEXT_NODE?i.data.length:i.childNodes.length;return tF(a,e,"firstChild")&&tF(i,e,"lastChild")&&0===s&&l===c}(a.target))return;const i=t(),[s]=i,l=n(s);let c=e(l);i.length===c.length&&(c=e(n(l)));const u=(0,ot.first)(c),d=(0,ot.last)(c);u!==d&&(r(u,d),a.preventDefault())}return a.addEventListener("keydown",i),()=>{a.removeEventListener("keydown",i)}}),[])}function rF(){const[e,t,n]=function(){const e=(0,et.useRef)(),t=(0,et.useRef)(),n=(0,et.useRef)(),r=(0,et.useRef)(),{hasMultiSelection:o,getSelectedBlockClientId:a}=Cl(DM),{setNavigationMode:i}=sd(DM),s=Cl((e=>e(DM).isNavigationMode()),[])?void 0:"0",l=(0,et.useRef)();function c(t){if(l.current)l.current=null;else if(o())e.current.focus();else if(a())r.current.focus();else{i(!0);const n=t.target.compareDocumentPosition(e.current)&t.target.DOCUMENT_POSITION_FOLLOWING?"findNext":"findPrevious";zm.tabbable[n](t.target).focus()}}const u=(0,et.createElement)("div",{ref:t,tabIndex:s,onFocus:c}),d=(0,et.createElement)("div",{ref:n,tabIndex:s,onFocus:c}),p=i_((s=>{function c(e){if(e.defaultPrevented)return;if(e.keyCode===rm&&!o())return e.preventDefault(),void i(!0);if(9!==e.keyCode)return;const r=e.shiftKey,c=r?"findPrevious":"findNext";if(!o()&&!a())return void(e.target===s&&i(!0));if($j(e.target)&&$j(zm.tabbable[c](e.target)))return;const u=r?t:n;l.current=!0,u.current.focus({preventScroll:!0})}function u(e){r.current=e.target}function d(r){var o;if(9!==r.keyCode)return;if("region"===(null===(o=r.target)||void 0===o?void 0:o.getAttribute("role")))return;if(e.current===r.target)return;const a=r.shiftKey?"findPrevious":"findNext",i=zm.tabbable[a](r.target);i!==t.current&&i!==n.current||(r.preventDefault(),i.focus({preventScroll:!0}))}return s.ownerDocument.defaultView.addEventListener("keydown",d),s.addEventListener("keydown",c),s.addEventListener("focusout",u),()=>{s.ownerDocument.defaultView.removeEventListener("keydown",d),s.removeEventListener("keydown",c),s.removeEventListener("focusout",u)}}),[]);return[u,Rm([e,p]),d]}(),r=Cl((e=>e(DM).hasMultiSelection()),[]);return[e,Rm([t,Uj(),nF(),eF(),i_((e=>{if(e.tabIndex=-1,r)return e.setAttribute("aria-label",Zn("Multiple selected blocks")),()=>{e.removeAttribute("aria-label")}}),[r])]),n]}const oF=(0,et.forwardRef)((function({children:e,...t},n){const[r,o,a]=rF();return(0,et.createElement)(et.Fragment,null,r,(0,et.createElement)("div",rt({},t,{ref:Rm([o,n]),className:io()(t.className,"block-editor-writing-flow")}),e),a)})),aF=(0,ot.overEvery)([sI,zm.tabbable.isTabbableIndex]);const iF=(0,et.createContext)({});function sF(e,t=""){var n;const r=(0,et.useContext)(iF),{name:o}=Ig();t=t||o;const a=Boolean(null===(n=r[t])||void 0===n?void 0:n.has(e)),i=(0,et.useMemo)((()=>function(e,t,n){const r={...e,[t]:e[t]?new Set(e[t]):new Set};return r[t].add(n),r}(r,t,e)),[r,t,e]);return[a,(0,et.useCallback)((({children:e})=>(0,et.createElement)(iF.Provider,{value:i},e)),[i])]}var lF=n(3692),cF=n.n(lF);const uF=/\/\*[^*]*\*+([^/*][^*]*\*+)*\//g;function dF(e,t){t=t||{};let n=1,r=1;function o(e){const t=e.match(/\n/g);t&&(n+=t.length);const o=e.lastIndexOf("\n");r=~o?e.length-o:r+e.length}function a(){const e={line:n,column:r};return function(t){return t.position=new i(e),m(),t}}function i(e){this.start=e,this.end={line:n,column:r},this.source=t.source}i.prototype.content=e;const s=[];function l(o){const a=new Error(t.source+":"+n+":"+r+": "+o);if(a.reason=o,a.filename=t.source,a.line=n,a.column=r,a.source=e,!t.silent)throw a;s.push(a)}function c(){return p(/^{\s*/)}function u(){return p(/^}/)}function d(){let t;const n=[];for(m(),f(n);e.length&&"}"!==e.charAt(0)&&(t=E()||L());)!1!==t&&(n.push(t),f(n));return n}function p(t){const n=t.exec(e);if(!n)return;const r=n[0];return o(r),e=e.slice(r.length),n}function m(){p(/^\s*/)}function f(e){let t;for(e=e||[];t=h();)!1!==t&&e.push(t);return e}function h(){const t=a();if("/"!==e.charAt(0)||"*"!==e.charAt(1))return;let n=2;for(;""!==e.charAt(n)&&("*"!==e.charAt(n)||"/"!==e.charAt(n+1));)++n;if(n+=2,""===e.charAt(n-1))return l("End of comment missing");const i=e.slice(2,n-2);return r+=2,o(i),e=e.slice(n),r+=2,t({type:"comment",comment:i})}function g(){const e=p(/^([^{]+)/);if(e)return pF(e[0]).replace(/\/\*([^*]|[\r\n]|(\*+([^*/]|[\r\n])))*\*\/+/g,"").replace(/"(?:\\"|[^"])*"|'(?:\\'|[^'])*'/g,(function(e){return e.replace(/,/g,"‌")})).split(/\s*(?![^(]*\)),\s*/).map((function(e){return e.replace(/\u200C/g,",")}))}function b(){const e=a();let t=p(/^(\*?[-#\/\*\\\w]+(\[[0-9a-z_-]+\])?)\s*/);if(!t)return;if(t=pF(t[0]),!p(/^:\s*/))return l("property missing ':'");const n=p(/^((?:'(?:\\'|.)*?'|"(?:\\"|.)*?"|\([^\)]*?\)|[^};])+)/),r=e({type:"declaration",property:t.replace(uF,""),value:n?pF(n[0]).replace(uF,""):""});return p(/^[;\s]*/),r}function v(){const e=[];if(!c())return l("missing '{'");let t;for(f(e);t=b();)!1!==t&&(e.push(t),f(e));return u()?e:l("missing '}'")}function y(){let e;const t=[],n=a();for(;e=p(/^((\d+\.\d+|\.\d+|\d+)%?|[a-z]+)\s*/);)t.push(e[1]),p(/^,\s*/);if(t.length)return n({type:"keyframe",values:t,declarations:v()})}const _=w("import"),M=w("charset"),k=w("namespace");function w(e){const t=new RegExp("^@"+e+"\\s*([^;]+);");return function(){const n=a(),r=p(t);if(!r)return;const o={type:e};return o[e]=r[1].trim(),n(o)}}function E(){if("@"===e[0])return function(){const e=a();let t=p(/^@([-\w]+)?keyframes\s*/);if(!t)return;const n=t[1];if(t=p(/^([-\w]+)\s*/),!t)return l("@keyframes missing name");const r=t[1];if(!c())return l("@keyframes missing '{'");let o,i=f();for(;o=y();)i.push(o),i=i.concat(f());return u()?e({type:"keyframes",name:r,vendor:n,keyframes:i}):l("@keyframes missing '}'")}()||function(){const e=a(),t=p(/^@media *([^{]+)/);if(!t)return;const n=pF(t[1]);if(!c())return l("@media missing '{'");const r=f().concat(d());return u()?e({type:"media",media:n,rules:r}):l("@media missing '}'")}()||function(){const e=a(),t=p(/^@custom-media\s+(--[^\s]+)\s*([^{;]+);/);if(t)return e({type:"custom-media",name:pF(t[1]),media:pF(t[2])})}()||function(){const e=a(),t=p(/^@supports *([^{]+)/);if(!t)return;const n=pF(t[1]);if(!c())return l("@supports missing '{'");const r=f().concat(d());return u()?e({type:"supports",supports:n,rules:r}):l("@supports missing '}'")}()||_()||M()||k()||function(){const e=a(),t=p(/^@([-\w]+)?document *([^{]+)/);if(!t)return;const n=pF(t[1]),r=pF(t[2]);if(!c())return l("@document missing '{'");const o=f().concat(d());return u()?e({type:"document",document:r,vendor:n,rules:o}):l("@document missing '}'")}()||function(){const e=a();if(!p(/^@page */))return;const t=g()||[];if(!c())return l("@page missing '{'");let n,r=f();for(;n=b();)r.push(n),r=r.concat(f());return u()?e({type:"page",selectors:t,declarations:r}):l("@page missing '}'")}()||function(){const e=a();if(!p(/^@host\s*/))return;if(!c())return l("@host missing '{'");const t=f().concat(d());return u()?e({type:"host",rules:t}):l("@host missing '}'")}()||function(){const e=a();if(!p(/^@font-face\s*/))return;if(!c())return l("@font-face missing '{'");let t,n=f();for(;t=b();)n.push(t),n=n.concat(f());return u()?e({type:"font-face",declarations:n}):l("@font-face missing '}'")}()}function L(){const e=a(),t=g();return t?(f(),e({type:"rule",selectors:t,declarations:v()})):l("selector missing")}return mF(function(){const e=d();return{type:"stylesheet",stylesheet:{source:t.source,rules:e,parsingErrors:s}}}())}function pF(e){return e?e.replace(/^\s+|\s+$/g,""):""}function mF(e,t){const n=e&&"string"==typeof e.type,r=n?e:t;for(const t in e){const n=e[t];Array.isArray(n)?n.forEach((function(e){mF(e,r)})):n&&"object"==typeof n&&mF(n,r)}return n&&Object.defineProperty(e,"parent",{configurable:!0,writable:!0,enumerable:!1,value:t||null}),e}var fF=n(5717),hF=n.n(fF);const gF=bF;function bF(e){this.options=e||{}}bF.prototype.emit=function(e){return e},bF.prototype.visit=function(e){return this[e.type](e)},bF.prototype.mapVisit=function(e,t){let n="";t=t||"";for(let r=0,o=e.length;rt=>{if("declaration"===t.type){const a=function(e){const t=/url\((\s*)(['"]?)(.+?)\2(\s*)\)/g;let n;const r=[];for(;null!==(n=t.exec(e));){const e={source:n[0],before:n[1],quote:n[2],value:n[3],after:n[4]};wF(e)&&r.push(e)}return r}(t.value).map((o=e,e=>({...e,newUrl:"url("+e.before+e.quote+EF(e.value,o)+e.quote+e.after+")"})));return{...t,value:(n=t.value,r=a,r.forEach((e=>{n=n.replace(e.source,e.newUrl)})),n)}}var n,r,o;return t},AF=/^(body|html|:root).*$/,SF=(e,t=[])=>n=>{const r=n=>t.includes(n.trim())?n:n.match(AF)?n.replace(/^(body|html|:root)/,e):e+" "+n;return"rule"===n.type?{...n,selectors:n.selectors.map(r)}:n},CF=(e,t="")=>(0,ot.map)(e,(({css:e,baseURL:n,__experimentalNoWrapper:r=!1})=>{const o=[];return t&&!r&&o.push(SF(t)),n&&o.push(LF(n)),o.length?kF(e,WA(o)):e})),TF={insertUsage:{},isPublishSidebarEnabled:!0},xF={...Rg,richEditingEnabled:!0,codeEditingEnabled:!0,enableCustomFields:!1,supportsLayout:!0};function zF(e){return e&&"object"==typeof e&&"raw"in e?e.raw:e}const OF=it()({postId:function(e=null,t){switch(t.type){case"SETUP_EDITOR_STATE":case"RESET_POST":return t.post.id}return e},postType:function(e=null,t){switch(t.type){case"SETUP_EDITOR_STATE":case"RESET_POST":return t.post.type}return e},preferences:function(e=TF,t){switch(t.type){case"ENABLE_PUBLISH_SIDEBAR":return{...e,isPublishSidebarEnabled:!0};case"DISABLE_PUBLISH_SIDEBAR":return{...e,isPublishSidebarEnabled:!1}}return e},saving:function(e={},t){switch(t.type){case"REQUEST_POST_UPDATE_START":case"REQUEST_POST_UPDATE_FINISH":return{pending:"REQUEST_POST_UPDATE_START"===t.type,options:t.options||{}}}return e},postLock:function(e={isLocked:!1},t){switch(t.type){case"UPDATE_POST_LOCK":return t.lock}return e},template:function(e={isValid:!0},t){switch(t.type){case"SET_TEMPLATE_VALIDITY":return{...e,isValid:t.isValid}}return e},postSavingLock:function(e={},t){switch(t.type){case"LOCK_POST_SAVING":return{...e,[t.lockName]:!0};case"UNLOCK_POST_SAVING":return(0,ot.omit)(e,t.lockName)}return e},isReady:function(e=!1,t){switch(t.type){case"SETUP_EDITOR_STATE":return!0;case"TEAR_DOWN_EDITOR":return!1}return e},editorSettings:function(e=xF,t){switch(t.type){case"UPDATE_EDITOR_SETTINGS":return{...e,...t.settings}}return e},postAutosavingLock:function(e={},t){switch(t.type){case"LOCK_POST_AUTOSAVING":return{...e,[t.lockName]:!0};case"UNLOCK_POST_AUTOSAVING":return(0,ot.omit)(e,t.lockName)}return e}});var NF=n(381),DF=n.n(NF);n(5177),n(5341);const BF="WP",IF=/^[+-][0-1][0-9](:?[0-9][0-9])?$/;let PF={l10n:{locale:"en",months:["January","February","March","April","May","June","July","August","September","October","November","December"],monthsShort:["Jan","Feb","Mar","Apr","May","Jun","Jul","Aug","Sep","Oct","Nov","Dec"],weekdays:["Sunday","Monday","Tuesday","Wednesday","Thursday","Friday","Saturday"],weekdaysShort:["Sun","Mon","Tue","Wed","Thu","Fri","Sat"],meridiem:{am:"am",pm:"pm",AM:"AM",PM:"PM"},relative:{future:"%s from now",past:"%s ago",s:"a few seconds",ss:"%d seconds",m:"a minute",mm:"%d minutes",h:"an hour",hh:"%d hours",d:"a day",dd:"%d days",M:"a month",MM:"%d months",y:"a year",yy:"%d years"}},formats:{time:"g: i a",date:"F j, Y",datetime:"F j, Y g: i a",datetimeAbbreviated:"M j, Y g: i a"},timezone:{offset:"0",string:"",abbr:""}};function RF(){return PF}function YF(){DF().tz.add(DF().tz.pack({name:BF,abbrs:[BF],untils:[null],offsets:[60*-PF.timezone.offset||0]}))}const WF={d:"DD",D:"ddd",j:"D",l:"dddd",N:"E",S(e){const t=e.format("D");return e.format("Do").replace(t,"")},w:"d",z:e=>(parseInt(e.format("DDD"),10)-1).toString(),W:"W",F:"MMMM",m:"MM",M:"MMM",n:"M",t:e=>e.daysInMonth(),L:e=>e.isLeapYear()?"1":"0",o:"GGGG",Y:"YYYY",y:"YY",a:"a",A:"A",B(e){const t=DF()(e).utcOffset(60),n=parseInt(t.format("s"),10),r=parseInt(t.format("m"),10),o=parseInt(t.format("H"),10);return parseInt(((n+60*r+3600*o)/86.4).toString(),10)},g:"h",G:"H",h:"hh",H:"HH",i:"mm",s:"ss",u:"SSSSSS",v:"SSS",e:"zz",I:e=>e.isDST()?"1":"0",O:"ZZ",P:"Z",T:"z",Z(e){const t=e.format("Z"),n="-"===t[0]?-1:1,r=t.substring(1).split(":").map((e=>parseInt(e,10)));return n*(60*r[0]+r[1])*60},c:"YYYY-MM-DDTHH:mm:ssZ",r:"ddd, D MMM YYYY HH:mm:ss ZZ",U:"X"};function HF(e,t=new Date){let n,r;const o=[],a=DF()(t);for(n=0;n()=>e(vd).hasUndo())),aV=Lt((e=>()=>e(vd).hasRedo()));function iV(e){return"auto-draft"===dV(e).status}function sV(e){const t=gV(e);return"blocks"in t||"content"in t}const lV=Lt((e=>t=>{const n=pV(t),r=mV(t);return!!e(vd).hasEditsForEntityRecord("postType",n,r)})),cV=Lt((e=>t=>{const n=e(vd).__experimentalGetDirtyEntityRecords(),{type:r,id:o}=dV(t);return(0,ot.some)(n,(e=>"postType"!==e.kind||e.name!==r||e.key!==o))}));function uV(e){return!lV(e)&&iV(e)}const dV=Lt((e=>t=>{const n=mV(t),r=pV(t),o=e(vd).getRawEntityRecord("postType",r,n);return o||nV}));function pV(e){return e.postType}function mV(e){return e.postId}function fV(e){return(0,ot.get)(dV(e),["_links","version-history",0,"count"],0)}function hV(e){return(0,ot.get)(dV(e),["_links","predecessor-version",0,"id"],null)}const gV=Lt((e=>t=>{const n=pV(t),r=mV(t);return e(vd).getEntityRecordEdits("postType",n,r)||nV})),bV=Lt((e=>()=>(Hp("`wp.data.select( 'core/editor' ).getReferenceByDistinctEdits`",{since:"5.4",alternative:"`wp.data.select( 'core' ).getReferenceByDistinctEdits`"}),e(vd).getReferenceByDistinctEdits())));function vV(e,t){switch(t){case"type":return pV(e);case"id":return mV(e);default:const n=dV(e);if(!n.hasOwnProperty(t))break;return zF(n[t])}}function yV(e,t){switch(t){case"content":return qV(e)}const n=gV(e);return n.hasOwnProperty(t)?UF.has(t)?((e,t)=>{const n=gV(e);return n.hasOwnProperty(t)?{...vV(e,t),...n[t]}:vV(e,t)})(e,t):n[t]:vV(e,t)}const _V=Lt((e=>(t,n)=>{if(!(0,ot.includes)(QF,n)&&"preview_link"!==n)return;const r=pV(t),o=mV(t),a=(0,ot.get)(e(vd).getCurrentUser(),["id"]),i=e(vd).getAutosave(r,o,a);return i?zF(i[n]):void 0}));function MV(e){if("private"===yV(e,"status"))return"private";return yV(e,"password")?"password":"public"}function kV(e){return"pending"===dV(e).status}function wV(e,t){const n=t||dV(e);return-1!==["publish","private"].indexOf(n.status)||"future"===n.status&&!jF(new Date(Number(FF(n.date))-6e4))}function EV(e){return"future"===dV(e).status&&!wV(e)}function LV(e){const t=dV(e);return lV(e)||-1===["publish","private","future"].indexOf(t.status)}function AV(e){return!NV(e)&&(!!yV(e,"title")||!!yV(e,"excerpt")||!SV(e)||"native"===Qg.OS)}function SV(e){const t=nX(e);if(t.length){if(t.length>1)return!1;const e=t[0].name;if(e!==No()&&e!==zo())return!1}return!qV(e)}const CV=Lt((e=>t=>{if(!AV(t))return!1;if(GV(t))return!1;const n=pV(t),r=mV(t),o=e(vd).hasFetchedAutosaves(n,r),a=(0,ot.get)(e(vd).getCurrentUser(),["id"]),i=e(vd).getAutosave(n,r,a);return!!o&&(!i||(!!sV(t)||["title","excerpt"].some((e=>zF(i[e])!==yV(t,e)))))})),TV=Lt((e=>t=>{Hp("`wp.data.select( 'core/editor' ).getAutosave()`",{since:"5.3",alternative:"`wp.data.select( 'core' ).getAutosave( postType, postId, userId )`"});const n=pV(t),r=mV(t),o=(0,ot.get)(e(vd).getCurrentUser(),["id"]),a=e(vd).getAutosave(n,r,o);return(0,ot.mapValues)((0,ot.pick)(a,QF),zF)})),xV=Lt((e=>t=>{Hp("`wp.data.select( 'core/editor' ).hasAutosave()`",{since:"5.3",alternative:"`!! wp.data.select( 'core' ).getAutosave( postType, postId, userId )`"});const n=pV(t),r=mV(t),o=(0,ot.get)(e(vd).getCurrentUser(),["id"]);return!!e(vd).getAutosave(n,r,o)}));function zV(e){const t=yV(e,"date");return jF(new Date(Number(FF(t))-6e4))}function OV(e){const t=yV(e,"date"),n=yV(e,"modified"),r=dV(e).status;return("draft"===r||"auto-draft"===r||"pending"===r)&&(t===n||null===t)}const NV=Lt((e=>t=>{const n=pV(t),r=mV(t);return e(vd).isSavingEntityRecord("postType",n,r)})),DV=Lt((e=>t=>{const n=e(vd).__experimentalGetEntitiesBeingSaved(),{type:r,id:o}=dV(t);return(0,ot.some)(n,(e=>"postType"!==e.kind||e.name!==r||e.key!==o))})),BV=Lt((e=>t=>{const n=pV(t),r=mV(t);return!e(vd).getLastEntitySaveError("postType",n,r)})),IV=Lt((e=>t=>{const n=pV(t),r=mV(t);return!!e(vd).getLastEntitySaveError("postType",n,r)}));function PV(e){return!!NV(e)&&!!(0,ot.get)(e.saving,["options","isAutosave"])}function RV(e){return!!NV(e)&&!!e.saving.options.isPreview}function YV(e){if(e.saving.pending||NV(e))return;let t=_V(e,"preview_link");t||(t=yV(e,"link"),t&&(t=Il(t,{preview:!0})));const n=yV(e,"featured_media");return t&&n?Il(t,{_thumbnail_id:n}):t}function WV(e){const t=nX(e);if(t.length>2)return null;let n;if(1===t.length&&(n=t[0].name,"core/embed"===n)){var r;const e=null===(r=t[0].attributes)||void 0===r?void 0:r.providerNameSlug;["youtube","vimeo"].includes(e)?n="core/video":["spotify","soundcloud"].includes(e)&&(n="core/audio")}switch(2===t.length&&"core/paragraph"===t[1].name&&(n=t[0].name),n){case"core/image":return"image";case"core/quote":case"core/pullquote":return"quote";case"core/gallery":return"gallery";case"core/video":return"video";case"core/audio":return"audio";default:return null}}function HV(e){Hp("`core/editor` getBlocksForSerialization selector",{since:"5.3",alternative:"getEditorBlocks",hint:"Blocks serialization pre-processing occurs at save time"});const t=e.editor.present.blocks.value;return 1===t.length&&bo(t[0])?[]:t}const qV=Lt((e=>t=>{const n=mV(t),r=pV(t),o=e(vd).getEditedEntityRecord("postType",r,n);if(o){if("function"==typeof o.content)return o.content(o);if(o.blocks)return fi(o.blocks);if(o.content)return o.content}return""}));function jV(e){return NV(e)&&!wV(e)&&"publish"===yV(e,"status")}function FV(e){const t=yV(e,"permalink_template");return JF.test(t)}function VV(e){const t=UV(e);if(!t)return null;const{prefix:n,postName:r,suffix:o}=t;return FV(e)?n+r+o:n}function XV(e){return yV(e,"slug")||function(e){return e?(0,ot.trim)((0,ot.deburr)(e).replace(/[\s\./]+/g,"-").replace(/[^\p{L}\p{N}_-]+/gu,"").toLowerCase(),"-"):""}(yV(e,"title"))||mV(e)}function UV(e){const t=yV(e,"permalink_template");if(!t)return null;const n=yV(e,"slug")||yV(e,"generated_slug"),[r,o]=t.split(JF);return{prefix:r,postName:n,suffix:o}}function $V(e){return e.postLock.isLocked}function KV(e){return Object.keys(e.postSavingLock).length>0}function GV(e){return Object.keys(e.postAutosavingLock).length>0}function JV(e){return e.postLock.isTakeover}function QV(e){return e.postLock.user}function ZV(e){return e.postLock.activePostLock}function eX(e){return(0,ot.has)(dV(e),["_links","wp:action-unfiltered-html"])}function tX(e){return e.preferences.hasOwnProperty("isPublishSidebarEnabled")?e.preferences.isPublishSidebarEnabled:TF.isPublishSidebarEnabled}function nX(e){return yV(e,"blocks")||rV}function rX(e){var t;return Hp("select('core/editor').getEditorSelectionStart",{since:"10.0",plugin:"Gutenberg",alternative:"select('core/editor').getEditorSelection"}),null===(t=yV(e,"selection"))||void 0===t?void 0:t.selectionStart}function oX(e){var t;return Hp("select('core/editor').getEditorSelectionStart",{since:"10.0",plugin:"Gutenberg",alternative:"select('core/editor').getEditorSelection"}),null===(t=yV(e,"selection"))||void 0===t?void 0:t.selectionEnd}function aX(e){return yV(e,"selection")}function iX(e){return e.isReady}function sX(e){return e.editorSettings}function lX(){return Hp("select('core/editor').getStateBeforeOptimisticTransaction",{since:"5.7",hint:"No state history is kept on this store anymore"}),null}function cX(){return Hp("select('core/editor').inSomeHistory",{since:"5.7",hint:"No state history is kept on this store anymore"}),!1}function uX(e){return Lt((t=>(n,...r)=>(Hp("`wp.data.select( 'core/editor' )."+e+"`",{since:"5.3",alternative:"`wp.data.select( 'core/block-editor' )."+e+"`"}),t(DM)[e](...r))))}const dX=uX("getBlockName"),pX=uX("isBlockValid"),mX=uX("getBlockAttributes"),fX=uX("getBlock"),hX=uX("getBlocks"),gX=uX("__unstableGetBlockWithoutInnerBlocks"),bX=uX("getClientIdsOfDescendants"),vX=uX("getClientIdsWithDescendants"),yX=uX("getGlobalBlockCount"),_X=uX("getBlocksByClientId"),MX=uX("getBlockCount"),kX=uX("getBlockSelectionStart"),wX=uX("getBlockSelectionEnd"),EX=uX("getSelectedBlockCount"),LX=uX("hasSelectedBlock"),AX=uX("getSelectedBlockClientId"),SX=uX("getSelectedBlock"),CX=uX("getBlockRootClientId"),TX=uX("getBlockHierarchyRootClientId"),xX=uX("getAdjacentBlockClientId"),zX=uX("getPreviousBlockClientId"),OX=uX("getNextBlockClientId"),NX=uX("getSelectedBlocksInitialCaretPosition"),DX=uX("getMultiSelectedBlockClientIds"),BX=uX("getMultiSelectedBlocks"),IX=uX("getFirstMultiSelectedBlockClientId"),PX=uX("getLastMultiSelectedBlockClientId"),RX=uX("isFirstMultiSelectedBlock"),YX=uX("isBlockMultiSelected"),WX=uX("isAncestorMultiSelected"),HX=uX("getMultiSelectedBlocksStartClientId"),qX=uX("getMultiSelectedBlocksEndClientId"),jX=uX("getBlockOrder"),FX=uX("getBlockIndex"),VX=uX("isBlockSelected"),XX=uX("hasSelectedInnerBlock"),UX=uX("isBlockWithinSelection"),$X=uX("hasMultiSelection"),KX=uX("isMultiSelecting"),GX=uX("isSelectionEnabled"),JX=uX("getBlockMode"),QX=uX("isTyping"),ZX=uX("isCaretWithinFormattedText"),eU=uX("getBlockInsertionPoint"),tU=uX("isBlockInsertionPointVisible"),nU=uX("isValidTemplate"),rU=uX("getTemplate"),oU=uX("getTemplateLock"),aU=uX("canInsertBlockType"),iU=uX("getInserterItems"),sU=uX("hasInserterItems"),lU=uX("getBlockListSettings");function cU(e){var t;return null===(t=sX(e))||void 0===t?void 0:t.defaultTemplateTypes}const uU=hr((e=>{var t;const n=(null===(t=sX(e))||void 0===t?void 0:t.defaultTemplatePartAreas)||[];return null==n?void 0:n.map((e=>{return{...e,icon:(t=e.icon,"header"===t?ZF:"footer"===t?eV:"sidebar"===t?tV:XW)};var t}))}),(e=>{var t;return[null===(t=sX(e))||void 0===t?void 0:t.defaultTemplatePartAreas]})),dU=hr(((e,t)=>(0,ot.find)(cU(e),{slug:t})||{}),((e,t)=>[cU(e),t]));function pU(e,t){var n;if(!t)return{};const{excerpt:r,slug:o,title:a,area:i}=t,{title:s,description:l}=dU(e,o),c=(0,ot.isString)(a)?a:null==a?void 0:a.rendered;return{title:c&&c!==o?c:s||o,description:((0,ot.isString)(r)?r:null==r?void 0:r.raw)||l,icon:(null===(n=uU(e).find((e=>i===e.area)))||void 0===n?void 0:n.icon)||XW}}const mU=Lt((e=>t=>{var n;const r=pV(t),o=e(vd).getPostType(r);return null==o||null===(n=o.labels)||void 0===n?void 0:n.singular_name}));function*fU(e,t,n){let r;r=(0,ot.has)(t,["content"])?t.content:e.content.raw;let o=ts(r);"auto-draft"===e.status&&n&&(o=pl(o,n)),yield gU(e),yield{type:"SETUP_EDITOR",post:e,edits:t,template:n},yield PU(o,{__unstableShouldCreateUndoLevel:!1}),yield MU(e),t&&Object.keys(t).some((n=>t[n]!==((0,ot.has)(e,[n,"raw"])?e[n].raw:e[n])))&&(yield kU(t))}function hU(){return{type:"TEAR_DOWN_EDITOR"}}function gU(e){return{type:"RESET_POST",post:e}}function*bU(e){Hp("resetAutosave action (`core/editor` store)",{since:"5.3",alternative:"receiveAutosaves action (`core` store)"});const t=yield xt.select($F,"getCurrentPostId");return yield xt.dispatch(vd.name,"receiveAutosaves",t,e),{type:"__INERT__"}}function vU(e={}){return{type:"REQUEST_POST_UPDATE_START",options:e}}function yU(e={}){return{type:"REQUEST_POST_UPDATE_FINISH",options:e}}function _U(){return Hp("wp.data.dispatch( 'core/editor' ).updatePost",{since:"5.7",alternative:"Use the core entities store instead"}),{type:"DO_NOTHING"}}function MU(e){return{type:"SETUP_EDITOR_STATE",post:e}}function*kU(e,t){const{id:n,type:r}=yield xt.select($F,"getCurrentPost");yield xt.dispatch(vd.name,"editEntityRecord","postType",r,n,e,t)}function*wU(e={}){if(!(yield xt.select($F,"isEditedPostSaveable")))return;let t={content:yield xt.select($F,"getEditedPostContent")};e.isAutosave||(yield xt.dispatch($F,"editPost",t,{undoIgnore:!0})),yield vU(e);const n=yield xt.select($F,"getCurrentPost");t={id:n.id,...yield xt.select(vd.name,"getEntityRecordNonTransientEdits","postType",n.type,n.id),...t},yield xt.dispatch(vd.name,"saveEntityRecord","postType",n.type,t,e),yield yU(e);const r=yield xt.select(vd.name,"getLastEntitySaveError","postType",n.type,n.id);if(r){const e=function(e){const{post:t,edits:n,error:r}=e;if(r&&"rest_autosave_no_changes"===r.code)return[];const o=["publish","private","future"],a=-1!==o.indexOf(t.status),i={publish:Zn("Publishing failed."),private:Zn("Publishing failed."),future:Zn("Scheduling failed.")};let s=a||-1===o.indexOf(n.status)?Zn("Updating failed."):i[n.status];return r.message&&!/<\/?[^>]*>/.test(r.message)&&(s=[s,r.message].join(" ")),[s,{id:KF}]}({post:n,edits:t,error:r});e.length&&(yield xt.dispatch(_I,"createErrorNotice",...e))}else{const t=yield xt.select($F,"getCurrentPost"),r=function(e){const{previousPost:t,post:n,postType:r}=e;if((0,ot.get)(e.options,["isAutosave"]))return[];const o=["publish","private","future"],a=(0,ot.includes)(o,t.status),i=(0,ot.includes)(o,n.status);let s,l=(0,ot.get)(r,["viewable"],!1);if(a||i?a&&!i?(s=r.labels.item_reverted_to_draft,l=!1):s=!a&&i?{publish:r.labels.item_published,private:r.labels.item_published_privately,future:r.labels.item_scheduled}[n.status]:r.labels.item_updated:s=null,s){const e=[];return l&&e.push({label:r.labels.view_item,url:n.link}),[s,{id:KF,type:"snackbar",actions:e}]}return[]}({previousPost:n,post:t,postType:yield xt.resolveSelect(vd.name,"getPostType",t.type),options:e});r.length&&(yield xt.dispatch(_I,"createSuccessNotice",...r)),e.isAutosave||(yield xt.dispatch(DM.name,"__unstableMarkLastChangeAsPersistent"))}}function*EU(){const e=yield xt.select($F,"getCurrentPost"),t=yield xt.select($F,"getCurrentPostType"),n=yield xt.resolveSelect(vd.name,"getPostType",t),r=yield ec({path:`/wp/v2/${n.rest_base}/${e.id}?context=edit&_timestamp=${Date.now()}`});yield xt.dispatch($F,"resetPost",r)}function*LU(){const e=yield xt.select($F,"getCurrentPostType"),t=yield xt.resolveSelect(vd.name,"getPostType",e);yield xt.dispatch(_I,"removeNotice",GF);try{const e=yield xt.select($F,"getCurrentPost");yield ec({path:`/wp/v2/${t.rest_base}/${e.id}`,method:"DELETE"}),yield xt.dispatch($F,"savePost")}catch(e){yield xt.dispatch(_I,"createErrorNotice",...(n={error:e},[n.error.message&&"unknown_error"!==n.error.code?n.error.message:Zn("Trashing failed"),{id:GF}]))}var n}function*AU({local:e=!1,...t}={}){if(e){const e=yield xt.select($F,"getCurrentPost"),t=yield xt.select($F,"isEditedPostNew"),n=yield xt.select($F,"getEditedPostAttribute","title"),r=yield xt.select($F,"getEditedPostAttribute","content"),o=yield xt.select($F,"getEditedPostAttribute","excerpt");yield{type:"LOCAL_AUTOSAVE_SET",postId:e.id,isPostNew:t,title:n,content:r,excerpt:o}}else yield xt.dispatch($F,"savePost",{isAutosave:!0,...t})}function*SU(){yield xt.dispatch(vd.name,"redo")}function*CU(){yield xt.dispatch(vd.name,"undo")}function TU(){return{type:"CREATE_UNDO_LEVEL"}}function xU(e){return{type:"UPDATE_POST_LOCK",lock:e}}function zU(){return{type:"ENABLE_PUBLISH_SIDEBAR"}}function OU(){return{type:"DISABLE_PUBLISH_SIDEBAR"}}function NU(e){return{type:"LOCK_POST_SAVING",lockName:e}}function DU(e){return{type:"UNLOCK_POST_SAVING",lockName:e}}function BU(e){return{type:"LOCK_POST_AUTOSAVING",lockName:e}}function IU(e){return{type:"UNLOCK_POST_AUTOSAVING",lockName:e}}function*PU(e,t={}){const{__unstableShouldCreateUndoLevel:n,selection:r}=t,o={blocks:e,selection:r};if(!1!==n){const{id:e,type:t}=yield xt.select($F,"getCurrentPost");if((yield xt.select(vd.name,"getEditedEntityRecord","postType",t,e)).blocks===o.blocks)return yield xt.dispatch(vd.name,"__unstableCreateUndoLevel","postType",t,e);o.content=({blocks:e=[]})=>fi(e)}yield*kU(o)}function RU(e){return{type:"UPDATE_EDITOR_SETTINGS",settings:e}}const YU=e=>function*(...t){Hp("`wp.data.dispatch( 'core/editor' )."+e+"`",{since:"5.3",alternative:"`wp.data.dispatch( 'core/block-editor' )."+e+"`"}),yield xt.dispatch(DM.name,e,...t)},WU=YU("resetBlocks"),HU=YU("receiveBlocks"),qU=YU("updateBlock"),jU=YU("updateBlockAttributes"),FU=YU("selectBlock"),VU=YU("startMultiSelect"),XU=YU("stopMultiSelect"),UU=YU("multiSelect"),$U=YU("clearSelectedBlock"),KU=YU("toggleSelection"),GU=YU("replaceBlocks"),JU=YU("replaceBlock"),QU=YU("moveBlocksDown"),ZU=YU("moveBlocksUp"),e$=YU("moveBlockToPosition"),t$=YU("insertBlock"),n$=YU("insertBlocks"),r$=YU("showInsertionPoint"),o$=YU("hideInsertionPoint"),a$=YU("setTemplateValidity"),i$=YU("synchronizeTemplate"),s$=YU("mergeBlocks"),l$=YU("removeBlocks"),c$=YU("removeBlock"),u$=YU("toggleBlockMode"),d$=YU("startTyping"),p$=YU("stopTyping"),m$=YU("enterFormattedText"),f$=YU("exitFormattedText"),h$=YU("insertDefaultBlock"),g$=YU("updateBlockListSettings");function b$(e,t){return`wp-autosave-block-editor-post-${t?"auto-draft":e}`}const v$={LOCAL_AUTOSAVE_SET({postId:e,isPostNew:t,title:n,content:r,excerpt:o}){!function(e,t,n,r,o){window.sessionStorage.setItem(b$(e,t),JSON.stringify({post_title:n,content:r,excerpt:o}))}(e,t,n,r,o)}},y$={reducer:OF,selectors:M,actions:k,controls:{...nc,...v$}},_$=Gt($F,{...y$,persist:["preferences"]});nn($F,{...y$,persist:["preferences"]});function M$(e){const t=(0,ot.mapValues)((0,ot.pickBy)(e.attributes,{source:"meta"}),"meta");return(0,ot.isEmpty)(t)||(e.edit=(e=>ni((t=>({attributes:n,setAttributes:r,...o})=>{const a=Cl((e=>e(_$).getCurrentPostType()),[]),[i,s]=pd("postType",a,"meta"),l=(0,et.useMemo)((()=>({...n,...(0,ot.mapValues)(e,(e=>i[e]))})),[n,i]);return(0,et.createElement)(t,rt({attributes:l,setAttributes:t=>{const n=(0,ot.mapKeys)((0,ot.pickBy)(t,((t,n)=>e[n])),((t,n)=>e[n]));(0,ot.isEmpty)(n)||s(n),r(t)}},o))}),"withMetaAttributeSource"))(t)(e.edit)),e}function k$(e){const t=e.avatar_urls&&e.avatar_urls[24]?(0,et.createElement)("img",{className:"editor-autocompleters__user-avatar",alt:"",src:e.avatar_urls[24]}):(0,et.createElement)("span",{className:"editor-autocompleters__no-avatar"});return(0,et.createElement)(et.Fragment,null,t,(0,et.createElement)("span",{className:"editor-autocompleters__user-name"},e.name),(0,et.createElement)("span",{className:"editor-autocompleters__user-slug"},e.slug))}Bn("blocks.registerBlockType","core/editor/custom-sources-backwards-compatibility/shim-attribute-source",M$),en(Kr).getBlockTypes().map((({name:e})=>en(Kr).getBlockType(e))).forEach(M$);const w$={name:"users",className:"editor-autocompleters__user",triggerPrefix:"@",useItems(e){const t=Cl((t=>{const{getUsers:n}=t(vd);return n({context:"view",search:encodeURIComponent(e)})}),[e]);return[(0,et.useMemo)((()=>t?t.map((e=>({key:`user-${e.slug}`,value:e,label:k$(e)}))):[]),[t])]},getOptionCompletion:e=>`@${e.slug}`};Bn("editor.Autocomplete.completers","editor/autocompleters/set-default-completers",(function(e=[]){return e.push((0,ot.clone)(w$)),e}));const E$=function({notices:e,onRemove:t=ot.noop,className:n,children:r}){return n=io()("components-notice-list",n),(0,et.createElement)("div",{className:n},r,[...e].reverse().map((e=>{return(0,et.createElement)(gT,rt({},(0,ot.omit)(e,["content"]),{key:e.id,onRemove:(n=e.id,()=>t(n))}),e.content);var n})))};const L$=WA([LI((e=>({isValid:e(DM).isValidTemplate()}))),SI((e=>{const{setTemplateValidity:t,synchronizeTemplate:n}=e(DM);return{resetTemplateValidity:()=>t(!0),synchronizeTemplate:n}}))])((function({isValid:e,...t}){return e?null:(0,et.createElement)(gT,{className:"editor-template-validation-notice",isDismissible:!1,status:"warning",actions:[{label:Zn("Keep it as is"),onClick:t.resetTemplateValidity},{label:Zn("Reset the template"),onClick:()=>{window.confirm(Zn("Resetting the template may result in loss of content, do you want to continue?"))&&t.synchronizeTemplate()}}]},Zn("The content of your post doesn’t match the template assigned to your post type."))}));const A$=WA([LI((e=>({notices:e(_I).getNotices()}))),SI((e=>({onRemove:e(_I).removeNotice})))])((function({notices:e,onRemove:t}){const n=(0,ot.filter)(e,{isDismissible:!0,type:"default"}),r=(0,ot.filter)(e,{isDismissible:!1,type:"default"});return(0,et.createElement)(et.Fragment,null,(0,et.createElement)(E$,{notices:r,className:"components-editor-notices__pinned"}),(0,et.createElement)(E$,{notices:n,className:"components-editor-notices__dismissible",onRemove:t},(0,et.createElement)(L$,null)))}));function S$({text:e,children:t}){const n=oI(e);return(0,et.createElement)(nh,{variant:"secondary",ref:n},t)}class C$ extends et.Component{constructor(){super(...arguments),this.reboot=this.reboot.bind(this),this.getContent=this.getContent.bind(this),this.state={error:null}}componentDidCatch(e){this.setState({error:e})}reboot(){this.props.onError()}getContent(){try{return en(_$).getEditedPostContent()}catch(e){}}render(){const{error:e}=this.state;return e?(0,et.createElement)(IP,{className:"editor-error-boundary",actions:[(0,et.createElement)(nh,{key:"recovery",onClick:this.reboot,variant:"secondary"},Zn("Attempt Recovery")),(0,et.createElement)(S$,{key:"copy-post",text:this.getContent},Zn("Copy Post Text")),(0,et.createElement)(S$,{key:"copy-error",text:e.stack},Zn("Copy Error"))]},Zn("The editor has encountered an unexpected error.")):this.props.children}}const T$=C$,x$=(0,et.createElement)(po,{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24"},(0,et.createElement)(co,{d:"M12 3.2c-4.8 0-8.8 3.9-8.8 8.8 0 4.8 3.9 8.8 8.8 8.8 4.8 0 8.8-3.9 8.8-8.8 0-4.8-4-8.8-8.8-8.8zm0 16c-4 0-7.2-3.3-7.2-7.2C4.8 8 8 4.8 12 4.8s7.2 3.3 7.2 7.2c0 4-3.2 7.2-7.2 7.2zM11 17h2v-6h-2v6zm0-8h2V7h-2v2z"}));function z$(){const e=Cl((e=>e(_$).getEditedPostAttribute("content"))),t=er("words","Word count type. Do not translate!");return(0,et.createElement)("span",{className:"word-count"},Cj(e,t))}const O$=({children:e,isValid:t,level:n,href:r,onSelect:o})=>(0,et.createElement)("li",{className:io()("document-outline__item",`is-${n.toLowerCase()}`,{"is-invalid":!t})},(0,et.createElement)("a",{href:r,className:"document-outline__button",onClick:o},(0,et.createElement)("span",{className:"document-outline__emdash","aria-hidden":"true"}),(0,et.createElement)("strong",{className:"document-outline__level"},n),(0,et.createElement)("span",{className:"document-outline__item-content"},e))),N$=(0,et.createElement)("em",null,Zn("(Empty heading)")),D$=[(0,et.createElement)("br",{key:"incorrect-break"}),(0,et.createElement)("em",{key:"incorrect-message"},Zn("(Incorrect heading level)"))],B$=[(0,et.createElement)("br",{key:"incorrect-break-h1"}),(0,et.createElement)("em",{key:"incorrect-message-h1"},Zn("(Your theme may already use a H1 for the post title)"))],I$=[(0,et.createElement)("br",{key:"incorrect-break-multiple-h1"}),(0,et.createElement)("em",{key:"incorrect-message-multiple-h1"},Zn("(Multiple H1 headings are not recommended)"))],P$=(e=[])=>(0,ot.flatMap)(e,((e={})=>"core/heading"===e.name?{...e,level:e.attributes.level,isEmpty:R$(e)}:P$(e.innerBlocks))),R$=e=>!e.attributes.content||0===e.attributes.content.length,Y$=WA(LI((e=>{const{getBlocks:t}=e(DM),{getEditedPostAttribute:n}=e(_$),{getPostType:r}=e(vd),o=r(n("type"));return{title:n("title"),blocks:t(),isTitleSupported:(0,ot.get)(o,["supports","title"],!1)}})))((({blocks:e=[],title:t,onSelect:n,isTitleSupported:r,hasOutlineItemsDisabled:o})=>{const a=P$(e);if(a.length<1)return null;let i=1;const s=document.querySelector(".editor-post-title__input"),l=r&&t&&s,c=(0,ot.countBy)(a,"level")[1]>1;return(0,et.createElement)("div",{className:"document-outline"},(0,et.createElement)("ul",null,l&&(0,et.createElement)(O$,{level:Zn("Title"),isValid:!0,onSelect:n,href:`#${s.id}`,isDisabled:o},t),a.map(((e,t)=>{const r=e.level>i+1,a=!(e.isEmpty||r||!e.level||1===e.level&&(c||l));return i=e.level,(0,et.createElement)(O$,{key:t,level:`H${e.level}`,isValid:a,isDisabled:o,href:`#block-${e.clientId}`,onSelect:n},e.isEmpty?N$:ky(dy({html:e.attributes.content})),r&&D$,1===e.level&&c&&I$,l&&1===e.level&&!c&&B$)}))))}));function W$(){return Cj(Cl((e=>e(_$).getEditedPostAttribute("content"))),"characters_including_spaces")}const H$=function({hasOutlineItemsDisabled:e,onRequestClose:t}){const{headingCount:n,paragraphCount:r,numberOfBlocks:o}=Cl((e=>{const{getGlobalBlockCount:t}=e(DM);return{headingCount:t("core/heading"),paragraphCount:t("core/paragraph"),numberOfBlocks:t()}}),[]);return(0,et.createElement)(et.Fragment,null,(0,et.createElement)("div",{className:"table-of-contents__wrapper",role:"note","aria-label":Zn("Document Statistics"),tabIndex:"0"},(0,et.createElement)("ul",{role:"list",className:"table-of-contents__counts"},(0,et.createElement)("li",{className:"table-of-contents__count"},Zn("Characters"),(0,et.createElement)("span",{className:"table-of-contents__number"},(0,et.createElement)(W$,null))),(0,et.createElement)("li",{className:"table-of-contents__count"},Zn("Words"),(0,et.createElement)(z$,null)),(0,et.createElement)("li",{className:"table-of-contents__count"},Zn("Headings"),(0,et.createElement)("span",{className:"table-of-contents__number"},n)),(0,et.createElement)("li",{className:"table-of-contents__count"},Zn("Paragraphs"),(0,et.createElement)("span",{className:"table-of-contents__number"},r)),(0,et.createElement)("li",{className:"table-of-contents__count"},Zn("Blocks"),(0,et.createElement)("span",{className:"table-of-contents__number"},o)))),n>0&&(0,et.createElement)(et.Fragment,null,(0,et.createElement)("hr",null),(0,et.createElement)("h2",{className:"table-of-contents__title"},Zn("Document Outline")),(0,et.createElement)(Y$,{onSelect:t,hasOutlineItemsDisabled:e})))};const q$=(0,et.forwardRef)((function({hasOutlineItemsDisabled:e,repositionDropdown:t,...n},r){const o=Cl((e=>!!e(DM).getBlockCount()),[]);return(0,et.createElement)(Eg,{position:t?"middle right right":"bottom",className:"table-of-contents",contentClassName:"table-of-contents__popover",renderToggle:({isOpen:e,onToggle:t})=>(0,et.createElement)(nh,rt({},n,{ref:r,onClick:o?t:void 0,icon:x$,"aria-expanded":e,"aria-haspopup":"true",label:Zn("Details"),tooltipPosition:"bottom","aria-disabled":!o})),renderContent:({onClose:t})=>(0,et.createElement)(H$,{onRequestClose:t,hasOutlineItemsDisabled:e})})})),{wp:j$}=window,F$=[],V$=()=>j$.media.view.MediaFrame.Select.extend({featuredImageToolbar(e){this.createSelectToolbar(e,{text:j$.media.view.l10n.setFeaturedImage,state:this.options.state})},editState(){const e=this.state("featured-image").get("selection"),t=new j$.media.view.EditImage({model:e.single(),controller:this}).render();this.content.set(t),t.loadEditor()},createStates:function(){this.on("toolbar:create:featured-image",this.featuredImageToolbar,this),this.on("content:render:edit-image",this.editState,this),this.states.add([new j$.media.controller.FeaturedImage,new j$.media.controller.EditImage({model:this.options.editImage})])}}),X$=()=>j$.media.view.MediaFrame.Post.extend({galleryToolbar(){const e=this.state().get("editing");this.toolbar.set(new j$.media.view.Toolbar({controller:this,items:{insert:{style:"primary",text:e?j$.media.view.l10n.updateGallery:j$.media.view.l10n.insertGallery,priority:80,requires:{library:!0},click(){const e=this.controller,t=e.state();e.close(),t.trigger("update",t.get("library")),e.setState(e.options.state),e.reset()}}}}))},editState(){const e=this.state("gallery").get("selection"),t=new j$.media.view.EditImage({model:e.single(),controller:this}).render();this.content.set(t),t.loadEditor()},createStates:function(){this.on("toolbar:create:main-gallery",this.galleryToolbar,this),this.on("content:render:edit-image",this.editState,this),this.states.add([new j$.media.controller.Library({id:"gallery",title:j$.media.view.l10n.createGalleryTitle,priority:40,toolbar:"main-gallery",filterable:"uploaded",multiple:"add",editable:!1,library:j$.media.query((0,ot.defaults)({type:"image"},this.options.library))}),new j$.media.controller.EditImage({model:this.options.editImage}),new j$.media.controller.GalleryEdit({library:this.options.selection,editing:this.options.editing,menu:"gallery",displaySettings:!1,multiple:!0}),new j$.media.controller.GalleryAdd])}}),U$=e=>(0,ot.pick)(e,["sizes","mime","type","subtype","id","url","alt","link","caption"]),$$=e=>j$.media.query({order:"ASC",orderby:"post__in",post__in:e,posts_per_page:-1,query:!0,type:"image"});class K$ extends et.Component{constructor({allowedTypes:e,gallery:t=!1,unstableFeaturedImageFlow:n=!1,modalClass:r,multiple:o=!1,title:a=Zn("Select or Upload Media")}){if(super(...arguments),this.openModal=this.openModal.bind(this),this.onOpen=this.onOpen.bind(this),this.onSelect=this.onSelect.bind(this),this.onUpdate=this.onUpdate.bind(this),this.onClose=this.onClose.bind(this),t)this.buildAndSetGalleryFrame();else{const t={title:a,multiple:o};e&&(t.library={type:e}),this.frame=j$.media(t)}r&&this.frame.$el.addClass(r),n&&this.buildAndSetFeatureImageFrame(),this.initializeListeners()}initializeListeners(){this.frame.on("select",this.onSelect),this.frame.on("update",this.onUpdate),this.frame.on("open",this.onOpen),this.frame.on("close",this.onClose)}buildAndSetGalleryFrame(){const{addToGallery:e=!1,allowedTypes:t,multiple:n=!1,value:r=F$}=this.props;if(r===this.lastGalleryValue)return;let o;this.lastGalleryValue=r,this.frame&&this.frame.remove(),o=e?"gallery-library":r&&r.length?"gallery-edit":"gallery",this.GalleryDetailsMediaFrame||(this.GalleryDetailsMediaFrame=X$());const a=$$(r),i=new j$.media.model.Selection(a.models,{props:a.props.toJSON(),multiple:n});this.frame=new this.GalleryDetailsMediaFrame({mimeType:t,state:o,multiple:n,selection:i,editing:!(!r||!r.length)}),j$.media.frame=this.frame,this.initializeListeners()}buildAndSetFeatureImageFrame(){const e=V$(),t=$$(this.props.value),n=new j$.media.model.Selection(t.models,{props:t.props.toJSON()});this.frame=new e({mimeType:this.props.allowedTypes,state:"featured-image",multiple:this.props.multiple,selection:n,editing:!!this.props.value}),j$.media.frame=this.frame}componentWillUnmount(){this.frame.remove()}onUpdate(e){const{onSelect:t,multiple:n=!1}=this.props,r=this.frame.state(),o=e||r.get("selection");o&&o.models.length&&t(n?o.models.map((e=>U$(e.toJSON()))):U$(o.models[0].toJSON()))}onSelect(){const{onSelect:e,multiple:t=!1}=this.props,n=this.frame.state().get("selection").toJSON();e(t?n:n[0])}onOpen(){var e;this.updateCollection();if(Array.isArray(this.props.value)?!(null===(e=this.props.value)||void 0===e||!e.length):!!this.props.value){if(!this.props.gallery){const e=this.frame.state().get("selection");(0,ot.castArray)(this.props.value).forEach((t=>{e.add(j$.media.attachment(t))}))}$$((0,ot.castArray)(this.props.value)).more()}}onClose(){const{onClose:e}=this.props;e&&e()}updateCollection(){const e=this.frame.content.get();if(e&&e.collection){const t=e.collection;t.toArray().forEach((e=>e.trigger("destroy",e))),t.mirroring._hasMore=!0,t.more()}}openModal(){this.props.gallery&&this.buildAndSetGalleryFrame(),this.frame.open()}render(){return this.props.render({open:this.openModal})}}const G$=K$;const J$=(0,et.createElement)(po,{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24"},(0,et.createElement)(co,{d:"M18.3 4H9.9v-.1l-.9.2c-2.3.4-4 2.4-4 4.8s1.7 4.4 4 4.8l.7.1V20h1.5V5.5h2.9V20h1.5V5.5h2.7V4z"})),Q$={className:!1},Z$={align:{type:"string"},content:{type:"string",source:"html",selector:"p",default:""},dropCap:{type:"boolean",default:!1},placeholder:{type:"string"},textColor:{type:"string"},backgroundColor:{type:"string"},fontSize:{type:"string"},direction:{type:"string",enum:["ltr","rtl"]},style:{type:"object"}},eK=e=>{if(!e.customTextColor&&!e.customBackgroundColor&&!e.customFontSize)return e;const t={};return(e.customTextColor||e.customBackgroundColor)&&(t.color={}),e.customTextColor&&(t.color.text=e.customTextColor),e.customBackgroundColor&&(t.color.background=e.customBackgroundColor),e.customFontSize&&(t.typography={fontSize:e.customFontSize}),{...(0,ot.omit)(e,["customTextColor","customBackgroundColor","customFontSize"]),style:t}},tK=[{supports:Q$,attributes:{...(0,ot.omit)(Z$,["style"]),customTextColor:{type:"string"},customBackgroundColor:{type:"string"},customFontSize:{type:"number"}},migrate:eK,save({attributes:e}){const{align:t,content:n,dropCap:r,backgroundColor:o,textColor:a,customBackgroundColor:i,customTextColor:s,fontSize:l,customFontSize:c,direction:u}=e,d=VS("color",a),p=VS("background-color",o),m=yz(l),f=io()({"has-text-color":a||s,"has-background":o||i,"has-drop-cap":r,[`has-text-align-${t}`]:t,[m]:m,[d]:d,[p]:p}),h={backgroundColor:p?void 0:i,color:d?void 0:s,fontSize:m?void 0:c};return(0,et.createElement)(tj.Content,{tagName:"p",style:h,className:f||void 0,value:n,dir:u})}},{supports:Q$,attributes:{...(0,ot.omit)(Z$,["style"]),customTextColor:{type:"string"},customBackgroundColor:{type:"string"},customFontSize:{type:"number"}},migrate:eK,save({attributes:e}){const{align:t,content:n,dropCap:r,backgroundColor:o,textColor:a,customBackgroundColor:i,customTextColor:s,fontSize:l,customFontSize:c,direction:u}=e,d=VS("color",a),p=VS("background-color",o),m=yz(l),f=io()({"has-text-color":a||s,"has-background":o||i,"has-drop-cap":r,[m]:m,[d]:d,[p]:p}),h={backgroundColor:p?void 0:i,color:d?void 0:s,fontSize:m?void 0:c,textAlign:t};return(0,et.createElement)(tj.Content,{tagName:"p",style:h,className:f||void 0,value:n,dir:u})}},{supports:Q$,attributes:{...(0,ot.omit)(Z$,["style"]),customTextColor:{type:"string"},customBackgroundColor:{type:"string"},customFontSize:{type:"number"},width:{type:"string"}},migrate:eK,save({attributes:e}){const{width:t,align:n,content:r,dropCap:o,backgroundColor:a,textColor:i,customBackgroundColor:s,customTextColor:l,fontSize:c,customFontSize:u}=e,d=VS("color",i),p=VS("background-color",a),m=c&&`is-${c}-text`,f=io()({[`align${t}`]:t,"has-background":a||s,"has-drop-cap":o,[m]:m,[d]:d,[p]:p}),h={backgroundColor:p?void 0:s,color:d?void 0:l,fontSize:m?void 0:u,textAlign:n};return(0,et.createElement)(tj.Content,{tagName:"p",style:h,className:f||void 0,value:r})}},{supports:Q$,attributes:(0,ot.omit)({...Z$,fontSize:{type:"number"}},["style"]),save({attributes:e}){const{width:t,align:n,content:r,dropCap:o,backgroundColor:a,textColor:i,fontSize:s}=e,l=io()({[`align${t}`]:t,"has-background":a,"has-drop-cap":o}),c={backgroundColor:a,color:i,fontSize:s,textAlign:n};return(0,et.createElement)("p",{style:c,className:l||void 0},r)},migrate:e=>eK((0,ot.omit)({...e,customFontSize:(0,ot.isFinite)(e.fontSize)?e.fontSize:void 0,customTextColor:e.textColor&&"#"===e.textColor[0]?e.textColor:void 0,customBackgroundColor:e.backgroundColor&&"#"===e.backgroundColor[0]?e.backgroundColor:void 0}))},{supports:Q$,attributes:{...Z$,content:{type:"string",source:"html",default:""}},save:({attributes:e})=>(0,et.createElement)(Ia,null,e.content),migrate:e=>e}],nK=(0,et.createElement)(po,{xmlns:"http://www.w3.org/2000/svg",viewBox:"-2 -2 24 24"},(0,et.createElement)(co,{d:"M5.52 2h7.43c.55 0 1 .45 1 1s-.45 1-1 1h-1v13c0 .55-.45 1-1 1s-1-.45-1-1V5c0-.55-.45-1-1-1s-1 .45-1 1v12c0 .55-.45 1-1 1s-1-.45-1-1v-5.96h-.43C3.02 11.04 1 9.02 1 6.52S3.02 2 5.52 2zM14 14l5-4-5-4v8z"}));function rK({direction:e,setDirection:t}){return nr()&&(0,et.createElement)(HM,{controls:[{icon:nK,title:er("Left to right","editor button"),isActive:"ltr"===e,onClick(){t("ltr"===e?void 0:"ltr")}}]})}const oK=function({attributes:e,mergeBlocks:t,onReplace:n,onRemove:r,setAttributes:o,clientId:a}){const{align:i,content:s,direction:l,dropCap:c,placeholder:u}=e,d=TL("typography.dropCap"),p=vR({className:io()({"has-drop-cap":c,[`has-text-align-${i}`]:i}),style:{direction:l}});return(0,et.createElement)(et.Fragment,null,(0,et.createElement)(WM,{group:"block"},(0,et.createElement)(jN,{value:i,onChange:e=>o({align:e})}),(0,et.createElement)(rK,{direction:l,setDirection:e=>o({direction:e})})),d&&(0,et.createElement)(kA,null,(0,et.createElement)(mA,{title:Zn("Text settings")},(0,et.createElement)(kN,{label:Zn("Drop cap"),checked:!!c,onChange:()=>o({dropCap:!c}),help:Zn(c?"Showing large initial letter.":"Toggle to show a large initial letter.")}))),(0,et.createElement)(tj,rt({identifier:"content",tagName:"p"},p,{value:s,onChange:e=>o({content:e}),onSplit:(t,n)=>{let r;(n||t)&&(r={...e,content:t});const o=Wo("core/paragraph",r);return n&&(o.clientId=a),o},onMerge:t,onReplace:n,onRemove:r,"aria-label":Zn(s?"Paragraph block":"Empty block; start writing or type forward slash to choose a block"),"data-empty":!s,placeholder:u||Zn("Type / to choose a block"),__unstableEmbedURLOnPaste:!0,__unstableAllowPrefixTransformations:!0})))};const{name:aK}={apiVersion:2,name:"core/paragraph",title:"Paragraph",category:"text",description:"Start with the building block of all narrative.",keywords:["text"],textdomain:"default",attributes:{align:{type:"string"},content:{type:"string",source:"html",selector:"p",default:"",__experimentalRole:"content"},dropCap:{type:"boolean",default:!1},placeholder:{type:"string"},direction:{type:"string",enum:["ltr","rtl"]}},supports:{anchor:!0,className:!1,color:{link:!0},typography:{fontSize:!0,lineHeight:!0},__experimentalSelector:"p",__unstablePasteTextInline:!0},editorStyle:"wp-block-paragraph-editor",style:"wp-block-paragraph"},iK={from:[{type:"raw",priority:20,selector:"p",schema:({phrasingContentSchema:e,isPaste:t})=>({p:{children:e,attributes:t?[]:["style","id"]}}),transform(e){const t=Ki(aK,e.outerHTML),{textAlign:n}=e.style||{};return"left"!==n&&"center"!==n&&"right"!==n||(t.align=n),Wo(aK,t)}}]},sK={apiVersion:2,name:"core/paragraph",title:"Paragraph",category:"text",description:"Start with the building block of all narrative.",keywords:["text"],textdomain:"default",attributes:{align:{type:"string"},content:{type:"string",source:"html",selector:"p",default:"",__experimentalRole:"content"},dropCap:{type:"boolean",default:!1},placeholder:{type:"string"},direction:{type:"string",enum:["ltr","rtl"]}},supports:{anchor:!0,className:!1,color:{link:!0},typography:{fontSize:!0,lineHeight:!0},__experimentalSelector:"p",__unstablePasteTextInline:!0},editorStyle:"wp-block-paragraph-editor",style:"wp-block-paragraph"},{name:lK}=sK,cK={icon:J$,example:{attributes:{content:Zn("In a village of La Mancha, the name of which I have no desire to call to mind, there lived not long since one of those gentlemen that keep a lance in the lance-rack, an old buckler, a lean hack, and a greyhound for coursing."),style:{typography:{fontSize:28}},dropCap:!0}},__experimentalLabel(e,{context:t}){if("accessibility"===t){const{content:t}=e;return(0,ot.isEmpty)(t)?Zn("Empty"):t}},transforms:iK,deprecated:tK,merge:(e,t)=>({content:(e.content||"")+(t.content||"")}),edit:oK,save:function({attributes:e}){const{align:t,content:n,dropCap:r,direction:o}=e,a=io()({"has-drop-cap":r,[`has-text-align-${t}`]:t});return(0,et.createElement)("p",vR.save({className:a,dir:o}),(0,et.createElement)(tj.Content,{value:n}))}},uK=(0,et.createElement)(po,{viewBox:"0 0 24 24",xmlns:"http://www.w3.org/2000/svg"},(0,et.createElement)(co,{d:"M19 3H5c-1.1 0-2 .9-2 2v14c0 1.1.9 2 2 2h14c1.1 0 2-.9 2-2V5c0-1.1-.9-2-2-2zM5 4.5h14c.3 0 .5.2.5.5v8.4l-3-2.9c-.3-.3-.8-.3-1 0L11.9 14 9 12c-.3-.2-.6-.2-.8 0l-3.6 2.6V5c-.1-.3.1-.5.4-.5zm14 15H5c-.3 0-.5-.2-.5-.5v-2.4l4.1-3 3 1.9c.3.2.7.2.9-.1L16 12l3.5 3.4V19c0 .3-.2.5-.5.5z"})),dK={align:{type:"string"},url:{type:"string",source:"attribute",selector:"img",attribute:"src"},alt:{type:"string",source:"attribute",selector:"img",attribute:"alt",default:""},caption:{type:"string",source:"html",selector:"figcaption"},href:{type:"string",source:"attribute",selector:"figure > a",attribute:"href"},rel:{type:"string",source:"attribute",selector:"figure > a",attribute:"rel"},linkClass:{type:"string",source:"attribute",selector:"figure > a",attribute:"class"},id:{type:"number"},width:{type:"number"},height:{type:"number"},linkDestination:{type:"string"},linkTarget:{type:"string",source:"attribute",selector:"figure > a",attribute:"target"}},pK=[{attributes:dK,save({attributes:e}){const{url:t,alt:n,caption:r,align:o,href:a,width:i,height:s,id:l}=e,c=io()({[`align${o}`]:o,"is-resized":i||s}),u=(0,et.createElement)("img",{src:t,alt:n,className:l?`wp-image-${l}`:null,width:i,height:s});return(0,et.createElement)("figure",{className:c},a?(0,et.createElement)("a",{href:a},u):u,!tj.isEmpty(r)&&(0,et.createElement)(tj.Content,{tagName:"figcaption",value:r}))}},{attributes:dK,save({attributes:e}){const{url:t,alt:n,caption:r,align:o,href:a,width:i,height:s,id:l}=e,c=(0,et.createElement)("img",{src:t,alt:n,className:l?`wp-image-${l}`:null,width:i,height:s});return(0,et.createElement)("figure",{className:o?`align${o}`:null},a?(0,et.createElement)("a",{href:a},c):c,!tj.isEmpty(r)&&(0,et.createElement)(tj.Content,{tagName:"figcaption",value:r}))}},{attributes:dK,save({attributes:e}){const{url:t,alt:n,caption:r,align:o,href:a,width:i,height:s}=e,l=i||s?{width:i,height:s}:{},c=(0,et.createElement)("img",rt({src:t,alt:n},l));let u={};return i?u={width:i}:"left"!==o&&"right"!==o||(u={maxWidth:"50%"}),(0,et.createElement)("figure",{className:o?`align${o}`:null,style:u},a?(0,et.createElement)("a",{href:a},c):c,!tj.isEmpty(r)&&(0,et.createElement)(tj.Content,{tagName:"figcaption",value:r}))}}],mK=ni((e=>{function t(t,r){const[o,a]=(0,et.useState)([]),i=(0,et.useMemo)((()=>{const e=e=>{const t=e.id?e:{...e,id:oo()};a((e=>[...e,t]))};return{createNotice:e,createErrorNotice:t=>{e({status:"error",content:t})},removeNotice:e=>{a((t=>t.filter((t=>t.id!==e))))},removeAllNotices:()=>{a([])}}}),[]),s={...t,noticeList:o,noticeOperations:i,noticeUI:o.length>0&&(0,et.createElement)(E$,{className:"components-with-notices-ui",notices:o,onRemove:i.removeNotice})};return n?(0,et.createElement)(e,rt({},s,{ref:r})):(0,et.createElement)(e,s)}let n;const{render:r}=e;return"function"==typeof r?(n=!0,(0,et.forwardRef)(t)):t})),fK=uk("box-shadow:0 0 0 transparent;transition:box-shadow 0.1s linear;border-radius:",rw.radiusBlockUi,";border:",rw.borderWidth," solid ",Ck.ui.border,";",""),hK=uk("border-color:var( --wp-admin-theme-color );box-shadow:0 0 0 calc( ",rw.borderWidthFocus," - ",rw.borderWidth," ) var( --wp-admin-theme-color );outline:2px solid transparent;",""),gK={huge:"1440px",wide:"1280px","x-large":"1080px",large:"960px",medium:"782px",small:"600px",mobile:"480px","zoomed-in":"280px"},bK=uk("font-family:",GL("default.fontFamily"),";padding:6px 8px;",fK,";font-size:",GL("mobileTextMinFontSize"),";line-height:normal;",`@media (min-width: ${gK["small"]})`,"{font-size:",GL("default.fontSize"),";line-height:normal;}&:focus{",hK,";}&::-webkit-input-placeholder{color:",Ck.darkGray.placeholder,";}&::-moz-placeholder{opacity:1;color:",Ck.darkGray.placeholder,";}&:-ms-input-placeholder{color:",Ck.darkGray.placeholder,";}.is-dark-theme &{&::-webkit-input-placeholder{color:",Ck.lightGray.placeholder,";}&::-moz-placeholder{opacity:1;color:",Ck.lightGray.placeholder,";}&:-ms-input-placeholder{color:",Ck.lightGray.placeholder,";}}","");const vK=Jf("textarea",{target:"ebk7yr50"})("width:100%;",bK,";");function yK({label:e,hideLabelFromVision:t,value:n,help:r,onChange:o,rows:a=4,className:i,...s}){const l=`inspector-textarea-control-${xk(yK)}`;return(0,et.createElement)(nA,{label:e,hideLabelFromVision:t,id:l,help:r,className:i},(0,et.createElement)(vK,rt({className:"components-textarea-control__input",id:l,rows:a,onChange:e=>o(e.target.value),"aria-describedby":r?l+"__help":void 0,value:n},s)))}var _K=function(){var e=function(t,n){return(e=Object.setPrototypeOf||{__proto__:[]}instanceof Array&&function(e,t){e.__proto__=t}||function(e,t){for(var n in t)t.hasOwnProperty(n)&&(e[n]=t[n])})(t,n)};return function(t,n){function r(){this.constructor=t}e(t,n),t.prototype=null===n?Object.create(n):(r.prototype=n.prototype,new r)}}(),MK=function(){return(MK=Object.assign||function(e){for(var t,n=1,r=arguments.length;n{s||(c(!1),d(!1))};(0,et.useEffect)((()=>{if(!(null!==p||null!==m))return;const e=p!==h.current,r=m!==f.current;if(e||r){if(p&&!h.current&&m&&!f.current)return h.current=p,void(f.current=m);e&&(c(!0),h.current=p),r&&(d(!0),f.current=m),n({width:p,height:m}),g.current&&HK(g.current),g.current=qK(b,t)}}),[p,m]);return{label:function({axis:e,height:t,moveX:n=!1,moveY:r=!1,position:o=jK,showPx:a=!1,width:i}){if(!n&&!r)return null;if(o===FK)return`${i} x ${t}`;const s=a?" px":"";if(e){if("x"===e&&n)return`${i}${s}`;if("y"===e&&r)return`${t}${s}`}if(n&&r)return`${i} x ${t}`;if(n)return`${i}${s}`;if(r)return`${t}${s}`;return null}({axis:e,height:m,moveX:l,moveY:u,position:r,showPx:o,width:p}),resizeListener:a}}const XK=Jf("div",{target:"ekdag503"})({name:"1cd7zoc",styles:"bottom:0;box-sizing:border-box;left:0;pointer-events:none;position:absolute;right:0;top:0"}),UK=Jf("div",{target:"ekdag502"})({name:"ajymcs",styles:"align-items:center;box-sizing:border-box;display:inline-flex;justify-content:center;opacity:0;pointer-events:none;transition:opacity 120ms linear"}),$K=Jf("div",{target:"ekdag501"})("background:",Ck.ui.border,";border-radius:2px;box-sizing:border-box;font-size:12px;color:",Ck.ui.textDark,";padding:4px 8px;position:relative;"),KK=Jf(gw,{target:"ekdag500"})({name:"1kboj1g",styles:"&&&{color:white;display:block;font-size:13px;line-height:1.4;}"});const GK=(0,et.forwardRef)((function({label:e,position:t=FK,zIndex:n=1e3,...r},o){const a=!!e,i=t===FK;if(!a)return null;let s={opacity:a?1:null,zIndex:n},l={};return t===jK&&(s={...s,position:"absolute",bottom:-10,left:"50%",transform:"translate(-50%, 0)"},l={transform:"translate(0, 100%)"}),i&&(s={...s,position:"absolute",top:4,right:nr()?null:4,left:nr()?4:null}),(0,et.createElement)(UK,rt({"aria-hidden":"true",className:"components-resizable-tooltip__tooltip-wrapper",isActive:a,ref:o,style:s},r),(0,et.createElement)($K,{className:"components-resizable-tooltip__tooltip",style:l},(0,et.createElement)(KK,{as:"span"},e)))}));const JK=(0,et.forwardRef)((function({axis:e,className:t,fadeTimeout:n=180,isVisible:r=!0,labelRef:o,onResize:a=ot.noop,position:i=jK,showPx:s=!0,zIndex:l=1e3,...c},u){const{label:d,resizeListener:p}=VK({axis:e,fadeTimeout:n,onResize:a,showPx:s,position:i});if(!r)return null;const m=io()("components-resize-tooltip",t);return(0,et.createElement)(XK,rt({"aria-hidden":"true",className:m,ref:u},c),p,(0,et.createElement)(GK,{"aria-hidden":c["aria-hidden"],fadeTimeout:n,isVisible:r,label:d,position:i,ref:o,zIndex:l}))}));const QK=(0,et.forwardRef)((function({className:e,children:t,showHandle:n=!0,__experimentalShowTooltip:r=!1,__experimentalTooltipProps:o={},...a},i){const s={width:null,height:null,top:null,right:null,bottom:null,left:null},l="components-resizable-box__handle",c="components-resizable-box__side-handle",u="components-resizable-box__corner-handle";return(0,et.createElement)(WK,rt({className:io()("components-resizable-box__container",n&&"has-show-handle",e),handleClasses:{top:io()(l,c,"components-resizable-box__handle-top"),right:io()(l,c,"components-resizable-box__handle-right"),bottom:io()(l,c,"components-resizable-box__handle-bottom"),left:io()(l,c,"components-resizable-box__handle-left"),topLeft:io()(l,u,"components-resizable-box__handle-top","components-resizable-box__handle-left"),topRight:io()(l,u,"components-resizable-box__handle-top","components-resizable-box__handle-right"),bottomRight:io()(l,u,"components-resizable-box__handle-bottom","components-resizable-box__handle-right"),bottomLeft:io()(l,u,"components-resizable-box__handle-bottom","components-resizable-box__handle-left")},handleStyles:{top:s,right:s,bottom:s,left:s,topLeft:s,topRight:s,bottomRight:s,bottomLeft:s},ref:i},a),t,r&&(0,et.createElement)(JK,o))}));function ZK(e){const t=(0,et.useRef)(void 0);return(0,et.useEffect)((()=>{t.current=e}),[e]),t.current}function eG(e){const t=/^[^\/\s:]+:(?:\/\/)?[^\/\s#?]+[\/]([^\s#?]+)[#?]{0,1}\S*$/.exec(e);if(t)return t[1]}const tG=(0,et.createElement)(po,{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24"},(0,et.createElement)(co,{d:"M16.5 7.8v7H18v-7c0-1-.8-1.8-1.8-1.8h-7v1.5h7c.2 0 .3.1.3.3zm-8.7 8.7c-.1 0-.2-.1-.2-.2V2H6v4H2v1.5h4v8.8c0 1 .8 1.8 1.8 1.8h8.8v4H18v-4h4v-1.5H7.8z"})),nG=(0,et.createElement)(po,{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24"},(0,et.createElement)(co,{d:"M18 4H6c-1.1 0-2 .9-2 2v12c0 1.1.9 2 2 2h12-9.8c.4 0 .8-.3.9-.7l1.1-3h3.6l.5 1.7h1.9L13 9h-2.2l-3.4 9.5H6c-.3 0-.5-.2-.5-.5V6c0-.3.2-.5.5-.5h12c.3 0 .5.2.5.5v12H20V6c0-1.1-.9-2-2-2zm-6 7l1.4 3.9h-2.7L12 11z"})),rG=[{ratio:"2.33",className:"wp-embed-aspect-21-9"},{ratio:"2.00",className:"wp-embed-aspect-18-9"},{ratio:"1.78",className:"wp-embed-aspect-16-9"},{ratio:"1.33",className:"wp-embed-aspect-4-3"},{ratio:"1.00",className:"wp-embed-aspect-1-1"},{ratio:"0.56",className:"wp-embed-aspect-9-16"},{ratio:"0.50",className:"wp-embed-aspect-1-2"}],oG="wp-embed";var aG=n(1991),iG=n.n(aG);const{name:sG}={apiVersion:2,name:"core/embed",title:"Embed",category:"embed",description:"Add a block that displays content pulled from other sites, like Twitter or YouTube.",textdomain:"default",attributes:{url:{type:"string"},caption:{type:"string",source:"html",selector:"figcaption"},type:{type:"string"},providerNameSlug:{type:"string"},allowResponsive:{type:"boolean",default:!0},responsive:{type:"boolean",default:!1},previewable:{type:"boolean",default:!0}},supports:{align:!0},editorStyle:"wp-block-embed-editor",style:"wp-block-embed"},lG=e=>e&&e.includes('class="wp-embedded-content"'),cG=(e,t={})=>{var n;const{preview:r,attributes:o={}}=e,{url:a,providerNameSlug:i,type:s,...l}=o;if(!a||!Do(sG))return;const c=(e=>{var t;return null===(t=Yo(sG))||void 0===t?void 0:t.find((({patterns:t})=>((e,t=[])=>t.some((t=>e.match(t))))(e,t)))})(a),u="wordpress"===i||s===oG;if(!u&&c&&(c.attributes.providerNameSlug!==i||!i))return Wo(sG,{url:a,...l,...c.attributes});const d=null===(n=Yo(sG))||void 0===n?void 0:n.find((({name:e})=>"wordpress"===e));return d&&r&&lG(r.html)&&!u?Wo(sG,{url:a,...d.attributes,...t}):void 0},uG=e=>{if(!e)return e;const t=rG.reduce(((e,{className:t})=>(e[t]=!1,e)),{"wp-has-aspect-ratio":!1});return iG()(e,t)};function dG(e,t,n=!0){if(!n)return uG(t);const r=document.implementation.createHTMLDocument("");r.body.innerHTML=e;const o=r.body.querySelector("iframe");if(o&&o.height&&o.width){const e=(o.width/o.height).toFixed(2);for(let n=0;n=r.ratio){return e-r.ratio>.1?uG(t):iG()(uG(t),r.className,"wp-has-aspect-ratio")}}}return t}const pG=sn()(((e,t,n,r,o=!0)=>{if(!e)return{};const a={};let{type:i="rich"}=e;const{html:s,provider_name:l}=e,c=(0,ot.kebabCase)((l||t).toLowerCase());return lG(s)&&(i=oG),(s||"photo"===i)&&(a.type=i,a.providerNameSlug=c),a.className=dG(s,n,r&&o),a}));function mG(e,t){const[n,r]=(0,et.useState)();function o(){r(e.current.clientWidth)}return(0,et.useEffect)(o,t),(0,et.useEffect)((()=>{const{defaultView:t}=e.current.ownerDocument;return t.addEventListener("resize",o),()=>{t.removeEventListener("resize",o)}}),[]),n}var fG=function(e,t){return(fG=Object.setPrototypeOf||{__proto__:[]}instanceof Array&&function(e,t){e.__proto__=t}||function(e,t){for(var n in t)Object.prototype.hasOwnProperty.call(t,n)&&(e[n]=t[n])})(e,t)};var hG=function(){return(hG=Object.assign||function(e){for(var t,n=1,r=arguments.length;nu*o?{width:u*o,height:u}:{width:c,height:c/o}}function yG(e,t,n,r,o){void 0===o&&(o=0);var a=TG(t.width,t.height,o),i=a.width,s=a.height;return{x:_G(e.x,i,n.width,r),y:_G(e.y,s,n.height,r)}}function _G(e,t,n,r){var o=t*r/2-n/2;return Math.min(o,Math.max(e,-o))}function MG(e,t){return Math.sqrt(Math.pow(e.y-t.y,2)+Math.pow(e.x-t.x,2))}function kG(e,t){return 180*Math.atan2(t.y-e.y,t.x-e.x)/Math.PI}function wG(e,t,n,r,o,a,i){void 0===a&&(a=0),void 0===i&&(i=!0);var s=i&&0===a?EG:LG,l={x:s(100,((t.width-n.width/o)/2-e.x/o)/t.width*100),y:s(100,((t.height-n.height/o)/2-e.y/o)/t.height*100),width:s(100,n.width/t.width*100/o),height:s(100,n.height/t.height*100/o)},c=Math.round(s(t.naturalWidth,l.width*t.naturalWidth/100)),u=Math.round(s(t.naturalHeight,l.height*t.naturalHeight/100)),d=t.naturalWidth>=t.naturalHeight*r?{width:Math.round(u*r),height:u}:{width:c,height:Math.round(c/r)};return{croppedAreaPercentages:l,croppedAreaPixels:hG(hG({},d),{x:Math.round(s(t.naturalWidth-d.width,l.x*t.naturalWidth/100)),y:Math.round(s(t.naturalHeight-d.height,l.y*t.naturalHeight/100))})}}function EG(e,t){return Math.min(e,Math.max(0,t))}function LG(e,t){return t}function AG(e,t,n){var r=t.width/t.naturalWidth,o=function(e,t,n){var r=t.width/t.naturalWidth;if(n)return n.height>n.width?n.height/r/e.height:n.width/r/e.width;var o=e.width/e.height;return t.naturalWidth>=t.naturalHeight*o?t.naturalHeight/e.height:t.naturalWidth/e.width}(e,t,n),a=r*o;return{crop:{x:((t.naturalWidth-e.width)/2-e.x)*a,y:((t.naturalHeight-e.height)/2-e.y)*a},zoom:o}}function SG(e,t){return{x:(t.x+e.x)/2,y:(t.y+e.y)/2}}function CG(e,t,n,r,o){var a=Math.cos,i=Math.sin,s=o*Math.PI/180;return[(e-n)*a(s)-(t-r)*i(s)+n,(e-n)*i(s)+(t-r)*a(s)+r]}function TG(e,t,n){var r=e/2,o=t/2,a=[CG(0,0,r,o,n),CG(e,0,r,o,n),CG(e,t,r,o,n),CG(0,t,r,o,n)],i=Math.min.apply(Math,a.map((function(e){return e[0]}))),s=Math.max.apply(Math,a.map((function(e){return e[0]}))),l=Math.min.apply(Math,a.map((function(e){return e[1]})));return{width:s-i,height:Math.max.apply(Math,a.map((function(e){return e[1]})))-l}}function xG(){for(var e=[],t=0;t0})).join(" ").trim()}const zG=function(e){function t(){var n=null!==e&&e.apply(this,arguments)||this;return n.imageRef=null,n.videoRef=null,n.containerRef=null,n.styleRef=null,n.containerRect=null,n.mediaSize={width:0,height:0,naturalWidth:0,naturalHeight:0},n.dragStartPosition={x:0,y:0},n.dragStartCrop={x:0,y:0},n.lastPinchDistance=0,n.lastPinchRotation=0,n.rafDragTimeout=null,n.rafPinchTimeout=null,n.wheelTimer=null,n.state={cropSize:null,hasWheelJustStarted:!1},n.preventZoomSafari=function(e){return e.preventDefault()},n.cleanEvents=function(){document.removeEventListener("mousemove",n.onMouseMove),document.removeEventListener("mouseup",n.onDragStopped),document.removeEventListener("touchmove",n.onTouchMove),document.removeEventListener("touchend",n.onDragStopped)},n.clearScrollEvent=function(){n.containerRef&&n.containerRef.removeEventListener("wheel",n.onWheel),n.wheelTimer&&clearTimeout(n.wheelTimer)},n.onMediaLoad=function(){n.computeSizes(),n.emitCropData(),n.setInitialCrop(),n.props.onMediaLoaded&&n.props.onMediaLoaded(n.mediaSize)},n.setInitialCrop=function(){var e=n.props,t=e.initialCroppedAreaPixels,r=e.cropSize;if(t){var o=AG(t,n.mediaSize,r),a=o.crop,i=o.zoom;n.props.onCropChange(a),n.props.onZoomChange&&n.props.onZoomChange(i)}},n.computeSizes=function(){var e,t,r,o,a,i,s=n.imageRef||n.videoRef;if(s&&n.containerRef){n.containerRect=n.containerRef.getBoundingClientRect(),n.mediaSize={width:s.offsetWidth,height:s.offsetHeight,naturalWidth:(null===(e=n.imageRef)||void 0===e?void 0:e.naturalWidth)||(null===(t=n.videoRef)||void 0===t?void 0:t.videoWidth)||0,naturalHeight:(null===(r=n.imageRef)||void 0===r?void 0:r.naturalHeight)||(null===(o=n.videoRef)||void 0===o?void 0:o.videoHeight)||0};var l=n.props.cropSize?n.props.cropSize:vG(s.offsetWidth,s.offsetHeight,n.containerRect.width,n.containerRect.height,n.props.aspect,n.props.rotation);(null===(a=n.state.cropSize)||void 0===a?void 0:a.height)===l.height&&(null===(i=n.state.cropSize)||void 0===i?void 0:i.width)===l.width||n.props.onCropSizeChange&&n.props.onCropSizeChange(l),n.setState({cropSize:l},n.recomputeCropPosition)}},n.onMouseDown=function(e){e.preventDefault(),document.addEventListener("mousemove",n.onMouseMove),document.addEventListener("mouseup",n.onDragStopped),n.onDragStart(t.getMousePoint(e))},n.onMouseMove=function(e){return n.onDrag(t.getMousePoint(e))},n.onTouchStart=function(e){e.preventDefault(),document.addEventListener("touchmove",n.onTouchMove,{passive:!1}),document.addEventListener("touchend",n.onDragStopped),2===e.touches.length?n.onPinchStart(e):1===e.touches.length&&n.onDragStart(t.getTouchPoint(e.touches[0]))},n.onTouchMove=function(e){e.preventDefault(),2===e.touches.length?n.onPinchMove(e):1===e.touches.length&&n.onDrag(t.getTouchPoint(e.touches[0]))},n.onDragStart=function(e){var t,r,o=e.x,a=e.y;n.dragStartPosition={x:o,y:a},n.dragStartCrop=hG({},n.props.crop),null===(r=(t=n.props).onInteractionStart)||void 0===r||r.call(t)},n.onDrag=function(e){var t=e.x,r=e.y;n.rafDragTimeout&&window.cancelAnimationFrame(n.rafDragTimeout),n.rafDragTimeout=window.requestAnimationFrame((function(){if(n.state.cropSize&&void 0!==t&&void 0!==r){var e=t-n.dragStartPosition.x,o=r-n.dragStartPosition.y,a={x:n.dragStartCrop.x+e,y:n.dragStartCrop.y+o},i=n.props.restrictPosition?yG(a,n.mediaSize,n.state.cropSize,n.props.zoom,n.props.rotation):a;n.props.onCropChange(i)}}))},n.onDragStopped=function(){var e,t;n.cleanEvents(),n.emitCropData(),null===(t=(e=n.props).onInteractionEnd)||void 0===t||t.call(e)},n.onWheel=function(e){e.preventDefault();var r=t.getMousePoint(e),o=bG()(e).pixelY,a=n.props.zoom-o*n.props.zoomSpeed/200;n.setNewZoom(a,r),n.state.hasWheelJustStarted||n.setState({hasWheelJustStarted:!0},(function(){var e,t;return null===(t=(e=n.props).onInteractionStart)||void 0===t?void 0:t.call(e)})),n.wheelTimer&&clearTimeout(n.wheelTimer),n.wheelTimer=window.setTimeout((function(){return n.setState({hasWheelJustStarted:!1},(function(){var e,t;return null===(t=(e=n.props).onInteractionEnd)||void 0===t?void 0:t.call(e)}))}),250)},n.getPointOnContainer=function(e){var t=e.x,r=e.y;if(!n.containerRect)throw new Error("The Cropper is not mounted");return{x:n.containerRect.width/2-(t-n.containerRect.left),y:n.containerRect.height/2-(r-n.containerRect.top)}},n.getPointOnMedia=function(e){var t=e.x,r=e.y,o=n.props,a=o.crop,i=o.zoom;return{x:(t+a.x)/i,y:(r+a.y)/i}},n.setNewZoom=function(e,t){if(n.state.cropSize&&n.props.onZoomChange){var r=n.getPointOnContainer(t),o=n.getPointOnMedia(r),a=Math.min(n.props.maxZoom,Math.max(e,n.props.minZoom)),i={x:o.x*a-r.x,y:o.y*a-r.y},s=n.props.restrictPosition?yG(i,n.mediaSize,n.state.cropSize,a,n.props.rotation):i;n.props.onCropChange(s),n.props.onZoomChange(a)}},n.getCropData=function(){return n.state.cropSize?wG(n.props.restrictPosition?yG(n.props.crop,n.mediaSize,n.state.cropSize,n.props.zoom,n.props.rotation):n.props.crop,n.mediaSize,n.state.cropSize,n.getAspect(),n.props.zoom,n.props.rotation,n.props.restrictPosition):null},n.emitCropData=function(){var e=n.getCropData();if(e){var t=e.croppedAreaPercentages,r=e.croppedAreaPixels;n.props.onCropComplete&&n.props.onCropComplete(t,r),n.props.onCropAreaChange&&n.props.onCropAreaChange(t,r)}},n.emitCropAreaChange=function(){var e=n.getCropData();if(e){var t=e.croppedAreaPercentages,r=e.croppedAreaPixels;n.props.onCropAreaChange&&n.props.onCropAreaChange(t,r)}},n.recomputeCropPosition=function(){if(n.state.cropSize){var e=n.props.restrictPosition?yG(n.props.crop,n.mediaSize,n.state.cropSize,n.props.zoom,n.props.rotation):n.props.crop;n.props.onCropChange(e),n.emitCropData()}},n}return function(e,t){function n(){this.constructor=e}fG(e,t),e.prototype=null===t?Object.create(t):(n.prototype=t.prototype,new n)}(t,e),t.prototype.componentDidMount=function(){window.addEventListener("resize",this.computeSizes),this.containerRef&&(this.props.zoomWithScroll&&this.containerRef.addEventListener("wheel",this.onWheel,{passive:!1}),this.containerRef.addEventListener("gesturestart",this.preventZoomSafari),this.containerRef.addEventListener("gesturechange",this.preventZoomSafari)),this.props.disableAutomaticStylesInjection||(this.styleRef=document.createElement("style"),this.styleRef.setAttribute("type","text/css"),this.styleRef.innerHTML=".reactEasyCrop_Container {\n position: absolute;\n top: 0;\n left: 0;\n right: 0;\n bottom: 0;\n overflow: hidden;\n user-select: none;\n touch-action: none;\n cursor: move;\n display: flex;\n justify-content: center;\n align-items: center;\n}\n\n.reactEasyCrop_Image,\n.reactEasyCrop_Video {\n will-change: transform; /* this improves performances and prevent painting issues on iOS Chrome */\n}\n\n.reactEasyCrop_Contain {\n max-width: 100%;\n max-height: 100%;\n margin: auto;\n position: absolute;\n top: 0;\n bottom: 0;\n left: 0;\n right: 0;\n}\n.reactEasyCrop_Cover_Horizontal {\n width: 100%;\n height: auto;\n}\n.reactEasyCrop_Cover_Vertical {\n width: auto;\n height: 100%;\n}\n\n.reactEasyCrop_CropArea {\n position: absolute;\n left: 50%;\n top: 50%;\n transform: translate(-50%, -50%);\n border: 1px solid rgba(255, 255, 255, 0.5);\n box-sizing: border-box;\n box-shadow: 0 0 0 9999em;\n color: rgba(0, 0, 0, 0.5);\n overflow: hidden;\n}\n\n.reactEasyCrop_CropAreaRound {\n border-radius: 50%;\n}\n\n.reactEasyCrop_CropAreaGrid::before {\n content: ' ';\n box-sizing: border-box;\n position: absolute;\n border: 1px solid rgba(255, 255, 255, 0.5);\n top: 0;\n bottom: 0;\n left: 33.33%;\n right: 33.33%;\n border-top: 0;\n border-bottom: 0;\n}\n\n.reactEasyCrop_CropAreaGrid::after {\n content: ' ';\n box-sizing: border-box;\n position: absolute;\n border: 1px solid rgba(255, 255, 255, 0.5);\n top: 33.33%;\n bottom: 33.33%;\n left: 0;\n right: 0;\n border-left: 0;\n border-right: 0;\n}\n",document.head.appendChild(this.styleRef)),this.imageRef&&this.imageRef.complete&&this.onMediaLoad()},t.prototype.componentWillUnmount=function(){var e;window.removeEventListener("resize",this.computeSizes),this.containerRef&&(this.containerRef.removeEventListener("gesturestart",this.preventZoomSafari),this.containerRef.removeEventListener("gesturechange",this.preventZoomSafari)),this.styleRef&&(null===(e=this.styleRef.parentNode)||void 0===e||e.removeChild(this.styleRef)),this.cleanEvents(),this.props.zoomWithScroll&&this.clearScrollEvent()},t.prototype.componentDidUpdate=function(e){var t,n,r,o,a,i,s,l,c;e.rotation!==this.props.rotation?(this.computeSizes(),this.recomputeCropPosition()):e.aspect!==this.props.aspect?this.computeSizes():e.zoom!==this.props.zoom?this.recomputeCropPosition():(null===(t=e.cropSize)||void 0===t?void 0:t.height)!==(null===(n=this.props.cropSize)||void 0===n?void 0:n.height)||(null===(r=e.cropSize)||void 0===r?void 0:r.width)!==(null===(o=this.props.cropSize)||void 0===o?void 0:o.width)?this.computeSizes():(null===(a=e.crop)||void 0===a?void 0:a.x)===(null===(i=this.props.crop)||void 0===i?void 0:i.x)&&(null===(s=e.crop)||void 0===s?void 0:s.y)===(null===(l=this.props.crop)||void 0===l?void 0:l.y)||this.emitCropAreaChange(),e.zoomWithScroll!==this.props.zoomWithScroll&&this.containerRef&&(this.props.zoomWithScroll?this.containerRef.addEventListener("wheel",this.onWheel,{passive:!1}):this.clearScrollEvent()),e.video!==this.props.video&&(null===(c=this.videoRef)||void 0===c||c.load())},t.prototype.getAspect=function(){var e=this.props,t=e.cropSize,n=e.aspect;return t?t.width/t.height:n},t.prototype.onPinchStart=function(e){var n=t.getTouchPoint(e.touches[0]),r=t.getTouchPoint(e.touches[1]);this.lastPinchDistance=MG(n,r),this.lastPinchRotation=kG(n,r),this.onDragStart(SG(n,r))},t.prototype.onPinchMove=function(e){var n=this,r=t.getTouchPoint(e.touches[0]),o=t.getTouchPoint(e.touches[1]),a=SG(r,o);this.onDrag(a),this.rafPinchTimeout&&window.cancelAnimationFrame(this.rafPinchTimeout),this.rafPinchTimeout=window.requestAnimationFrame((function(){var e=MG(r,o),t=n.props.zoom*(e/n.lastPinchDistance);n.setNewZoom(t,a),n.lastPinchDistance=e;var i=kG(r,o),s=n.props.rotation+(i-n.lastPinchRotation);n.props.onRotationChange&&n.props.onRotationChange(s),n.lastPinchRotation=i}))},t.prototype.render=function(){var e=this,t=this.props,n=t.image,r=t.video,o=t.mediaProps,a=t.transform,i=t.crop,s=i.x,l=i.y,c=t.rotation,u=t.zoom,d=t.cropShape,p=t.showGrid,m=t.style,f=m.containerStyle,h=m.cropAreaStyle,g=m.mediaStyle,b=t.classes,v=b.containerClassName,y=b.cropAreaClassName,_=b.mediaClassName,M=t.objectFit;return tt().createElement("div",{onMouseDown:this.onMouseDown,onTouchStart:this.onTouchStart,ref:function(t){return e.containerRef=t},"data-testid":"container",style:f,className:xG("reactEasyCrop_Container",v)},n?tt().createElement("img",hG({alt:"",className:xG("reactEasyCrop_Image","contain"===M&&"reactEasyCrop_Contain","horizontal-cover"===M&&"reactEasyCrop_Cover_Horizontal","vertical-cover"===M&&"reactEasyCrop_Cover_Vertical",_)},o,{src:n,ref:function(t){return e.imageRef=t},style:hG(hG({},g),{transform:a||"translate("+s+"px, "+l+"px) rotate("+c+"deg) scale("+u+")"}),onLoad:this.onMediaLoad})):r&&tt().createElement("video",hG({autoPlay:!0,loop:!0,muted:!0,className:xG("reactEasyCrop_Video","contain"===M&&"reactEasyCrop_Contain","horizontal-cover"===M&&"reactEasyCrop_Cover_Horizontal","vertical-cover"===M&&"reactEasyCrop_Cover_Vertical",_)},o,{ref:function(t){return e.videoRef=t},onLoadedMetadata:this.onMediaLoad,style:hG(hG({},g),{transform:a||"translate("+s+"px, "+l+"px) rotate("+c+"deg) scale("+u+")"}),controls:!1}),(Array.isArray(r)?r:[{src:r}]).map((function(e){return tt().createElement("source",hG({key:e.src},e))}))),this.state.cropSize&&tt().createElement("div",{style:hG(hG({},h),{width:this.state.cropSize.width,height:this.state.cropSize.height}),"data-testid":"cropper",className:xG("reactEasyCrop_CropArea","round"===d&&"reactEasyCrop_CropAreaRound",p&&"reactEasyCrop_CropAreaGrid",y)}))},t.defaultProps={zoom:1,rotation:0,aspect:4/3,maxZoom:3,minZoom:1,cropShape:"rect",objectFit:"contain",showGrid:!0,style:{},classes:{},mediaProps:{},zoomSpeed:1,restrictPosition:!0,zoomWithScroll:!0},t.getMousePoint=function(e){return{x:Number(e.clientX),y:Number(e.clientY)}},t.getTouchPoint=function(e){return{x:Number(e.clientX),y:Number(e.clientY)}},t}(tt().Component),OG={position:"bottom right",isAlternate:!0};function NG(e,t){const n=function({url:e,naturalWidth:t,naturalHeight:n}){const[r,o]=(0,et.useState)(),[a,i]=(0,et.useState)(),[s,l]=(0,et.useState)({x:0,y:0}),[c,u]=(0,et.useState)(),[d,p]=(0,et.useState)(),[m,f]=(0,et.useState)(),[h,g]=(0,et.useState)(),b=(0,et.useCallback)((()=>{l({x:0,y:0}),u(100),p(0),f(t/n),g(t/n)}),[t,n,l,u,p,f,g]),v=(0,et.useCallback)((()=>{const r=(d+90)%360;let a=t/n;if(d%180==90&&(a=n/t),0===r)return o(),p(r),f(1/m),void l({x:-s.y*a,y:s.x*a});const i=new window.Image;i.src=e,i.onload=function(e){const t=document.createElement("canvas");let n=0,i=0;r%180?(t.width=e.target.height,t.height=e.target.width):(t.width=e.target.width,t.height=e.target.height),90!==r&&180!==r||(n=t.width),270!==r&&180!==r||(i=t.height);const c=t.getContext("2d");c.translate(n,i),c.rotate(r*Math.PI/180),c.drawImage(e.target,0,0),t.toBlob((e=>{o(URL.createObjectURL(e)),p(r),f(1/m),l({x:-s.y*a,y:s.x*a})}))};const c=jn("media.crossOrigin",void 0,e);"string"==typeof c&&(i.crossOrigin=c)}),[d,t,n,o,p,f,l]);return(0,et.useMemo)((()=>({editedUrl:r,setEditedUrl:o,crop:a,setCrop:i,position:s,setPosition:l,zoom:c,setZoom:u,rotation:d,setRotation:p,rotateClockwise:v,aspect:m,setAspect:f,defaultAspect:h,initializeTransformValues:b})),[r,o,a,i,s,l,c,u,d,p,v,m,f,h,b])}(e),{initializeTransformValues:r}=n;return(0,et.useEffect)((()=>{t&&r()}),[t,r]),n}const DG=(0,et.createContext)({}),BG=()=>(0,et.useContext)(DG);function IG({id:e,url:t,naturalWidth:n,naturalHeight:r,isEditing:o,onFinishEditing:a,onSaveImage:i,children:s}){const l=NG({url:t,naturalWidth:n,naturalHeight:r},o),c=function({crop:e,rotation:t,height:n,width:r,aspect:o,url:a,id:i,onSaveImage:s,onFinishEditing:l}){const{createErrorNotice:c}=sd(_I),[u,d]=(0,et.useState)(!1),p=(0,et.useCallback)((()=>{d(!1),l()}),[d,l]),m=(0,et.useCallback)((()=>{d(!0);let u={};(e.width<99.9||e.height<99.9)&&(u=e),t>0&&(u.rotation=t),u.src=a,Zl({path:`/wp/v2/media/${i}/edit`,method:"POST",data:u}).then((e=>{s({id:e.id,url:e.source_url,height:n&&r?r/o:void 0})})).catch((e=>{c(dn(Zn("Could not edit image. %s"),e.message),{id:"image-editing-error",type:"snackbar"})})).finally((()=>{d(!1),l()}))}),[d,e,t,n,r,o,a,s,c,d,l]);return(0,et.useMemo)((()=>({isInProgress:u,apply:m,cancel:p})),[u,m,p])}({id:e,url:t,onSaveImage:i,onFinishEditing:a,...l}),u=(0,et.useMemo)((()=>({...l,...c})),[l,c]);return(0,et.createElement)(DG.Provider,{value:u},s)}function PG({url:e,width:t,height:n,clientWidth:r,naturalHeight:o,naturalWidth:a}){const{isInProgress:i,editedUrl:s,position:l,zoom:c,aspect:u,setPosition:d,setCrop:p,setZoom:m,rotation:f}=BG();let h=n||r*o/a;return f%180==90&&(h=r*a/o),(0,et.createElement)("div",{className:io()("wp-block-image__crop-area",{"is-applying":i}),style:{width:t||r,height:h}},(0,et.createElement)(zG,{image:s||e,disabled:i,minZoom:1,maxZoom:3,crop:l,zoom:c/100,aspect:u,onCropChange:d,onCropComplete:e=>{p(e)},onZoomChange:e=>{m(100*e)}}),i&&(0,et.createElement)(IH,null))}function RG(){const{isInProgress:e,zoom:t,setZoom:n}=BG();return(0,et.createElement)(Eg,{contentClassName:"wp-block-image__zoom",popoverProps:OG,renderToggle:({isOpen:t,onToggle:n})=>(0,et.createElement)(Mg,{icon:FI,label:Zn("Zoom"),onClick:n,"aria-expanded":t,disabled:e}),renderContent:()=>(0,et.createElement)(BC,{label:Zn("Zoom"),min:100,max:300,value:Math.round(t),onChange:n})})}const YG=(0,et.createElement)(po,{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24"},(0,et.createElement)(co,{d:"M18.5 5.5h-13c-1.1 0-2 .9-2 2v9c0 1.1.9 2 2 2h13c1.1 0 2-.9 2-2v-9c0-1.1-.9-2-2-2zm.5 11c0 .3-.2.5-.5.5h-13c-.3 0-.5-.2-.5-.5v-9c0-.3.2-.5.5-.5h13c.3 0 .5.2.5.5v9zM6.5 12H8v-2h2V8.5H6.5V12zm9.5 2h-2v1.5h3.5V12H16v2z"}));function WG({aspectRatios:e,isDisabled:t,label:n,onClick:r,value:o}){return(0,et.createElement)(aN,{label:n},e.map((({title:e,aspect:n})=>(0,et.createElement)(oB,{key:n,disabled:t,onClick:()=>{r(n)},role:"menuitemradio",isSelected:n===o,icon:n===o?eS:void 0},e))))}function HG({toggleProps:e}){const{isInProgress:t,aspect:n,setAspect:r,defaultAspect:o}=BG();return(0,et.createElement)(zg,{icon:YG,label:Zn("Aspect Ratio"),popoverProps:OG,toggleProps:e,className:"wp-block-image__aspect-ratio"},(({onClose:e})=>(0,et.createElement)(et.Fragment,null,(0,et.createElement)(WG,{isDisabled:t,onClick:t=>{r(t),e()},value:n,aspectRatios:[{title:Zn("Original"),aspect:o},{title:Zn("Square"),aspect:1}]}),(0,et.createElement)(WG,{label:Zn("Landscape"),isDisabled:t,onClick:t=>{r(t),e()},value:n,aspectRatios:[{title:Zn("16:10"),aspect:1.6},{title:Zn("16:9"),aspect:16/9},{title:Zn("4:3"),aspect:4/3},{title:Zn("3:2"),aspect:1.5}]}),(0,et.createElement)(WG,{label:Zn("Portrait"),isDisabled:t,onClick:t=>{r(t),e()},value:n,aspectRatios:[{title:Zn("10:16"),aspect:.625},{title:Zn("9:16"),aspect:9/16},{title:Zn("3:4"),aspect:3/4},{title:Zn("2:3"),aspect:2/3}]}))))}const qG=(0,et.createElement)(po,{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24"},(0,et.createElement)(co,{d:"M15.1 4.8l-3-2.5V4c-4.4 0-8 3.6-8 8 0 3.7 2.5 6.9 6 7.7.3.1.6.1 1 .2l.2-1.5c-.4 0-.7-.1-1.1-.2l-.1.2v-.2c-2.6-.8-4.5-3.3-4.5-6.2 0-3.6 2.9-6.5 6.5-6.5v1.8l3-2.5zM20 11c-.2-1.4-.7-2.7-1.6-3.8l-1.2.8c.7.9 1.1 2 1.3 3.1L20 11zm-1.5 1.8c-.1.5-.2 1.1-.4 1.6s-.5 1-.8 1.5l1.2.9c.4-.5.8-1.1 1-1.8s.5-1.3.5-2l-1.5-.2zm-5.6 5.6l.2 1.5c1.4-.2 2.7-.7 3.8-1.6l-.9-1.1c-.9.7-2 1.1-3.1 1.2z"}));function jG(){const{isInProgress:e,rotateClockwise:t}=BG();return(0,et.createElement)(Mg,{icon:qG,label:Zn("Rotate"),onClick:t,disabled:e})}function FG(){const{isInProgress:e,apply:t,cancel:n}=BG();return(0,et.createElement)(et.Fragment,null,(0,et.createElement)(Mg,{onClick:t,disabled:e},Zn("Apply")),(0,et.createElement)(Mg,{onClick:n},Zn("Cancel")))}function VG({url:e,width:t,height:n,clientWidth:r,naturalHeight:o,naturalWidth:a}){return(0,et.createElement)(et.Fragment,null,(0,et.createElement)(PG,{url:e,width:t,height:n,clientWidth:r,naturalHeight:o,naturalWidth:a}),(0,et.createElement)(WM,null,(0,et.createElement)(Ng,null,(0,et.createElement)(RG,null),(0,et.createElement)(yg,null,(e=>(0,et.createElement)(HG,{toggleProps:e}))),(0,et.createElement)(jG,null)),(0,et.createElement)(Ng,null,(0,et.createElement)(FG,null))))}const XG=20,UG="none",$G="media",KG="attachment",GG="custom",JG=["image"];function QG({temporaryURL:e,attributes:{url:t="",alt:n,caption:r,align:o,id:a,href:i,rel:s,linkClass:l,linkDestination:c,title:u,width:d,height:p,linkTarget:m,sizeSlug:f},setAttributes:h,isSelected:g,insertBlocksAfter:b,onReplace:v,onSelectImage:y,onSelectURL:_,onUploadError:M,containerRef:k,clientId:w}){const E=(0,et.useRef)(),L=ZK(t),{image:A,multiImageSelection:S}=Cl((e=>{const{getMedia:t}=e(vd),{getMultiSelectedBlockClientIds:n,getBlockName:r}=e(DM),o=n();return{image:a&&g?t(a):null,multiImageSelection:o.length&&o.every((e=>"core/image"===r(e)))}}),[a,g]),{canInsertCover:C,getBlock:T,imageEditing:x,imageSizes:z,maxWidth:O,mediaUpload:N}=Cl((e=>{const{getBlock:t,getBlockRootClientId:n,getBlockTransformItems:r,getSettings:o}=e(DM),a=r([t(w)],n(w));return{...(0,ot.pick)(o(),["imageEditing","imageSizes","maxWidth","mediaUpload"]),getBlock:t,canInsertCover:(null==a?void 0:a.length)&&!!a.find((({name:e})=>"core/cover"===e))}}),[w]),{replaceBlocks:D,toggleSelection:B}=sd(DM),{createErrorNotice:I,createSuccessNotice:P}=sd(_I),R=Gp("medium"),Y=(0,ot.includes)(["wide","full"],o),[{naturalWidth:W,naturalHeight:H},q]=(0,et.useState)({}),[j,F]=(0,et.useState)(!1),[V,X]=(0,et.useState)(),U=mG(k,[o]),$=!Y&&R,K=(0,ot.map)((0,ot.filter)(z,(({slug:e})=>(0,ot.get)(A,["media_details","sizes",e,"source_url"]))),(({name:e,slug:t})=>({value:t,label:e})));(0,et.useEffect)((()=>{ZG(a,t)&&g&&!V&&window.fetch(t).then((e=>e.blob())).then((e=>X(e))).catch((()=>{}))}),[a,t,g,V]),(0,et.useEffect)((()=>{t&&!L&&g&&E.current.focus()}),[t,L]),(0,et.useEffect)((()=>{g||F(!1)}),[g]);const G=a&&W&&H&&x,J=!S&&G&&!j;const Q=(0,et.createElement)(et.Fragment,null,(0,et.createElement)(WM,{group:"block"},(0,et.createElement)(qL,{value:o,onChange:function(e){const t=["wide","full"].includes(e)?{width:void 0,height:void 0}:{};h({...t,align:e})}}),!S&&!j&&(0,et.createElement)(hj,{url:i||"",onChangeUrl:function(e){h(e)},linkDestination:c,mediaUrl:A&&A.source_url||t,mediaLink:A&&A.link,linkTarget:m,linkClass:l,rel:s}),J&&(0,et.createElement)(Mg,{onClick:()=>F(!0),icon:tG,label:Zn("Crop")}),V&&(0,et.createElement)(Mg,{onClick:function(){N({filesList:[V],onFileChange([e]){y(e),Js(e.url)||(X(),P(Zn("Image uploaded."),{type:"snackbar"}))},allowedTypes:JG,onError(e){I(e,{type:"snackbar"})}})},icon:Mq,label:Zn("Upload external image")}),!S&&C&&(0,et.createElement)(Mg,{icon:nG,label:Zn("Add text over image"),onClick:function(){D(w,Go(T(w),"core/cover"))}})),!S&&!j&&(0,et.createElement)(WM,{group:"other"},(0,et.createElement)(Eq,{mediaId:a,mediaURL:t,allowedTypes:JG,accept:"image/*",onSelect:y,onSelectURL:_,onError:M})),(0,et.createElement)(kA,null,(0,et.createElement)(mA,{title:Zn("Image settings")},!S&&(0,et.createElement)(yK,{label:Zn("Alt text (alternative text)"),value:n,onChange:function(e){h({alt:e})},help:(0,et.createElement)(et.Fragment,null,(0,et.createElement)(iA,{href:"https://www.w3.org/WAI/tutorials/images/decision-tree"},Zn("Describe the purpose of the image")),Zn("Leave empty if the image is purely decorative."))}),(0,et.createElement)(hH,{onChangeImage:function(e){const t=(0,ot.get)(A,["media_details","sizes",e,"source_url"]);if(!t)return null;h({url:t,width:void 0,height:void 0,sizeSlug:e})},onChange:e=>h(e),slug:f,width:d,height:p,imageSizeOptions:K,isResizable:$,imageWidth:W,imageHeight:H}))),(0,et.createElement)(vA,null,(0,et.createElement)(rA,{label:Zn("Title attribute"),value:u||"",onChange:function(e){h({title:e})},help:(0,et.createElement)(et.Fragment,null,Zn("Describe the role of this image on the page."),(0,et.createElement)(iA,{href:"https://www.w3.org/TR/html52/dom.html#the-title-attribute"},Zn("(Note: many devices and browsers do not display this text.)")))}))),Z=function(e){const t=eG(e);if(t)return(0,ot.last)(t.split("/"))}(t);let ee;ee=n||(Z?dn(Zn("This image has an empty alt attribute; its file name is %s"),Z):Zn("This image has an empty alt attribute"));let te,ne,re=(0,et.createElement)(et.Fragment,null,(0,et.createElement)("img",{src:e||t,alt:ee,onError:()=>function(){const e=cG({attributes:{url:t}});void 0!==e&&v(e)}(),onLoad:e=>{q((0,ot.pick)(e.target,["naturalWidth","naturalHeight"]))}}),e&&(0,et.createElement)(IH,null));if(U&&W&&H){const e=W>U,t=H/W;te=e?U:W,ne=e?U*t:H}if(G&&j)re=(0,et.createElement)(VG,{url:t,width:d,height:p,clientWidth:U,naturalHeight:H,naturalWidth:W});else if($&&te){const e=d||te,t=p||ne,n=W/H,r=W{B(!0),h({width:parseInt(e+a.width,10),height:parseInt(t+a.height,10)})}},re)}else re=(0,et.createElement)("div",{style:{width:d,height:p}},re);return(0,et.createElement)(IG,{id:a,url:t,naturalWidth:W,naturalHeight:H,clientWidth:U,onSaveImage:e=>h(e),isEditing:j,onFinishEditing:()=>F(!1)},!e&&Q,re,(!tj.isEmpty(r)||g)&&(0,et.createElement)(tj,{ref:E,tagName:"figcaption","aria-label":Zn("Image caption text"),placeholder:Zn("Add caption"),value:r,onChange:e=>h({caption:e}),inlineToolbar:!0,__unstableOnSplitAtEnd:()=>b(Wo("core/paragraph"))}))}const ZG=(e,t)=>t&&!e&&!Js(t);const eJ=mK((function({attributes:e,setAttributes:t,isSelected:n,className:r,noticeUI:o,insertBlocksAfter:a,noticeOperations:i,onReplace:s,clientId:l}){const{url:c="",alt:u,caption:d,align:p,id:m,width:f,height:h,sizeSlug:g}=e,[b,v]=(0,et.useState)(),y=(0,et.useRef)();(0,et.useEffect)((()=>{y.current=u}),[u]);const _=(0,et.useRef)();(0,et.useEffect)((()=>{_.current=d}),[d]);const M=(0,et.useRef)(),{imageDefaultSize:k,mediaUpload:w}=Cl((e=>{const{getSettings:t}=e(DM);return(0,ot.pick)(t(),["imageDefaultSize","mediaUpload"])}),[]);function E(e){i.removeAllNotices(),i.createErrorNotice(e)}function L(n){var r,o,a,i,s;if(!n||!n.url)return void t({url:void 0,alt:void 0,id:void 0,title:void 0,caption:void 0});if(Js(n.url))return void v(n.url);v();let l,u=((e,t)=>{const n=(0,ot.pick)(e,["alt","id","link","caption"]);return n.url=(0,ot.get)(e,["sizes",t,"url"])||(0,ot.get)(e,["media_details","sizes",t,"source_url"])||e.url,n})(n,k);var d,p;_.current&&!(0,ot.get)(u,["caption"])&&(u=(0,ot.omit)(u,["caption"])),l=n.id&&n.id===m?{url:c}:{width:void 0,height:void 0,sizeSlug:(d=n,p=k,(0,ot.has)(d,["sizes",p,"url"])||(0,ot.has)(d,["media_details","sizes",p,"source_url"])?k:"full")};let f,h=e.linkDestination;if(!h)switch((null===(r=wp)||void 0===r||null===(o=r.media)||void 0===o||null===(a=o.view)||void 0===a||null===(i=a.settings)||void 0===i||null===(s=i.defaultProps)||void 0===s?void 0:s.link)||UG){case"file":case $G:h=$G;break;case"post":case KG:h=KG;break;case GG:h=GG;break;case UG:h=UG}switch(h){case $G:f=n.url;break;case KG:f=n.link}u.href=f,t({...u,...l,linkDestination:h})}function A(e){e!==c&&t({url:e,id:void 0,width:void 0,height:void 0,sizeSlug:k})}const S=((e,t)=>!e&&Js(t))(m,c);(0,et.useEffect)((()=>{if(!S)return;const e=Ks(c);e&&w({filesList:[e],onFileChange:([e])=>{L(e)},allowedTypes:JG,onError:e=>{i.createErrorNotice(e),t({src:void 0,id:void 0,url:void 0})}})}),[]),(0,et.useEffect)((()=>{if(b)return()=>{Gs(b)}}),[b]);const C=ZG(m,c)?c:void 0,T=!!c&&(0,et.createElement)("img",{alt:Zn("Edit image"),title:Zn("Edit image"),className:"edit-image-preview",src:c}),x=vR({ref:M,className:io()(r,{"is-transient":b,"is-resized":!!f||!!h,[`size-${g}`]:g})});return(0,et.createElement)("figure",x,(b||c)&&(0,et.createElement)(QG,{temporaryURL:b,attributes:e,setAttributes:t,isSelected:n,insertBlocksAfter:a,onReplace:s,onSelectImage:L,onSelectURL:A,onUploadError:E,containerRef:M,clientId:l}),!c&&(0,et.createElement)(WM,{group:"block"},(0,et.createElement)(qL,{value:p,onChange:function(e){const n=["wide","full"].includes(e)?{width:void 0,height:void 0}:{};t({...n,align:e})}})),(0,et.createElement)(zq,{icon:(0,et.createElement)($D,{icon:uK}),onSelect:L,onSelectURL:A,notices:o,onError:E,accept:"image/*",allowedTypes:JG,value:{id:m,src:C},mediaPreview:T,disableMediaButtons:b||c}))}));function tJ(e,t){const{body:n}=document.implementation.createHTMLDocument("");n.innerHTML=e;const{firstElementChild:r}=n;if(r&&"A"===r.nodeName)return r.getAttribute(t)||void 0}const nJ={img:{attributes:["src","alt","title"],classes:["alignleft","aligncenter","alignright","alignnone",/^wp-image-\d+$/]}},rJ={from:[{type:"raw",isMatch:e=>"FIGURE"===e.nodeName&&!!e.querySelector("img"),schema:({phrasingContentSchema:e})=>({figure:{require:["img"],children:{...nJ,a:{attributes:["href","rel","target"],children:nJ},figcaption:{children:e}}}}),transform:e=>{const t=e.className+" "+e.querySelector("img").className,n=/(?:^|\s)align(left|center|right)(?:$|\s)/.exec(t),r=""===e.id?void 0:e.id,o=n?n[1]:void 0,a=/(?:^|\s)wp-image-(\d+)(?:$|\s)/.exec(t),i=a?Number(a[1]):void 0,s=e.querySelector("a"),l=s&&s.href?"custom":void 0,c=s&&s.href?s.href:void 0,u=s&&s.rel?s.rel:void 0,d=s&&s.className?s.className:void 0;return Wo("core/image",Ki("core/image",e.outerHTML,{align:o,id:i,linkDestination:l,href:c,rel:u,linkClass:d,anchor:r}))}},{type:"files",isMatch:e=>1===e.length&&0===e[0].type.indexOf("image/"),transform:e=>Wo("core/image",{url:$s(e[0])})},{type:"shortcode",tag:"caption",attributes:{url:{type:"string",source:"attribute",attribute:"src",selector:"img"},alt:{type:"string",source:"attribute",attribute:"alt",selector:"img"},caption:{shortcode:function(e,{shortcode:t}){const{body:n}=document.implementation.createHTMLDocument("");n.innerHTML=t.content;let r=n.querySelector("img");for(;r&&r.parentNode&&r.parentNode!==n;)r=r.parentNode;return r&&r.parentNode.removeChild(r),n.innerHTML.trim()}},href:{shortcode:(e,{shortcode:t})=>tJ(t.content,"href")},rel:{shortcode:(e,{shortcode:t})=>tJ(t.content,"rel")},linkClass:{shortcode:(e,{shortcode:t})=>tJ(t.content,"class")},id:{type:"number",shortcode:({named:{id:e}})=>{if(e)return parseInt(e.replace("attachment_",""),10)}},align:{type:"string",shortcode:({named:{align:e="alignnone"}})=>e.replace("align","")}}}]},oJ={apiVersion:2,name:"core/image",title:"Image",category:"media",description:"Insert an image to make a visual statement.",keywords:["img","photo","picture"],textdomain:"default",attributes:{align:{type:"string"},url:{type:"string",source:"attribute",selector:"img",attribute:"src"},alt:{type:"string",source:"attribute",selector:"img",attribute:"alt",default:""},caption:{type:"string",source:"html",selector:"figcaption"},title:{type:"string",source:"attribute",selector:"img",attribute:"title"},href:{type:"string",source:"attribute",selector:"figure > a",attribute:"href"},rel:{type:"string",source:"attribute",selector:"figure > a",attribute:"rel"},linkClass:{type:"string",source:"attribute",selector:"figure > a",attribute:"class"},id:{type:"number"},width:{type:"number"},height:{type:"number"},sizeSlug:{type:"string"},linkDestination:{type:"string"},linkTarget:{type:"string",source:"attribute",selector:"figure > a",attribute:"target"}},supports:{anchor:!0,color:{__experimentalDuotone:"img",text:!1,background:!1},__experimentalBorder:{radius:!0}},styles:[{name:"default",label:"Default",isDefault:!0},{name:"rounded",label:"Rounded"}],editorStyle:"wp-block-image-editor",style:"wp-block-image"},{name:aJ}=oJ,iJ={icon:uK,example:{attributes:{sizeSlug:"large",url:"https://s.w.org/images/core/5.3/MtBlanc1.jpg",caption:Zn("Mont Blanc appears—still, snowy, and serene.")}},__experimentalLabel(e,{context:t}){if("accessibility"===t){const{caption:t,alt:n,url:r}=e;return r?n?n+(t?". "+t:""):t||"":Zn("Empty")}},getEditWrapperProps:e=>({"data-align":e.align}),transforms:rJ,edit:eJ,save:function({attributes:e}){const{url:t,alt:n,caption:r,align:o,href:a,rel:i,linkClass:s,width:l,height:c,id:u,linkTarget:d,sizeSlug:p,title:m}=e,f=(0,ot.isEmpty)(i)?void 0:i,h=io()({[`align${o}`]:o,[`size-${p}`]:p,"is-resized":l||c}),g=(0,et.createElement)("img",{src:t,alt:n,className:u?`wp-image-${u}`:null,width:l,height:c,title:m}),b=(0,et.createElement)(et.Fragment,null,a?(0,et.createElement)("a",{className:s,href:a,target:d,rel:f},g):g,!tj.isEmpty(r)&&(0,et.createElement)(tj.Content,{tagName:"figcaption",value:r}));return"left"===o||"right"===o||"center"===o?(0,et.createElement)("div",vR.save(),(0,et.createElement)("figure",{className:h},b)):(0,et.createElement)("figure",vR.save({className:h}),b)},deprecated:pK},sJ=(0,et.createElement)(po,{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24"},(0,et.createElement)(co,{d:"M6.2 5.2v13.4l5.8-4.8 5.8 4.8V5.2z"})),lJ={className:!1,anchor:!0},cJ={align:{type:"string"},content:{type:"string",source:"html",selector:"h1,h2,h3,h4,h5,h6",default:""},level:{type:"number",default:2},placeholder:{type:"string"}},uJ=e=>{if(!e.customTextColor)return e;const t={color:{text:e.customTextColor}};return{...(0,ot.omit)(e,["customTextColor"]),style:t}},dJ=["left","right","center"],pJ=e=>{const{align:t,...n}=e;return dJ.includes(t)?{...n,textAlign:t}:e},mJ=[{supports:{align:["wide","full"],anchor:!0,className:!1,color:{link:!0},fontSize:!0,lineHeight:!0,__experimentalSelector:{"core/heading/h1":"h1","core/heading/h2":"h2","core/heading/h3":"h3","core/heading/h4":"h4","core/heading/h5":"h5","core/heading/h6":"h6"},__unstablePasteTextInline:!0},attributes:cJ,isEligible:({align:e})=>dJ.includes(e),migrate:pJ,save({attributes:e}){const{align:t,content:n,level:r}=e,o="h"+r,a=io()({[`has-text-align-${t}`]:t});return(0,et.createElement)(o,vR.save({className:a}),(0,et.createElement)(tj.Content,{value:n}))}},{supports:lJ,attributes:{...cJ,customTextColor:{type:"string"},textColor:{type:"string"}},migrate:e=>uJ(pJ(e)),save({attributes:e}){const{align:t,content:n,customTextColor:r,level:o,textColor:a}=e,i="h"+o,s=VS("color",a),l=io()({[s]:s,"has-text-color":a||r,[`has-text-align-${t}`]:t});return(0,et.createElement)(tj.Content,{className:l||void 0,tagName:i,style:{color:s?void 0:r},value:n})}},{attributes:{...cJ,customTextColor:{type:"string"},textColor:{type:"string"}},migrate:e=>uJ(pJ(e)),save({attributes:e}){const{align:t,content:n,customTextColor:r,level:o,textColor:a}=e,i="h"+o,s=VS("color",a),l=io()({[s]:s,[`has-text-align-${t}`]:t});return(0,et.createElement)(tj.Content,{className:l||void 0,tagName:i,style:{color:s?void 0:r},value:n})},supports:lJ},{supports:lJ,attributes:{...cJ,customTextColor:{type:"string"},textColor:{type:"string"}},migrate:e=>uJ(pJ(e)),save({attributes:e}){const{align:t,level:n,content:r,textColor:o,customTextColor:a}=e,i="h"+n,s=VS("color",o),l=io()({[s]:s});return(0,et.createElement)(tj.Content,{className:l||void 0,tagName:i,style:{textAlign:t,color:s?void 0:a},value:r})}}];function fJ({level:e,isPressed:t=!1}){const n={1:"M9 5h2v10H9v-4H5v4H3V5h2v4h4V5zm6.6 0c-.6.9-1.5 1.7-2.6 2v1h2v7h2V5h-1.4z",2:"M7 5h2v10H7v-4H3v4H1V5h2v4h4V5zm8 8c.5-.4.6-.6 1.1-1.1.4-.4.8-.8 1.2-1.3.3-.4.6-.8.9-1.3.2-.4.3-.8.3-1.3 0-.4-.1-.9-.3-1.3-.2-.4-.4-.7-.8-1-.3-.3-.7-.5-1.2-.6-.5-.2-1-.2-1.5-.2-.4 0-.7 0-1.1.1-.3.1-.7.2-1 .3-.3.1-.6.3-.9.5-.3.2-.6.4-.8.7l1.2 1.2c.3-.3.6-.5 1-.7.4-.2.7-.3 1.2-.3s.9.1 1.3.4c.3.3.5.7.5 1.1 0 .4-.1.8-.4 1.1-.3.5-.6.9-1 1.2-.4.4-1 .9-1.6 1.4-.6.5-1.4 1.1-2.2 1.6V15h8v-2H15z",3:"M12.1 12.2c.4.3.8.5 1.2.7.4.2.9.3 1.4.3.5 0 1-.1 1.4-.3.3-.1.5-.5.5-.8 0-.2 0-.4-.1-.6-.1-.2-.3-.3-.5-.4-.3-.1-.7-.2-1-.3-.5-.1-1-.1-1.5-.1V9.1c.7.1 1.5-.1 2.2-.4.4-.2.6-.5.6-.9 0-.3-.1-.6-.4-.8-.3-.2-.7-.3-1.1-.3-.4 0-.8.1-1.1.3-.4.2-.7.4-1.1.6l-1.2-1.4c.5-.4 1.1-.7 1.6-.9.5-.2 1.2-.3 1.8-.3.5 0 1 .1 1.6.2.4.1.8.3 1.2.5.3.2.6.5.8.8.2.3.3.7.3 1.1 0 .5-.2.9-.5 1.3-.4.4-.9.7-1.5.9v.1c.6.1 1.2.4 1.6.8.4.4.7.9.7 1.5 0 .4-.1.8-.3 1.2-.2.4-.5.7-.9.9-.4.3-.9.4-1.3.5-.5.1-1 .2-1.6.2-.8 0-1.6-.1-2.3-.4-.6-.2-1.1-.6-1.6-1l1.1-1.4zM7 9H3V5H1v10h2v-4h4v4h2V5H7v4z",4:"M9 15H7v-4H3v4H1V5h2v4h4V5h2v10zm10-2h-1v2h-2v-2h-5v-2l4-6h3v6h1v2zm-3-2V7l-2.8 4H16z",5:"M12.1 12.2c.4.3.7.5 1.1.7.4.2.9.3 1.3.3.5 0 1-.1 1.4-.4.4-.3.6-.7.6-1.1 0-.4-.2-.9-.6-1.1-.4-.3-.9-.4-1.4-.4H14c-.1 0-.3 0-.4.1l-.4.1-.5.2-1-.6.3-5h6.4v1.9h-4.3L14 8.8c.2-.1.5-.1.7-.2.2 0 .5-.1.7-.1.5 0 .9.1 1.4.2.4.1.8.3 1.1.6.3.2.6.6.8.9.2.4.3.9.3 1.4 0 .5-.1 1-.3 1.4-.2.4-.5.8-.9 1.1-.4.3-.8.5-1.3.7-.5.2-1 .3-1.5.3-.8 0-1.6-.1-2.3-.4-.6-.2-1.1-.6-1.6-1-.1-.1 1-1.5 1-1.5zM9 15H7v-4H3v4H1V5h2v4h4V5h2v10z",6:"M9 15H7v-4H3v4H1V5h2v4h4V5h2v10zm8.6-7.5c-.2-.2-.5-.4-.8-.5-.6-.2-1.3-.2-1.9 0-.3.1-.6.3-.8.5l-.6.9c-.2.5-.2.9-.2 1.4.4-.3.8-.6 1.2-.8.4-.2.8-.3 1.3-.3.4 0 .8 0 1.2.2.4.1.7.3 1 .6.3.3.5.6.7.9.2.4.3.8.3 1.3s-.1.9-.3 1.4c-.2.4-.5.7-.8 1-.4.3-.8.5-1.2.6-1 .3-2 .3-3 0-.5-.2-1-.5-1.4-.9-.4-.4-.8-.9-1-1.5-.2-.6-.3-1.3-.3-2.1s.1-1.6.4-2.3c.2-.6.6-1.2 1-1.6.4-.4.9-.7 1.4-.9.6-.3 1.1-.4 1.7-.4.7 0 1.4.1 2 .3.5.2 1 .5 1.4.8 0 .1-1.3 1.4-1.3 1.4zm-2.4 5.8c.2 0 .4 0 .6-.1.2 0 .4-.1.5-.2.1-.1.3-.3.4-.5.1-.2.1-.5.1-.7 0-.4-.1-.8-.4-1.1-.3-.2-.7-.3-1.1-.3-.3 0-.7.1-1 .2-.4.2-.7.4-1 .7 0 .3.1.7.3 1 .1.2.3.4.4.6.2.1.3.3.5.3.2.1.5.2.7.1z"};return n.hasOwnProperty(e)?(0,et.createElement)(po,{width:"24",height:"24",viewBox:"0 0 20 20",xmlns:"http://www.w3.org/2000/svg",isPressed:t},(0,et.createElement)(co,{d:n[e]})):null}const hJ=[1,2,3,4,5,6],gJ={className:"block-library-heading-level-dropdown",isAlternate:!0};function bJ({selectedLevel:e,onChange:t}){return(0,et.createElement)(Eg,{popoverProps:gJ,renderToggle:({onToggle:t,isOpen:n})=>(0,et.createElement)(Mg,{"aria-expanded":n,"aria-haspopup":"true",icon:(0,et.createElement)(fJ,{level:e}),label:Zn("Change heading level"),onClick:t,onKeyDown:e=>{n||e.keyCode!==sm||(e.preventDefault(),t())},showTooltip:!0}),renderContent:()=>(0,et.createElement)(VR,{className:"block-library-heading-level-toolbar",label:Zn("Change heading level")},(0,et.createElement)(Ng,{isCollapsed:!1,controls:hJ.map((n=>{const r=n===e;return{icon:(0,et.createElement)(fJ,{level:n,isPressed:r}),title:dn(Zn("Heading %d"),n),isActive:r,onClick(){t(n)}}}))}))})}const vJ=function({attributes:e,setAttributes:t,mergeBlocks:n,onReplace:r,style:o,clientId:a}){const{textAlign:i,content:s,level:l,placeholder:c}=e,u="h"+l,d=vR({className:io()({[`has-text-align-${i}`]:i}),style:o});return(0,et.createElement)(et.Fragment,null,(0,et.createElement)(WM,{group:"block"},(0,et.createElement)(bJ,{selectedLevel:l,onChange:e=>t({level:e})}),(0,et.createElement)(jN,{value:i,onChange:e=>{t({textAlign:e})}})),(0,et.createElement)(tj,rt({identifier:"content",tagName:u,value:s,onChange:e=>t({content:e}),onMerge:n,onSplit:(t,n)=>{let r;return r=n||t?Wo("core/heading",{...e,content:t}):Wo("core/paragraph"),n&&(r.clientId=a),r},onReplace:r,onRemove:()=>r([]),"aria-label":Zn("Heading text"),placeholder:c||Zn("Heading"),textAlign:i},d)))};const{name:yJ}={apiVersion:2,name:"core/heading",title:"Heading",category:"text",description:"Introduce new sections and organize content to help visitors (and search engines) understand the structure of your content.",keywords:["title","subtitle"],textdomain:"default",attributes:{textAlign:{type:"string"},content:{type:"string",source:"html",selector:"h1,h2,h3,h4,h5,h6",default:"",__experimentalRole:"content"},level:{type:"number",default:2},placeholder:{type:"string"}},supports:{align:["wide","full"],anchor:!0,className:!1,color:{link:!0},typography:{fontSize:!0,lineHeight:!0,__experimentalFontWeight:!0},__experimentalSelector:"h1,h2,h3,h4,h5,h6",__unstablePasteTextInline:!0},editorStyle:"wp-block-heading-editor",style:"wp-block-heading"},_J={from:[{type:"block",isMultiBlock:!0,blocks:["core/paragraph"],transform:e=>e.map((({content:e,anchor:t})=>Wo(yJ,{content:e,anchor:t})))},{type:"raw",selector:"h1,h2,h3,h4,h5,h6",schema:({phrasingContentSchema:e,isPaste:t})=>{const n={children:e,attributes:t?[]:["style","id"]};return{h1:n,h2:n,h3:n,h4:n,h5:n,h6:n}},transform(e){const t=Ki(yJ,e.outerHTML),{textAlign:n}=e.style||{};var r;return t.level=(r=e.nodeName,Number(r.substr(1))),"left"!==n&&"center"!==n&&"right"!==n||(t.align=n),Wo(yJ,t)}},...[1,2,3,4,5,6].map((e=>({type:"prefix",prefix:Array(e+1).join("#"),transform:t=>Wo(yJ,{level:e,content:t})}))),...[1,2,3,4,5,6].map((e=>({type:"enter",regExp:new RegExp(`^/(h|H)${e}$`),transform:t=>Wo(yJ,{level:e,content:t})})))],to:[{type:"block",isMultiBlock:!0,blocks:["core/paragraph"],transform:e=>e.map((({content:e,anchor:t})=>Wo("core/paragraph",{content:e,anchor:t})))}]},MJ={apiVersion:2,name:"core/heading",title:"Heading",category:"text",description:"Introduce new sections and organize content to help visitors (and search engines) understand the structure of your content.",keywords:["title","subtitle"],textdomain:"default",attributes:{textAlign:{type:"string"},content:{type:"string",source:"html",selector:"h1,h2,h3,h4,h5,h6",default:"",__experimentalRole:"content"},level:{type:"number",default:2},placeholder:{type:"string"}},supports:{align:["wide","full"],anchor:!0,className:!1,color:{link:!0},typography:{fontSize:!0,lineHeight:!0,__experimentalFontWeight:!0},__experimentalSelector:"h1,h2,h3,h4,h5,h6",__unstablePasteTextInline:!0},editorStyle:"wp-block-heading-editor",style:"wp-block-heading"},{name:kJ}=MJ,wJ={icon:sJ,example:{attributes:{content:Zn("Code is Poetry"),level:2}},__experimentalLabel(e,{context:t}){if("accessibility"===t){const{content:t,level:n}=e;return(0,ot.isEmpty)(t)?dn(Zn("Level %s. Empty."),n):dn(Zn("Level %1$s. %2$s"),n,t)}},transforms:_J,deprecated:mJ,merge:(e,t)=>({content:(e.content||"")+(t.content||"")}),edit:vJ,save:function({attributes:e}){const{textAlign:t,content:n,level:r}=e,o="h"+r,a=io()({[`has-text-align-${t}`]:t});return(0,et.createElement)(o,vR.save({className:a}),(0,et.createElement)(tj.Content,{value:n}))}},EJ=(0,et.createElement)(po,{viewBox:"0 0 24 24",xmlns:"http://www.w3.org/2000/svg"},(0,et.createElement)(co,{d:"M13 6v6h5.2v4c0 .8-.2 1.4-.5 1.7-.6.6-1.6.6-2.5.5h-.3v1.5h.5c1 0 2.3-.1 3.3-1 .6-.6 1-1.6 1-2.8V6H13zm-9 6h5.2v4c0 .8-.2 1.4-.5 1.7-.6.6-1.6.6-2.5.5h-.3v1.5h.5c1 0 2.3-.1 3.3-1 .6-.6 1-1.6 1-2.8V6H4v6z"})),LJ={value:{type:"string",source:"html",selector:"blockquote",multiline:"p",default:""},citation:{type:"string",source:"html",selector:"cite",default:""},align:{type:"string"}},AJ=[{attributes:LJ,save({attributes:e}){const{align:t,value:n,citation:r}=e;return(0,et.createElement)("blockquote",{style:{textAlign:t||null}},(0,et.createElement)(tj.Content,{multiline:!0,value:n}),!tj.isEmpty(r)&&(0,et.createElement)(tj.Content,{tagName:"cite",value:r}))}},{attributes:{...LJ,style:{type:"number",default:1}},migrate:e=>2===e.style?{...(0,ot.omit)(e,["style"]),className:e.className?e.className+" is-style-large":"is-style-large"}:e,save({attributes:e}){const{align:t,value:n,citation:r,style:o}=e;return(0,et.createElement)("blockquote",{className:2===o?"is-large":"",style:{textAlign:t||null}},(0,et.createElement)(tj.Content,{multiline:!0,value:n}),!tj.isEmpty(r)&&(0,et.createElement)(tj.Content,{tagName:"cite",value:r}))}},{attributes:{...LJ,citation:{type:"string",source:"html",selector:"footer",default:""},style:{type:"number",default:1}},save({attributes:e}){const{align:t,value:n,citation:r,style:o}=e;return(0,et.createElement)("blockquote",{className:`blocks-quote-style-${o}`,style:{textAlign:t||null}},(0,et.createElement)(tj.Content,{multiline:!0,value:n}),!tj.isEmpty(r)&&(0,et.createElement)(tj.Content,{tagName:"footer",value:r}))}}],SJ="web"===Qg.OS;const CJ={from:[{type:"block",isMultiBlock:!0,blocks:["core/paragraph"],transform:e=>Wo("core/quote",{value:qy({value:Ty(e.map((({content:e})=>dy({html:e}))),"\u2028"),multilineTag:"p"}),anchor:e.anchor})},{type:"block",blocks:["core/heading"],transform:({content:e,anchor:t})=>Wo("core/quote",{value:`

${e}

`,anchor:t})},{type:"block",blocks:["core/pullquote"],transform:({value:e,citation:t,anchor:n})=>Wo("core/quote",{value:e,citation:t,anchor:n})},{type:"prefix",prefix:">",transform:e=>Wo("core/quote",{value:`

${e}

`})},{type:"raw",isMatch:e=>{const t=(()=>{let e=!1;return t=>"P"===t.nodeName||(e||"CITE"!==t.nodeName?void 0:(e=!0,!0))})();return"BLOCKQUOTE"===e.nodeName&&Array.from(e.childNodes).every(t)},schema:({phrasingContentSchema:e})=>({blockquote:{children:{p:{children:e},cite:{children:e}}}})}],to:[{type:"block",blocks:["core/paragraph"],transform:({value:e,citation:t})=>{const n=[];return e&&"

"!==e&&n.push(...Iy(dy({html:e,multilineTag:"p"}),"\u2028").map((e=>Wo("core/paragraph",{content:qy({value:e})})))),t&&"

"!==t&&n.push(Wo("core/paragraph",{content:t})),0===n.length?Wo("core/paragraph",{content:""}):n}},{type:"block",blocks:["core/heading"],transform:({value:e,citation:t,...n})=>{if("

"===e)return Wo("core/heading",{content:t});const r=Iy(dy({html:e,multilineTag:"p"}),"\u2028"),o=Wo("core/heading",{content:qy({value:r[0]})});if(!t&&1===r.length)return o;return[o,Wo("core/quote",{...n,citation:t,value:qy({value:r.slice(1).length?Ty(r.slice(1),"\u2028"):dy(),multilineTag:"p"})})]}},{type:"block",blocks:["core/pullquote"],transform:({value:e,citation:t,anchor:n})=>Wo("core/pullquote",{value:e,citation:t,anchor:n})}]},TJ={apiVersion:2,name:"core/quote",title:"Quote",category:"text",description:'Give quoted text visual emphasis. "In quoting others, we cite ourselves." — Julio Cortázar',keywords:["blockquote","cite"],textdomain:"default",attributes:{value:{type:"string",source:"html",selector:"blockquote",multiline:"p",default:"",__experimentalRole:"content"},citation:{type:"string",source:"html",selector:"cite",default:"",__experimentalRole:"content"},align:{type:"string"}},supports:{anchor:!0},styles:[{name:"default",label:"Default",isDefault:!0},{name:"large",label:"Large"}],editorStyle:"wp-block-quote-editor",style:"wp-block-quote"},{name:xJ}=TJ,zJ={icon:EJ,example:{attributes:{value:"

"+Zn("In quoting others, we cite ourselves.")+"

",citation:"Julio Cortázar",className:"is-style-large"}},transforms:CJ,edit:function({attributes:e,setAttributes:t,isSelected:n,mergeBlocks:r,onReplace:o,className:a,insertBlocksAfter:i,style:s}){const{align:l,value:c,citation:u}=e,d=vR({className:io()(a,{[`has-text-align-${l}`]:l}),style:s});return(0,et.createElement)(et.Fragment,null,(0,et.createElement)(WM,{group:"block"},(0,et.createElement)(jN,{value:l,onChange:e=>{t({align:e})}})),(0,et.createElement)("blockquote",d,(0,et.createElement)(tj,{identifier:"value",multiline:!0,value:c,onChange:e=>t({value:e}),onMerge:r,onRemove:e=>{const t=!u||0===u.length;!e&&t&&o([])},"aria-label":Zn("Quote text"),placeholder:Zn("Add quote"),onReplace:o,onSplit:t=>Wo("core/quote",{...e,value:t}),__unstableOnSplitMiddle:()=>Wo("core/paragraph"),textAlign:l}),(!tj.isEmpty(u)||n)&&(0,et.createElement)(tj,{identifier:"citation",tagName:SJ?"cite":void 0,style:{display:"block"},value:u,onChange:e=>t({citation:e}),__unstableMobileNoFocusOnMount:!0,"aria-label":Zn("Quote citation text"),placeholder:Zn("Add citation"),className:"wp-block-quote__citation",textAlign:l,__unstableOnSplitAtEnd:()=>i(Wo("core/paragraph"))})))},save:function({attributes:e}){const{align:t,value:n,citation:r}=e,o=io()({[`has-text-align-${t}`]:t});return(0,et.createElement)("blockquote",vR.save({className:o}),(0,et.createElement)(tj.Content,{multiline:!0,value:n}),!tj.isEmpty(r)&&(0,et.createElement)(tj.Content,{tagName:"cite",value:r}))},merge:(e,{value:t,citation:n})=>(n||(n=e.citation),t&&"

"!==t?{...e,value:e.value+t,citation:n}:{...e,citation:n}),deprecated:AJ},OJ=(0,et.createElement)(po,{viewBox:"0 0 24 24",xmlns:"http://www.w3.org/2000/svg"},(0,et.createElement)(co,{d:"M20.2 8v11c0 .7-.6 1.2-1.2 1.2H6v1.5h13c1.5 0 2.7-1.2 2.7-2.8V8h-1.5zM18 16.4V4.6c0-.9-.7-1.6-1.6-1.6H4.6C3.7 3 3 3.7 3 4.6v11.8c0 .9.7 1.6 1.6 1.6h11.8c.9 0 1.6-.7 1.6-1.6zM4.5 4.6c0-.1.1-.1.1-.1h11.8c.1 0 .1.1.1.1V12l-2.3-1.7c-.3-.2-.6-.2-.9 0l-2.9 2.1L8 11.3c-.2-.1-.5-.1-.7 0l-2.9 1.5V4.6zm0 11.8v-1.8l3.2-1.7 2.4 1.2c.2.1.5.1.8-.1l2.8-2 2.8 2v2.5c0 .1-.1.1-.1.1H4.6c0-.1-.1-.2-.1-.2z"}));function NJ(e){return Math.min(3,e.images.length)}const DJ=(e,t="large")=>{const n=(0,ot.pick)(e,["alt","id","link","caption"]);n.url=(0,ot.get)(e,["sizes",t,"url"])||(0,ot.get)(e,["media_details","sizes",t,"source_url"])||e.url;const r=(0,ot.get)(e,["sizes","full","url"])||(0,ot.get)(e,["media_details","sizes","full","source_url"]);return r&&(n.fullUrl=r),n},BJ=[{attributes:{images:{type:"array",default:[],source:"query",selector:".blocks-gallery-item",query:{url:{type:"string",source:"attribute",selector:"img",attribute:"src"},fullUrl:{type:"string",source:"attribute",selector:"img",attribute:"data-full-url"},link:{type:"string",source:"attribute",selector:"img",attribute:"data-link"},alt:{type:"string",source:"attribute",selector:"img",attribute:"alt",default:""},id:{type:"string",source:"attribute",selector:"img",attribute:"data-id"},caption:{type:"string",source:"html",selector:".blocks-gallery-item__caption"}}},ids:{type:"array",items:{type:"number"},default:[]},columns:{type:"number",minimum:1,maximum:8},caption:{type:"string",source:"html",selector:".blocks-gallery-caption"},imageCrop:{type:"boolean",default:!0},linkTo:{type:"string",default:"none"},sizeSlug:{type:"string",default:"large"}},supports:{align:!0},isEligible:({linkTo:e})=>!e||"attachment"===e||"media"===e,migrate(e){let t=e.linkTo;return e.linkTo?"attachment"===e.linkTo?t="post":"media"===e.linkTo&&(t="file"):t="none",{...e,linkTo:t}},save({attributes:e}){const{images:t,columns:n=NJ(e),imageCrop:r,caption:o,linkTo:a}=e;return(0,et.createElement)("figure",{className:`columns-${n} ${r?"is-cropped":""}`},(0,et.createElement)("ul",{className:"blocks-gallery-grid"},t.map((e=>{let t;switch(a){case"media":t=e.fullUrl||e.url;break;case"attachment":t=e.link}const n=(0,et.createElement)("img",{src:e.url,alt:e.alt,"data-id":e.id,"data-full-url":e.fullUrl,"data-link":e.link,className:e.id?`wp-image-${e.id}`:null});return(0,et.createElement)("li",{key:e.id||e.url,className:"blocks-gallery-item"},(0,et.createElement)("figure",null,t?(0,et.createElement)("a",{href:t},n):n,!tj.isEmpty(e.caption)&&(0,et.createElement)(tj.Content,{tagName:"figcaption",className:"blocks-gallery-item__caption",value:e.caption})))}))),!tj.isEmpty(o)&&(0,et.createElement)(tj.Content,{tagName:"figcaption",className:"blocks-gallery-caption",value:o}))}},{attributes:{images:{type:"array",default:[],source:"query",selector:".blocks-gallery-item",query:{url:{source:"attribute",selector:"img",attribute:"src"},fullUrl:{source:"attribute",selector:"img",attribute:"data-full-url"},link:{source:"attribute",selector:"img",attribute:"data-link"},alt:{source:"attribute",selector:"img",attribute:"alt",default:""},id:{source:"attribute",selector:"img",attribute:"data-id"},caption:{type:"string",source:"html",selector:".blocks-gallery-item__caption"}}},ids:{type:"array",default:[]},columns:{type:"number"},caption:{type:"string",source:"html",selector:".blocks-gallery-caption"},imageCrop:{type:"boolean",default:!0},linkTo:{type:"string",default:"none"}},supports:{align:!0},isEligible:({ids:e})=>e&&e.some((e=>"string"==typeof e)),migrate:e=>({...e,ids:(0,ot.map)(e.ids,(e=>{const t=parseInt(e,10);return Number.isInteger(t)?t:null}))}),save({attributes:e}){const{images:t,columns:n=NJ(e),imageCrop:r,caption:o,linkTo:a}=e;return(0,et.createElement)("figure",{className:`columns-${n} ${r?"is-cropped":""}`},(0,et.createElement)("ul",{className:"blocks-gallery-grid"},t.map((e=>{let t;switch(a){case"media":t=e.fullUrl||e.url;break;case"attachment":t=e.link}const n=(0,et.createElement)("img",{src:e.url,alt:e.alt,"data-id":e.id,"data-full-url":e.fullUrl,"data-link":e.link,className:e.id?`wp-image-${e.id}`:null});return(0,et.createElement)("li",{key:e.id||e.url,className:"blocks-gallery-item"},(0,et.createElement)("figure",null,t?(0,et.createElement)("a",{href:t},n):n,!tj.isEmpty(e.caption)&&(0,et.createElement)(tj.Content,{tagName:"figcaption",className:"blocks-gallery-item__caption",value:e.caption})))}))),!tj.isEmpty(o)&&(0,et.createElement)(tj.Content,{tagName:"figcaption",className:"blocks-gallery-caption",value:o}))}},{attributes:{images:{type:"array",default:[],source:"query",selector:"ul.wp-block-gallery .blocks-gallery-item",query:{url:{source:"attribute",selector:"img",attribute:"src"},fullUrl:{source:"attribute",selector:"img",attribute:"data-full-url"},alt:{source:"attribute",selector:"img",attribute:"alt",default:""},id:{source:"attribute",selector:"img",attribute:"data-id"},link:{source:"attribute",selector:"img",attribute:"data-link"},caption:{type:"array",source:"children",selector:"figcaption"}}},ids:{type:"array",default:[]},columns:{type:"number"},imageCrop:{type:"boolean",default:!0},linkTo:{type:"string",default:"none"}},supports:{align:!0},save({attributes:e}){const{images:t,columns:n=NJ(e),imageCrop:r,linkTo:o}=e;return(0,et.createElement)("ul",{className:`columns-${n} ${r?"is-cropped":""}`},t.map((e=>{let t;switch(o){case"media":t=e.fullUrl||e.url;break;case"attachment":t=e.link}const n=(0,et.createElement)("img",{src:e.url,alt:e.alt,"data-id":e.id,"data-full-url":e.fullUrl,"data-link":e.link,className:e.id?`wp-image-${e.id}`:null});return(0,et.createElement)("li",{key:e.id||e.url,className:"blocks-gallery-item"},(0,et.createElement)("figure",null,t?(0,et.createElement)("a",{href:t},n):n,e.caption&&e.caption.length>0&&(0,et.createElement)(tj.Content,{tagName:"figcaption",value:e.caption})))})))}},{attributes:{images:{type:"array",default:[],source:"query",selector:"ul.wp-block-gallery .blocks-gallery-item",query:{url:{source:"attribute",selector:"img",attribute:"src"},alt:{source:"attribute",selector:"img",attribute:"alt",default:""},id:{source:"attribute",selector:"img",attribute:"data-id"},link:{source:"attribute",selector:"img",attribute:"data-link"},caption:{type:"array",source:"children",selector:"figcaption"}}},columns:{type:"number"},imageCrop:{type:"boolean",default:!0},linkTo:{type:"string",default:"none"}},isEligible:({images:e,ids:t})=>e&&e.length>0&&(!t&&e||t&&e&&t.length!==e.length||(0,ot.some)(e,((e,n)=>!e&&null!==t[n]||parseInt(e,10)!==t[n]))),migrate:e=>({...e,ids:(0,ot.map)(e.images,(({id:e})=>e?parseInt(e,10):null))}),supports:{align:!0},save({attributes:e}){const{images:t,columns:n=NJ(e),imageCrop:r,linkTo:o}=e;return(0,et.createElement)("ul",{className:`columns-${n} ${r?"is-cropped":""}`},t.map((e=>{let t;switch(o){case"media":t=e.url;break;case"attachment":t=e.link}const n=(0,et.createElement)("img",{src:e.url,alt:e.alt,"data-id":e.id,"data-link":e.link,className:e.id?`wp-image-${e.id}`:null});return(0,et.createElement)("li",{key:e.id||e.url,className:"blocks-gallery-item"},(0,et.createElement)("figure",null,t?(0,et.createElement)("a",{href:t},n):n,e.caption&&e.caption.length>0&&(0,et.createElement)(tj.Content,{tagName:"figcaption",value:e.caption})))})))}},{attributes:{images:{type:"array",default:[],source:"query",selector:"div.wp-block-gallery figure.blocks-gallery-image img",query:{url:{source:"attribute",attribute:"src"},alt:{source:"attribute",attribute:"alt",default:""},id:{source:"attribute",attribute:"data-id"}}},columns:{type:"number"},imageCrop:{type:"boolean",default:!0},linkTo:{type:"string",default:"none"},align:{type:"string",default:"none"}},supports:{align:!0},save({attributes:e}){const{images:t,columns:n=NJ(e),align:r,imageCrop:o,linkTo:a}=e,i=io()(`columns-${n}`,{alignnone:"none"===r,"is-cropped":o});return(0,et.createElement)("div",{className:i},t.map((e=>{let t;switch(a){case"media":t=e.url;break;case"attachment":t=e.link}const n=(0,et.createElement)("img",{src:e.url,alt:e.alt,"data-id":e.id});return(0,et.createElement)("figure",{key:e.id||e.url,className:"blocks-gallery-image"},t?(0,et.createElement)("a",{href:t},n):n)})))}}];function IJ(e){return{type:"SET_IS_MATCHING",values:e}}function PJ(e,t){return-1===t.indexOf(" ")&&(t=">= "+t),!!e[t]}const RJ=Gt("core/viewport",{reducer:function(e={},t){switch(t.type){case"SET_IS_MATCHING":return t.values}return e},actions:S,selectors:C});on(RJ);const YJ=e=>ni((t=>TA((n=>{const r=(0,ot.mapValues)(e,(e=>{let[t,n]=e.split(" ");return void 0===n&&(n=t,t=">="),Gp(n,t)}));return(0,et.createElement)(t,rt({},n,r))}))),"withViewportMatch");((e,t)=>{const n=(0,ot.debounce)((()=>{const e=(0,ot.mapValues)(r,(e=>e.matches));tn(RJ).setIsMatching(e)}),{leading:!0}),r=(0,ot.reduce)(e,((e,r,o)=>((0,ot.forEach)(t,((t,a)=>{const i=window.matchMedia(`(${t}: ${r}px)`);i.addListener(n);const s=[a,o].join(" ");e[s]=i})),e)),{});window.addEventListener("orientationchange",n),n(),n.flush()})({huge:1440,wide:1280,large:960,medium:782,small:600,mobile:480},{"<":"max-width",">=":"min-width"});const WJ="div",HJ=(0,et.createElement)($D,{icon:OJ}),qJ="none",jJ="file",FJ="post";class VJ extends et.Component{constructor(){super(...arguments),this.onSelectImage=this.onSelectImage.bind(this),this.onRemoveImage=this.onRemoveImage.bind(this),this.bindContainer=this.bindContainer.bind(this),this.onEdit=this.onEdit.bind(this),this.onSelectImageFromLibrary=this.onSelectImageFromLibrary.bind(this),this.onSelectCustomURL=this.onSelectCustomURL.bind(this),this.state={isEditing:!1}}bindContainer(e){this.container=e}onSelectImage(){this.props.isSelected||this.props.onSelect()}onRemoveImage(e){this.container===this.container.ownerDocument.activeElement&&this.props.isSelected&&-1!==[tm,lm].indexOf(e.keyCode)&&(e.preventDefault(),this.props.onRemove())}onEdit(){this.setState({isEditing:!0})}componentDidUpdate(){const{image:e,url:t,__unstableMarkNextChangeAsNotPersistent:n}=this.props;e&&!t&&(n(),this.props.setAttributes({url:e.source_url,alt:e.alt_text}))}deselectOnBlur(){this.props.onDeselect()}onSelectImageFromLibrary(e){const{setAttributes:t,id:n,url:r,alt:o,caption:a,sizeSlug:i}=this.props;if(!e||!e.url)return;let s=DJ(e,i);((e,t)=>!e&&Js(t))(n,r)&&o&&(s=(0,ot.omit)(s,["alt"])),a&&!(0,ot.get)(s,["caption"])&&(s=(0,ot.omit)(s,["caption"])),t(s),this.setState({isEditing:!1})}onSelectCustomURL(e){const{setAttributes:t,url:n}=this.props;e!==n&&(t({url:e,id:void 0}),this.setState({isEditing:!1}))}render(){const{url:e,alt:t,id:n,linkTo:r,link:o,isFirstItem:a,isLastItem:i,isSelected:s,caption:l,onRemove:c,onMoveForward:u,onMoveBackward:d,setAttributes:p,"aria-label":m}=this.props,{isEditing:f}=this.state;let h;switch(r){case jJ:h=e;break;case FJ:h=o}const g=(0,et.createElement)(et.Fragment,null,(0,et.createElement)("img",{src:e,alt:t,"data-id":n,onKeyDown:this.onRemoveImage,tabIndex:"0","aria-label":m,ref:this.bindContainer}),Js(e)&&(0,et.createElement)(IH,null)),b=io()({"is-selected":s,"is-transient":Js(e)});return(0,et.createElement)("figure",{className:b,onClick:this.onSelectImage,onFocus:this.onSelectImage},!f&&(h?(0,et.createElement)("a",{href:h},g):g),f&&(0,et.createElement)(zq,{labels:{title:Zn("Edit gallery image")},icon:uK,onSelect:this.onSelectImageFromLibrary,onSelectURL:this.onSelectCustomURL,accept:"image/*",allowedTypes:["image"],value:{id:n,src:e}}),(0,et.createElement)(CA,{className:"block-library-gallery-item__inline-menu is-left"},(0,et.createElement)(nh,{icon:gB,onClick:a?void 0:d,label:Zn("Move image backward"),"aria-disabled":a,disabled:!s}),(0,et.createElement)(nh,{icon:hB,onClick:i?void 0:u,label:Zn("Move image forward"),"aria-disabled":i,disabled:!s})),(0,et.createElement)(CA,{className:"block-library-gallery-item__inline-menu is-right"},(0,et.createElement)(nh,{icon:Aq,onClick:this.onEdit,label:Zn("Replace image"),disabled:!s}),(0,et.createElement)(nh,{icon:jI,onClick:c,label:Zn("Remove image"),disabled:!s})),!f&&(s||l)&&(0,et.createElement)(tj,{tagName:"figcaption","aria-label":Zn("Image caption text"),placeholder:s?Zn("Add caption"):null,value:l,onChange:e=>p({caption:e}),inlineToolbar:!0}))}}const XJ=WA([LI(((e,t)=>{const{getMedia:n}=e(vd),{id:r}=t;return{image:r?n(parseInt(r,10)):null}})),SI((e=>{const{__unstableMarkNextChangeAsNotPersistent:t}=e(DM);return{__unstableMarkNextChangeAsNotPersistent:t}}))])(VJ);function UJ({isHidden:e,...t}){return e?(0,et.createElement)(eh,rt({as:tj},t)):(0,et.createElement)(tj,t)}const $J=e=>{const{attributes:t,isSelected:n,setAttributes:r,selectedImage:o,mediaPlaceholder:a,onMoveBackward:i,onMoveForward:s,onRemoveImage:l,onSelectImage:c,onDeselectImage:u,onSetImageAttributes:d,insertBlocksAfter:p,blockProps:m}=e,{align:f,columns:h=NJ(t),caption:g,imageCrop:b,images:v}=t;return(0,et.createElement)("figure",rt({},m,{className:io()(m.className,{[`align${f}`]:f,[`columns-${h}`]:h,"is-cropped":b})}),(0,et.createElement)("ul",{className:"blocks-gallery-grid"},v.map(((e,r)=>{const a=dn(Zn("image %1$d of %2$d in gallery"),r+1,v.length);return(0,et.createElement)("li",{className:"blocks-gallery-item",key:e.id?`${e.id}-${r}`:e.url},(0,et.createElement)(XJ,{url:e.url,alt:e.alt,id:e.id,isFirstItem:0===r,isLastItem:r+1===v.length,isSelected:n&&o===r,onMoveBackward:i(r),onMoveForward:s(r),onRemove:l(r),onSelect:c(r),onDeselect:u(r),setAttributes:e=>d(r,e),caption:e.caption,"aria-label":a,sizeSlug:t.sizeSlug}))}))),a,(0,et.createElement)(UJ,{isHidden:!n&&tj.isEmpty(g),tagName:"figcaption",className:"blocks-gallery-caption","aria-label":Zn("Gallery caption text"),placeholder:Zn("Write gallery caption…"),value:g,onChange:e=>r({caption:e}),inlineToolbar:!0,__unstableOnSplitAtEnd:()=>p(Wo("core/paragraph"))}))},KJ=[{value:FJ,label:Zn("Attachment Page")},{value:jJ,label:Zn("Media File")},{value:qJ,label:Zn("None")}],GJ=["image"],JJ=Qg.select({web:Zn("Drag images, upload new ones or select files from your library."),native:Zn("ADD MEDIA")}),QJ=Qg.select({web:{},native:{type:"stepper"}});const ZJ=WA([mK,YJ({isNarrow:"< small"})])((function(e){const{attributes:t,clientId:n,isSelected:r,noticeUI:o,noticeOperations:a,onFocus:i}=e,{columns:s=NJ(t),imageCrop:l,images:c,linkTo:u,sizeSlug:d}=t,[p,m]=(0,et.useState)(),[f,h]=(0,et.useState)(),{__unstableMarkNextChangeAsNotPersistent:g}=sd(DM),{imageSizes:b,mediaUpload:v,getMedia:y,wasBlockJustInserted:_}=Cl((e=>{const t=e(DM).getSettings();return{imageSizes:t.imageSizes,mediaUpload:t.mediaUpload,getMedia:e(vd).getMedia,wasBlockJustInserted:e(DM).wasBlockJustInserted(n,"inserter_menu")}})),M=(0,et.useMemo)((()=>r?(0,ot.reduce)(t.ids,((e,t)=>{if(!t)return e;const n=y(t),r=(0,ot.reduce)(b,((e,t)=>{const r=(0,ot.get)(n,["sizes",t.slug,"url"]),o=(0,ot.get)(n,["media_details","sizes",t.slug,"source_url"]);return{...e,[t.slug]:r||o}}),{});return{...e,[parseInt(t,10)]:r}}),{}):{}),[r,t.ids,b]);function k(t){if(t.ids)throw new Error('The "ids" attribute should not be changed directly. It is managed automatically when "images" attribute changes');t.images&&(t={...t,ids:(0,ot.map)(t.images,(({id:e})=>parseInt(e,10)))}),e.setAttributes(t)}function w(e,t){const n=[...c];n.splice(t,1,c[e]),n.splice(e,1,c[t]),m(t),k({images:n})}function E(e){const t=(0,ot.toString)(e.id),n=(0,ot.find)(c,{id:t}),r=n?n.caption:e.caption;if(!f)return r;const o=(0,ot.find)(f,{id:t});return o&&o.caption!==e.caption?e.caption:r}function L(e){h(e.map((e=>({id:(0,ot.toString)(e.id),caption:e.caption})))),k({images:e.map((e=>({...DJ(e,d),caption:E(e),id:(0,ot.toString)(e.id)}))),columns:t.columns?Math.min(e.length,t.columns):t.columns})}(0,et.useEffect)((()=>{if("web"===Qg.OS&&c&&c.length>0&&(0,ot.every)(c,(({url:e})=>Js(e)))){const e=(0,ot.map)(c,(({url:e})=>Ks(e)));(0,ot.forEach)(c,(({url:e})=>Gs(e))),v({filesList:e,onFileChange:L,allowedTypes:["image"]})}}),[]),(0,et.useEffect)((()=>{r||m()}),[r]),(0,et.useEffect)((()=>{var e,t,n,r,o,a;u||(g(),k({linkTo:(null===(e=window)||void 0===e||null===(t=e.wp)||void 0===t||null===(n=t.media)||void 0===n||null===(r=n.view)||void 0===r||null===(o=r.settings)||void 0===o||null===(a=o.defaultProps)||void 0===a?void 0:a.link)||qJ}))}),[u]);const A=!!c.length,S=A&&c.some((e=>!!e.id)),C=(0,et.createElement)(zq,{addToGallery:S,isAppender:A,disableMediaButtons:A&&!r,icon:!A&&HJ,labels:{title:!A&&Zn("Gallery"),instructions:!A&&JJ},onSelect:L,accept:"image/*",allowedTypes:GJ,multiple:!0,value:S?c:{},onError:function(e){a.removeAllNotices(),a.createErrorNotice(e)},notices:A?void 0:o,onFocus:i,autoOpenMediaUpload:!A&&r&&_}),T=vR();if(!A)return(0,et.createElement)(WJ,T,C);const x=(0,ot.map)((0,ot.filter)(b,(({slug:e})=>(0,ot.some)(M,(t=>t[e])))),(({name:e,slug:t})=>({value:t,label:e}))),z=A&&!(0,ot.isEmpty)(x);return(0,et.createElement)(et.Fragment,null,(0,et.createElement)(kA,null,(0,et.createElement)(mA,{title:Zn("Gallery settings")},c.length>1&&(0,et.createElement)(BC,rt({label:Zn("Columns"),value:s,onChange:function(e){k({columns:e})},min:1,max:Math.min(8,c.length)},QJ,{required:!0})),(0,et.createElement)(kN,{label:Zn("Crop images"),checked:!!l,onChange:function(){k({imageCrop:!l})},help:function(e){return Zn(e?"Thumbnails are cropped to align.":"Thumbnails are not cropped.")}}),(0,et.createElement)(SS,{label:Zn("Link to"),value:u,onChange:function(e){k({linkTo:e})},options:KJ,hideCancelButton:!0}),z&&(0,et.createElement)(SS,{label:Zn("Image size"),value:d,options:x,onChange:function(e){k({images:(0,ot.map)(c,(t=>{if(!t.id)return t;const n=(0,ot.get)(M,[parseInt(t.id,10),e]);return{...t,...n&&{url:n}}})),sizeSlug:e})},hideCancelButton:!0}))),o,(0,et.createElement)($J,rt({},e,{selectedImage:p,mediaPlaceholder:C,onMoveBackward:function(e){return()=>{0!==e&&w(e,e-1)}},onMoveForward:function(e){return()=>{e!==c.length-1&&w(e,e+1)}},onRemoveImage:function(e){return()=>{const n=(0,ot.filter)(c,((t,n)=>e!==n));m(),k({images:n,columns:t.columns?Math.min(n.length,t.columns):t.columns})}},onSelectImage:function(e){return()=>{m(e)}},onDeselectImage:function(){return()=>{m()}},onSetImageAttributes:function(e,t){c[e]&&k({images:[...c.slice(0,e),{...c[e],...t},...c.slice(e+1)]})},blockProps:T,onFocusGalleryCaption:function(){m()}})))}));const eQ=e=>e?e.split(",").map((e=>parseInt(e,10))):[],tQ={from:[{type:"block",isMultiBlock:!0,blocks:["core/image"],transform:e=>{let{align:t,sizeSlug:n}=e[0];t=(0,ot.every)(e,["align",t])?t:void 0,n=(0,ot.every)(e,["sizeSlug",n])?n:void 0;const r=(0,ot.filter)(e,(({url:e})=>e));return Wo("core/gallery",{images:r.map((({id:e,url:t,alt:n,caption:r})=>({id:(0,ot.toString)(e),url:t,alt:n,caption:r}))),ids:r.map((({id:e})=>parseInt(e,10))),align:t,sizeSlug:n})}},{type:"shortcode",tag:"gallery",attributes:{images:{type:"array",shortcode:({named:{ids:e}})=>eQ(e).map((e=>({id:(0,ot.toString)(e)})))},ids:{type:"array",shortcode:({named:{ids:e}})=>eQ(e)},columns:{type:"number",shortcode:({named:{columns:e="3"}})=>parseInt(e,10)},linkTo:{type:"string",shortcode:({named:{link:e="post"}})=>e}},isMatch:({named:e})=>void 0!==e.ids},{type:"files",isMatch:e=>1!==e.length&&(0,ot.every)(e,(e=>0===e.type.indexOf("image/"))),transform:e=>Wo("core/gallery",{images:e.map((e=>DJ({url:$s(e)})))})}],to:[{type:"block",blocks:["core/image"],transform:({images:e,align:t,sizeSlug:n,ids:r})=>e.length>0?e.map((({url:e,alt:o,caption:a},i)=>Wo("core/image",{id:r[i],url:e,alt:o,caption:a,align:t,sizeSlug:n}))):Wo("core/image",{align:t})}]},nQ={apiVersion:2,name:"core/gallery",title:"Gallery",category:"media",description:"Display multiple images in a rich gallery.",keywords:["images","photos"],textdomain:"default",attributes:{images:{type:"array",default:[],source:"query",selector:".blocks-gallery-item",query:{url:{type:"string",source:"attribute",selector:"img",attribute:"src"},fullUrl:{type:"string",source:"attribute",selector:"img",attribute:"data-full-url"},link:{type:"string",source:"attribute",selector:"img",attribute:"data-link"},alt:{type:"string",source:"attribute",selector:"img",attribute:"alt",default:""},id:{type:"string",source:"attribute",selector:"img",attribute:"data-id"},caption:{type:"string",source:"html",selector:".blocks-gallery-item__caption"}}},ids:{type:"array",items:{type:"number"},default:[]},columns:{type:"number",minimum:1,maximum:8},caption:{type:"string",source:"html",selector:".blocks-gallery-caption"},imageCrop:{type:"boolean",default:!0},linkTo:{type:"string"},sizeSlug:{type:"string",default:"large"}},supports:{anchor:!0,align:!0},editorStyle:"wp-block-gallery-editor",style:"wp-block-gallery"},{name:rQ}=nQ,oQ={icon:OJ,example:{attributes:{columns:2,images:[{url:"https://s.w.org/images/core/5.3/Glacial_lakes%2C_Bhutan.jpg"},{url:"https://s.w.org/images/core/5.3/Sediment_off_the_Yucatan_Peninsula.jpg"}]}},transforms:tQ,edit:ZJ,save:function({attributes:e}){const{images:t,columns:n=NJ(e),imageCrop:r,caption:o,linkTo:a}=e,i=`columns-${n} ${r?"is-cropped":""}`;return(0,et.createElement)("figure",vR.save({className:i}),(0,et.createElement)("ul",{className:"blocks-gallery-grid"},t.map((e=>{let t;switch(a){case jJ:t=e.fullUrl||e.url;break;case FJ:t=e.link}const n=(0,et.createElement)("img",{src:e.url,alt:e.alt,"data-id":e.id,"data-full-url":e.fullUrl,"data-link":e.link,className:e.id?`wp-image-${e.id}`:null});return(0,et.createElement)("li",{key:e.id||e.url,className:"blocks-gallery-item"},(0,et.createElement)("figure",null,t?(0,et.createElement)("a",{href:t},n):n,!tj.isEmpty(e.caption)&&(0,et.createElement)(tj.Content,{tagName:"figcaption",className:"blocks-gallery-item__caption",value:e.caption})))}))),!tj.isEmpty(o)&&(0,et.createElement)(tj.Content,{tagName:"figcaption",className:"blocks-gallery-caption",value:o}))},deprecated:BJ},aQ=(0,et.createElement)(po,{viewBox:"0 0 24 24",xmlns:"http://www.w3.org/2000/svg"},(0,et.createElement)(co,{d:"M19 6.2h-5.9l-.6-1.1c-.3-.7-1-1.1-1.8-1.1H5c-1.1 0-2 .9-2 2v11.8c0 1.1.9 2 2 2h14c1.1 0 2-.9 2-2V8.2c0-1.1-.9-2-2-2zm.5 11.6c0 .3-.2.5-.5.5H5c-.3 0-.5-.2-.5-.5V6c0-.3.2-.5.5-.5h5.8c.2 0 .4.1.4.3l1 2H19c.3 0 .5.2.5.5v9.5zM8 12.8h8v-1.5H8v1.5zm0 3h8v-1.5H8v1.5z"}));function iQ({className:e}){return(0,et.createElement)(VW,{className:e},Zn("Block rendered as empty."))}function sQ({response:e,className:t}){const n=dn(Zn("Error loading block: %s"),e.errorMsg);return(0,et.createElement)(VW,{className:t},n)}function lQ({className:e}){return(0,et.createElement)(VW,{className:e},(0,et.createElement)(IH,null))}function cQ(e){const{attributes:t,block:n,className:r,httpMethod:o="GET",urlQueryArgs:a,EmptyResponsePlaceholder:i=iQ,ErrorResponsePlaceholder:s=sQ,LoadingResponsePlaceholder:l=lQ}=e,c=(0,et.useRef)(!0),u=(0,et.useRef)(),[d,p]=(0,et.useState)(null),m=ZK(e);function f(){if(!c.current)return;null!==d&&p(null);const e=t&&Mo(n,t),r="POST"===o,i=function(e,t=null,n={}){return Il(`/wp/v2/block-renderer/${e}`,{context:"edit",...null!==t?{attributes:t}:{},...n})}(n,r?null:null!=e?e:null,a),s=r?{attributes:null!=e?e:null}:null,l=u.current=Zl({path:i,data:s,method:r?"POST":"GET"}).then((e=>{c.current&&l===u.current&&e&&p(e.rendered)})).catch((e=>{c.current&&l===u.current&&p({error:!0,errorMsg:e.message})}));return l}const h=qp(f,500);return(0,et.useEffect)((()=>()=>{c.current=!1}),[]),(0,et.useEffect)((()=>{void 0===m?f():(0,ot.isEqual)(m,e)||h()})),""===d?(0,et.createElement)(i,e):d?d.error?(0,et.createElement)(s,rt({response:d},e)):(0,et.createElement)(Ia,{className:r},d):(0,et.createElement)(l,e)}const uQ={},dQ=LI((e=>{const t=e("core/editor");if(t){const e=t.getCurrentPostId();if(e&&"number"==typeof e)return{currentPostId:e}}return uQ}))((({urlQueryArgs:e=uQ,currentPostId:t,...n})=>{const r=(0,et.useMemo)((()=>t?{post_id:t,...e}:e),[t,e]);return(0,et.createElement)(cQ,rt({urlQueryArgs:r},n))}));window&&window.wp&&window.wp.components&&(window.wp.components.ServerSideRender=(0,et.forwardRef)(((e,t)=>(Hp("wp.components.ServerSideRender",{since:"5.3",alternative:"wp.serverSideRender"}),(0,et.createElement)(dQ,rt({},e,{ref:t}))))));const pQ=dQ;const mQ={apiVersion:2,name:"core/archives",title:"Archives",category:"widgets",description:"Display a monthly archive of your posts.",textdomain:"default",attributes:{displayAsDropdown:{type:"boolean",default:!1},showPostCounts:{type:"boolean",default:!1}},supports:{align:!0,html:!1},editorStyle:"wp-block-archives-editor"},{name:fQ}=mQ,hQ={icon:aQ,example:{},edit:function({attributes:e,setAttributes:t}){const{showPostCounts:n,displayAsDropdown:r}=e;return(0,et.createElement)(et.Fragment,null,(0,et.createElement)(kA,null,(0,et.createElement)(mA,{title:Zn("Archives settings")},(0,et.createElement)(kN,{label:Zn("Display as dropdown"),checked:r,onChange:()=>t({displayAsDropdown:!r})}),(0,et.createElement)(kN,{label:Zn("Show post counts"),checked:n,onChange:()=>t({showPostCounts:!n})}))),(0,et.createElement)("div",vR(),(0,et.createElement)(gP,null,(0,et.createElement)(pQ,{block:"core/archives",attributes:e}))))}},gQ=(0,et.createElement)(po,{viewBox:"0 0 24 24",xmlns:"http://www.w3.org/2000/svg"},(0,et.createElement)(co,{d:"M17.7 4.3c-1.2 0-2.8 0-3.8 1-.6.6-.9 1.5-.9 2.6V14c-.6-.6-1.5-1-2.5-1C8.6 13 7 14.6 7 16.5S8.6 20 10.5 20c1.5 0 2.8-1 3.3-2.3.5-.8.7-1.8.7-2.5V7.9c0-.7.2-1.2.5-1.6.6-.6 1.8-.6 2.8-.6h.3V4.3h-.4z"})),bQ=[{attributes:{src:{type:"string",source:"attribute",selector:"audio",attribute:"src"},caption:{type:"string",source:"html",selector:"figcaption"},id:{type:"number"},autoplay:{type:"boolean",source:"attribute",selector:"audio",attribute:"autoplay"},loop:{type:"boolean",source:"attribute",selector:"audio",attribute:"loop"},preload:{type:"string",source:"attribute",selector:"audio",attribute:"preload"}},supports:{align:!0},save({attributes:e}){const{autoplay:t,caption:n,loop:r,preload:o,src:a}=e;return(0,et.createElement)("figure",null,(0,et.createElement)("audio",{controls:"controls",src:a,autoPlay:t,loop:r,preload:o}),!tj.isEmpty(n)&&(0,et.createElement)(tj.Content,{tagName:"figcaption",value:n}))}}],vQ=["audio"];const yQ=mK((function({attributes:e,noticeOperations:t,setAttributes:n,onReplace:r,isSelected:o,noticeUI:a,insertBlocksAfter:i}){const{id:s,autoplay:l,caption:c,loop:u,preload:d,src:p}=e,m=vR(),f=Cl((e=>{const{getSettings:t}=e(DM);return t().mediaUpload}),[]);function h(e){return t=>{n({[e]:t})}}function g(e){if(e!==p){const t=cG({attributes:{url:e}});if(void 0!==t)return void r(t);n({src:e,id:void 0})}}function b(e){t.removeAllNotices(),t.createErrorNotice(e)}function v(e){e&&e.url?n({src:e.url,id:e.id}):n({src:void 0,id:void 0})}return(0,et.useEffect)((()=>{if(!s&&Js(p)){const e=Ks(p);e&&f({filesList:[e],onFileChange:([{id:e,url:t}])=>{n({id:e,src:t})},onError:e=>{n({src:void 0,id:void 0}),t.createErrorNotice(e)},allowedTypes:vQ})}}),[]),p?(0,et.createElement)(et.Fragment,null,(0,et.createElement)(WM,{group:"other"},(0,et.createElement)(Eq,{mediaId:s,mediaURL:p,allowedTypes:vQ,accept:"audio/*",onSelect:v,onSelectURL:g,onError:b})),(0,et.createElement)(kA,null,(0,et.createElement)(mA,{title:Zn("Audio settings")},(0,et.createElement)(kN,{label:Zn("Autoplay"),onChange:h("autoplay"),checked:l,help:function(e){return e?Zn("Autoplay may cause usability issues for some users."):null}}),(0,et.createElement)(kN,{label:Zn("Loop"),onChange:h("loop"),checked:u}),(0,et.createElement)(SS,{label:Zn("Preload"),value:d||"",onChange:e=>n({preload:e||void 0}),options:[{value:"",label:Zn("Browser default")},{value:"auto",label:Zn("Auto")},{value:"metadata",label:Zn("Metadata")},{value:"none",label:Zn("None")}]}))),(0,et.createElement)("figure",m,(0,et.createElement)(gP,{isDisabled:!o},(0,et.createElement)("audio",{controls:"controls",src:p})),(!tj.isEmpty(c)||o)&&(0,et.createElement)(tj,{tagName:"figcaption","aria-label":Zn("Audio caption text"),placeholder:Zn("Add caption"),value:c,onChange:e=>n({caption:e}),inlineToolbar:!0,__unstableOnSplitAtEnd:()=>i(Wo("core/paragraph"))}))):(0,et.createElement)("div",m,(0,et.createElement)(zq,{icon:(0,et.createElement)($D,{icon:gQ}),onSelect:v,onSelectURL:g,accept:"audio/*",allowedTypes:vQ,value:e,notices:a,onError:b}))}));const _Q={from:[{type:"files",isMatch:e=>1===e.length&&0===e[0].type.indexOf("audio/"),transform:e=>Wo("core/audio",{src:$s(e[0])})},{type:"shortcode",tag:"audio",attributes:{src:{type:"string",shortcode:({named:{src:e,mp3:t,m4a:n,ogg:r,wav:o,wma:a}})=>e||t||n||r||o||a},loop:{type:"string",shortcode:({named:{loop:e}})=>e},autoplay:{type:"string",shortcode:({named:{autoplay:e}})=>e},preload:{type:"string",shortcode:({named:{preload:e}})=>e}}}]},MQ={apiVersion:2,name:"core/audio",title:"Audio",category:"media",description:"Embed a simple audio player.",keywords:["music","sound","podcast","recording"],textdomain:"default",attributes:{src:{type:"string",source:"attribute",selector:"audio",attribute:"src"},caption:{type:"string",source:"html",selector:"figcaption"},id:{type:"number"},autoplay:{type:"boolean",source:"attribute",selector:"audio",attribute:"autoplay"},loop:{type:"boolean",source:"attribute",selector:"audio",attribute:"loop"},preload:{type:"string",source:"attribute",selector:"audio",attribute:"preload"}},supports:{anchor:!0,align:!0},editorStyle:"wp-block-audio-editor",style:"wp-block-audio"},{name:kQ}=MQ,wQ={icon:gQ,example:{attributes:{src:"https://upload.wikimedia.org/wikipedia/commons/d/dd/Armstrong_Small_Step.ogg"}},transforms:_Q,deprecated:bQ,edit:yQ,save:function({attributes:e}){const{autoplay:t,caption:n,loop:r,preload:o,src:a}=e;return a&&(0,et.createElement)("figure",vR.save(),(0,et.createElement)("audio",{controls:"controls",src:a,autoPlay:t,loop:r,preload:o}),!tj.isEmpty(n)&&(0,et.createElement)(tj.Content,{tagName:"figcaption",value:n}))}},EQ=(0,et.createElement)(po,{viewBox:"0 0 24 24",xmlns:"http://www.w3.org/2000/svg"},(0,et.createElement)(co,{d:"M17 3H7c-1.1 0-2 .9-2 2v4c0 1.1.9 2 2 2h10c1.1 0 2-.9 2-2V5c0-1.1-.9-2-2-2zm.5 6c0 .3-.2.5-.5.5H7c-.3 0-.5-.2-.5-.5V5c0-.3.2-.5.5-.5h10c.3 0 .5.2.5.5v4zm-8-1.2h5V6.2h-5v1.6zM17 13H7c-1.1 0-2 .9-2 2v4c0 1.1.9 2 2 2h10c1.1 0 2-.9 2-2v-4c0-1.1-.9-2-2-2zm.5 6c0 .3-.2.5-.5.5H7c-.3 0-.5-.2-.5-.5v-4c0-.3.2-.5.5-.5h10c.3 0 .5.2.5.5v4zm-8-1.2h5v-1.5h-5v1.5z"})),LQ=[{supports:{align:["center","left","right"],anchor:!0},save:()=>(0,et.createElement)("div",null,(0,et.createElement)(EH.Content,null)),isEligible:({align:e})=>e&&["center","left","right"].includes(e),migrate:e=>({...e,align:void 0,contentJustification:e.align})}],{name:AQ}={apiVersion:2,name:"core/buttons",title:"Buttons",category:"design",description:"Prompt visitors to take action with a group of button-style links.",keywords:["link"],textdomain:"default",attributes:{contentJustification:{type:"string"},orientation:{type:"string",default:"horizontal"}},supports:{anchor:!0,align:["wide","full"]},editorStyle:"wp-block-buttons-editor",style:"wp-block-buttons"},SQ={from:[{type:"block",isMultiBlock:!0,blocks:["core/button"],transform:e=>Wo(AQ,{},e.map((e=>Wo("core/button",e))))},{type:"block",isMultiBlock:!0,blocks:["core/paragraph"],transform:e=>Wo(AQ,{},e.map((e=>{const t=ay(document,e.content),n=t.innerText||"",r=t.querySelector("a");return Wo("core/button",{text:n,url:null==r?void 0:r.getAttribute("href")})}))),isMatch:e=>e.every((e=>{const t=ay(document,e.content),n=t.innerText||"",r=t.querySelectorAll("a");return n.length<=30&&r.length<=1}))}]},CQ=(0,et.createElement)(po,{viewBox:"0 0 24 24",xmlns:"http://www.w3.org/2000/svg"},(0,et.createElement)(co,{d:"M19 6.5H5c-1.1 0-2 .9-2 2v7c0 1.1.9 2 2 2h14c1.1 0 2-.9 2-2v-7c0-1.1-.9-2-2-2zm.5 9c0 .3-.2.5-.5.5H5c-.3 0-.5-.2-.5-.5v-7c0-.3.2-.5.5-.5h14c.3 0 .5.2.5.5v7zM8 12.8h8v-1.5H8v1.5z"})),TQ=e=>{var t,n,r;const{borderRadius:o,...a}=e,i=[o,null===(t=a.style)||void 0===t||null===(n=t.border)||void 0===n?void 0:n.radius].find((e=>"number"==typeof e&&0!==e));return i?{...a,style:{...a.style,border:{...null===(r=a.style)||void 0===r?void 0:r.border,radius:`${i}px`}}}:a},xQ=e=>{if(!e.customTextColor&&!e.customBackgroundColor&&!e.customGradient)return e;const t={color:{}};return e.customTextColor&&(t.color.text=e.customTextColor),e.customBackgroundColor&&(t.color.background=e.customBackgroundColor),e.customGradient&&(t.color.gradient=e.customGradient),{...(0,ot.omit)(e,["customTextColor","customBackgroundColor","customGradient"]),style:t}},zQ=e=>xQ((0,ot.omit)({...e,customTextColor:e.textColor&&"#"===e.textColor[0]?e.textColor:void 0,customBackgroundColor:e.color&&"#"===e.color[0]?e.color:void 0},["color","textColor"])),OQ={url:{type:"string",source:"attribute",selector:"a",attribute:"href"},title:{type:"string",source:"attribute",selector:"a",attribute:"title"},text:{type:"string",source:"html",selector:"a"}},NQ=[{supports:{anchor:!0,align:!0,alignWide:!1,color:{__experimentalSkipSerialization:!0,gradients:!0},typography:{fontSize:!0,__experimentalFontFamily:!0},reusable:!1,__experimentalSelector:".wp-block-button__link"},attributes:{...OQ,linkTarget:{type:"string",source:"attribute",selector:"a",attribute:"target"},rel:{type:"string",source:"attribute",selector:"a",attribute:"rel"},placeholder:{type:"string"},backgroundColor:{type:"string"},textColor:{type:"string"},gradient:{type:"string"},width:{type:"number"}},isEligible({style:e}){var t;return"number"==typeof(null==e||null===(t=e.border)||void 0===t?void 0:t.radius)},save({attributes:e,className:t}){var n,r,o;const{fontSize:a,linkTarget:i,rel:s,style:l,text:c,title:u,url:d,width:p}=e;if(!c)return null;const m=null==l||null===(n=l.border)||void 0===n?void 0:n.radius,f=ON(e),h=io()("wp-block-button__link",f.className,{"no-border-radius":0===(null==l||null===(r=l.border)||void 0===r?void 0:r.radius)}),g={borderRadius:m||void 0,...f.style},b=io()(t,{[`has-custom-width wp-block-button__width-${p}`]:p,"has-custom-font-size":a||(null==l||null===(o=l.typography)||void 0===o?void 0:o.fontSize)});return(0,et.createElement)("div",vR.save({className:b}),(0,et.createElement)(tj.Content,{tagName:"a",className:h,href:d,title:u,style:g,value:c,target:i,rel:s}))},migrate:TQ},{supports:{anchor:!0,align:!0,alignWide:!1,color:{__experimentalSkipSerialization:!0},reusable:!1,__experimentalSelector:".wp-block-button__link"},attributes:{...OQ,linkTarget:{type:"string",source:"attribute",selector:"a",attribute:"target"},rel:{type:"string",source:"attribute",selector:"a",attribute:"rel"},placeholder:{type:"string"},borderRadius:{type:"number"},backgroundColor:{type:"string"},textColor:{type:"string"},gradient:{type:"string"},style:{type:"object"},width:{type:"number"}},save({attributes:e,className:t}){const{borderRadius:n,linkTarget:r,rel:o,text:a,title:i,url:s,width:l}=e,c=ON(e),u=io()("wp-block-button__link",c.className,{"no-border-radius":0===n}),d={borderRadius:n?n+"px":void 0,...c.style},p=io()(t,{[`has-custom-width wp-block-button__width-${l}`]:l});return(0,et.createElement)("div",vR.save({className:p}),(0,et.createElement)(tj.Content,{tagName:"a",className:u,href:s,title:i,style:d,value:a,target:r,rel:o}))},migrate:TQ},{supports:{anchor:!0,align:!0,alignWide:!1,color:{__experimentalSkipSerialization:!0},reusable:!1,__experimentalSelector:".wp-block-button__link"},attributes:{...OQ,linkTarget:{type:"string",source:"attribute",selector:"a",attribute:"target"},rel:{type:"string",source:"attribute",selector:"a",attribute:"rel"},placeholder:{type:"string"},borderRadius:{type:"number"},backgroundColor:{type:"string"},textColor:{type:"string"},gradient:{type:"string"},style:{type:"object"},width:{type:"number"}},save({attributes:e,className:t}){const{borderRadius:n,linkTarget:r,rel:o,text:a,title:i,url:s,width:l}=e,c=ON(e),u=io()("wp-block-button__link",c.className,{"no-border-radius":0===n}),d={borderRadius:n?n+"px":void 0,...c.style},p=io()(t,{[`has-custom-width wp-block-button__width-${l}`]:l});return(0,et.createElement)("div",vR.save({className:p}),(0,et.createElement)(tj.Content,{tagName:"a",className:u,href:s,title:i,style:d,value:a,target:r,rel:o}))},migrate:TQ},{supports:{align:!0,alignWide:!1,color:{gradients:!0}},attributes:{...OQ,linkTarget:{type:"string",source:"attribute",selector:"a",attribute:"target"},rel:{type:"string",source:"attribute",selector:"a",attribute:"rel"},placeholder:{type:"string"},borderRadius:{type:"number"},backgroundColor:{type:"string"},textColor:{type:"string"},gradient:{type:"string"},style:{type:"object"}},save({attributes:e}){const{borderRadius:t,linkTarget:n,rel:r,text:o,title:a,url:i}=e,s=io()("wp-block-button__link",{"no-border-radius":0===t}),l={borderRadius:t?t+"px":void 0};return(0,et.createElement)(tj.Content,{tagName:"a",className:s,href:i,title:a,style:l,value:o,target:n,rel:r})},migrate:TQ},{supports:{align:!0,alignWide:!1},attributes:{...OQ,linkTarget:{type:"string",source:"attribute",selector:"a",attribute:"target"},rel:{type:"string",source:"attribute",selector:"a",attribute:"rel"},placeholder:{type:"string"},borderRadius:{type:"number"},backgroundColor:{type:"string"},textColor:{type:"string"},customBackgroundColor:{type:"string"},customTextColor:{type:"string"},customGradient:{type:"string"},gradient:{type:"string"}},isEligible:e=>!!e.customTextColor||!!e.customBackgroundColor||!!e.customGradient,migrate:WA(TQ,xQ),save({attributes:e}){const{backgroundColor:t,borderRadius:n,customBackgroundColor:r,customTextColor:o,customGradient:a,linkTarget:i,gradient:s,rel:l,text:c,textColor:u,title:d,url:p}=e,m=VS("color",u),f=!a&&VS("background-color",t),h=US(s),g=io()("wp-block-button__link",{"has-text-color":u||o,[m]:m,"has-background":t||r||a||s,[f]:f,"no-border-radius":0===n,[h]:h}),b={background:a||void 0,backgroundColor:f||a||s?void 0:r,color:m?void 0:o,borderRadius:n?n+"px":void 0};return(0,et.createElement)("div",null,(0,et.createElement)(tj.Content,{tagName:"a",className:g,href:p,title:d,style:b,value:c,target:i,rel:l}))}},{attributes:{...OQ,align:{type:"string",default:"none"},backgroundColor:{type:"string"},textColor:{type:"string"},customBackgroundColor:{type:"string"},customTextColor:{type:"string"},linkTarget:{type:"string",source:"attribute",selector:"a",attribute:"target"},rel:{type:"string",source:"attribute",selector:"a",attribute:"rel"},placeholder:{type:"string"}},isEligible:e=>e.className&&e.className.includes("is-style-squared"),migrate(e){let t=e.className;return t&&(t=t.replace(/is-style-squared[\s]?/,"").trim()),TQ(xQ({...e,className:t||void 0,borderRadius:0}))},save({attributes:e}){const{backgroundColor:t,customBackgroundColor:n,customTextColor:r,linkTarget:o,rel:a,text:i,textColor:s,title:l,url:c}=e,u=VS("color",s),d=VS("background-color",t),p=io()("wp-block-button__link",{"has-text-color":s||r,[u]:u,"has-background":t||n,[d]:d}),m={backgroundColor:d?void 0:n,color:u?void 0:r};return(0,et.createElement)("div",null,(0,et.createElement)(tj.Content,{tagName:"a",className:p,href:c,title:l,style:m,value:i,target:o,rel:a}))}},{attributes:{...OQ,align:{type:"string",default:"none"},backgroundColor:{type:"string"},textColor:{type:"string"},customBackgroundColor:{type:"string"},customTextColor:{type:"string"}},migrate:zQ,save({attributes:e}){const{url:t,text:n,title:r,backgroundColor:o,textColor:a,customBackgroundColor:i,customTextColor:s}=e,l=VS("color",a),c=VS("background-color",o),u=io()("wp-block-button__link",{"has-text-color":a||s,[l]:l,"has-background":o||i,[c]:c}),d={backgroundColor:c?void 0:i,color:l?void 0:s};return(0,et.createElement)("div",null,(0,et.createElement)(tj.Content,{tagName:"a",className:u,href:t,title:r,style:d,value:n}))}},{attributes:{...OQ,color:{type:"string"},textColor:{type:"string"},align:{type:"string",default:"none"}},save({attributes:e}){const{url:t,text:n,title:r,align:o,color:a,textColor:i}=e,s={backgroundColor:a,color:i};return(0,et.createElement)("div",{className:`align${o}`},(0,et.createElement)(tj.Content,{tagName:"a",className:"wp-block-button__link",href:t,title:r,style:s,value:n}))},migrate:zQ},{attributes:{...OQ,color:{type:"string"},textColor:{type:"string"},align:{type:"string",default:"none"}},save({attributes:e}){const{url:t,text:n,title:r,align:o,color:a,textColor:i}=e;return(0,et.createElement)("div",{className:`align${o}`,style:{backgroundColor:a}},(0,et.createElement)(tj.Content,{tagName:"a",href:t,title:r,style:{color:i},value:n}))},migrate:zQ}],DQ="noreferrer noopener";function BQ({selectedWidth:e,setAttributes:t}){return(0,et.createElement)(mA,{title:Zn("Width settings")},(0,et.createElement)(CA,{"aria-label":Zn("Button width")},[25,50,75,100].map((n=>(0,et.createElement)(nh,{key:n,isSmall:!0,variant:n===e?"primary":void 0,onClick:()=>{var r;t({width:e===(r=n)?void 0:r})}},n,"%")))))}function IQ({isSelected:e,url:t,setAttributes:n,opensInNewTab:r,onToggleOpenInNewTab:o,anchorRef:a}){const[i,s]=(0,et.useState)(!1),l=!!t,c=l&&e,u=()=>(s(!0),!1),d=()=>{n({url:void 0,linkTarget:void 0,rel:void 0}),s(!1)},p=(i||c)&&(0,et.createElement)(yf,{position:"bottom center",onClose:()=>s(!1),anchorRef:null==a?void 0:a.current},(0,et.createElement)(vq,{className:"wp-block-navigation-link__inline-link-input",value:{url:t,opensInNewTab:r},onChange:({url:e="",opensInNewTab:t})=>{n({url:e}),r!==t&&o(t)}}));return(0,et.createElement)(et.Fragment,null,(0,et.createElement)(WM,{group:"block"},!l&&(0,et.createElement)(Mg,{name:"link",icon:jC,title:Zn("Link"),shortcut:gm.primary("k"),onClick:u}),c&&(0,et.createElement)(Mg,{name:"link",icon:FC,title:Zn("Unlink"),shortcut:gm.primaryShift("k"),onClick:d,isActive:!0})),e&&(0,et.createElement)(PA,{bindGlobal:!0,shortcuts:{[fm.primary("k")]:u,[fm.primaryShift("k")]:d}}),p)}const PQ=function(e){var t;const{attributes:n,setAttributes:r,className:o,isSelected:a,onReplace:i,mergeBlocks:s}=e,{linkTarget:l,placeholder:c,rel:u,style:d,text:p,url:m,width:f}=n,h=(0,et.useCallback)((e=>{r({rel:e})}),[r]),g=(0,et.useCallback)((e=>{const t=e?"_blank":void 0;let n=u;t&&!u?n=DQ:t||u!==DQ||(n=void 0),r({linkTarget:t,rel:n})}),[u,r]),b=xN(n),v=NN(n),y=(0,et.useRef)(),_=vR({ref:y});return(0,et.createElement)(et.Fragment,null,(0,et.createElement)("div",rt({},_,{className:io()(_.className,{[`has-custom-width wp-block-button__width-${f}`]:f,"has-custom-font-size":_.style.fontSize})}),(0,et.createElement)(tj,{"aria-label":Zn("Button text"),placeholder:c||Zn("Add text…"),value:p,onChange:e=>{r({text:e.replace(/<\/?a[^>]*>/g,"")})},withoutInteractiveFormatting:!0,className:io()(o,"wp-block-button__link",v.className,b.className,{"no-border-radius":0===(null==d||null===(t=d.border)||void 0===t?void 0:t.radius)}),style:{...b.style,...v.style},onSplit:e=>Wo("core/button",{...n,text:e}),onReplace:i,onMerge:s,identifier:"text"})),(0,et.createElement)(IQ,{url:m,setAttributes:r,isSelected:a,opensInNewTab:"_blank"===l,onToggleOpenInNewTab:g,anchorRef:y}),(0,et.createElement)(kA,null,(0,et.createElement)(BQ,{selectedWidth:f,setAttributes:r})),(0,et.createElement)(vA,null,(0,et.createElement)(rA,{label:Zn("Link rel"),value:u||"",onChange:h})))};const RQ={apiVersion:2,name:"core/button",title:"Button",category:"design",parent:["core/buttons"],description:"Prompt visitors to take action with a button-style link.",keywords:["link"],textdomain:"default",attributes:{url:{type:"string",source:"attribute",selector:"a",attribute:"href"},title:{type:"string",source:"attribute",selector:"a",attribute:"title"},text:{type:"string",source:"html",selector:"a"},linkTarget:{type:"string",source:"attribute",selector:"a",attribute:"target"},rel:{type:"string",source:"attribute",selector:"a",attribute:"rel"},placeholder:{type:"string"},backgroundColor:{type:"string"},textColor:{type:"string"},gradient:{type:"string"},width:{type:"number"}},supports:{anchor:!0,align:!0,alignWide:!1,color:{__experimentalSkipSerialization:!0,gradients:!0},typography:{fontSize:!0,__experimentalFontFamily:!0},reusable:!1,__experimentalBorder:{radius:!0,__experimentalSkipSerialization:!0},__experimentalSelector:".wp-block-button__link"},styles:[{name:"fill",label:"Fill",isDefault:!0},{name:"outline",label:"Outline"}],editorStyle:"wp-block-button-editor",style:"wp-block-button"},{name:YQ}=RQ,WQ={icon:CQ,example:{attributes:{className:"is-style-fill",text:Zn("Call to Action")}},edit:PQ,save:function({attributes:e,className:t}){var n,r;const{fontSize:o,linkTarget:a,rel:i,style:s,text:l,title:c,url:u,width:d}=e;if(!l)return null;const p=TN(e),m=ON(e),f=io()("wp-block-button__link",m.className,p.className,{"no-border-radius":0===(null==s||null===(n=s.border)||void 0===n?void 0:n.radius)}),h={...p.style,...m.style},g=io()(t,{[`has-custom-width wp-block-button__width-${d}`]:d,"has-custom-font-size":o||(null==s||null===(r=s.typography)||void 0===r?void 0:r.fontSize)});return(0,et.createElement)("div",vR.save({className:g}),(0,et.createElement)(tj.Content,{tagName:"a",className:f,href:u,title:c,style:h,value:l,target:a,rel:i}))},deprecated:NQ,merge:(e,{text:t=""})=>({...e,text:(e.text||"")+t})},HQ=[YQ],qQ={type:"default",alignments:[]},jQ=["left","center","right"],FQ=["left","center","right","space-between"];const VQ=function({attributes:{contentJustification:e,orientation:t},setAttributes:n}){const r=vR({className:io()({[`is-content-justification-${e}`]:e,"is-vertical":"vertical"===t})}),o=Cl((e=>{var t;const n=e(DM).getSettings().__experimentalPreferredStyleVariations;return null==n||null===(t=n.value)||void 0===t?void 0:t[YQ]}),[]),a=wH(r,{allowedBlocks:HQ,template:[[YQ,{className:o&&`is-style-${o}`}]],orientation:t,__experimentalLayout:qQ,templateInsertUpdatesSelection:!0}),i="vertical"===t?jQ:FQ;return(0,et.createElement)(et.Fragment,null,(0,et.createElement)(WM,{group:"block"},(0,et.createElement)(zH,{allowedControls:i,value:e,onChange:e=>n({contentJustification:e}),popoverProps:{position:"bottom right",isAlternate:!0}})),(0,et.createElement)("div",a))};const XQ=[{name:"buttons-horizontal",isDefault:!0,title:Zn("Horizontal"),description:Zn("Buttons shown in a row."),attributes:{orientation:"horizontal"},scope:["transform"]},{name:"buttons-vertical",title:Zn("Vertical"),description:Zn("Buttons shown in a column."),attributes:{orientation:"vertical"},scope:["transform"]}],UQ={apiVersion:2,name:"core/buttons",title:"Buttons",category:"design",description:"Prompt visitors to take action with a group of button-style links.",keywords:["link"],textdomain:"default",attributes:{contentJustification:{type:"string"},orientation:{type:"string",default:"horizontal"}},supports:{anchor:!0,align:["wide","full"]},editorStyle:"wp-block-buttons-editor",style:"wp-block-buttons"},{name:$Q}=UQ,KQ={icon:EQ,example:{innerBlocks:[{name:"core/button",attributes:{text:Zn("Find out more")}},{name:"core/button",attributes:{text:Zn("Contact us")}}]},deprecated:LQ,transforms:SQ,edit:VQ,save:function({attributes:{contentJustification:e,orientation:t}}){return(0,et.createElement)("div",vR.save({className:io()({[`is-content-justification-${e}`]:e,"is-vertical":"vertical"===t})}),(0,et.createElement)(EH.Content,null))},variations:XQ},GQ=(0,et.createElement)(po,{viewBox:"0 0 24 24",xmlns:"http://www.w3.org/2000/svg"},(0,et.createElement)(co,{d:"M19 3H5c-1.1 0-2 .9-2 2v14c0 1.1.9 2 2 2h14c1.1 0 2-.9 2-2V5c0-1.1-.9-2-2-2zm.5 16c0 .3-.2.5-.5.5H5c-.3 0-.5-.2-.5-.5V7h15v12zM9 10H7v2h2v-2zm0 4H7v2h2v-2zm4-4h-2v2h2v-2zm4 0h-2v2h2v-2zm-4 4h-2v2h2v-2zm4 0h-2v2h2v-2z"})),JQ=sn()((e=>{if(!e)return{};const t=DF()(e);return{year:t.year(),month:t.month()+1}}));const QQ={apiVersion:2,name:"core/calendar",title:"Calendar",category:"widgets",description:"A calendar of your site’s posts.",keywords:["posts","archive"],textdomain:"default",attributes:{month:{type:"integer"},year:{type:"integer"}},supports:{align:!0},style:"wp-block-calendar"},{name:ZQ}=QQ,eZ={icon:GQ,example:{},edit:function({attributes:e}){const t=vR(),{date:n,hasPosts:r,hasPostsResolved:o}=Cl((e=>{const{getEntityRecords:t,hasFinishedResolution:n}=e(vd),r={status:"publish",per_page:1},o=t("postType","post",r),a=n("getEntityRecords",["postType","post",r]);let i;const s=e("core/editor");if(s){"post"===s.getEditedPostAttribute("type")&&(i=s.getEditedPostAttribute("date"))}return{date:i,hasPostsResolved:a,hasPosts:a&&1===(null==o?void 0:o.length)}}),[]);return r?(0,et.createElement)("div",t,(0,et.createElement)(gP,null,(0,et.createElement)(pQ,{block:"core/calendar",attributes:{...e,...JQ(n)}}))):(0,et.createElement)("div",t,(0,et.createElement)(VW,{icon:GQ,label:Zn("Calendar")},o?Zn("No published posts found."):(0,et.createElement)(IH,null)))}},tZ=(0,et.createElement)(po,{viewBox:"0 0 24 24",xmlns:"http://www.w3.org/2000/svg"},(0,et.createElement)(co,{d:"M6 5.5h3a.5.5 0 01.5.5v3a.5.5 0 01-.5.5H6a.5.5 0 01-.5-.5V6a.5.5 0 01.5-.5zM4 6a2 2 0 012-2h3a2 2 0 012 2v3a2 2 0 01-2 2H6a2 2 0 01-2-2V6zm11-.5h3a.5.5 0 01.5.5v3a.5.5 0 01-.5.5h-3a.5.5 0 01-.5-.5V6a.5.5 0 01.5-.5zM13 6a2 2 0 012-2h3a2 2 0 012 2v3a2 2 0 01-2 2h-3a2 2 0 01-2-2V6zm5 8.5h-3a.5.5 0 00-.5.5v3a.5.5 0 00.5.5h3a.5.5 0 00.5-.5v-3a.5.5 0 00-.5-.5zM15 13a2 2 0 00-2 2v3a2 2 0 002 2h3a2 2 0 002-2v-3a2 2 0 00-2-2h-3zm-9 1.5h3a.5.5 0 01.5.5v3a.5.5 0 01-.5.5H6a.5.5 0 01-.5-.5v-3a.5.5 0 01.5-.5zM4 15a2 2 0 012-2h3a2 2 0 012 2v3a2 2 0 01-2 2H6a2 2 0 01-2-2v-3z",fillRule:"evenodd",clipRule:"evenodd"})),nZ=(0,et.createElement)(po,{xmlns:"http://www.w3.org/2000/svg",viewBox:"-2 -2 24 24"},(0,et.createElement)(co,{d:"M10.44 3.02l1.82-1.82 6.36 6.35-1.83 1.82c-1.05-.68-2.48-.57-3.41.36l-.75.75c-.92.93-1.04 2.35-.35 3.41l-1.83 1.82-2.41-2.41-2.8 2.79c-.42.42-3.38 2.71-3.8 2.29s1.86-3.39 2.28-3.81l2.79-2.79L4.1 9.36l1.83-1.82c1.05.69 2.48.57 3.4-.36l.75-.75c.93-.92 1.05-2.35.36-3.41z"}));const rZ={apiVersion:2,name:"core/categories",title:"Categories",category:"widgets",description:"Display a list of all categories.",textdomain:"default",attributes:{displayAsDropdown:{type:"boolean",default:!1},showHierarchy:{type:"boolean",default:!1},showPostCounts:{type:"boolean",default:!1}},supports:{align:!0,html:!1},editorStyle:"wp-block-categories-editor",style:"wp-block-categories"},{name:oZ}=rZ,aZ={icon:tZ,example:{},edit:function e({attributes:{displayAsDropdown:t,showHierarchy:n,showPostCounts:r},setAttributes:o}){const a=xk(e,"blocks-category-select"),{categories:i,isRequesting:s}=Cl((e=>{const{getEntityRecords:t,isResolving:n}=e(vd),r={per_page:-1,hide_empty:!0,context:"view"};return{categories:t("taxonomy","category",r),isRequesting:n("getEntityRecords",["taxonomy","category",r])}}),[]),l=e=>null!=i&&i.length?null===e?i:i.filter((({parent:t})=>t===e)):[],c=e=>`wp-block-categories__list wp-block-categories__list-level-${e}`,u=e=>t=>o({[e]:t}),d=e=>e?(0,ot.unescape)(e).trim():Zn("(Untitled)"),p=(e,t)=>{const o=l(e.id),{id:a,link:i,count:s,name:u}=e;return(0,et.createElement)("li",{key:a},(0,et.createElement)("a",{href:i,target:"_blank",rel:"noreferrer noopener"},d(u)),r&&(0,et.createElement)("span",{className:"wp-block-categories__post-count"},` (${s})`),n&&!!o.length&&(0,et.createElement)("ul",{className:c(t+1)},o.map((e=>p(e,t+1)))))},m=(e,t)=>{const{id:o,count:a,name:i}=e,s=l(o);return[(0,et.createElement)("option",{key:o},(0,ot.times)(3*t,(()=>" ")),d(i),r&&` (${a})`),n&&!!s.length&&s.map((e=>m(e,t+1)))]};return(0,et.createElement)("div",vR(),(0,et.createElement)(kA,null,(0,et.createElement)(mA,{title:Zn("Categories settings")},(0,et.createElement)(kN,{label:Zn("Display as dropdown"),checked:t,onChange:u("displayAsDropdown")}),(0,et.createElement)(kN,{label:Zn("Show hierarchy"),checked:n,onChange:u("showHierarchy")}),(0,et.createElement)(kN,{label:Zn("Show post counts"),checked:r,onChange:u("showPostCounts")}))),s&&(0,et.createElement)(VW,{icon:nZ,label:Zn("Categories")},(0,et.createElement)(IH,null)),!s&&0===(null==i?void 0:i.length)&&(0,et.createElement)("p",null,Zn("Your site does not have any posts, so there is nothing to display here at the moment.")),!s&&(null==i?void 0:i.length)>0&&(t?(()=>{const e=l(n?0:null);return(0,et.createElement)(et.Fragment,null,(0,et.createElement)(eh,{as:"label",htmlFor:a},Zn("Categories")),(0,et.createElement)("select",{id:a,className:"wp-block-categories__dropdown"},e.map((e=>m(e,0)))))})():(()=>{const e=l(n?0:null);return(0,et.createElement)("ul",{className:c(0)},e.map((e=>p(e,0))))})()))}},iZ=(0,et.createElement)(po,{viewBox:"0 0 24 24",xmlns:"http://www.w3.org/2000/svg"},(0,et.createElement)(co,{d:"M20.8 10.7l-4.3-4.3-1.1 1.1 4.3 4.3c.1.1.1.3 0 .4l-4.3 4.3 1.1 1.1 4.3-4.3c.7-.8.7-1.9 0-2.6zM4.2 11.8l4.3-4.3-1-1-4.3 4.3c-.7.7-.7 1.8 0 2.5l4.3 4.3 1.1-1.1-4.3-4.3c-.2-.1-.2-.3-.1-.4z"}));function sZ(e){return e.replace(/\[/g,"[")}function lZ(e){return e.replace(/^(\s*https?:)\/\/([^\s<>"]+\s*)$/m,"$1//$2")}const cZ={from:[{type:"enter",regExp:/^```$/,transform:()=>Wo("core/code")},{type:"block",blocks:["core/html"],transform:({content:e})=>Wo("core/code",{content:e})},{type:"raw",isMatch:e=>"PRE"===e.nodeName&&1===e.children.length&&"CODE"===e.firstChild.nodeName,schema:{pre:{children:{code:{children:{"#text":{}}}}}}}]},uZ={apiVersion:2,name:"core/code",title:"Code",category:"text",description:"Display code snippets that respect your spacing and tabs.",textdomain:"default",attributes:{content:{type:"string",source:"html",selector:"code"}},supports:{anchor:!0,__experimentalSelector:".wp-block-code > code",typography:{fontSize:!0}},style:"wp-block-code"},{name:dZ}=uZ,pZ={icon:iZ,example:{attributes:{content:Zn('// A "block" is the abstract term used\n// to describe units of markup that\n// when composed together, form the\n// content or layout of a page.\nregisterBlockType( name, settings );')}},transforms:cZ,edit:function({attributes:e,setAttributes:t,onRemove:n}){const r=vR();return(0,et.createElement)("pre",r,(0,et.createElement)(tj,{tagName:"code",value:e.content,onChange:e=>t({content:e}),onRemove:n,placeholder:Zn("Write code…"),"aria-label":Zn("Code"),preserveWhiteSpace:!0,__unstablePastePlainText:!0}))},save:function({attributes:e}){return(0,et.createElement)("pre",vR.save(),(0,et.createElement)(tj.Content,{tagName:"code",value:(t=e.content,(0,ot.flow)(sZ,lZ)(t||""))}));var t}},mZ=(0,et.createElement)(po,{viewBox:"0 0 24 24",xmlns:"http://www.w3.org/2000/svg"},(0,et.createElement)(co,{d:"M19 6H6c-1.1 0-2 .9-2 2v9c0 1.1.9 2 2 2h13c1.1 0 2-.9 2-2V8c0-1.1-.9-2-2-2zm-4.1 1.5v10H10v-10h4.9zM5.5 17V8c0-.3.2-.5.5-.5h2.5v10H6c-.3 0-.5-.2-.5-.5zm14 0c0 .3-.2.5-.5.5h-2.6v-10H19c.3 0 .5.2.5.5v9z"}));function fZ(e){let t,{doc:n}=fZ;n||(n=document.implementation.createHTMLDocument(""),fZ.doc=n),n.body.innerHTML=e;for(const e of n.body.firstChild.classList)if(t=e.match(/^layout-column-(\d+)$/))return Number(t[1])-1}const hZ=[{attributes:{verticalAlignment:{type:"string"},backgroundColor:{type:"string"},customBackgroundColor:{type:"string"},customTextColor:{type:"string"},textColor:{type:"string"}},migrate:e=>{if(!e.customTextColor&&!e.customBackgroundColor)return e;const t={color:{}};return e.customTextColor&&(t.color.text=e.customTextColor),e.customBackgroundColor&&(t.color.background=e.customBackgroundColor),{...(0,ot.omit)(e,["customTextColor","customBackgroundColor"]),style:t,isStackedOnMobile:!0}},save({attributes:e}){const{verticalAlignment:t,backgroundColor:n,customBackgroundColor:r,textColor:o,customTextColor:a}=e,i=VS("background-color",n),s=VS("color",o),l=io()({"has-background":n||r,"has-text-color":o||a,[i]:i,[s]:s,[`are-vertically-aligned-${t}`]:t}),c={backgroundColor:i?void 0:r,color:s?void 0:a};return(0,et.createElement)("div",{className:l||void 0,style:c},(0,et.createElement)(EH.Content,null))}},{attributes:{columns:{type:"number",default:2}},isEligible:(e,t)=>!!t.some((e=>/layout-column-\d+/.test(e.originalContent)))&&t.some((e=>void 0!==fZ(e.originalContent))),migrate(e,t){const n=t.reduce(((e,t)=>{const{originalContent:n}=t;let r=fZ(n);return void 0===r&&(r=0),e[r]||(e[r]=[]),e[r].push(t),e}),[]).map((e=>Wo("core/column",{},e)));return[{...(0,ot.omit)(e,["columns"]),isStackedOnMobile:!0},n]},save({attributes:e}){const{columns:t}=e;return(0,et.createElement)("div",{className:`has-${t}-columns`},(0,et.createElement)(EH.Content,null))}},{attributes:{columns:{type:"number",default:2}},migrate:(e,t)=>[e={...(0,ot.omit)(e,["columns"]),isStackedOnMobile:!0},t],save({attributes:e}){const{verticalAlignment:t,columns:n}=e,r=io()(`has-${n}-columns`,{[`are-vertically-aligned-${t}`]:t});return(0,et.createElement)("div",{className:r},(0,et.createElement)(EH.Content,null))}}],gZ=e=>{const t=parseFloat(e);return Number.isFinite(t)?parseFloat(t.toFixed(2)):void 0};function bZ(e,t){const{width:n=100/t}=e.attributes;return gZ(n)}function vZ(e,t,n=e.length){const r=function(e,t=e.length){return(0,ot.sumBy)(e,(e=>bZ(e,t)))}(e,n);return(0,ot.mapValues)(function(e,t=e.length){return e.reduce(((e,n)=>{const r=bZ(n,t);return Object.assign(e,{[n.clientId]:r})}),{})}(e,n),(e=>gZ(t*e/r)))}function yZ(e,t){return e.map((e=>(0,ot.merge)({},e,{attributes:{width:`${t[e.clientId]}%`}})))}const _Z=["core/column"];const MZ=SI(((e,t,n)=>({updateAlignment(r){const{clientId:o,setAttributes:a}=t,{updateBlockAttributes:i}=e(DM),{getBlockOrder:s}=n.select(DM);a({verticalAlignment:r});s(o).forEach((e=>{i(e,{verticalAlignment:r})}))},updateColumns(r,o){const{clientId:a}=t,{replaceInnerBlocks:i}=e(DM),{getBlocks:s}=n.select(DM);let l=s(a);const c=function(e){return e.every((e=>{var t;const n=e.attributes.width;return Number.isFinite(null!=n&&null!==(t=n.endsWith)&&void 0!==t&&t.call(n,"%")?parseFloat(n):n)}))}(l),u=o>r;if(u&&c){const e=gZ(100/o);l=[...yZ(l,vZ(l,100-e)),...(0,ot.times)(o-r,(()=>Wo("core/column",{width:`${e}%`})))]}else if(u)l=[...l,...(0,ot.times)(o-r,(()=>Wo("core/column")))];else if(l=(0,ot.dropRight)(l,r-o),c){l=yZ(l,vZ(l,100))}i(a,l)}})))((function({attributes:e,setAttributes:t,updateAlignment:n,updateColumns:r,clientId:o}){const{isStackedOnMobile:a,verticalAlignment:i}=e,{count:s}=Cl((e=>({count:e(DM).getBlockCount(o)})),[o]),l=wH(vR({className:io()({[`are-vertically-aligned-${i}`]:i,"is-not-stacked-on-mobile":!a})}),{allowedBlocks:_Z,orientation:"horizontal",renderAppender:!1});return(0,et.createElement)(et.Fragment,null,(0,et.createElement)(WM,null,(0,et.createElement)(pH,{onChange:n,value:i})),(0,et.createElement)(kA,null,(0,et.createElement)(mA,null,(0,et.createElement)(BC,{label:Zn("Columns"),value:s,onChange:e=>r(s,e),min:1,max:Math.max(6,s)}),s>6&&(0,et.createElement)(gT,{status:"warning",isDismissible:!1},Zn("This column count exceeds the recommended amount and may cause visual breakage.")),(0,et.createElement)(kN,{label:Zn("Stack on mobile"),checked:a,onChange:()=>t({isStackedOnMobile:!a})}))),(0,et.createElement)("div",l))}));function kZ({clientId:e,name:t,setAttributes:n}){const{blockType:r,defaultVariation:o,variations:a}=Cl((e=>{const{getBlockVariations:n,getBlockType:r,getDefaultBlockVariation:o}=e(Kr);return{blockType:r(t),defaultVariation:o(t,"block"),variations:n(t,"block")}}),[t]),{replaceInnerBlocks:i}=sd(DM),s=vR();return(0,et.createElement)("div",s,(0,et.createElement)(UW,{icon:(0,ot.get)(r,["icon","src"]),label:(0,ot.get)(r,["title"]),variations:a,onSelect:(t=o)=>{t.attributes&&n(t.attributes),t.innerBlocks&&i(e,Ho(t.innerBlocks),!0)},allowSkip:!0}))}const wZ=e=>{const{clientId:t}=e,n=Cl((e=>e(DM).getBlocks(t).length>0),[t])?MZ:kZ;return(0,et.createElement)(n,e)};const EZ=[{name:"one-column-full",title:Zn("100"),description:Zn("One column"),icon:(0,et.createElement)(po,{width:"48",height:"48",viewBox:"0 0 48 48",xmlns:"http://www.w3.org/2000/svg"},(0,et.createElement)(co,{fillRule:"evenodd",clipRule:"evenodd",d:"m39.0625 14h-30.0625v20.0938h30.0625zm-30.0625-2c-1.10457 0-2 .8954-2 2v20.0938c0 1.1045.89543 2 2 2h30.0625c1.1046 0 2-.8955 2-2v-20.0938c0-1.1046-.8954-2-2-2z"})),innerBlocks:[["core/column"]],scope:["block"]},{name:"two-columns-equal",title:Zn("50 / 50"),description:Zn("Two columns; equal split"),icon:(0,et.createElement)(po,{width:"48",height:"48",viewBox:"0 0 48 48",xmlns:"http://www.w3.org/2000/svg"},(0,et.createElement)(co,{fillRule:"evenodd",clipRule:"evenodd",d:"M39 12C40.1046 12 41 12.8954 41 14V34C41 35.1046 40.1046 36 39 36H9C7.89543 36 7 35.1046 7 34V14C7 12.8954 7.89543 12 9 12H39ZM39 34V14H25V34H39ZM23 34H9V14H23V34Z"})),isDefault:!0,innerBlocks:[["core/column"],["core/column"]],scope:["block"]},{name:"two-columns-one-third-two-thirds",title:Zn("30 / 70"),description:Zn("Two columns; one-third, two-thirds split"),icon:(0,et.createElement)(po,{width:"48",height:"48",viewBox:"0 0 48 48",xmlns:"http://www.w3.org/2000/svg"},(0,et.createElement)(co,{fillRule:"evenodd",clipRule:"evenodd",d:"M39 12C40.1046 12 41 12.8954 41 14V34C41 35.1046 40.1046 36 39 36H9C7.89543 36 7 35.1046 7 34V14C7 12.8954 7.89543 12 9 12H39ZM39 34V14H20V34H39ZM18 34H9V14H18V34Z"})),innerBlocks:[["core/column",{width:"33.33%"}],["core/column",{width:"66.66%"}]],scope:["block"]},{name:"two-columns-two-thirds-one-third",title:Zn("70 / 30"),description:Zn("Two columns; two-thirds, one-third split"),icon:(0,et.createElement)(po,{width:"48",height:"48",viewBox:"0 0 48 48",xmlns:"http://www.w3.org/2000/svg"},(0,et.createElement)(co,{fillRule:"evenodd",clipRule:"evenodd",d:"M39 12C40.1046 12 41 12.8954 41 14V34C41 35.1046 40.1046 36 39 36H9C7.89543 36 7 35.1046 7 34V14C7 12.8954 7.89543 12 9 12H39ZM39 34V14H30V34H39ZM28 34H9V14H28V34Z"})),innerBlocks:[["core/column",{width:"66.66%"}],["core/column",{width:"33.33%"}]],scope:["block"]},{name:"three-columns-equal",title:Zn("33 / 33 / 33"),description:Zn("Three columns; equal split"),icon:(0,et.createElement)(po,{width:"48",height:"48",viewBox:"0 0 48 48",xmlns:"http://www.w3.org/2000/svg"},(0,et.createElement)(co,{fillRule:"evenodd",d:"M41 14a2 2 0 0 0-2-2H9a2 2 0 0 0-2 2v20a2 2 0 0 0 2 2h30a2 2 0 0 0 2-2V14zM28.5 34h-9V14h9v20zm2 0V14H39v20h-8.5zm-13 0H9V14h8.5v20z"})),innerBlocks:[["core/column"],["core/column"],["core/column"]],scope:["block"]},{name:"three-columns-wider-center",title:Zn("25 / 50 / 25"),description:Zn("Three columns; wide center column"),icon:(0,et.createElement)(po,{width:"48",height:"48",viewBox:"0 0 48 48",xmlns:"http://www.w3.org/2000/svg"},(0,et.createElement)(co,{fillRule:"evenodd",d:"M41 14a2 2 0 0 0-2-2H9a2 2 0 0 0-2 2v20a2 2 0 0 0 2 2h30a2 2 0 0 0 2-2V14zM31 34H17V14h14v20zm2 0V14h6v20h-6zm-18 0H9V14h6v20z"})),innerBlocks:[["core/column",{width:"25%"}],["core/column",{width:"50%"}],["core/column",{width:"25%"}]],scope:["block"]}],LZ={from:[{type:"block",isMultiBlock:!0,blocks:["*"],__experimentalConvert:e=>{const t=+(100/e.length).toFixed(2);return Wo("core/columns",{},Ho(e.map((({name:e,attributes:n,innerBlocks:r})=>["core/column",{width:`${t}%`},[[e,{...n},r]]]))))},isMatch:({length:e})=>e&&e<=6},{type:"block",blocks:["core/media-text"],priority:1,transform:(e,t)=>{const{align:n,backgroundColor:r,textColor:o,style:a,mediaAlt:i,mediaId:s,mediaPosition:l,mediaSizeSlug:c,mediaType:u,mediaUrl:d,mediaWidth:p,verticalAlignment:m}=e;let f;if("image"!==u&&u)f=["core/video",{id:s,src:d}];else{f=["core/image",{...{id:s,alt:i,url:d,sizeSlug:c},...{href:e.href,linkClass:e.linkClass,linkDestination:e.linkDestination,linkTarget:e.linkTarget,rel:e.rel}}]}const h=[["core/column",{width:`${p}%`},[f]],["core/column",{width:100-p+"%"},t]];return"right"===l&&h.reverse(),Wo("core/columns",{align:n,backgroundColor:r,textColor:o,style:a,verticalAlignment:m},Ho(h))}}]},AZ={apiVersion:2,name:"core/columns",title:"Columns",category:"design",description:"Add a block that displays content in multiple columns, then add whatever content blocks you’d like.",textdomain:"default",attributes:{verticalAlignment:{type:"string"},isStackedOnMobile:{type:"boolean",default:!0}},supports:{anchor:!0,align:["wide","full"],html:!1,color:{gradients:!0,link:!0}},editorStyle:"wp-block-columns-editor",style:"wp-block-columns"},{name:SZ}=AZ,CZ={icon:mZ,variations:EZ,example:{innerBlocks:[{name:"core/column",innerBlocks:[{name:"core/paragraph",attributes:{content:Zn("Lorem ipsum dolor sit amet, consectetur adipiscing elit. Praesent et eros eu felis.")}},{name:"core/image",attributes:{url:"https://s.w.org/images/core/5.3/Windbuchencom.jpg"}},{name:"core/paragraph",attributes:{content:Zn("Suspendisse commodo neque lacus, a dictum orci interdum et.")}}]},{name:"core/column",innerBlocks:[{name:"core/paragraph",attributes:{content:Zn("Etiam et egestas lorem. Vivamus sagittis sit amet dolor quis lobortis. Integer sed fermentum arcu, id vulputate lacus. Etiam fermentum sem eu quam hendrerit.")}},{name:"core/paragraph",attributes:{content:Zn("Nam risus massa, ullamcorper consectetur eros fermentum, porta aliquet ligula. Sed vel mauris nec enim.")}}]}]},deprecated:hZ,edit:wZ,save:function({attributes:e}){const{isStackedOnMobile:t,verticalAlignment:n}=e,r=io()({[`are-vertically-aligned-${n}`]:n,"is-not-stacked-on-mobile":!t});return(0,et.createElement)("div",vR.save({className:r}),(0,et.createElement)(EH.Content,null))},transforms:LZ},TZ=(0,et.createElement)(po,{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24"},(0,et.createElement)(co,{d:"M19 6H6c-1.1 0-2 .9-2 2v9c0 1.1.9 2 2 2h13c1.1 0 2-.9 2-2V8c0-1.1-.9-2-2-2zM6 17.5c-.3 0-.5-.2-.5-.5V8c0-.3.2-.5.5-.5h3v10H6zm13.5-.5c0 .3-.2.5-.5.5h-3v-10h3c.3 0 .5.2.5.5v9z"})),xZ=[{attributes:{verticalAlignment:{type:"string"},width:{type:"number",min:0,max:100}},isEligible:({width:e})=>isFinite(e),migrate:e=>({...e,width:`${e.width}%`}),save({attributes:e}){const{verticalAlignment:t,width:n}=e,r=io()({[`is-vertically-aligned-${t}`]:t}),o={flexBasis:n+"%"};return(0,et.createElement)("div",{className:r,style:o},(0,et.createElement)(EH.Content,null))}}];const zZ=function({attributes:{verticalAlignment:e,width:t,templateLock:n=!1},setAttributes:r,clientId:o}){const a=io()("block-core-columns",{[`is-vertically-aligned-${e}`]:e}),i=rk({availableUnits:TL("spacing.units")||["%","px","em","rem","vw"]}),{columnsIds:s,hasChildBlocks:l,rootClientId:c}=Cl((e=>{const{getBlockOrder:t,getBlockRootClientId:n}=e(DM),r=n(o);return{hasChildBlocks:t(o).length>0,rootClientId:r,columnsIds:t(r)}}),[o]),{updateBlockAttributes:u}=sd(DM),d=Number.isFinite(t)?t+"%":t,p=vR({className:a,style:d?{flexBasis:d}:void 0}),m=s.length,f=s.indexOf(o)+1,h=dn(Zn("%1$s (%2$d of %3$d)"),p["aria-label"],f,m),g=wH({...p,"aria-label":h},{templateLock:n,renderAppender:l?void 0:EH.ButtonBlockAppender});return(0,et.createElement)(et.Fragment,null,(0,et.createElement)(WM,null,(0,et.createElement)(pH,{onChange:e=>{r({verticalAlignment:e}),u(c,{verticalAlignment:null})},value:e})),(0,et.createElement)(kA,null,(0,et.createElement)(mA,{title:Zn("Column settings")},(0,et.createElement)(LL,{label:Zn("Width"),labelPosition:"edge",__unstableInputWidth:"80px",value:t||"",onChange:e=>{e=0>parseFloat(e)?"0":e,r({width:e})},units:i}))),(0,et.createElement)("div",g))};const OZ={apiVersion:2,name:"core/column",title:"Column",category:"text",parent:["core/columns"],description:"A single column within a columns block.",textdomain:"default",attributes:{verticalAlignment:{type:"string"},width:{type:"string"},templateLock:{enum:["all","insert",!1]}},supports:{anchor:!0,reusable:!1,html:!1,color:{gradients:!0,link:!0},spacing:{padding:!0}}},{name:NZ}=OZ,DZ={icon:TZ,edit:zZ,save:function({attributes:e}){const{verticalAlignment:t,width:n}=e,r=io()({[`is-vertically-aligned-${t}`]:t});let o;return n&&(o={flexBasis:Number.isFinite(n)?n+"%":n}),(0,et.createElement)("div",vR.save({className:r,style:o}),(0,et.createElement)(EH.Content,null))},deprecated:xZ},BZ=(0,et.createElement)(po,{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24"},(0,et.createElement)(co,{d:"M18.7 3H5.3C4 3 3 4 3 5.3v13.4C3 20 4 21 5.3 21h13.4c1.3 0 2.3-1 2.3-2.3V5.3C21 4 20 3 18.7 3zm.8 15.7c0 .4-.4.8-.8.8H5.3c-.4 0-.8-.4-.8-.8V5.3c0-.4.4-.8.8-.8h6.2v8.9l2.5-3.1 2.5 3.1V4.5h2.2c.4 0 .8.4.8.8v13.4z"})),IZ={"top left":"is-position-top-left","top center":"is-position-top-center","top right":"is-position-top-right","center left":"is-position-center-left","center center":"is-position-center-center",center:"is-position-center-center","center right":"is-position-center-right","bottom left":"is-position-bottom-left","bottom center":"is-position-bottom-center","bottom right":"is-position-bottom-right"},PZ="image",RZ="video";function YZ(e){return e?{backgroundImage:`url(${e})`}:{}}const WZ=["image","video"];function HZ(e){return 0!==e&&50!==e&&e?"has-background-dim-"+10*Math.round(e/10):null}function qZ(e){return t=>{if(!t||!t.url)return void e({url:void 0,id:void 0});var n,r;let o;if(Js(t.url)&&(t.type=(n=t.url,null===(r=Ks(n))||void 0===r?void 0:r.type.split("/")[0])),t.media_type)o=t.media_type===PZ?PZ:RZ;else{if(t.type!==PZ&&t.type!==RZ)return;o=t.type}e({url:t.url,id:t.id,backgroundType:o,...o===RZ?{focalPoint:void 0,hasParallax:void 0}:{}})}}function jZ(e){return!e||"center center"===e||"center"===e}function FZ(e){return jZ(e)?"":IZ[e]}const VZ={url:{type:"string"},id:{type:"number"},hasParallax:{type:"boolean",default:!1},dimRatio:{type:"number",default:50},overlayColor:{type:"string"},customOverlayColor:{type:"string"},backgroundType:{type:"string",default:"image"},focalPoint:{type:"object"}},XZ=[{attributes:{...VZ,title:{type:"string",source:"html",selector:"p"},contentAlign:{type:"string",default:"center"},isRepeated:{type:"boolean",default:!1},minHeight:{type:"number"},minHeightUnit:{type:"string"},gradient:{type:"string"},customGradient:{type:"string"},contentPosition:{type:"string"}},supports:{align:!0},save({attributes:e}){const{backgroundType:t,gradient:n,contentPosition:r,customGradient:o,customOverlayColor:a,dimRatio:i,focalPoint:s,hasParallax:l,isRepeated:c,overlayColor:u,url:d,minHeight:p,minHeightUnit:m}=e,f=VS("background-color",u),h=US(n),g=m?`${p}${m}`:p,b=PZ===t,v=RZ===t,y=b?YZ(d):{},_={};let M;f||(y.backgroundColor=a),o&&!d&&(y.background=o),y.minHeight=g||void 0,s&&(M=`${Math.round(100*s.x)}% ${Math.round(100*s.y)}%`,b&&!l&&(y.backgroundPosition=M),v&&(_.objectPosition=M));const k=io()(HZ(i),f,{"has-background-dim":0!==i,"has-parallax":l,"is-repeated":c,"has-background-gradient":n||o,[h]:!d&&h,"has-custom-content-position":!jZ(r)},FZ(r));return(0,et.createElement)("div",vR.save({className:k,style:y}),d&&(n||o)&&0!==i&&(0,et.createElement)("span",{"aria-hidden":"true",className:io()("wp-block-cover__gradient-background",h),style:o?{background:o}:void 0}),v&&d&&(0,et.createElement)("video",{className:"wp-block-cover__video-background",autoPlay:!0,muted:!0,loop:!0,playsInline:!0,src:d,style:_}),(0,et.createElement)("div",{className:"wp-block-cover__inner-container"},(0,et.createElement)(EH.Content,null)))}},{attributes:{...VZ,title:{type:"string",source:"html",selector:"p"},contentAlign:{type:"string",default:"center"},minHeight:{type:"number"},gradient:{type:"string"},customGradient:{type:"string"}},supports:{align:!0},save({attributes:e}){const{backgroundType:t,gradient:n,customGradient:r,customOverlayColor:o,dimRatio:a,focalPoint:i,hasParallax:s,overlayColor:l,url:c,minHeight:u}=e,d=VS("background-color",l),p=US(n),m=t===PZ?YZ(c):{};d||(m.backgroundColor=o),i&&!s&&(m.backgroundPosition=`${Math.round(100*i.x)}% ${Math.round(100*i.y)}%`),r&&!c&&(m.background=r),m.minHeight=u||void 0;const f=io()(HZ(a),d,{"has-background-dim":0!==a,"has-parallax":s,"has-background-gradient":r,[p]:!c&&p});return(0,et.createElement)("div",{className:f,style:m},c&&(n||r)&&0!==a&&(0,et.createElement)("span",{"aria-hidden":"true",className:io()("wp-block-cover__gradient-background",p),style:r?{background:r}:void 0}),RZ===t&&c&&(0,et.createElement)("video",{className:"wp-block-cover__video-background",autoPlay:!0,muted:!0,loop:!0,src:c}),(0,et.createElement)("div",{className:"wp-block-cover__inner-container"},(0,et.createElement)(EH.Content,null)))}},{attributes:{...VZ,title:{type:"string",source:"html",selector:"p"},contentAlign:{type:"string",default:"center"},minHeight:{type:"number"},gradient:{type:"string"},customGradient:{type:"string"}},supports:{align:!0},save({attributes:e}){const{backgroundType:t,gradient:n,customGradient:r,customOverlayColor:o,dimRatio:a,focalPoint:i,hasParallax:s,overlayColor:l,url:c,minHeight:u}=e,d=VS("background-color",l),p=US(n),m=t===PZ?YZ(c):{};d||(m.backgroundColor=o),i&&!s&&(m.backgroundPosition=`${100*i.x}% ${100*i.y}%`),r&&!c&&(m.background=r),m.minHeight=u||void 0;const f=io()(HZ(a),d,{"has-background-dim":0!==a,"has-parallax":s,"has-background-gradient":r,[p]:!c&&p});return(0,et.createElement)("div",{className:f,style:m},c&&(n||r)&&0!==a&&(0,et.createElement)("span",{"aria-hidden":"true",className:io()("wp-block-cover__gradient-background",p),style:r?{background:r}:void 0}),RZ===t&&c&&(0,et.createElement)("video",{className:"wp-block-cover__video-background",autoPlay:!0,muted:!0,loop:!0,src:c}),(0,et.createElement)("div",{className:"wp-block-cover__inner-container"},(0,et.createElement)(EH.Content,null)))}},{attributes:{...VZ,title:{type:"string",source:"html",selector:"p"},contentAlign:{type:"string",default:"center"}},supports:{align:!0},save({attributes:e}){const{backgroundType:t,contentAlign:n,customOverlayColor:r,dimRatio:o,focalPoint:a,hasParallax:i,overlayColor:s,title:l,url:c}=e,u=VS("background-color",s),d=t===PZ?YZ(c):{};u||(d.backgroundColor=r),a&&!i&&(d.backgroundPosition=`${100*a.x}% ${100*a.y}%`);const p=io()(HZ(o),u,{"has-background-dim":0!==o,"has-parallax":i,[`has-${n}-content`]:"center"!==n});return(0,et.createElement)("div",{className:p,style:d},RZ===t&&c&&(0,et.createElement)("video",{className:"wp-block-cover__video-background",autoPlay:!0,muted:!0,loop:!0,src:c}),!tj.isEmpty(l)&&(0,et.createElement)(tj.Content,{tagName:"p",className:"wp-block-cover-text",value:l}))},migrate:e=>[(0,ot.omit)(e,["title","contentAlign"]),[Wo("core/paragraph",{content:e.title,align:e.contentAlign,fontSize:"large",placeholder:Zn("Write title…")})]]},{attributes:{...VZ,title:{type:"string",source:"html",selector:"p"},contentAlign:{type:"string",default:"center"},align:{type:"string"}},supports:{className:!1},save({attributes:e}){const{url:t,title:n,hasParallax:r,dimRatio:o,align:a,contentAlign:i,overlayColor:s,customOverlayColor:l}=e,c=VS("background-color",s),u=YZ(t);c||(u.backgroundColor=l);const d=io()("wp-block-cover-image",HZ(o),c,{"has-background-dim":0!==o,"has-parallax":r,[`has-${i}-content`]:"center"!==i},a?`align${a}`:null);return(0,et.createElement)("div",{className:d,style:u},!tj.isEmpty(n)&&(0,et.createElement)(tj.Content,{tagName:"p",className:"wp-block-cover-image-text",value:n}))},migrate:e=>[(0,ot.omit)(e,["title","contentAlign","align"]),[Wo("core/paragraph",{content:e.title,align:e.contentAlign,fontSize:"large",placeholder:Zn("Write title…")})]]},{attributes:{...VZ,title:{type:"string",source:"html",selector:"h2"},align:{type:"string"},contentAlign:{type:"string",default:"center"}},supports:{className:!1},save({attributes:e}){const{url:t,title:n,hasParallax:r,dimRatio:o,align:a}=e,i=YZ(t),s=io()("wp-block-cover-image",HZ(o),{"has-background-dim":0!==o,"has-parallax":r},a?`align${a}`:null);return(0,et.createElement)("section",{className:s,style:i},(0,et.createElement)(tj.Content,{tagName:"h2",value:n}))},migrate:e=>[(0,ot.omit)(e,["title","contentAlign","align"]),[Wo("core/paragraph",{content:e.title,align:e.contentAlign,fontSize:"large",placeholder:Zn("Write title…")})]]}];var UZ=n(7667),$Z=n.n(UZ);const KZ=Jf("div",{target:"e11wezi78"})({name:"1g31405",styles:"background-color:transparent;box-sizing:border-box;text-align:center;width:100%"}),GZ=Jf("div",{target:"e11wezi77"})({name:"v0nrlz",styles:"align-items:center;box-sizing:border-box;box-shadow:0 0 0 1px rgba( 0, 0, 0, 0.2 );cursor:pointer;display:inline-flex;justify-content:center;margin:auto;position:relative;height:100%;img,video{box-sizing:border-box;display:block;height:auto;margin:0;max-height:100%;max-width:100%;pointer-events:none;user-select:none;width:auto;}"}),JZ=Jf("div",{target:"e11wezi76"})("background:",Ck.lightGray[300],";box-sizing:border-box;height:170px;max-width:280px;min-width:200px;width:100%;"),QZ=Jf(LL,{target:"e11wezi75"})({name:"1pzk433",styles:"width:100px"}),ZZ=Jf(Hk,{target:"e11wezi74"})({name:"ox4xcy",styles:"max-width:320px;padding:1em 0"}),e0=Jf("div",{target:"e11wezi73"})("box-sizing:border-box;left:50%;opacity:0;overflow:hidden;pointer-events:none;position:absolute;top:50%;transform:translate3d( -50%, -50%, 0 );transition:opacity 120ms linear;z-index:1;",(({isActive:e})=>e&&"\n\t\topacity: 1;\n\t"),";"),t0=Jf("div",{target:"e11wezi72"})({name:"1sy4ch9",styles:"box-sizing:border-box;background:white;box-shadow:0 0 2px rgba( 0, 0, 0, 0.6 );position:absolute;opacity:0.4;transform:translateZ( 0 )"}),n0=Jf(t0,{target:"e11wezi71"})({name:"1qp910y",styles:"height:1px;left:0;right:0"}),r0=Jf(t0,{target:"e11wezi70"})({name:"1oz3zka",styles:"width:1px;top:0;bottom:0"}),o0={top:0,left:0,bottom:0,right:0,width:0,height:0},a0=["avi","mpg","mpeg","mov","mp4","m4v","ogg","ogv","webm","wmv"];function i0(e){return Math.round(100*e)}function s0({onChange:e=ot.noop,percentages:t={x:.5,y:.5}}){const n=i0(t.x),r=i0(t.y),o=(n,r)=>{const o=parseInt(n,10);isNaN(o)||e({...t,[r]:o/100})};return(0,et.createElement)(ZZ,{className:"focal-point-picker__controls"},(0,et.createElement)(l0,{label:Zn("Left"),value:n,onChange:e=>o(e,"x"),dragDirection:"e"}),(0,et.createElement)(l0,{label:Zn("Top"),value:r,onChange:e=>o(e,"y"),dragDirection:"s"}))}function l0(e){return(0,et.createElement)(QZ,rt({className:"focal-point-picker__controls-position-unit-control",labelPosition:"side",max:100,min:0,unit:"%",units:[{value:"%",label:"%"}]},e))}const c0=Jf("div",{target:"eas61re3"})("background-color:transparent;box-sizing:border-box;cursor:grab;height:30px;margin:-15px 0 0 -15px;opacity:0.8;position:absolute;user-select:none;width:30px;will-change:transform;z-index:10000;",(({isDragging:e})=>e&&"cursor: grabbing;"),";"),u0=Jf(po,{target:"eas61re2"})({name:"qkx60y",styles:"display:block;height:100%;left:0;position:absolute;top:0;width:100%"}),d0=Jf(co,{target:"eas61re1"})({name:"1b3qpiw",styles:"fill:white"}),p0=Jf(co,{target:"eas61re0"})("fill:",Ck.blue.wordpress[700],";fill:",Ck.ui.theme,";");function m0({coordinates:e={left:"50%",top:"50%"},...t}){const n=io()("components-focal-point-picker__icon_container"),r={left:e.left,top:e.top};return(0,et.createElement)(c0,rt({},t,{className:n,style:r}),(0,et.createElement)(u0,{className:"components-focal-point-picker__icon",xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 30 30"},(0,et.createElement)(d0,{className:"components-focal-point-picker__icon-outline",d:"M15 1C7.3 1 1 7.3 1 15s6.3 14 14 14 14-6.3 14-14S22.7 1 15 1zm0 22c-4.4 0-8-3.6-8-8s3.6-8 8-8 8 3.6 8 8-3.6 8-8 8z"}),(0,et.createElement)(p0,{className:"components-focal-point-picker__icon-fill",d:"M15 3C8.4 3 3 8.4 3 15s5.4 12 12 12 12-5.4 12-12S21.6 3 15 3zm0 22C9.5 25 5 20.5 5 15S9.5 5 15 5s10 4.5 10 10-4.5 10-10 10z"})))}const{clearTimeout:f0,setTimeout:h0}="undefined"!=typeof window?window:{};function g0({bounds:e={},value:t,...n}){const r=function(e){const[t,n]=(0,et.useState)(!1);return nL((()=>{n(!0);const e=h0((()=>{n(!1)}),600);return()=>f0(e)}),[e]),{isActive:t}}(t),o={width:e.width,height:e.height};return(0,et.createElement)(e0,rt({},n,r,{className:"components-focal-point-picker__grid",style:o}),(0,et.createElement)(n0,{style:{top:"33%"}}),(0,et.createElement)(n0,{style:{top:"66%"}}),(0,et.createElement)(r0,{style:{left:"33%"}}),(0,et.createElement)(r0,{style:{left:"66%"}}))}function b0({alt:e,autoPlay:t,src:n,onLoad:r=ot.noop,mediaRef:o,muted:a=!0,...i}){if(!n)return(0,et.createElement)(v0,{className:"components-focal-point-picker__media components-focal-point-picker__media--placeholder",onLoad:r,mediaRef:o});return function(e=""){return!!e&&a0.includes(function(e=""){const t=e.split(".");return t[t.length-1]}(e))}(n)?(0,et.createElement)("video",rt({},i,{autoPlay:t,className:"components-focal-point-picker__media components-focal-point-picker__media--video",loop:!0,muted:a,onLoadedData:r,ref:o,src:n})):(0,et.createElement)("img",rt({},i,{alt:e,className:"components-focal-point-picker__media components-focal-point-picker__media--image",onLoad:r,ref:o,src:n}))}function v0({mediaRef:e,onLoad:t=ot.noop,...n}){const r=(0,et.useRef)(t);return(0,et.useLayoutEffect)((()=>{window.requestAnimationFrame((()=>{r.current()}))}),[]),(0,et.createElement)(JZ,rt({ref:e},n))}class y0 extends et.Component{constructor(e){super(...arguments),this.state={isDragging:!1,bounds:o0,percentages:e.value},this.containerRef=(0,et.createRef)(),this.mediaRef=(0,et.createRef)(),this.onMouseDown=this.startDrag.bind(this),this.onMouseUp=this.stopDrag.bind(this),this.onKeyDown=this.onKeyDown.bind(this),this.onMouseMove=this.doDrag.bind(this),this.ifDraggingStop=()=>{this.state.isDragging&&this.stopDrag()},this.onChangeAtControls=e=>{this.updateValue(e),this.props.onChange(e)},this.updateBounds=this.updateBounds.bind(this),this.updateValue=this.updateValue.bind(this)}componentDidMount(){const{defaultView:e}=this.containerRef.current.ownerDocument;e.addEventListener("resize",this.updateBounds),this.updateBounds()}componentDidUpdate(e){e.url!==this.props.url&&this.ifDraggingStop();const{isDragging:t,percentages:{x:n,y:r}}=this.state,{value:o}=this.props;t||o.x===n&&o.y===r||this.setState({percentages:this.props.value})}componentWillUnmount(){const{defaultView:e}=this.containerRef.current.ownerDocument;e.removeEventListener("resize",this.updateBounds),this.ifDraggingStop()}calculateBounds(){const e=o0;if(!this.mediaRef.current)return e;if(0===this.mediaRef.current.clientWidth||0===this.mediaRef.current.clientHeight)return e;const t=this.mediaRef.current.clientWidth,n=this.mediaRef.current.clientHeight,r=this.pickerDimensions(),o=r.width/t,a=r.height/n;return a>=o?(e.width=e.right=r.width,e.height=n*o,e.top=(r.height-e.height)/2,e.bottom=e.top+e.height):(e.height=e.bottom=r.height,e.width=t*a,e.left=(r.width-e.width)/2,e.right=e.left+e.width),e}updateValue(e={}){const{x:t,y:n}=e,r={x:parseFloat(t).toFixed(2),y:parseFloat(n).toFixed(2)};this.setState({percentages:r})}updateBounds(){this.setState({bounds:this.calculateBounds()})}startDrag(e){var t,n;e.persist(),this.containerRef.current.focus(),this.setState({isDragging:!0});const{ownerDocument:r}=this.containerRef.current;r.addEventListener("mouseup",this.onMouseUp),r.addEventListener("mousemove",this.onMouseMove);const o=this.getValueFromPoint({x:e.pageX,y:e.pageY},e.shiftKey);this.updateValue(o),null===(t=(n=this.props).onDragStart)||void 0===t||t.call(n,o,e)}stopDrag(e){var t,n;const{ownerDocument:r}=this.containerRef.current;r.removeEventListener("mouseup",this.onMouseUp),r.removeEventListener("mousemove",this.onMouseMove),this.setState({isDragging:!1},(()=>{this.props.onChange(this.state.percentages)})),null===(t=(n=this.props).onDragEnd)||void 0===t||t.call(n,e)}onKeyDown(e){const{keyCode:t,shiftKey:n}=e;if(![am,sm,om,im].includes(t))return;e.preventDefault();const r={...this.state.percentages},o=n?.1:.01,a=t===am||t===om?-1*o:o,i=t===am||t===sm?"y":"x",s=parseFloat(r[i])+a;r[i]=dL(s,0,1,o),this.updateValue(r),this.props.onChange(r)}doDrag(e){var t,n;e.preventDefault();const r=this.getValueFromPoint({x:e.pageX,y:e.pageY},e.shiftKey);this.updateValue(r),null===(t=(n=this.props).onDrag)||void 0===t||t.call(n,r,e)}getValueFromPoint(e,t){const{bounds:n}=this.state,r=this.pickerDimensions(),o={left:e.x-r.left,top:e.y-r.top},a=Math.max(n.left,Math.min(o.left,n.right)),i=Math.max(n.top,Math.min(o.top,n.bottom));let s=(a-n.left)/(r.width-2*n.left),l=(i-n.top)/(r.height-2*n.top);const c=t?.1:.01;return s=dL(s,0,1,c),l=dL(l,0,1,c),{x:s,y:l}}pickerDimensions(){const e=this.containerRef.current;if(!e)return{width:0,height:0,left:0,top:0};const{clientHeight:t,clientWidth:n}=e,{top:r,left:o}=e.getBoundingClientRect();return{width:n,height:t,top:r+document.body.scrollTop,left:o}}iconCoordinates(){const{bounds:e,percentages:{x:t,y:n}}=this.state;if(void 0===e.left||void 0===e.top)return{left:"50%",top:"50%"};const{width:r,height:o}=this.pickerDimensions();return{left:t*(r-2*e.left)+e.left,top:n*(o-2*e.top)+e.top}}render(){const{autoPlay:e,className:t,help:n,instanceId:r,label:o,url:a}=this.props,{bounds:i,isDragging:s,percentages:l}=this.state,c=this.iconCoordinates(),u=io()("components-focal-point-picker-control",t),d=`inspector-focal-point-picker-control-${r}`;return(0,et.createElement)(nA,{label:o,id:d,help:n,className:u},(0,et.createElement)(KZ,{className:"components-focal-point-picker-wrapper"},(0,et.createElement)(GZ,{className:"components-focal-point-picker",onKeyDown:this.onKeyDown,onMouseDown:this.onMouseDown,onBlur:this.ifDraggingStop,ref:this.containerRef,role:"button",tabIndex:"-1"},(0,et.createElement)(g0,{bounds:i,value:l.x+l.y}),(0,et.createElement)(b0,{alt:Zn("Media preview"),autoPlay:e,mediaRef:this.mediaRef,onLoad:this.updateBounds,src:a}),(0,et.createElement)(m0,{coordinates:c,isDragging:s}))),(0,et.createElement)(s0,{percentages:l,onChange:this.onChangeAtControls}))}}y0.defaultProps={autoPlay:!0,value:{x:.5,y:.5},url:null};const _0=HA(y0),M0=(0,et.forwardRef)((({className:e,children:t},n)=>(0,et.createElement)("div",{className:io()("components-panel__row",e),ref:n},t))),k0=[["core/paragraph",{align:"center",fontSize:"large",placeholder:Zn("Write title…")}]],{__Visualizer:w0}=BO;function E0(){return E0.fastAverageColor||(E0.fastAverageColor=new($Z())),E0.fastAverageColor}function L0({onChange:e,onUnitChange:t,unit:n="px",value:r=""}){const[o,a]=(0,et.useState)(null),i=`block-cover-height-input-${xk(lj)}`,s="px"===n,l=rk({availableUnits:TL("spacing.units")||["px","em","rem","vw","vh"],defaultValues:{px:"430",em:"20",rem:"20",vw:"20",vh:"50"}}),c=null!==o?o:r,u=s?50:0;return(0,et.createElement)(nA,{label:Zn("Minimum height of cover"),id:i},(0,et.createElement)(lj,{id:i,isResetValueOnUnitChange:!0,min:u,onBlur:()=>{null!==o&&a(null)},onChange:n=>{const r=""!==n?parseInt(n,10):void 0;isNaN(r)&&void 0!==r?a(n):(a(null),e(r),void 0===r&&t())},onUnitChange:t,step:"1",style:{maxWidth:80},unit:n,units:l,value:c}))}const A0={top:!1,right:!1,bottom:!0,left:!1,topRight:!1,bottomRight:!1,bottomLeft:!1,topLeft:!1};function S0({className:e,onResizeStart:t,onResize:n,onResizeStop:r,...o}){const[a,i]=(0,et.useState)(!1);return(0,et.createElement)(QK,rt({className:io()(e,{"is-resizing":a}),enable:A0,onResizeStart:(e,r,o)=>{t(o.clientHeight),n(o.clientHeight)},onResize:(e,t,r)=>{n(r.clientHeight),a||i(!0)},onResizeStop:(e,t,n)=>{r(n.clientHeight),i(!1)},minHeight:50},o))}function C0({x:e,y:t}){return`${Math.round(100*e)}% ${Math.round(100*t)}%`}function T0({disableMediaButtons:e=!1,children:t,noticeUI:n,noticeOperations:r,onSelectMedia:o}){const{removeAllNotices:a,createErrorNotice:i}=r;return(0,et.createElement)(zq,{icon:(0,et.createElement)($D,{icon:BZ}),labels:{title:Zn("Cover"),instructions:Zn("Upload an image or video file, or pick one from your media library.")},onSelect:o,accept:"image/*,video/*",allowedTypes:WZ,notices:n,disableMediaButtons:e,onError:e=>{a(),i(e)}},t)}const x0=WA([SI((e=>{const{toggleSelection:t}=e(DM);return{toggleSelection:t}})),IN({overlayColor:"background-color"}),mK,HA])((function({attributes:e,clientId:t,isSelected:n,noticeUI:r,noticeOperations:o,overlayColor:a,setAttributes:i,setOverlayColor:s,toggleSelection:l}){var c,u;const{contentPosition:d,id:p,backgroundType:m,dimRatio:f,focalPoint:h,hasParallax:g,isRepeated:b,minHeight:v,minHeightUnit:y,style:_,url:M}=e,{gradientClass:k,gradientValue:w,setGradient:E}=function({gradientAttribute:e="gradient",customGradientAttribute:t="customGradient"}={}){const{clientId:n}=Ig(),r=TL("color.gradients")||XS,{gradient:o,customGradient:a}=Cl((r=>{const{getBlockAttributes:o}=r(DM),a=o(n)||{};return{customGradient:a[t],gradient:a[e]}}),[n,e,t]),{updateBlockAttributes:i}=sd(DM),s=(0,et.useCallback)((o=>{const a=GS(r,o);i(n,a?{[e]:a,[t]:void 0}:{[e]:void 0,[t]:o})}),[r,n,i]),l=US(o);let c;return c=o?$S(r,o):a,{gradientClass:l,gradientValue:c,setGradient:s}}(),L=qZ(i),A=((e,t)=>!e&&Js(t))(p,M),[S,C]=(0,et.useState)(v),[T,x]=(0,et.useState)(y),z="vh"===y&&100===v,O=(0,et.useRef)(),N=function(e,t=50,n,r){const[o,a]=(0,et.useState)(!1);return(0,et.useEffect)((()=>{e&&t<=50&&r.current&&E0().getColorAsync(r.current,(e=>{a(e.isDark)}))}),[e,e&&t<=50&&r.current,a]),(0,et.useEffect)((()=>{if(t>50||!e){if(!n)return void a(!0);a(ho()(n).isDark())}}),[n,t>50||!e,a]),(0,et.useEffect)((()=>{e||n||a(!1)}),[!e&&!n,a]),o}(M,f,a.color,O),D=PZ===m,B=RZ===m,[I,P]=(0,et.useState)(null),R=y?`${v}${y}`:v,Y=!(g||b),W={...D&&!Y?YZ(M):{backgroundImage:w||void 0},backgroundColor:a.color,minHeight:I||R||void 0},H={objectPosition:h&&Y?C0(h):void 0},q=!!(M||a.color||w),j=B||D&&(!g||b),F=e=>{const[t,n]=O.current?[O.current.style,"objectPosition"]:[U.current.style,"backgroundPosition"];t[n]=C0(e)},V=Cl((e=>e(DM).getBlock(t).innerBlocks.length>0),[t]),X=(0,et.createElement)(et.Fragment,null,(0,et.createElement)(WM,{group:"block"},(0,et.createElement)(jD,{label:Zn("Change content position"),value:d,onChange:e=>i({contentPosition:e}),isDisabled:!V}),(0,et.createElement)(XN,{isActive:z,onToggle:()=>z?i("vh"===T&&100===S?{minHeight:void 0,minHeightUnit:void 0}:{minHeight:S,minHeightUnit:T}):(C(v),x(y),i({minHeight:100,minHeightUnit:"vh"})),isDisabled:!V})),(0,et.createElement)(WM,{group:"other"},(0,et.createElement)(Eq,{mediaId:p,mediaURL:M,allowedTypes:WZ,accept:"image/*,video/*",onSelect:L,name:Zn(M?"Replace":"Add Media")})),(0,et.createElement)(kA,null,!!M&&(0,et.createElement)(mA,{title:Zn("Media settings")},D&&(0,et.createElement)(et.Fragment,null,(0,et.createElement)(kN,{label:Zn("Fixed background"),checked:g,onChange:()=>{i({hasParallax:!g,...g?{}:{focalPoint:void 0}})}}),(0,et.createElement)(kN,{label:Zn("Repeated background"),checked:b,onChange:()=>{i({isRepeated:!b})}})),j&&(0,et.createElement)(_0,{label:Zn("Focal point picker"),url:M,value:h,onDragStart:F,onDrag:F,onChange:e=>i({focalPoint:e})}),(0,et.createElement)(M0,null,(0,et.createElement)(nh,{variant:"secondary",isSmall:!0,className:"block-library-cover__reset-button",onClick:()=>i({url:void 0,id:void 0,backgroundType:void 0,dimRatio:void 0,focalPoint:void 0,hasParallax:void 0,isRepeated:void 0})},Zn("Clear Media")))),(0,et.createElement)(mA,{title:Zn("Dimensions")},(0,et.createElement)(L0,{value:I||v,unit:y,onChange:e=>i({minHeight:e}),onUnitChange:e=>i({minHeightUnit:e})})),(0,et.createElement)(fT,{title:Zn("Overlay"),initialOpen:!0,settings:[{colorValue:a.color,gradientValue:w,onColorChange:s,onGradientChange:E,label:Zn("Color")}]},!!M&&(0,et.createElement)(BC,{label:Zn("Opacity"),value:f,onChange:e=>i({dimRatio:e}),min:0,max:100,step:10,required:!0})))),U=(0,et.useRef)(),$=vR({ref:U}),K=wH({className:"wp-block-cover__inner-container"},{template:k0,templateInsertUpdatesSelection:!0});if(!V&&!q)return(0,et.createElement)(et.Fragment,null,X,(0,et.createElement)("div",rt({},$,{className:io()("is-placeholder",$.className)}),(0,et.createElement)(T0,{noticeUI:r,onSelectMedia:L,noticeOperations:o},(0,et.createElement)("div",{className:"wp-block-cover__placeholder-background-options"},(0,et.createElement)(mH,{disableCustomColors:!0,value:a.color,onChange:s,clearable:!1})))));const G=io()(HZ(f),{"is-dark-theme":N,"has-background-dim":0!==f,"is-transient":A,"has-parallax":g,"is-repeated":b,[a.class]:a.class,"has-background-gradient":w,[k]:!M&&k,"has-custom-content-position":!jZ(d)},FZ(d));return(0,et.createElement)(et.Fragment,null,X,(0,et.createElement)("div",rt({},$,{className:io()(G,$.className),style:{...W,...$.style},"data-url":M}),(0,et.createElement)(w0,{values:null==_||null===(c=_.spacing)||void 0===c?void 0:c.padding,showValues:null==_||null===(u=_.visualizers)||void 0===u?void 0:u.padding}),(0,et.createElement)(S0,{className:"block-library-cover__resize-container",onResizeStart:()=>{i({minHeightUnit:"px"}),l(!1)},onResize:P,onResizeStop:e=>{l(!0),i({minHeight:e}),P(null)},showHandle:n}),M&&w&&0!==f&&(0,et.createElement)("span",{"aria-hidden":"true",className:io()("wp-block-cover__gradient-background",k),style:{backgroundImage:w}}),M&&D&&Y&&(0,et.createElement)("img",{ref:O,className:"wp-block-cover__image-background",alt:"",src:M,style:H}),M&&B&&(0,et.createElement)("video",{ref:O,className:"wp-block-cover__video-background",autoPlay:!0,muted:!0,loop:!0,src:M,style:H}),A&&(0,et.createElement)(IH,null),(0,et.createElement)(T0,{disableMediaButtons:!0,noticeUI:r,onSelectMedia:L,noticeOperations:o}),(0,et.createElement)("div",K)))}));const z0={from:[{type:"block",blocks:["core/image"],transform:({caption:e,url:t,align:n,id:r,anchor:o,style:a})=>{var i;return Wo("core/cover",{url:t,align:n,id:r,anchor:o,style:{color:{duotone:null==a||null===(i=a.color)||void 0===i?void 0:i.duotone}}},[Wo("core/paragraph",{content:e,fontSize:"large"})])}},{type:"block",blocks:["core/video"],transform:({caption:e,src:t,align:n,id:r,anchor:o})=>Wo("core/cover",{url:t,align:n,id:r,backgroundType:RZ,anchor:o},[Wo("core/paragraph",{content:e,fontSize:"large"})])},{type:"block",blocks:["core/group"],isMatch:({backgroundColor:e,gradient:t,style:n})=>{var r,o;return e||(null==n||null===(r=n.color)||void 0===r?void 0:r.background)||(null==n||null===(o=n.color)||void 0===o?void 0:o.gradient)||t},transform:({align:e,anchor:t,backgroundColor:n,gradient:r,style:o},a)=>{var i,s;return Wo("core/cover",{align:e,anchor:t,overlayColor:n,customOverlayColor:null==o||null===(i=o.color)||void 0===i?void 0:i.background,gradient:r,customGradient:null==o||null===(s=o.color)||void 0===s?void 0:s.gradient},a)}}],to:[{type:"block",blocks:["core/image"],isMatch:({backgroundType:e,url:t,overlayColor:n,customOverlayColor:r,gradient:o,customGradient:a})=>t?e===PZ:!(n||r||o||a),transform:({title:e,url:t,align:n,id:r,anchor:o,style:a})=>{var i;return Wo("core/image",{caption:e,url:t,align:n,id:r,anchor:o,style:{color:{duotone:null==a||null===(i=a.color)||void 0===i?void 0:i.duotone}}})}},{type:"block",blocks:["core/video"],isMatch:({backgroundType:e,url:t,overlayColor:n,customOverlayColor:r,gradient:o,customGradient:a})=>t?e===RZ:!(n||r||o||a),transform:({title:e,url:t,align:n,id:r,anchor:o})=>Wo("core/video",{caption:e,src:t,id:r,align:n,anchor:o})}]},O0={apiVersion:2,name:"core/cover",title:"Cover",category:"media",description:"Add an image or video with a text overlay — great for headers.",textdomain:"default",attributes:{url:{type:"string"},id:{type:"number"},hasParallax:{type:"boolean",default:!1},isRepeated:{type:"boolean",default:!1},dimRatio:{type:"number",default:50},overlayColor:{type:"string"},customOverlayColor:{type:"string"},backgroundType:{type:"string",default:"image"},focalPoint:{type:"object"},minHeight:{type:"number"},minHeightUnit:{type:"string"},gradient:{type:"string"},customGradient:{type:"string"},contentPosition:{type:"string"}},supports:{anchor:!0,align:!0,html:!1,spacing:{padding:!0},color:{__experimentalDuotone:"> .wp-block-cover__image-background, > .wp-block-cover__video-background",text:!1,background:!1}},editorStyle:"wp-block-cover-editor",style:"wp-block-cover"},{name:N0}=O0,D0={icon:BZ,example:{attributes:{customOverlayColor:"#065174",dimRatio:40,url:"https://s.w.org/images/core/5.3/Windbuchencom.jpg"},innerBlocks:[{name:"core/paragraph",attributes:{customFontSize:48,content:Zn("Snow Patrol"),align:"center"}}]},transforms:z0,save:function({attributes:e}){const{backgroundType:t,gradient:n,contentPosition:r,customGradient:o,customOverlayColor:a,dimRatio:i,focalPoint:s,hasParallax:l,isRepeated:c,overlayColor:u,url:d,id:p,minHeight:m,minHeightUnit:f}=e,h=VS("background-color",u),g=US(n),b=f?`${m}${f}`:m,v=PZ===t,y=RZ===t,_=!(l||c),M={...v&&!_?YZ(d):{},backgroundColor:h?void 0:a,background:o&&!d?o:void 0,minHeight:b||void 0},k=s&&_?`${Math.round(100*s.x)}% ${Math.round(100*s.y)}%`:void 0,w=io()(HZ(i),h,{"has-background-dim":0!==i,"has-parallax":l,"is-repeated":c,"has-background-gradient":n||o,[g]:!d&&g,"has-custom-content-position":!jZ(r)},FZ(r));return(0,et.createElement)("div",vR.save({className:w,style:M}),d&&(n||o)&&0!==i&&(0,et.createElement)("span",{"aria-hidden":"true",className:io()("wp-block-cover__gradient-background",g),style:o?{background:o}:void 0}),v&&_&&d&&(0,et.createElement)("img",{className:io()("wp-block-cover__image-background",p?`wp-image-${p}`:null),alt:"",src:d,style:{objectPosition:k},"data-object-fit":"cover","data-object-position":k}),y&&d&&(0,et.createElement)("video",{className:io()("wp-block-cover__video-background","intrinsic-ignore"),autoPlay:!0,muted:!0,loop:!0,playsInline:!0,src:d,style:{objectPosition:k},"data-object-fit":"cover","data-object-position":k}),(0,et.createElement)("div",{className:"wp-block-cover__inner-container"},(0,et.createElement)(EH.Content,null)))},edit:x0,deprecated:XZ},B0=({blockSupportsResponsive:e,showEditButton:t,themeSupportsResponsive:n,allowResponsive:r,getResponsiveHelp:o,toggleResponsive:a,switchBackToURLInput:i})=>(0,et.createElement)(et.Fragment,null,(0,et.createElement)(WM,null,(0,et.createElement)(Ng,null,t&&(0,et.createElement)(Mg,{className:"components-toolbar__control",label:Zn("Edit URL"),icon:Aq,onClick:i}))),n&&e&&(0,et.createElement)(kA,null,(0,et.createElement)(mA,{title:Zn("Media settings"),className:"blocks-responsive"},(0,et.createElement)(kN,{label:Zn("Resize for smaller devices"),checked:r,help:o,onChange:a})))),I0=(0,et.createElement)(po,{viewBox:"0 0 24 24",xmlns:"http://www.w3.org/2000/svg"},(0,et.createElement)(co,{d:"M19 3H5c-1.1 0-2 .9-2 2v14c0 1.1.9 2 2 2h14c1.1 0 2-.9 2-2V5c0-1.1-.9-2-2-2zm.5 16c0 .3-.2.5-.5.5H5c-.3 0-.5-.2-.5-.5V9.8l4.7-5.3H19c.3 0 .5.2.5.5v14zm-6-9.5L16 12l-2.5 2.8 1.1 1L18 12l-3.5-3.5-1 1zm-3 0l-1-1L6 12l3.5 3.8 1.1-1L8 12l2.5-2.5z"})),P0=(0,et.createElement)(po,{viewBox:"0 0 24 24",xmlns:"http://www.w3.org/2000/svg"},(0,et.createElement)(co,{d:"M19 3H5c-1.1 0-2 .9-2 2v14c0 1.1.9 2 2 2h14c1.1 0 2-.9 2-2V5c0-1.1-.9-2-2-2zm.5 16c0 .3-.2.5-.5.5H5c-.3 0-.5-.2-.5-.5V9.8l4.7-5.3H19c.3 0 .5.2.5.5v14zM13.2 7.7c-.4.4-.7 1.1-.7 1.9v3.7c-.4-.3-.8-.4-1.3-.4-1.2 0-2.2 1-2.2 2.2 0 1.2 1 2.2 2.2 2.2.5 0 1-.2 1.4-.5.9-.6 1.4-1.6 1.4-2.6V9.6c0-.4.1-.6.2-.8.3-.3 1-.3 1.6-.3h.2V7h-.2c-.7 0-1.8 0-2.6.7z"})),R0=(0,et.createElement)(po,{viewBox:"0 0 24 24",xmlns:"http://www.w3.org/2000/svg"},(0,et.createElement)(co,{d:"M19 3H5c-1.1 0-2 .9-2 2v14c0 1.1.9 2 2 2h14c1.1 0 2-.9 2-2V5c0-1.1-.9-2-2-2zM9.2 4.5H19c.3 0 .5.2.5.5v8.4l-3-2.9c-.3-.3-.8-.3-1 0L11.9 14 9 12c-.3-.2-.6-.2-.8 0l-3.6 2.6V9.8l4.6-5.3zm9.8 15H5c-.3 0-.5-.2-.5-.5v-2.4l4.1-3 3 1.9c.3.2.7.2.9-.1L16 12l3.5 3.4V19c0 .3-.2.5-.5.5z"})),Y0=(0,et.createElement)(po,{viewBox:"0 0 24 24",xmlns:"http://www.w3.org/2000/svg"},(0,et.createElement)(co,{d:"M19 3H5c-1.1 0-2 .9-2 2v14c0 1.1.9 2 2 2h14c1.1 0 2-.9 2-2V5c0-1.1-.9-2-2-2zm.5 16c0 .3-.2.5-.5.5H5c-.3 0-.5-.2-.5-.5V9.8l4.7-5.3H19c.3 0 .5.2.5.5v14zM10 15l5-3-5-3v6z"})),W0={foreground:"#1da1f2",src:(0,et.createElement)(po,{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24"},(0,et.createElement)(lo,null,(0,et.createElement)(co,{d:"M22.23 5.924c-.736.326-1.527.547-2.357.646.847-.508 1.498-1.312 1.804-2.27-.793.47-1.67.812-2.606.996C18.325 4.498 17.258 4 16.078 4c-2.266 0-4.103 1.837-4.103 4.103 0 .322.036.635.106.935-3.41-.17-6.433-1.804-8.457-4.287-.353.607-.556 1.312-.556 2.064 0 1.424.724 2.68 1.825 3.415-.673-.022-1.305-.207-1.86-.514v.052c0 1.988 1.415 3.647 3.293 4.023-.344.095-.707.145-1.08.145-.265 0-.522-.026-.773-.074.522 1.63 2.038 2.817 3.833 2.85-1.404 1.1-3.174 1.757-5.096 1.757-.332 0-.66-.02-.98-.057 1.816 1.164 3.973 1.843 6.29 1.843 7.547 0 11.675-6.252 11.675-11.675 0-.178-.004-.355-.012-.53.802-.578 1.497-1.3 2.047-2.124z"})))},H0={foreground:"#ff0000",src:(0,et.createElement)(po,{viewBox:"0 0 24 24"},(0,et.createElement)(co,{d:"M21.8 8s-.195-1.377-.795-1.984c-.76-.797-1.613-.8-2.004-.847-2.798-.203-6.996-.203-6.996-.203h-.01s-4.197 0-6.996.202c-.39.046-1.242.05-2.003.846C2.395 6.623 2.2 8 2.2 8S2 9.62 2 11.24v1.517c0 1.618.2 3.237.2 3.237s.195 1.378.795 1.985c.76.797 1.76.77 2.205.855 1.6.153 6.8.2 6.8.2s4.203-.005 7-.208c.392-.047 1.244-.05 2.005-.847.6-.607.795-1.985.795-1.985s.2-1.618.2-3.237v-1.517C22 9.62 21.8 8 21.8 8zM9.935 14.595v-5.62l5.403 2.82-5.403 2.8z"}))},q0={foreground:"#3b5998",src:(0,et.createElement)(po,{viewBox:"0 0 24 24"},(0,et.createElement)(co,{d:"M20 3H4c-.6 0-1 .4-1 1v16c0 .5.4 1 1 1h8.6v-7h-2.3v-2.7h2.3v-2c0-2.3 1.4-3.6 3.5-3.6 1 0 1.8.1 2.1.1v2.4h-1.4c-1.1 0-1.3.5-1.3 1.3v1.7h2.7l-.4 2.8h-2.3v7H20c.5 0 1-.4 1-1V4c0-.6-.4-1-1-1z"}))},j0=(0,et.createElement)(po,{viewBox:"0 0 24 24"},(0,et.createElement)(lo,null,(0,et.createElement)(co,{d:"M12 4.622c2.403 0 2.688.01 3.637.052.877.04 1.354.187 1.67.31.42.163.72.358 1.036.673.315.315.51.615.673 1.035.123.317.27.794.31 1.67.043.95.052 1.235.052 3.638s-.01 2.688-.052 3.637c-.04.877-.187 1.354-.31 1.67-.163.42-.358.72-.673 1.036-.315.315-.615.51-1.035.673-.317.123-.794.27-1.67.31-.95.043-1.234.052-3.638.052s-2.688-.01-3.637-.052c-.877-.04-1.354-.187-1.67-.31-.42-.163-.72-.358-1.036-.673-.315-.315-.51-.615-.673-1.035-.123-.317-.27-.794-.31-1.67-.043-.95-.052-1.235-.052-3.638s.01-2.688.052-3.637c.04-.877.187-1.354.31-1.67.163-.42.358-.72.673-1.036.315-.315.615-.51 1.035-.673.317-.123.794-.27 1.67-.31.95-.043 1.235-.052 3.638-.052M12 3c-2.444 0-2.75.01-3.71.054s-1.613.196-2.185.418c-.592.23-1.094.538-1.594 1.04-.5.5-.807 1-1.037 1.593-.223.572-.375 1.226-.42 2.184C3.01 9.25 3 9.555 3 12s.01 2.75.054 3.71.196 1.613.418 2.186c.23.592.538 1.094 1.038 1.594s1.002.808 1.594 1.038c.572.222 1.227.375 2.185.418.96.044 1.266.054 3.71.054s2.75-.01 3.71-.054 1.613-.196 2.186-.418c.592-.23 1.094-.538 1.594-1.038s.808-1.002 1.038-1.594c.222-.572.375-1.227.418-2.185.044-.96.054-1.266.054-3.71s-.01-2.75-.054-3.71-.196-1.613-.418-2.186c-.23-.592-.538-1.094-1.038-1.594s-1.002-.808-1.594-1.038c-.572-.222-1.227-.375-2.185-.418C14.75 3.01 14.445 3 12 3zm0 4.378c-2.552 0-4.622 2.07-4.622 4.622s2.07 4.622 4.622 4.622 4.622-2.07 4.622-4.622S14.552 7.378 12 7.378zM12 15c-1.657 0-3-1.343-3-3s1.343-3 3-3 3 1.343 3 3-1.343 3-3 3zm4.804-8.884c-.596 0-1.08.484-1.08 1.08s.484 1.08 1.08 1.08c.596 0 1.08-.484 1.08-1.08s-.483-1.08-1.08-1.08z"}))),F0={foreground:"#0073AA",src:(0,et.createElement)(po,{viewBox:"0 0 24 24"},(0,et.createElement)(lo,null,(0,et.createElement)(co,{d:"M12.158 12.786l-2.698 7.84c.806.236 1.657.365 2.54.365 1.047 0 2.05-.18 2.986-.51-.024-.037-.046-.078-.065-.123l-2.762-7.57zM3.008 12c0 3.56 2.07 6.634 5.068 8.092L3.788 8.342c-.5 1.117-.78 2.354-.78 3.658zm15.06-.454c0-1.112-.398-1.88-.74-2.48-.456-.74-.883-1.368-.883-2.11 0-.825.627-1.595 1.51-1.595.04 0 .078.006.116.008-1.598-1.464-3.73-2.36-6.07-2.36-3.14 0-5.904 1.613-7.512 4.053.21.008.41.012.58.012.94 0 2.395-.114 2.395-.114.484-.028.54.684.057.74 0 0-.487.058-1.03.086l3.275 9.74 1.968-5.902-1.4-3.838c-.485-.028-.944-.085-.944-.085-.486-.03-.43-.77.056-.742 0 0 1.484.114 2.368.114.94 0 2.397-.114 2.397-.114.486-.028.543.684.058.74 0 0-.488.058-1.03.086l3.25 9.665.897-2.997c.456-1.17.684-2.137.684-2.907zm1.82-3.86c.04.286.06.593.06.924 0 .912-.17 1.938-.683 3.22l-2.746 7.94c2.672-1.558 4.47-4.454 4.47-7.77 0-1.564-.4-3.033-1.1-4.314zM12 22C6.486 22 2 17.514 2 12S6.486 2 12 2s10 4.486 10 10-4.486 10-10 10z"})))},V0={foreground:"#1db954",src:(0,et.createElement)(po,{viewBox:"0 0 24 24"},(0,et.createElement)(co,{d:"M12 2C6.477 2 2 6.477 2 12s4.477 10 10 10 10-4.477 10-10S17.523 2 12 2m4.586 14.424c-.18.295-.563.387-.857.207-2.35-1.434-5.305-1.76-8.786-.963-.335.077-.67-.133-.746-.47-.077-.334.132-.67.47-.745 3.808-.87 7.076-.496 9.712 1.115.293.18.386.563.206.857M17.81 13.7c-.226.367-.706.482-1.072.257-2.687-1.652-6.785-2.13-9.965-1.166-.413.127-.848-.106-.973-.517-.125-.413.108-.848.52-.973 3.632-1.102 8.147-.568 11.234 1.328.366.226.48.707.256 1.072m.105-2.835C14.692 8.95 9.375 8.775 6.297 9.71c-.493.15-1.016-.13-1.166-.624-.148-.495.13-1.017.625-1.167 3.532-1.073 9.404-.866 13.115 1.337.445.264.59.838.327 1.282-.264.443-.838.59-1.282.325"}))},X0=(0,et.createElement)(po,{viewBox:"0 0 24 24"},(0,et.createElement)(co,{d:"m6.5 7c-2.75 0-5 2.25-5 5s2.25 5 5 5 5-2.25 5-5-2.25-5-5-5zm11 0c-2.75 0-5 2.25-5 5s2.25 5 5 5 5-2.25 5-5-2.25-5-5-5z"})),U0={foreground:"#1ab7ea",src:(0,et.createElement)(po,{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24"},(0,et.createElement)(lo,null,(0,et.createElement)(co,{d:"M22.396 7.164c-.093 2.026-1.507 4.8-4.245 8.32C15.323 19.16 12.93 21 10.97 21c-1.214 0-2.24-1.12-3.08-3.36-.56-2.052-1.118-4.105-1.68-6.158-.622-2.24-1.29-3.36-2.004-3.36-.156 0-.7.328-1.634.98l-.978-1.26c1.027-.903 2.04-1.806 3.037-2.71C6 3.95 7.03 3.328 7.716 3.265c1.62-.156 2.616.95 2.99 3.32.404 2.558.685 4.148.84 4.77.468 2.12.982 3.18 1.543 3.18.435 0 1.09-.687 1.963-2.064.872-1.376 1.34-2.422 1.402-3.142.125-1.187-.343-1.782-1.4-1.782-.5 0-1.013.115-1.542.34 1.023-3.35 2.977-4.976 5.862-4.883 2.14.063 3.148 1.45 3.024 4.16z"})))},$0=(0,et.createElement)(po,{viewBox:"0 0 24 24"},(0,et.createElement)(co,{d:"M22 11.816c0-1.256-1.02-2.277-2.277-2.277-.593 0-1.122.24-1.526.613-1.48-.965-3.455-1.594-5.647-1.69l1.17-3.702 3.18.75c.01 1.027.847 1.86 1.877 1.86 1.035 0 1.877-.84 1.877-1.877 0-1.035-.842-1.877-1.877-1.877-.77 0-1.43.466-1.72 1.13L13.55 3.92c-.204-.047-.4.067-.46.26l-1.35 4.27c-2.317.037-4.412.67-5.97 1.67-.402-.355-.917-.58-1.493-.58C3.02 9.54 2 10.56 2 11.815c0 .814.433 1.523 1.078 1.925-.037.222-.06.445-.06.673 0 3.292 4.01 5.97 8.94 5.97s8.94-2.678 8.94-5.97c0-.214-.02-.424-.052-.632.687-.39 1.154-1.12 1.154-1.964zm-3.224-7.422c.606 0 1.1.493 1.1 1.1s-.493 1.1-1.1 1.1-1.1-.494-1.1-1.1.493-1.1 1.1-1.1zm-16 7.422c0-.827.673-1.5 1.5-1.5.313 0 .598.103.838.27-.85.675-1.477 1.478-1.812 2.36-.32-.274-.525-.676-.525-1.13zm9.183 7.79c-4.502 0-8.165-2.33-8.165-5.193S7.457 9.22 11.96 9.22s8.163 2.33 8.163 5.193-3.663 5.193-8.164 5.193zM20.635 13c-.326-.89-.948-1.7-1.797-2.383.247-.186.55-.3.882-.3.827 0 1.5.672 1.5 1.5 0 .482-.23.91-.586 1.184zm-11.64 1.704c-.76 0-1.397-.616-1.397-1.376 0-.76.636-1.397 1.396-1.397.76 0 1.376.638 1.376 1.398 0 .76-.616 1.376-1.376 1.376zm7.405-1.376c0 .76-.615 1.376-1.375 1.376s-1.4-.616-1.4-1.376c0-.76.64-1.397 1.4-1.397.76 0 1.376.638 1.376 1.398zm-1.17 3.38c.15.152.15.398 0 .55-.675.674-1.728 1.002-3.22 1.002l-.01-.002-.012.002c-1.492 0-2.544-.328-3.218-1.002-.152-.152-.152-.398 0-.55.152-.152.4-.15.55 0 .52.52 1.394.775 2.67.775l.01.002.01-.002c1.276 0 2.15-.253 2.67-.775.15-.152.398-.152.55 0z"})),K0={foreground:"#35465c",src:(0,et.createElement)(po,{viewBox:"0 0 24 24"},(0,et.createElement)(co,{d:"M19 3H5a2 2 0 00-2 2v14c0 1.1.9 2 2 2h14a2 2 0 002-2V5a2 2 0 00-2-2zm-5.69 14.66c-2.72 0-3.1-1.9-3.1-3.16v-3.56H8.49V8.99c1.7-.62 2.54-1.99 2.64-2.87 0-.06.06-.41.06-.58h1.9v3.1h2.17v2.3h-2.18v3.1c0 .47.13 1.3 1.2 1.26h1.1v2.36c-1.01.02-2.07 0-2.07 0z"}))},G0=(0,et.createElement)(po,{viewBox:"0 0 24 24"},(0,et.createElement)(co,{d:"M18.42 14.58c-.51-.66-1.05-1.23-1.05-2.5V7.87c0-1.8.15-3.45-1.2-4.68-1.05-1.02-2.79-1.35-4.14-1.35-2.6 0-5.52.96-6.12 4.14-.06.36.18.54.4.57l2.66.3c.24-.03.42-.27.48-.5.24-1.12 1.17-1.63 2.2-1.63.56 0 1.22.21 1.55.7.4.56.33 1.31.33 1.97v.36c-1.59.18-3.66.27-5.16.93a4.63 4.63 0 0 0-2.93 4.44c0 2.82 1.8 4.23 4.1 4.23 1.95 0 3.03-.45 4.53-1.98.51.72.66 1.08 1.59 1.83.18.09.45.09.63-.1v.04l2.1-1.8c.24-.21.2-.48.03-.75zm-5.4-1.2c-.45.75-1.14 1.23-1.92 1.23-1.05 0-1.65-.81-1.65-1.98 0-2.31 2.1-2.73 4.08-2.73v.6c0 1.05.03 1.92-.5 2.88z"}),(0,et.createElement)(co,{d:"M21.69 19.2a17.62 17.62 0 0 1-21.6-1.57c-.23-.2 0-.5.28-.33a23.88 23.88 0 0 0 20.93 1.3c.45-.19.84.3.39.6z"}),(0,et.createElement)(co,{d:"M22.8 17.96c-.36-.45-2.22-.2-3.1-.12-.23.03-.3-.18-.05-.36 1.5-1.05 3.96-.75 4.26-.39.3.36-.1 2.82-1.5 4.02-.21.18-.42.1-.3-.15.3-.8 1.02-2.58.69-3z"})),J0=(0,et.createElement)(po,{viewBox:"0 0 24 24"},(0,et.createElement)(co,{d:"m.0206909 21 19.8160091-13.07806 3.5831 6.20826z",fill:"#4bc7ee"}),(0,et.createElement)(co,{d:"m23.7254 19.0205-10.1074-17.18468c-.6421-1.114428-1.7087-1.114428-2.3249 0l-11.2931 19.16418h22.5655c1.279 0 1.8019-.8905 1.1599-1.9795z",fill:"#d4cdcb"}),(0,et.createElement)(co,{d:"m.0206909 21 15.2439091-16.38571 4.3029 7.32271z",fill:"#c3d82e"}),(0,et.createElement)(co,{d:"m13.618 1.83582c-.6421-1.114428-1.7087-1.114428-2.3249 0l-11.2931 19.16418 15.2646-16.38573z",fill:"#e4ecb0"}),(0,et.createElement)(co,{d:"m.0206909 21 19.5468091-9.063 1.6621 2.8344z",fill:"#209dbd"}),(0,et.createElement)(co,{d:"m.0206909 21 17.9209091-11.82623 1.6259 2.76323z",fill:"#7cb3c9"})),Q0=(0,et.createElement)(po,{viewBox:"0 0 24 24"},(0,et.createElement)(co,{d:"m12.1479 18.5957c-2.4949 0-4.28131-1.7558-4.28131-4.0658 0-2.2176 1.78641-4.0965 4.09651-4.0965 2.2793 0 4.0349 1.7864 4.0349 4.1581 0 2.2794-1.7556 4.0042-3.8501 4.0042zm8.3521-18.5957-4.5329 1v7c-1.1088-1.41691-2.8028-1.8787-4.8049-1.8787-2.09443 0-3.97329.76993-5.5133 2.27917-1.72483 1.66323-2.6489 3.78863-2.6489 6.16033 0 2.5873.98562 4.8049 2.89526 6.499 1.44763 1.2936 3.17251 1.9402 5.17454 1.9402 1.9713 0 3.4498-.5236 4.8973-1.9402v1.9402h4.5329c0-7.6359 0-15.3641 0-23z",fill:"#333436"})),Z0=()=>(0,et.createElement)("div",{className:"wp-block-embed is-loading"},(0,et.createElement)(IH,null),(0,et.createElement)("p",null,Zn("Embedding…"))),e1=({icon:e,label:t,value:n,onSubmit:r,onChange:o,cannotEmbed:a,fallback:i,tryAgain:s})=>(0,et.createElement)(VW,{icon:(0,et.createElement)($D,{icon:e,showColors:!0}),label:t,className:"wp-block-embed",instructions:Zn("Paste a link to the content you want to display on your site.")},(0,et.createElement)("form",{onSubmit:r},(0,et.createElement)("input",{type:"url",value:n||"",className:"components-placeholder__input","aria-label":t,placeholder:Zn("Enter URL to embed here…"),onChange:o}),(0,et.createElement)(nh,{variant:"primary",type:"submit"},er("Embed","button label"))),(0,et.createElement)("div",{className:"components-placeholder__learn-more"},(0,et.createElement)(iA,{href:Zn("https://wordpress.org/support/article/embeds/")},Zn("Learn more about embeds"))),a&&(0,et.createElement)("div",{className:"components-placeholder__error"},(0,et.createElement)("div",{className:"components-placeholder__instructions"},Zn("Sorry, this content could not be embedded.")),(0,et.createElement)(nh,{variant:"secondary",onClick:s},er("Try again","button label"))," ",(0,et.createElement)(nh,{variant:"secondary",onClick:i},er("Convert to link","button label"))));function t1({iframeRef:e,...t}){const n=(0,et.useRef)(),r=Rm([e,n]);return(0,et.useEffect)((()=>{const e=n.current,{ownerDocument:t}=e,{defaultView:r}=t;function o(){t.activeElement===e&&e.focus()}return r.addEventListener("blur",o),()=>{r.removeEventListener("blur",o)}}),[]),(0,et.createElement)("iframe",rt({ref:r},t))}function n1({html:e="",title:t="",type:n,styles:r=[],scripts:o=[],onFocus:a}){const i=(0,et.useRef)(),[s,l]=(0,et.useState)(0),[c,u]=(0,et.useState)(0);function d(a=!1){if(!function(){try{return!!i.current.contentDocument.body}catch(e){return!1}}())return;const{contentDocument:s,ownerDocument:l}=i.current,{body:c}=s;if(!a&&null!==c.getAttribute("data-resizable-iframe-connected"))return;const u=(0,et.createElement)("html",{lang:l.documentElement.lang,className:n},(0,et.createElement)("head",null,(0,et.createElement)("title",null,t),(0,et.createElement)("style",{dangerouslySetInnerHTML:{__html:"\n\tbody {\n\t\tmargin: 0;\n\t}\n\thtml,\n\tbody,\n\tbody > div,\n\tbody > div iframe {\n\t\twidth: 100%;\n\t}\n\thtml.wp-has-aspect-ratio,\n\tbody.wp-has-aspect-ratio,\n\tbody.wp-has-aspect-ratio > div,\n\tbody.wp-has-aspect-ratio > div iframe {\n\t\theight: 100%;\n\t\toverflow: hidden; /* If it has an aspect ratio, it shouldn't scroll. */\n\t}\n\tbody > div > * {\n\t\tmargin-top: 0 !important; /* Has to have !important to override inline styles. */\n\t\tmargin-bottom: 0 !important;\n\t}\n"}}),r.map(((e,t)=>(0,et.createElement)("style",{key:t,dangerouslySetInnerHTML:{__html:e}})))),(0,et.createElement)("body",{"data-resizable-iframe-connected":"data-resizable-iframe-connected",className:n},(0,et.createElement)("div",{dangerouslySetInnerHTML:{__html:e}}),(0,et.createElement)("script",{type:"text/javascript",dangerouslySetInnerHTML:{__html:"\n\t( function() {\n\t\tvar observer;\n\n\t\tif ( ! window.MutationObserver || ! document.body || ! window.parent ) {\n\t\t\treturn;\n\t\t}\n\n\t\tfunction sendResize() {\n\t\t\tvar clientBoundingRect = document.body.getBoundingClientRect();\n\n\t\t\twindow.parent.postMessage( {\n\t\t\t\taction: 'resize',\n\t\t\t\twidth: clientBoundingRect.width,\n\t\t\t\theight: clientBoundingRect.height,\n\t\t\t}, '*' );\n\t\t}\n\n\t\tobserver = new MutationObserver( sendResize );\n\t\tobserver.observe( document.body, {\n\t\t\tattributes: true,\n\t\t\tattributeOldValue: false,\n\t\t\tcharacterData: true,\n\t\t\tcharacterDataOldValue: false,\n\t\t\tchildList: true,\n\t\t\tsubtree: true\n\t\t} );\n\n\t\twindow.addEventListener( 'load', sendResize, true );\n\n\t\t// Hack: Remove viewport unit styles, as these are relative\n\t\t// the iframe root and interfere with our mechanism for\n\t\t// determining the unconstrained page bounds.\n\t\tfunction removeViewportStyles( ruleOrNode ) {\n\t\t\tif( ruleOrNode.style ) {\n\t\t\t\t[ 'width', 'height', 'minHeight', 'maxHeight' ].forEach( function( style ) {\n\t\t\t\t\tif ( /^\\d+(vmin|vmax|vh|vw)$/.test( ruleOrNode.style[ style ] ) ) {\n\t\t\t\t\t\truleOrNode.style[ style ] = '';\n\t\t\t\t\t}\n\t\t\t\t} );\n\t\t\t}\n\t\t}\n\n\t\tArray.prototype.forEach.call( document.querySelectorAll( '[style]' ), removeViewportStyles );\n\t\tArray.prototype.forEach.call( document.styleSheets, function( stylesheet ) {\n\t\t\tArray.prototype.forEach.call( stylesheet.cssRules || stylesheet.rules, removeViewportStyles );\n\t\t} );\n\n\t\tdocument.body.style.position = 'absolute';\n\t\tdocument.body.style.width = '100%';\n\t\tdocument.body.setAttribute( 'data-resizable-iframe-connected', '' );\n\n\t\tsendResize();\n\n\t\t// Resize events can change the width of elements with 100% width, but we don't\n\t\t// get an DOM mutations for that, so do the resize when the window is resized, too.\n\t\twindow.addEventListener( 'resize', sendResize, true );\n} )();"}}),o.map((e=>(0,et.createElement)("script",{key:e,src:e})))));s.open(),s.write(""+ei(u)),s.close()}return(0,et.useEffect)((()=>{function e(){d(!1)}function t(e){const t=i.current;if(!t||t.contentWindow!==e.source)return;let n=e.data||{};if("string"==typeof n)try{n=JSON.parse(n)}catch(e){}"resize"===n.action&&(l(n.width),u(n.height))}d();const{ownerDocument:n}=i.current,{defaultView:r}=n;return i.current.addEventListener("load",e,!1),r.addEventListener("message",t),()=>{var n;null===(n=i.current)||void 0===n||n.removeEventListener("load",e,!1),r.addEventListener("message",t)}}),[]),(0,et.useEffect)((()=>{d()}),[t,n,r,o]),(0,et.useEffect)((()=>{d(!0)}),[e]),(0,et.createElement)(t1,{iframeRef:i,title:t,className:"components-sandbox",sandbox:"allow-scripts allow-same-origin allow-presentation",onFocus:a,width:Math.ceil(s),height:Math.ceil(c)})}function r1({html:e}){const t=(0,et.useRef)();(0,et.useEffect)((()=>{const{ownerDocument:e}=t.current,{defaultView:n}=e;function r({data:{secret:t,message:n,value:r}={}}){[t,n,r].some((e=>!e))||"height"!==n||e.querySelectorAll(`iframe[data-secret="${t}"`).forEach((e=>{+e.height!==r&&(e.height=r)}))}function o(){const{activeElement:n}=e;"IFRAME"===n.tagName&&n.parentNode===t.current&&n.focus()}return n.addEventListener("message",r),n.addEventListener("blur",o),()=>{n.removeEventListener("message",r),n.removeEventListener("blur",o)}}),[]);const n=(0,et.useMemo)((()=>{const t=(new window.DOMParser).parseFromString(e,"text/html"),n=t.querySelector("iframe");n&&n.removeAttribute("style");const r=t.querySelector("blockquote");return r&&(r.style.display="none"),t.body.innerHTML}),[e]);return(0,et.createElement)("div",{ref:t,className:"wp-block-embed__wrapper",dangerouslySetInnerHTML:{__html:n}})}class o1 extends et.Component{constructor(){super(...arguments),this.hideOverlay=this.hideOverlay.bind(this),this.state={interactive:!1}}static getDerivedStateFromProps(e,t){return!e.isSelected&&t.interactive?{interactive:!1}:null}hideOverlay(){this.setState({interactive:!0})}render(){const{preview:e,previewable:t,url:n,type:r,caption:o,onCaptionChange:a,isSelected:i,className:s,icon:l,label:c,insertBlocksAfter:u}=this.props,{scripts:d}=e,{interactive:p}=this.state,m="photo"===r?(e=>{const t=e.thumbnail_url||e.url,n=(0,et.createElement)("p",null,(0,et.createElement)("img",{src:t,alt:e.title,width:"100%"}));return ei(n)})(e):e.html,f=new URL(n).host.split("."),h=f.splice(f.length-2,f.length-1).join("."),g=dn(Zn("Embedded content from %s"),h),b=iG()(r,s,"wp-block-embed__wrapper"),v="wp-embed"===r?(0,et.createElement)(r1,{html:m}):(0,et.createElement)("div",{className:"wp-block-embed__wrapper"},(0,et.createElement)(n1,{html:m,scripts:d,title:g,type:b,onFocus:this.hideOverlay}),!p&&(0,et.createElement)("div",{className:"block-library-embed__interactive-overlay",onMouseUp:this.hideOverlay}));return(0,et.createElement)("figure",{className:iG()(s,"wp-block-embed",{"is-type-video":"video"===r})},t?v:(0,et.createElement)(VW,{icon:(0,et.createElement)($D,{icon:l,showColors:!0}),label:c},(0,et.createElement)("p",{className:"components-placeholder__error"},(0,et.createElement)("a",{href:n},n)),(0,et.createElement)("p",{className:"components-placeholder__error"},dn(Zn("Embedded content from %s can't be previewed in the editor."),h))),(!tj.isEmpty(o)||i)&&(0,et.createElement)(tj,{tagName:"figcaption",placeholder:Zn("Add caption"),value:o,onChange:a,inlineToolbar:!0,__unstableOnSplitAtEnd:()=>u(Wo("core/paragraph"))}))}}const a1=o1;function i1(e){return Zn(e?"This embed will preserve its aspect ratio when the browser is resized.":"This embed may not preserve its aspect ratio when the browser is resized.")}const s1=e=>{const{attributes:{providerNameSlug:t,previewable:n,responsive:r,url:o},attributes:a,isSelected:i,onReplace:s,setAttributes:l,insertBlocksAfter:c,onFocus:u}=e,d={title:er("Embed","block title"),icon:I0},{icon:p,title:m}=(e=>{var t;return null===(t=Yo(sG))||void 0===t?void 0:t.find((({name:t})=>t===e))})(t)||d,[f,h]=(0,et.useState)(o),[g,b]=(0,et.useState)(!1),{invalidateResolution:v}=sd(vd),{preview:y,fetching:_,themeSupportsResponsive:M,cannotEmbed:k}=Cl((e=>{var t;const{getEmbedPreview:n,isPreviewEmbedFallback:r,isRequestingEmbedPreview:a,getThemeSupports:i}=e(vd);if(!o)return{fetching:!1,cannotEmbed:!1};const s=n(o),l=r(o),c=!1===(null==s?void 0:s.html)&&void 0===(null==s?void 0:s.type),u=404===(null==s||null===(t=s.data)||void 0===t?void 0:t.status),d=!!s&&!c&&!u;return{preview:d?s:void 0,fetching:a(o),themeSupportsResponsive:i()["responsive-embeds"],cannotEmbed:!d||l}}),[o]),w=()=>{const{allowResponsive:e,className:t}=a;return{...a,...pG(y,m,t,r,e)}};(0,et.useEffect)((()=>{if(null==y||!y.html||!k||_)return;const e=o.replace(/\/$/,"");h(e),b(!1),l({url:e})}),[null==y?void 0:y.html,o]),(0,et.useEffect)((()=>{if(y&&!g&&(l(w()),s)){const t=cG(e,w());t&&s(t)}}),[y,g]);const E=vR();if(_)return(0,et.createElement)(WJ,E,(0,et.createElement)(Z0,null));const L=dn(Zn("%s URL"),m);if(!y||k||g)return(0,et.createElement)(WJ,E,(0,et.createElement)(e1,{icon:p,label:L,onFocus:u,onSubmit:e=>{e&&e.preventDefault(),b(!1),l({url:f})},value:f,cannotEmbed:k,onChange:e=>h(e.target.value),fallback:()=>function(e,t){const n=(0,et.createElement)("a",{href:e},e);t(Wo("core/paragraph",{content:ei(n)}))}(f,s),tryAgain:()=>{v("getEmbedPreview",[f])}}));const{caption:A,type:S,allowResponsive:C,className:T}=w(),x=io()(T,e.className);return(0,et.createElement)(et.Fragment,null,(0,et.createElement)(B0,{showEditButton:y&&!k,themeSupportsResponsive:M,blockSupportsResponsive:r,allowResponsive:C,getResponsiveHelp:i1,toggleResponsive:()=>{const{allowResponsive:e,className:t}=a,{html:n}=y,o=!e;l({allowResponsive:o,className:dG(n,t,r&&o)})},switchBackToURLInput:()=>b(!0)}),(0,et.createElement)(WJ,E,(0,et.createElement)(a1,{preview:y,previewable:n,className:x,url:f,type:S,caption:A,onCaptionChange:e=>l({caption:e}),isSelected:i,icon:p,label:L,insertBlocksAfter:c})))};const{name:l1}={apiVersion:2,name:"core/embed",title:"Embed",category:"embed",description:"Add a block that displays content pulled from other sites, like Twitter or YouTube.",textdomain:"default",attributes:{url:{type:"string"},caption:{type:"string",source:"html",selector:"figcaption"},type:{type:"string"},providerNameSlug:{type:"string"},allowResponsive:{type:"boolean",default:!0},responsive:{type:"boolean",default:!1},previewable:{type:"boolean",default:!0}},supports:{align:!0},editorStyle:"wp-block-embed-editor",style:"wp-block-embed"},c1={from:[{type:"raw",isMatch:e=>{var t,n;return"P"===e.nodeName&&/^\s*(https?:\/\/\S+)\s*$/i.test(e.textContent)&&1===(null===(t=e.textContent)||void 0===t||null===(n=t.match(/https/gi))||void 0===n?void 0:n.length)},transform:e=>Wo(l1,{url:e.textContent.trim()})}],to:[{type:"block",blocks:["core/paragraph"],isMatch:({url:e})=>!!e,transform:({url:e,caption:t})=>{let n=`${e}`;return null!=t&&t.trim()&&(n+=`
${t}`),Wo("core/paragraph",{content:n})}}]},u1=[{name:"twitter",title:"Twitter",icon:W0,keywords:["tweet",Zn("social")],description:Zn("Embed a tweet."),patterns:[/^https?:\/\/(www\.)?twitter\.com\/.+/i],attributes:{providerNameSlug:"twitter",responsive:!0}},{name:"youtube",title:"YouTube",icon:H0,keywords:[Zn("music"),Zn("video")],description:Zn("Embed a YouTube video."),patterns:[/^https?:\/\/((m|www)\.)?youtube\.com\/.+/i,/^https?:\/\/youtu\.be\/.+/i],attributes:{providerNameSlug:"youtube",responsive:!0}},{name:"facebook",title:"Facebook",icon:q0,keywords:[Zn("social")],description:Zn("Embed a Facebook post."),scope:["block"],patterns:[],attributes:{providerNameSlug:"facebook",previewable:!1,responsive:!0}},{name:"instagram",title:"Instagram",icon:j0,keywords:[Zn("image"),Zn("social")],description:Zn("Embed an Instagram post."),scope:["block"],patterns:[],attributes:{providerNameSlug:"instagram",responsive:!0}},{name:"wordpress",title:"WordPress",icon:F0,keywords:[Zn("post"),Zn("blog")],description:Zn("Embed a WordPress post."),attributes:{providerNameSlug:"wordpress"}},{name:"soundcloud",title:"SoundCloud",icon:P0,keywords:[Zn("music"),Zn("audio")],description:Zn("Embed SoundCloud content."),patterns:[/^https?:\/\/(www\.)?soundcloud\.com\/.+/i],attributes:{providerNameSlug:"soundcloud",responsive:!0}},{name:"spotify",title:"Spotify",icon:V0,keywords:[Zn("music"),Zn("audio")],description:Zn("Embed Spotify content."),patterns:[/^https?:\/\/(open|play)\.spotify\.com\/.+/i],attributes:{providerNameSlug:"spotify",responsive:!0}},{name:"flickr",title:"Flickr",icon:X0,keywords:[Zn("image")],description:Zn("Embed Flickr content."),patterns:[/^https?:\/\/(www\.)?flickr\.com\/.+/i,/^https?:\/\/flic\.kr\/.+/i],attributes:{providerNameSlug:"flickr",responsive:!0}},{name:"vimeo",title:"Vimeo",icon:U0,keywords:[Zn("video")],description:Zn("Embed a Vimeo video."),patterns:[/^https?:\/\/(www\.)?vimeo\.com\/.+/i],attributes:{providerNameSlug:"vimeo",responsive:!0}},{name:"animoto",title:"Animoto",icon:J0,description:Zn("Embed an Animoto video."),patterns:[/^https?:\/\/(www\.)?(animoto|video214)\.com\/.+/i],attributes:{providerNameSlug:"animoto",responsive:!0}},{name:"cloudup",title:"Cloudup",icon:I0,description:Zn("Embed Cloudup content."),patterns:[/^https?:\/\/cloudup\.com\/.+/i],attributes:{providerNameSlug:"cloudup",responsive:!0}},{name:"collegehumor",title:"CollegeHumor",icon:Y0,description:Zn("Embed CollegeHumor content."),scope:["block"],patterns:[],attributes:{providerNameSlug:"collegehumor",responsive:!0}},{name:"crowdsignal",title:"Crowdsignal",icon:I0,keywords:["polldaddy",Zn("survey")],description:Zn("Embed Crowdsignal (formerly Polldaddy) content."),patterns:[/^https?:\/\/((.+\.)?polldaddy\.com|poll\.fm|.+\.survey\.fm)\/.+/i],attributes:{providerNameSlug:"crowdsignal",responsive:!0}},{name:"dailymotion",title:"Dailymotion",icon:Q0,keywords:[Zn("video")],description:Zn("Embed a Dailymotion video."),patterns:[/^https?:\/\/(www\.)?dailymotion\.com\/.+/i],attributes:{providerNameSlug:"dailymotion",responsive:!0}},{name:"imgur",title:"Imgur",icon:R0,description:Zn("Embed Imgur content."),patterns:[/^https?:\/\/(.+\.)?imgur\.com\/.+/i],attributes:{providerNameSlug:"imgur",responsive:!0}},{name:"issuu",title:"Issuu",icon:I0,description:Zn("Embed Issuu content."),patterns:[/^https?:\/\/(www\.)?issuu\.com\/.+/i],attributes:{providerNameSlug:"issuu",responsive:!0}},{name:"kickstarter",title:"Kickstarter",icon:I0,description:Zn("Embed Kickstarter content."),patterns:[/^https?:\/\/(www\.)?kickstarter\.com\/.+/i,/^https?:\/\/kck\.st\/.+/i],attributes:{providerNameSlug:"kickstarter",responsive:!0}},{name:"meetup-com",title:"Meetup.com",icon:I0,description:Zn("Embed Meetup.com content."),patterns:[/^https?:\/\/(www\.)?meetu(\.ps|p\.com)\/.+/i],attributes:{providerNameSlug:"meetup-com",responsive:!0}},{name:"mixcloud",title:"Mixcloud",icon:P0,keywords:[Zn("music"),Zn("audio")],description:Zn("Embed Mixcloud content."),patterns:[/^https?:\/\/(www\.)?mixcloud\.com\/.+/i],attributes:{providerNameSlug:"mixcloud",responsive:!0}},{name:"reddit",title:"Reddit",icon:$0,description:Zn("Embed a Reddit thread."),patterns:[/^https?:\/\/(www\.)?reddit\.com\/.+/i],attributes:{providerNameSlug:"reddit",responsive:!0}},{name:"reverbnation",title:"ReverbNation",icon:P0,description:Zn("Embed ReverbNation content."),patterns:[/^https?:\/\/(www\.)?reverbnation\.com\/.+/i],attributes:{providerNameSlug:"reverbnation",responsive:!0}},{name:"screencast",title:"Screencast",icon:Y0,description:Zn("Embed Screencast content."),patterns:[/^https?:\/\/(www\.)?screencast\.com\/.+/i],attributes:{providerNameSlug:"screencast",responsive:!0}},{name:"scribd",title:"Scribd",icon:I0,description:Zn("Embed Scribd content."),patterns:[/^https?:\/\/(www\.)?scribd\.com\/.+/i],attributes:{providerNameSlug:"scribd",responsive:!0}},{name:"slideshare",title:"Slideshare",icon:I0,description:Zn("Embed Slideshare content."),patterns:[/^https?:\/\/(.+?\.)?slideshare\.net\/.+/i],attributes:{providerNameSlug:"slideshare",responsive:!0}},{name:"smugmug",title:"SmugMug",icon:R0,description:Zn("Embed SmugMug content."),patterns:[/^https?:\/\/(.+\.)?smugmug\.com\/.*/i],attributes:{providerNameSlug:"smugmug",previewable:!1,responsive:!0}},{name:"speaker-deck",title:"Speaker Deck",icon:I0,description:Zn("Embed Speaker Deck content."),patterns:[/^https?:\/\/(www\.)?speakerdeck\.com\/.+/i],attributes:{providerNameSlug:"speaker-deck",responsive:!0}},{name:"tiktok",title:"TikTok",icon:Y0,keywords:[Zn("video")],description:Zn("Embed a TikTok video."),patterns:[/^https?:\/\/(www\.)?tiktok\.com\/.+/i],attributes:{providerNameSlug:"tiktok",responsive:!0}},{name:"ted",title:"TED",icon:Y0,description:Zn("Embed a TED video."),patterns:[/^https?:\/\/(www\.|embed\.)?ted\.com\/.+/i],attributes:{providerNameSlug:"ted",responsive:!0}},{name:"tumblr",title:"Tumblr",icon:K0,keywords:[Zn("social")],description:Zn("Embed a Tumblr post."),patterns:[/^https?:\/\/(www\.)?tumblr\.com\/.+/i],attributes:{providerNameSlug:"tumblr",responsive:!0}},{name:"videopress",title:"VideoPress",icon:Y0,keywords:[Zn("video")],description:Zn("Embed a VideoPress video."),patterns:[/^https?:\/\/videopress\.com\/.+/i],attributes:{providerNameSlug:"videopress",responsive:!0}},{name:"wordpress-tv",title:"WordPress.tv",icon:Y0,description:Zn("Embed a WordPress.tv video."),patterns:[/^https?:\/\/wordpress\.tv\/.+/i],attributes:{providerNameSlug:"wordpress-tv",responsive:!0}},{name:"amazon-kindle",title:"Amazon Kindle",icon:G0,keywords:[Zn("ebook")],description:Zn("Embed Amazon Kindle content."),patterns:[/^https?:\/\/([a-z0-9-]+\.)?(amazon|amzn)(\.[a-z]{2,4})+\/.+/i,/^https?:\/\/(www\.)?(a\.co|z\.cn)\/.+/i],attributes:{providerNameSlug:"amazon-kindle"}}];u1.forEach((e=>{e.isActive||(e.isActive=(e,t)=>e.providerNameSlug===t.providerNameSlug)}));const d1=u1,{attributes:p1}={apiVersion:2,name:"core/embed",title:"Embed",category:"embed",description:"Add a block that displays content pulled from other sites, like Twitter or YouTube.",textdomain:"default",attributes:{url:{type:"string"},caption:{type:"string",source:"html",selector:"figcaption"},type:{type:"string"},providerNameSlug:{type:"string"},allowResponsive:{type:"boolean",default:!0},responsive:{type:"boolean",default:!1},previewable:{type:"boolean",default:!0}},supports:{align:!0},editorStyle:"wp-block-embed-editor",style:"wp-block-embed"},m1=[{attributes:p1,save({attributes:{url:e,caption:t,type:n,providerNameSlug:r}}){if(!e)return null;const o=io()("wp-block-embed",{[`is-type-${n}`]:n,[`is-provider-${r}`]:r});return(0,et.createElement)("figure",{className:o},`\n${e}\n`,!tj.isEmpty(t)&&(0,et.createElement)(tj.Content,{tagName:"figcaption",value:t}))}}],f1={apiVersion:2,name:"core/embed",title:"Embed",category:"embed",description:"Add a block that displays content pulled from other sites, like Twitter or YouTube.",textdomain:"default",attributes:{url:{type:"string"},caption:{type:"string",source:"html",selector:"figcaption"},type:{type:"string"},providerNameSlug:{type:"string"},allowResponsive:{type:"boolean",default:!0},responsive:{type:"boolean",default:!1},previewable:{type:"boolean",default:!0}},supports:{align:!0},editorStyle:"wp-block-embed-editor",style:"wp-block-embed"},{name:h1}=f1,g1={icon:I0,edit:s1,save:function({attributes:e}){const{url:t,caption:n,type:r,providerNameSlug:o}=e;if(!t)return null;const a=iG()("wp-block-embed",{[`is-type-${r}`]:r,[`is-provider-${o}`]:o,[`wp-block-embed-${o}`]:o});return(0,et.createElement)("figure",vR.save({className:a}),(0,et.createElement)("div",{className:"wp-block-embed__wrapper"},`\n${t}\n`),!tj.isEmpty(n)&&(0,et.createElement)(tj.Content,{tagName:"figcaption",value:n}))},transforms:c1,variations:d1,deprecated:m1},b1=(0,et.createElement)(po,{viewBox:"0 0 24 24",xmlns:"http://www.w3.org/2000/svg"},(0,et.createElement)(co,{d:"M19 6.2h-5.9l-.6-1.1c-.3-.7-1-1.1-1.8-1.1H5c-1.1 0-2 .9-2 2v11.8c0 1.1.9 2 2 2h14c1.1 0 2-.9 2-2V8.2c0-1.1-.9-2-2-2zm.5 11.6c0 .3-.2.5-.5.5H5c-.3 0-.5-.2-.5-.5V6c0-.3.2-.5.5-.5h5.8c.2 0 .4.1.4.3l1 2H19c.3 0 .5.2.5.5v9.5z"}));function v1({hrefs:e,openInNewWindow:t,showDownloadButton:n,changeLinkDestinationOption:r,changeOpenInNewWindow:o,changeShowDownloadButton:a,displayPreview:i,changeDisplayPreview:s,previewHeight:l,changePreviewHeight:c}){const{href:u,textLinkHref:d,attachmentPage:p}=e;let m=[{value:u,label:Zn("URL")}];return p&&(m=[{value:u,label:Zn("Media file")},{value:p,label:Zn("Attachment page")}]),(0,et.createElement)(et.Fragment,null,(0,et.createElement)(kA,null,u.endsWith(".pdf")&&(0,et.createElement)(mA,{title:Zn("PDF settings")},(0,et.createElement)(kN,{label:Zn("Show inline embed"),help:i?Zn("Note: Most phone and tablet browsers won't display embedded PDFs."):null,checked:!!i,onChange:s}),(0,et.createElement)(BC,{label:Zn("Height in pixels"),min:M1,max:Math.max(k1,l),value:l,onChange:c})),(0,et.createElement)(mA,{title:Zn("Text link settings")},(0,et.createElement)(SS,{label:Zn("Link to"),value:d,options:m,onChange:r}),(0,et.createElement)(kN,{label:Zn("Open in new tab"),checked:t,onChange:o})),(0,et.createElement)(mA,{title:Zn("Download button settings")},(0,et.createElement)(kN,{label:Zn("Show download button"),checked:n,onChange:a}))))}const y1=()=>!(window.navigator.userAgent.indexOf("Mobi")>-1)&&(!(window.navigator.userAgent.indexOf("Android")>-1)&&(!(window.navigator.userAgent.indexOf("Macintosh")>-1&&window.navigator.maxTouchPoints&&window.navigator.maxTouchPoints>2)&&!((window.ActiveXObject||"ActiveXObject"in window)&&!_1("AcroPDF.PDF")&&!_1("PDF.PdfCtrl")))),_1=e=>{let t;try{t=new window.ActiveXObject(e)}catch(e){t=void 0}return t},M1=200,k1=2e3;function w1({text:e,disabled:t}){const{createNotice:n}=sd(_I),r=oI(e,(()=>{n("info",Zn("Copied URL to clipboard."),{isDismissible:!0,type:"snackbar"})}));return(0,et.createElement)(Mg,{className:"components-clipboard-toolbar-button",ref:r,disabled:t},Zn("Copy URL"))}const E1=mK((function({attributes:e,isSelected:t,setAttributes:n,noticeUI:r,noticeOperations:o}){const{id:a,fileName:i,href:s,textLinkHref:l,textLinkTarget:c,showDownloadButton:u,downloadButtonText:d,displayPreview:p,previewHeight:m}=e,[f,h]=(0,et.useState)(!1),{media:g,mediaUpload:b}=Cl((e=>({media:void 0===a?void 0:e(vd).getMedia(a),mediaUpload:e(DM).getSettings().mediaUpload})),[a]),{toggleSelection:v}=sd(DM);function y(e){if(e&&e.url){h(!1);const t=e.url.endsWith(".pdf");n({href:e.url,fileName:e.title,textLinkHref:e.url,id:e.id,displayPreview:!!t||void 0,previewHeight:t?600:void 0})}}function _(e){h(!0),o.removeAllNotices(),o.createErrorNotice(e)}function M(e){n({downloadButtonText:e.replace(/<\/?a[^>]*>/g,"")})}(0,et.useEffect)((()=>{if(Js(s)){const e=Ks(s);b({filesList:[e],onFileChange:([e])=>y(e),onError:e=>{h(!0),o.createErrorNotice(e)}}),Gs(s)}void 0===d&&M(er("Download","button label"))}),[]);const k=g&&g.link,w=vR({className:io()(Js(s)&&mf({type:"loading"}),{"is-transient":Js(s)})}),E=y1()&&p;return!s||f?(0,et.createElement)("div",w,(0,et.createElement)(zq,{icon:(0,et.createElement)($D,{icon:b1}),labels:{title:Zn("File"),instructions:Zn("Upload a file or pick one from your media library.")},onSelect:y,notices:r,onError:_,accept:"*"})):(0,et.createElement)(et.Fragment,null,(0,et.createElement)(v1,{hrefs:{href:s,textLinkHref:l,attachmentPage:k},openInNewWindow:!!c,showDownloadButton:u,changeLinkDestinationOption:function(e){n({textLinkHref:e})},changeOpenInNewWindow:function(e){n({textLinkTarget:!!e&&"_blank"})},changeShowDownloadButton:function(e){n({showDownloadButton:e})},displayPreview:p,changeDisplayPreview:function(e){n({displayPreview:e})},previewHeight:m,changePreviewHeight:function(e){const t=Math.max(parseInt(e,10),M1);n({previewHeight:t})}}),(0,et.createElement)(WM,{group:"other"},(0,et.createElement)(Eq,{mediaId:a,mediaURL:s,accept:"*",onSelect:y,onError:_}),(0,et.createElement)(w1,{text:s,disabled:Js(s)})),(0,et.createElement)("div",w,E&&(0,et.createElement)(QK,{size:{height:m},minHeight:M1,maxHeight:k1,minWidth:"100%",grid:[10,10],enable:{top:!1,right:!1,bottom:!0,left:!1,topRight:!1,bottomRight:!1,bottomLeft:!1,topLeft:!1},onResizeStart:()=>v(!1),onResizeStop:function(e,t,r,o){v(!0);const a=parseInt(m+o.height,10);n({previewHeight:a})},showHandle:t},(0,et.createElement)("object",{className:"wp-block-file__preview",data:s,type:"application/pdf","aria-label":Zn("Embed of the selected PDF file.")}),!t&&(0,et.createElement)("div",{className:"wp-block-file__preview-overlay"})),(0,et.createElement)("div",{className:"wp-block-file__content-wrapper"},(0,et.createElement)(tj,{tagName:"a",value:i,placeholder:Zn("Write file name…"),withoutInteractiveFormatting:!0,onChange:e=>n({fileName:e}),href:l}),u&&(0,et.createElement)("div",{className:"wp-block-file__button-richtext-wrapper"},(0,et.createElement)(tj,{tagName:"div","aria-label":Zn("Download button text"),className:"wp-block-file__button",value:d,withoutInteractiveFormatting:!0,placeholder:Zn("Add text…"),onChange:e=>M(e)})))))}));const L1={from:[{type:"files",isMatch:e=>e.length>0,priority:15,transform:e=>{const t=[];return e.forEach((e=>{const n=$s(e);t.push(Wo("core/file",{href:n,fileName:e.name,textLinkHref:n}))})),t}},{type:"block",blocks:["core/audio"],transform:e=>Wo("core/file",{href:e.src,fileName:e.caption,textLinkHref:e.src,id:e.id,anchor:e.anchor})},{type:"block",blocks:["core/video"],transform:e=>Wo("core/file",{href:e.src,fileName:e.caption,textLinkHref:e.src,id:e.id,anchor:e.anchor})},{type:"block",blocks:["core/image"],transform:e=>Wo("core/file",{href:e.url,fileName:e.caption,textLinkHref:e.url,id:e.id,anchor:e.anchor})}],to:[{type:"block",blocks:["core/audio"],isMatch:({id:e})=>{if(!e)return!1;const{getMedia:t}=en(vd),n=t(e);return!!n&&(0,ot.includes)(n.mime_type,"audio")},transform:e=>Wo("core/audio",{src:e.href,caption:e.fileName,id:e.id,anchor:e.anchor})},{type:"block",blocks:["core/video"],isMatch:({id:e})=>{if(!e)return!1;const{getMedia:t}=en(vd),n=t(e);return!!n&&(0,ot.includes)(n.mime_type,"video")},transform:e=>Wo("core/video",{src:e.href,caption:e.fileName,id:e.id,anchor:e.anchor})},{type:"block",blocks:["core/image"],isMatch:({id:e})=>{if(!e)return!1;const{getMedia:t}=en(vd),n=t(e);return!!n&&(0,ot.includes)(n.mime_type,"image")},transform:e=>Wo("core/image",{url:e.href,caption:e.fileName,id:e.id,anchor:e.anchor})}]},A1={apiVersion:2,name:"core/file",title:"File",category:"media",description:"Add a link to a downloadable file.",keywords:["document","pdf","download"],textdomain:"default",attributes:{id:{type:"number"},href:{type:"string"},fileName:{type:"string",source:"html",selector:"a:not([download])"},textLinkHref:{type:"string",source:"attribute",selector:"a:not([download])",attribute:"href"},textLinkTarget:{type:"string",source:"attribute",selector:"a:not([download])",attribute:"target"},showDownloadButton:{type:"boolean",default:!0},downloadButtonText:{type:"string",source:"html",selector:"a[download]"},displayPreview:{type:"boolean"},previewHeight:{type:"number",default:600}},supports:{anchor:!0,align:!0},viewScript:"file:./view.min.js",editorStyle:"wp-block-file-editor",style:"wp-block-file"},{name:S1}=A1,C1={icon:b1,example:{attributes:{href:"https://upload.wikimedia.org/wikipedia/commons/d/dd/Armstrong_Small_Step.ogg",fileName:er("Armstrong_Small_Step","Name of the file")}},transforms:L1,edit:E1,save:function({attributes:e}){const{href:t,fileName:n,textLinkHref:r,textLinkTarget:o,showDownloadButton:a,downloadButtonText:i,displayPreview:s,previewHeight:l}=e,c=tj.isEmpty(n)?Zn("PDF embed"):dn(Zn("Embed of %s."),n);return t&&(0,et.createElement)("div",vR.save(),s&&(0,et.createElement)(et.Fragment,null,(0,et.createElement)("object",{className:"wp-block-file__embed",data:t,type:"application/pdf",style:{width:"100%",height:`${l}px`},"aria-label":c})),!tj.isEmpty(n)&&(0,et.createElement)("a",{href:r,target:o,rel:o?"noreferrer noopener":void 0},(0,et.createElement)(tj.Content,{value:n})),a&&(0,et.createElement)("a",{href:t,className:"wp-block-file__button",download:!0},(0,et.createElement)(tj.Content,{value:i})))}},T1=(0,et.createElement)(po,{viewBox:"0 0 24 24",xmlns:"http://www.w3.org/2000/svg"},(0,et.createElement)(co,{d:"M4.8 11.4H2.1V9H1v6h1.1v-2.6h2.7V15h1.1V9H4.8v2.4zm1.9-1.3h1.7V15h1.1v-4.9h1.7V9H6.7v1.1zM16.2 9l-1.5 2.7L13.3 9h-.9l-.8 6h1.1l.5-4 1.5 2.8 1.5-2.8.5 4h1.1L17 9h-.8zm3.8 5V9h-1.1v6h3.6v-1H20z"}));const x1={from:[{type:"block",blocks:["core/code"],transform:({content:e})=>Wo("core/html",{content:e})}]},z1={apiVersion:2,name:"core/html",title:"Custom HTML",category:"widgets",description:"Add custom HTML code and preview it as you edit.",keywords:["embed"],textdomain:"default",attributes:{content:{type:"string",source:"html"}},supports:{customClassName:!1,className:!1,html:!1},editorStyle:"wp-block-html-editor"},{name:O1}=z1,N1={icon:T1,example:{attributes:{content:""+Zn("Welcome to the wonderful world of blocks…")+""}},edit:function({attributes:e,setAttributes:t,isSelected:n}){const[r,o]=(0,et.useState)(),a=Cl((e=>["\n\t\t\thtml,body,:root {\n\t\t\t\tmargin: 0 !important;\n\t\t\t\tpadding: 0 !important;\n\t\t\t\toverflow: visible !important;\n\t\t\t\tmin-height: auto !important;\n\t\t\t}\n\t\t",...CF(e(DM).getSettings().styles)]),[]);return(0,et.createElement)("div",vR({className:"block-library-html__edit"}),(0,et.createElement)(WM,null,(0,et.createElement)(Ng,null,(0,et.createElement)(Mg,{className:"components-tab-button",isPressed:!r,onClick:function(){o(!1)}},(0,et.createElement)("span",null,"HTML")),(0,et.createElement)(Mg,{className:"components-tab-button",isPressed:r,onClick:function(){o(!0)}},(0,et.createElement)("span",null,Zn("Preview"))))),(0,et.createElement)(gP.Consumer,null,(o=>r||o?(0,et.createElement)(et.Fragment,null,(0,et.createElement)(n1,{html:e.content,styles:a}),!n&&(0,et.createElement)("div",{className:"block-library-html__preview-overlay"})):(0,et.createElement)(oj,{value:e.content,onChange:e=>t({content:e}),placeholder:Zn("Write HTML…"),"aria-label":Zn("HTML")}))))},save:function({attributes:e}){return(0,et.createElement)(Ia,null,e.content)},transforms:x1},D1=(0,et.createElement)(po,{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24"},(0,et.createElement)(co,{d:"M3 18h8V6H3v12zM14 7.5V9h7V7.5h-7zm0 5.3h7v-1.5h-7v1.5zm0 3.7h7V15h-7v1.5z"})),B1=(0,et.createElement)(po,{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24"},(0,et.createElement)(co,{d:"M18 2l2 4h-2l-2-4h-3l2 4h-2l-2-4h-1a2 2 0 0 0-2 2v10a2 2 0 0 0 2 2h10a2 2 0 0 0 2-2V2zm2 12H10V4.4L11.8 8H20z"}),(0,et.createElement)(co,{d:"M14 20H4V10h3V8H4a2 2 0 0 0-2 2v10a2 2 0 0 0 2 2h10a2 2 0 0 0 2-2v-3h-2z"}),(0,et.createElement)(co,{d:"M5 19h8l-1.59-2H9.24l-.84 1.1L7 16.3 5 19z"})),I1=["image","video"];function P1(e,t){return e?{backgroundImage:`url(${e})`,backgroundPosition:t?`${100*t.x}% ${100*t.y}%`:"50% 50%"}:{}}const R1=(0,et.forwardRef)((({isSelected:e,isStackedOnMobile:t,...n},r)=>{const o=Gp("small","<");return(0,et.createElement)(QK,rt({ref:r,showHandle:e&&(!o||!t)},n))}));function Y1({mediaId:e,mediaUrl:t,onSelectMedia:n}){return(0,et.createElement)(WM,{group:"other"},(0,et.createElement)(Eq,{mediaId:e,mediaURL:t,allowedTypes:I1,accept:"image/*,video/*",onSelect:n}))}function W1({className:e,noticeOperations:t,noticeUI:n,mediaUrl:r,onSelectMedia:o}){return(0,et.createElement)(zq,{icon:(0,et.createElement)($D,{icon:B1}),labels:{title:Zn("Media area")},className:e,onSelect:o,accept:"image/*,video/*",allowedTypes:I1,notices:n,onError:e=>{t.removeAllNotices(),t.createErrorNotice(e)},disableMediaButtons:r})}const H1=mK((0,et.forwardRef)((function(e,t){const{className:n,commitWidthChange:r,focalPoint:o,imageFill:a,isSelected:i,isStackedOnMobile:s,mediaAlt:l,mediaId:c,mediaPosition:u,mediaType:d,mediaUrl:p,mediaWidth:m,onSelectMedia:f,onWidthChange:h}=e,g=!c&&Js(p),{toggleSelection:b}=sd(DM);if(p){const v=()=>{b(!1)},y=(e,t,n)=>{h(parseInt(n.style.width))},_=(e,t,n)=>{b(!0),r(parseInt(n.style.width))},M={right:"left"===u,left:"right"===u},k="image"===d&&a?P1(p,o):{},w={image:()=>(0,et.createElement)("img",{src:p,alt:l}),video:()=>(0,et.createElement)("video",{controls:!0,src:p})};return(0,et.createElement)(R1,{as:"figure",className:io()(n,"editor-media-container__resizer",{"is-transient":g}),style:k,size:{width:m+"%"},minWidth:"10%",maxWidth:"100%",enable:M,onResizeStart:v,onResize:y,onResizeStop:_,axis:"x",isSelected:i,isStackedOnMobile:s,ref:t},(0,et.createElement)(Y1,{onSelectMedia:f,mediaUrl:p,mediaId:c}),(w[d]||ot.noop)(),g&&(0,et.createElement)(IH,null),(0,et.createElement)(W1,e))}return(0,et.createElement)(W1,e)}))),q1=e=>{if(!e.customBackgroundColor)return e;const t={color:{background:e.customBackgroundColor}};return{...(0,ot.omit)(e,["customBackgroundColor"]),style:t}},j1={align:{type:"string",default:"wide"},backgroundColor:{type:"string"},mediaAlt:{type:"string",source:"attribute",selector:"figure img",attribute:"alt",default:""},mediaPosition:{type:"string",default:"left"},mediaId:{type:"number"},mediaType:{type:"string"},mediaWidth:{type:"number",default:50},isStackedOnMobile:{type:"boolean",default:!0}},F1=[{attributes:{...j1,customBackgroundColor:{type:"string"},mediaLink:{type:"string"},linkDestination:{type:"string"},linkTarget:{type:"string",source:"attribute",selector:"figure a",attribute:"target"},href:{type:"string",source:"attribute",selector:"figure a",attribute:"href"},rel:{type:"string",source:"attribute",selector:"figure a",attribute:"rel"},linkClass:{type:"string",source:"attribute",selector:"figure a",attribute:"class"},verticalAlignment:{type:"string"},imageFill:{type:"boolean"},focalPoint:{type:"object"}},migrate:q1,save({attributes:e}){const{backgroundColor:t,customBackgroundColor:n,isStackedOnMobile:r,mediaAlt:o,mediaPosition:a,mediaType:i,mediaUrl:s,mediaWidth:l,mediaId:c,verticalAlignment:u,imageFill:d,focalPoint:p,linkClass:m,href:f,linkTarget:h,rel:g}=e,b=(0,ot.isEmpty)(g)?void 0:g;let v=(0,et.createElement)("img",{src:s,alt:o,className:c&&"image"===i?`wp-image-${c}`:null});f&&(v=(0,et.createElement)("a",{className:m,href:f,target:h,rel:b},v));const y={image:()=>v,video:()=>(0,et.createElement)("video",{controls:!0,src:s})},_=VS("background-color",t),M=io()({"has-media-on-the-right":"right"===a,"has-background":_||n,[_]:_,"is-stacked-on-mobile":r,[`is-vertically-aligned-${u}`]:u,"is-image-fill":d}),k=d?P1(s,p):{};let w;50!==l&&(w="right"===a?`auto ${l}%`:`${l}% auto`);const E={backgroundColor:_?void 0:n,gridTemplateColumns:w};return(0,et.createElement)("div",{className:M,style:E},(0,et.createElement)("figure",{className:"wp-block-media-text__media",style:k},(y[i]||ot.noop)()),(0,et.createElement)("div",{className:"wp-block-media-text__content"},(0,et.createElement)(EH.Content,null)))}},{attributes:{...j1,customBackgroundColor:{type:"string"},mediaUrl:{type:"string",source:"attribute",selector:"figure video,figure img",attribute:"src"},verticalAlignment:{type:"string"},imageFill:{type:"boolean"},focalPoint:{type:"object"}},migrate:q1,save({attributes:e}){const{backgroundColor:t,customBackgroundColor:n,isStackedOnMobile:r,mediaAlt:o,mediaPosition:a,mediaType:i,mediaUrl:s,mediaWidth:l,mediaId:c,verticalAlignment:u,imageFill:d,focalPoint:p}=e,m={image:()=>(0,et.createElement)("img",{src:s,alt:o,className:c&&"image"===i?`wp-image-${c}`:null}),video:()=>(0,et.createElement)("video",{controls:!0,src:s})},f=VS("background-color",t),h=io()({"has-media-on-the-right":"right"===a,[f]:f,"is-stacked-on-mobile":r,[`is-vertically-aligned-${u}`]:u,"is-image-fill":d}),g=d?P1(s,p):{};let b;50!==l&&(b="right"===a?`auto ${l}%`:`${l}% auto`);const v={backgroundColor:f?void 0:n,gridTemplateColumns:b};return(0,et.createElement)("div",{className:h,style:v},(0,et.createElement)("figure",{className:"wp-block-media-text__media",style:g},(m[i]||ot.noop)()),(0,et.createElement)("div",{className:"wp-block-media-text__content"},(0,et.createElement)(EH.Content,null)))}},{attributes:{...j1,customBackgroundColor:{type:"string"},mediaUrl:{type:"string",source:"attribute",selector:"figure video,figure img",attribute:"src"}},save({attributes:e}){const{backgroundColor:t,customBackgroundColor:n,isStackedOnMobile:r,mediaAlt:o,mediaPosition:a,mediaType:i,mediaUrl:s,mediaWidth:l}=e,c={image:()=>(0,et.createElement)("img",{src:s,alt:o}),video:()=>(0,et.createElement)("video",{controls:!0,src:s})},u=VS("background-color",t),d=io()({"has-media-on-the-right":"right"===a,[u]:u,"is-stacked-on-mobile":r});let p;50!==l&&(p="right"===a?`auto ${l}%`:`${l}% auto`);const m={backgroundColor:u?void 0:n,gridTemplateColumns:p};return(0,et.createElement)("div",{className:d,style:m},(0,et.createElement)("figure",{className:"wp-block-media-text__media"},(c[i]||ot.noop)()),(0,et.createElement)("div",{className:"wp-block-media-text__content"},(0,et.createElement)(EH.Content,null)))}}],V1=(0,et.createElement)(po,{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24"},(0,et.createElement)(co,{d:"M4 18h6V6H4v12zm9-9.5V10h7V8.5h-7zm0 7h7V14h-7v1.5z"})),X1=(0,et.createElement)(po,{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24"},(0,et.createElement)(co,{d:"M14 6v12h6V6h-6zM4 10h7V8.5H4V10zm0 5.5h7V14H4v1.5z"})),U1="full",$1=[["core/paragraph",{fontSize:"large",placeholder:er("Content…","content placeholder")}]],K1=e=>Math.max(15,Math.min(e,85));function G1(e,t){var n,r,o;return null==e||null===(n=e.media_details)||void 0===n||null===(r=n.sizes)||void 0===r||null===(o=r[t])||void 0===o?void 0:o.source_url}const J1=function({attributes:e,isSelected:t,setAttributes:n}){const{focalPoint:r,href:o,imageFill:a,isStackedOnMobile:i,linkClass:s,linkDestination:l,linkTarget:c,mediaAlt:u,mediaId:d,mediaPosition:p,mediaType:m,mediaUrl:f,mediaWidth:h,rel:g,verticalAlignment:b}=e,v=e.mediaSizeSlug||U1,y=Cl((e=>d&&t?e(vd).getMedia(d):null),[t,d]),_=(0,et.useRef)(),M=e=>{const{style:t}=_.current.resizable,{x:n,y:r}=e;t.backgroundPosition=`${100*n}% ${100*r}%`},[k,w]=(0,et.useState)(null),E=function({attributes:{linkDestination:e,href:t},setAttributes:n}){return r=>{let o,a;var i,s,l,c,u;o=r.media_type?"image"===r.media_type?"image":"video":r.type,"image"===o&&(a=(null===(i=r.sizes)||void 0===i||null===(s=i.large)||void 0===s?void 0:s.url)||(null===(l=r.media_details)||void 0===l||null===(c=l.sizes)||void 0===c||null===(u=c.large)||void 0===u?void 0:u.source_url));let d=t;"media"===e&&(d=r.url),"attachment"===e&&(d=r.link),n({mediaAlt:r.alt,mediaId:r.id,mediaType:o,mediaUrl:a||r.url,mediaLink:r.link||void 0,href:d,focalPoint:void 0})}}({attributes:e,setAttributes:n}),L=e=>{n({mediaWidth:K1(e)}),w(K1(e))},A=io()({"has-media-on-the-right":"right"===p,"is-selected":t,"is-stacked-on-mobile":i,[`is-vertically-aligned-${b}`]:b,"is-image-fill":a}),S=`${k||h}%`,C="right"===p?`1fr ${S}`:`${S} 1fr`,T={gridTemplateColumns:C,msGridColumns:C},x=Cl((e=>{const t=e(DM).getSettings();return null==t?void 0:t.imageSizes})),z=(0,ot.map)((0,ot.filter)(x,(({slug:e})=>G1(y,e))),(({name:e,slug:t})=>({value:t,label:e}))),O=(0,et.createElement)(mA,{title:Zn("Media & Text settings")},(0,et.createElement)(kN,{label:Zn("Stack on mobile"),checked:i,onChange:()=>n({isStackedOnMobile:!i})}),"image"===m&&(0,et.createElement)(kN,{label:Zn("Crop image to fill entire column"),checked:a,onChange:()=>n({imageFill:!a})}),a&&f&&"image"===m&&(0,et.createElement)(_0,{label:Zn("Focal point picker"),url:f,value:r,onChange:e=>n({focalPoint:e}),onDragStart:M,onDrag:M}),"image"===m&&(0,et.createElement)(yK,{label:Zn("Alt text (alternative text)"),value:u,onChange:e=>{n({mediaAlt:e})},help:(0,et.createElement)(et.Fragment,null,(0,et.createElement)(iA,{href:"https://www.w3.org/WAI/tutorials/images/decision-tree"},Zn("Describe the purpose of the image")),Zn("Leave empty if the image is purely decorative."))}),"image"===m&&(0,et.createElement)(hH,{onChangeImage:e=>{const t=G1(y,e);if(!t)return null;n({mediaUrl:t,mediaSizeSlug:e})},slug:v,imageSizeOptions:z,isResizable:!1}),f&&(0,et.createElement)(BC,{label:Zn("Media width"),value:k||h,onChange:L,min:15,max:85})),N=vR({className:A,style:T}),D=wH({className:"wp-block-media-text__content"},{template:$1});return(0,et.createElement)(et.Fragment,null,(0,et.createElement)(kA,null,O),(0,et.createElement)(WM,{group:"block"},(0,et.createElement)(dH,{onChange:e=>{n({verticalAlignment:e})},value:b}),(0,et.createElement)(Mg,{icon:V1,title:Zn("Show media on left"),isActive:"left"===p,onClick:()=>n({mediaPosition:"left"})}),(0,et.createElement)(Mg,{icon:X1,title:Zn("Show media on right"),isActive:"right"===p,onClick:()=>n({mediaPosition:"right"})}),"image"===m&&(0,et.createElement)(hj,{url:o||"",onChangeUrl:e=>{n(e)},linkDestination:l,mediaType:m,mediaUrl:y&&y.source_url,mediaLink:y&&y.link,linkTarget:c,linkClass:s,rel:g})),(0,et.createElement)("div",N,(0,et.createElement)(H1,{className:"wp-block-media-text__media",onSelectMedia:E,onWidthChange:e=>{w(K1(e))},commitWidthChange:L,ref:_,focalPoint:r,imageFill:a,isSelected:t,isStackedOnMobile:i,mediaAlt:u,mediaId:d,mediaPosition:p,mediaType:m,mediaUrl:f,mediaWidth:h}),(0,et.createElement)("div",D)))};const Q1={from:[{type:"block",blocks:["core/image"],transform:({alt:e,url:t,id:n,anchor:r})=>Wo("core/media-text",{mediaAlt:e,mediaId:n,mediaUrl:t,mediaType:"image",anchor:r})},{type:"block",blocks:["core/video"],transform:({src:e,id:t,anchor:n})=>Wo("core/media-text",{mediaId:t,mediaUrl:e,mediaType:"video",anchor:n})}],to:[{type:"block",blocks:["core/image"],isMatch:({mediaType:e,mediaUrl:t})=>!t||"image"===e,transform:({mediaAlt:e,mediaId:t,mediaUrl:n,anchor:r})=>Wo("core/image",{alt:e,id:t,url:n,anchor:r})},{type:"block",blocks:["core/video"],isMatch:({mediaType:e,mediaUrl:t})=>!t||"video"===e,transform:({mediaId:e,mediaUrl:t,anchor:n})=>Wo("core/video",{id:e,src:t,anchor:n})}]},Z1={apiVersion:2,name:"core/media-text",title:"Media & Text",category:"media",description:"Set media and words side-by-side for a richer layout.",keywords:["image","video"],textdomain:"default",attributes:{align:{type:"string",default:"wide"},mediaAlt:{type:"string",source:"attribute",selector:"figure img",attribute:"alt",default:""},mediaPosition:{type:"string",default:"left"},mediaId:{type:"number"},mediaUrl:{type:"string",source:"attribute",selector:"figure video,figure img",attribute:"src"},mediaLink:{type:"string"},linkDestination:{type:"string"},linkTarget:{type:"string",source:"attribute",selector:"figure a",attribute:"target"},href:{type:"string",source:"attribute",selector:"figure a",attribute:"href"},rel:{type:"string",source:"attribute",selector:"figure a",attribute:"rel"},linkClass:{type:"string",source:"attribute",selector:"figure a",attribute:"class"},mediaType:{type:"string"},mediaWidth:{type:"number",default:50},mediaSizeSlug:{type:"string"},isStackedOnMobile:{type:"boolean",default:!0},verticalAlignment:{type:"string"},imageFill:{type:"boolean"},focalPoint:{type:"object"}},supports:{anchor:!0,align:["wide","full"],html:!1,color:{gradients:!0,link:!0}},editorStyle:"wp-block-media-text-editor",style:"wp-block-media-text"},{name:e2}=Z1,t2={icon:D1,example:{attributes:{mediaType:"image",mediaUrl:"https://s.w.org/images/core/5.3/Biologia_Centrali-Americana_-_Cantorchilus_semibadius_1902.jpg"},innerBlocks:[{name:"core/paragraph",attributes:{content:Zn("The wren
Earns his living
Noiselessly.")}},{name:"core/paragraph",attributes:{content:Zn("— Kobayashi Issa (一茶)")}}]},transforms:Q1,edit:J1,save:function({attributes:e}){const{isStackedOnMobile:t,mediaAlt:n,mediaPosition:r,mediaType:o,mediaUrl:a,mediaWidth:i,mediaId:s,verticalAlignment:l,imageFill:c,focalPoint:u,linkClass:d,href:p,linkTarget:m,rel:f}=e,h=e.mediaSizeSlug||U1,g=(0,ot.isEmpty)(f)?void 0:f,b=io()({[`wp-image-${s}`]:s&&"image"===o,[`size-${h}`]:s&&"image"===o});let v=(0,et.createElement)("img",{src:a,alt:n,className:b||null});p&&(v=(0,et.createElement)("a",{className:d,href:p,target:m,rel:g},v));const y={image:()=>v,video:()=>(0,et.createElement)("video",{controls:!0,src:a})},_=io()({"has-media-on-the-right":"right"===r,"is-stacked-on-mobile":t,[`is-vertically-aligned-${l}`]:l,"is-image-fill":c}),M=c?P1(a,u):{};let k;50!==i&&(k="right"===r?`auto ${i}%`:`${i}% auto`);const w={gridTemplateColumns:k};return(0,et.createElement)("div",vR.save({className:_,style:w}),(0,et.createElement)("figure",{className:"wp-block-media-text__media",style:M},(y[o]||ot.noop)()),(0,et.createElement)("div",{className:"wp-block-media-text__content"},(0,et.createElement)(EH.Content,null)))},deprecated:F1},n2=(0,et.createElement)(po,{viewBox:"0 0 24 24",xmlns:"http://www.w3.org/2000/svg"},(0,et.createElement)(co,{d:"M12 4c-4.4 0-8 3.6-8 8s3.6 8 8 8 8-3.6 8-8-3.6-8-8-8zm0 14.5c-3.6 0-6.5-2.9-6.5-6.5S8.4 5.5 12 5.5s6.5 2.9 6.5 6.5-2.9 6.5-6.5 6.5zM9 16l4.5-3L15 8.4l-4.5 3L9 16z"}));function r2({clientId:e,__experimentalFeatures:t}){const n=Cl((t=>t(DM).__unstableGetClientIdsTree(e)),[e]);return(0,et.createElement)(qW,{blocks:n,showAppender:!0,showBlockMovers:!0,showNestedBlocks:!0,__experimentalFeatures:t})}function o2(){const{menus:e,isResolvingMenus:t,hasResolvedMenus:n}=Cl((e=>{const{getMenus:t,isResolving:n,hasFinishedResolution:r}=e(vd),o=[{per_page:-1}];return{menus:t(...o),isResolvingMenus:n("getMenus",o),hasResolvedMenus:r("getMenus",o)}}),[]);return{menus:e,isResolvingMenus:t,hasResolvedMenus:n,hasMenus:!(!n||null==e||!e.length)}}function a2(e){const{menuItems:t,hasResolvedMenuItems:n}=Cl((t=>{const{getMenuItems:n,hasFinishedResolution:r}=t(vd),o=void 0!==e,a=o?[{menus:e,per_page:-1}]:void 0;return{menuItems:o?n(...a):void 0,hasResolvedMenuItems:!!o&&r("getMenuItems",a)}}),[e]);return{menuItems:t,hasResolvedMenuItems:n}}function i2(){const{pages:e,isResolvingPages:t,hasResolvedPages:n}=Cl((e=>{const{getEntityRecords:t,isResolving:n,hasFinishedResolution:r}=e(vd),o=["postType","page",{parent:0,order:"asc",orderby:"id",per_page:-1}];return{pages:t(...o)||null,isResolvingPages:n("getEntityRecords",o),hasResolvedPages:r("getEntityRecords",o)}}),[]);return{pages:e,isResolvingPages:t,hasResolvedPages:n,hasPages:!(!n||null==e||!e.length)}}const s2=()=>(0,et.createElement)("ul",{className:"wp-block-navigation-placeholder__preview wp-block-navigation__container"},(0,et.createElement)("li",{className:"wp-block-navigation-link"},"​"),(0,et.createElement)("li",{className:"wp-block-navigation-link"},"​"),(0,et.createElement)("li",{className:"wp-block-navigation-link"},"​"),(0,et.createElement)(AL,{icon:FI}));function l2(e){if(!e)return null;return c2(function(e,t="id",n="parent"){const r=Object.create(null),o=[];for(const n of e)r[n[t]]={...n,children:[]};for(const a of e)a[n]?r[a[n]].children.push(r[a[t]]):o.push(r[a[t]]);return o}(e))}function c2(e){let t={};return{innerBlocks:(0,ot.sortBy)(e,"menu_order").map((e=>{var n;if("block"===e.type){const[t]=ts(e.content.raw);return t||Wo("core/freeform",{content:e.content})}const r=function({title:e,xfn:t,classes:n,attr_title:r,object:o,object_id:a,description:i,url:s,type:l,target:c}){var u;o&&"post_tag"===o&&(o="tag");return{label:(null==e?void 0:e.rendered)||"",...(null===(u=o)||void 0===u?void 0:u.length)&&{type:o},kind:(null==l?void 0:l.replace("_","-"))||"custom",url:s||"",...(null==t?void 0:t.length)&&t.join(" ").trim()&&{rel:t.join(" ").trim()},...(null==n?void 0:n.length)&&n.join(" ").trim()&&{className:n.join(" ").trim()},...(null==r?void 0:r.length)&&{title:r},...a&&"custom"!==o&&{id:a},...(null==i?void 0:i.length)&&{description:i},..."_blank"===c&&{opensInNewTab:!0}}}(e),{innerBlocks:o=[],mapping:a={}}=null!==(n=e.children)&&void 0!==n&&n.length?c2(e.children):{};t={...t,...a};const i=Wo("core/navigation-link",r,o);return t[e.id]=i.clientId,i})),mapping:t}}const u2=(0,et.forwardRef)((function({onCreate:e},t){const[n,r]=(0,et.useState)(),[o,a]=(0,et.useState)(!1),{isResolvingPages:i,menus:s,isResolvingMenus:l,menuItems:c,hasResolvedMenuItems:u,hasPages:d,hasMenus:p}=(m=n,{...i2(),...o2(),...a2(m)});var m;const f=i||l,h=(0,et.useCallback)((()=>{const{innerBlocks:t}=l2(c);e(t,!0)}));return(0,et.useEffect)((()=>{o&&u&&(h(),a(!1))}),[o,u]),(0,et.createElement)(VW,{className:"wp-block-navigation-placeholder"},(0,et.createElement)(s2,null),(0,et.createElement)("div",{className:"wp-block-navigation-placeholder__controls"},f&&(0,et.createElement)("div",{ref:t},(0,et.createElement)(IH,null)),!f&&(0,et.createElement)("div",{ref:t,className:"wp-block-navigation-placeholder__actions"},(0,et.createElement)("div",{className:"wp-block-navigation-placeholder__actions__indicator"},(0,et.createElement)(AL,{icon:n2})," ",Zn("Navigation")),p?(0,et.createElement)(zg,{text:Zn("Add existing menu"),icon:uA,toggleProps:{variant:"primary",className:"wp-block-navigation-placeholder__actions__dropdown"}},(({onClose:e})=>(0,et.createElement)(aN,null,s.map((t=>(0,et.createElement)(oB,{onClick:()=>{r(t.id),u?h():a(!0)},onClose:e,key:t.id},t.name)))))):void 0,d?(0,et.createElement)(nh,{variant:p?"tertiary":"primary",onClick:()=>{const t=[Wo("core/page-list")];e(t,!0)}},Zn("Add all pages")):void 0,(0,et.createElement)(nh,{variant:"tertiary",onClick:()=>{e([])}},Zn("Start empty")))))}));function d2({children:e,id:t,isOpen:n,isResponsive:r,onToggle:o}){if(!r)return e;const a=io()("wp-block-navigation__responsive-container",{"is-menu-open":n}),i=`${t}-modal`;return(0,et.createElement)(et.Fragment,null,!n&&(0,et.createElement)(nh,{"aria-haspopup":"true","aria-expanded":n,"aria-label":Zn("Open menu"),className:"wp-block-navigation__responsive-container-open",onClick:()=>o(!0)},(0,et.createElement)(po,{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",width:"24",height:"24",role:"img","aria-hidden":"true",focusable:"false"},(0,et.createElement)(uo,{x:"4",y:"7.5",width:"16",height:"1.5"}),(0,et.createElement)(uo,{x:"4",y:"15",width:"16",height:"1.5"}))),(0,et.createElement)("div",{className:a,id:i,"aria-hidden":!n},(0,et.createElement)("div",{className:"wp-block-navigation__responsive-close",tabIndex:"-1"},(0,et.createElement)("div",{className:"wp-block-navigation__responsive-dialog",role:"dialog","aria-modal":"true","aria-labelledby":`${i}-title`},(0,et.createElement)(nh,{className:"wp-block-navigation__responsive-container-close","aria-label":Zn("Close menu"),onClick:()=>o(!1)},(0,et.createElement)(AL,{icon:Wm})),(0,et.createElement)("div",{className:"wp-block-navigation__responsive-container-content",id:`${i}-content`},e)))))}const p2=["core/navigation-link","core/search","core/social-links","core/page-list","core/spacer","core/home-link"],m2={type:"default",alignments:[]};function f2(e){return e.ownerDocument.defaultView.getComputedStyle(e)}function h2(e,t,n){if(!e)return;t(f2(e).color);let r=e,o=f2(r).backgroundColor;for(;"rgba(0, 0, 0, 0)"===o&&r.parentNode&&r.parentNode.nodeType===r.parentNode.ELEMENT_NODE;)r=r.parentNode,o=f2(r).backgroundColor;n(o)}const g2=WA([LI(((e,{clientId:t})=>{var n;const r=e(DM).getBlocks(t),{getClientIdsOfDescendants:o,hasSelectedInnerBlock:a,getSelectedBlockClientId:i}=e(DM),s=a(t,!1),l=i();return{isImmediateParentOfSelectedBlock:s,selectedBlockHasDescendants:!(null===(n=o([l]))||void 0===n||!n.length),hasExistingNavItems:!!r.length,isSelected:l===t}})),SI(((e,{clientId:t})=>({updateInnerBlocks(n){if(0===(null==n?void 0:n.length))return!1;e(DM).replaceInnerBlocks(t,n,!0)}}))),IN({textColor:"color"},{backgroundColor:"color"},{overlayBackgroundColor:"color"},{overlayTextColor:"color"})])((function({selectedBlockHasDescendants:e,attributes:t,setAttributes:n,clientId:r,hasExistingNavItems:o,isImmediateParentOfSelectedBlock:a,isSelected:i,updateInnerBlocks:s,className:l,backgroundColor:c,setBackgroundColor:u,textColor:d,setTextColor:p,overlayBackgroundColor:m,setOverlayBackgroundColor:f,overlayTextColor:h,setOverlayTextColor:g,hasSubmenuIndicatorSetting:b=!0,hasItemJustificationControls:v=!0,hasColorSettings:y=!0}){const[_,M]=(0,et.useState)(!o),[k,w]=(0,et.useState)(!1),{selectBlock:E}=sd(DM),L=(0,et.useRef)(),A=vR({ref:L,className:io()(l,{[`items-justified-${t.itemsJustification}`]:t.itemsJustification,"is-vertical":"vertical"===t.orientation,"is-responsive":t.isResponsive,"has-text-color":!!d.color||!(null==d||!d.class),[VS("color",null==d?void 0:d.slug)]:!(null==d||!d.slug),"has-background":!!c.color||c.class,[VS("background-color",null==c?void 0:c.slug)]:!(null==c||!c.slug)}),style:{color:!(null!=d&&d.slug)&&(null==d?void 0:d.color),backgroundColor:!(null!=c&&c.slug)&&(null==c?void 0:c.color)}}),{navigatorToolbarButton:S,navigatorModal:C}=function(e,t){const[n,r]=(0,et.useState)(!1);return{navigatorToolbarButton:(0,et.createElement)(Mg,{className:"components-toolbar__control",label:Zn("Open block navigation"),onClick:()=>r(!0),icon:KD}),navigatorModal:n&&(0,et.createElement)(DP,{title:Zn("Navigation"),closeLabel:Zn("Close"),onRequestClose:()=>{r(!1)}},(0,et.createElement)(r2,{clientId:e,__experimentalFeatures:t}))}}(r),T=(0,et.useMemo)((()=>(0,et.createElement)(s2,null)),[]),x=wH({className:"wp-block-navigation__container"},{allowedBlocks:p2,orientation:t.orientation||"horizontal",renderAppender:!!(a&&!e||i)&&EH.DefaultAppender,__experimentalAppenderTagName:"li",__experimentalCaptureToolbars:!0,templateLock:!1,__experimentalLayout:m2,placeholder:T}),z="web"===Qg.OS,[O,N]=(0,et.useState)(),[D,B]=(0,et.useState)(),[I,P]=(0,et.useState)(),[R,Y]=(0,et.useState)();if((0,et.useEffect)((()=>{if(!z)return;h2(L.current,B,N);const e=L.current.querySelector('[data-type="core/navigation-link"] [data-type="core/navigation-link"]');e&&h2(e,Y,P)})),_)return(0,et.createElement)("div",A,(0,et.createElement)(u2,{onCreate:(e,t)=>{M(!1),s(e),t&&E(r)}}));const W="vertical"===t.orientation?["left","center","right"]:["left","center","right","space-between"];return(0,et.createElement)(et.Fragment,null,(0,et.createElement)(WM,null,v&&(0,et.createElement)(OH,{value:t.itemsJustification,allowedControls:W,onChange:e=>n({itemsJustification:e}),popoverProps:{position:"bottom right",isAlternate:!0}}),(0,et.createElement)(Ng,null,S)),C,(0,et.createElement)(kA,null,b&&(0,et.createElement)(mA,{title:Zn("Display settings")},(0,et.createElement)(kN,{checked:t.showSubmenuIcon,onChange:e=>{n({showSubmenuIcon:e})},label:Zn("Show submenu indicator icons")}),(0,et.createElement)(kN,{checked:t.isResponsive,onChange:e=>{n({isResponsive:e})},label:Zn("Enable responsive menu")})),y&&(0,et.createElement)(Oq,{title:Zn("Color"),initialOpen:!1,colorSettings:[{value:d.color,onChange:p,label:Zn("Text")},{value:c.color,onChange:u,label:Zn("Background")},{value:h.color,onChange:g,label:Zn("Overlay text")},{value:m.color,onChange:f,label:Zn("Overlay background")}]},z&&(0,et.createElement)(et.Fragment,null,(0,et.createElement)(vT,{backgroundColor:O,textColor:D}),(0,et.createElement)(vT,{backgroundColor:I,textColor:R})))),(0,et.createElement)("nav",A,(0,et.createElement)(d2,{id:r,onToggle:w,isOpen:k,isResponsive:t.isResponsive},(0,et.createElement)("div",x))))}));const b2={fontStyle:"var:preset|font-style|",fontWeight:"var:preset|font-weight|",textDecoration:"var:preset|text-decoration|",textTransform:"var:preset|text-transform|"},v2=[{attributes:{orientation:{type:"string"},textColor:{type:"string"},customTextColor:{type:"string"},rgbTextColor:{type:"string"},backgroundColor:{type:"string"},customBackgroundColor:{type:"string"},rgbBackgroundColor:{type:"string"},itemsJustification:{type:"string"},showSubmenuIcon:{type:"boolean",default:!0}},supports:{align:["wide","full"],anchor:!0,html:!1,inserter:!0,fontSize:!0,__experimentalFontStyle:!0,__experimentalFontWeight:!0,__experimentalTextTransform:!0,color:!0,__experimentalFontFamily:!0,__experimentalTextDecoration:!0},save:()=>(0,et.createElement)(EH.Content,null),isEligible(e){if(!e.style||!e.style.typography)return!1;for(const t in b2){const n=e.style.typography[t];if(n&&n.startsWith(b2[t]))return!0}return!1},migrate:e=>({...e,style:{...e.style,typography:(0,ot.mapValues)(e.style.typography,((e,t)=>{const n=b2[t];if(n&&e.startsWith(n)){const r=e.slice(n.length);return"textDecoration"===t&&"strikethrough"===r?"line-through":r}return e}))}})},{attributes:{className:{type:"string"},textColor:{type:"string"},rgbTextColor:{type:"string"},backgroundColor:{type:"string"},rgbBackgroundColor:{type:"string"},fontSize:{type:"string"},customFontSize:{type:"number"},itemsJustification:{type:"string"},showSubmenuIcon:{type:"boolean"}},isEligible:e=>e.rgbTextColor||e.rgbBackgroundColor,supports:{align:["wide","full"],anchor:!0,html:!1,inserter:!0},migrate:e=>({...(0,ot.omit)(e,["rgbTextColor","rgbBackgroundColor"]),customTextColor:e.textColor?void 0:e.rgbTextColor,customBackgroundColor:e.backgroundColor?void 0:e.rgbBackgroundColor}),save:()=>(0,et.createElement)(EH.Content,null)}],y2=[{name:"horizontal",isDefault:!0,title:Zn("Navigation (horizontal)"),description:Zn("Links shown in a row."),attributes:{orientation:"horizontal"},scope:["inserter","transform"]},{name:"vertical",title:Zn("Navigation (vertical)"),description:Zn("Links shown in a column."),attributes:{orientation:"vertical"},scope:["inserter","transform"]}],_2={apiVersion:2,name:"core/navigation",title:"Navigation",category:"theme",description:"A collection of blocks that allow visitors to get around your site.",keywords:["menu","navigation","links"],textdomain:"default",attributes:{orientation:{type:"string"},textColor:{type:"string"},customTextColor:{type:"string"},rgbTextColor:{type:"string"},backgroundColor:{type:"string"},customBackgroundColor:{type:"string"},rgbBackgroundColor:{type:"string"},itemsJustification:{type:"string"},showSubmenuIcon:{type:"boolean",default:!0},isResponsive:{type:"boolean",default:!1},__unstableLocation:{type:"string"},overlayBackgroundColor:{type:"string"},customOverlayBackgroundColor:{type:"string"},overlayTextColor:{type:"string"},customOverlayTextColor:{type:"string"}},providesContext:{textColor:"textColor",customTextColor:"customTextColor",backgroundColor:"backgroundColor",customBackgroundColor:"customBackgroundColor",overlayTextColor:"overlayTextColor",customOverlayTextColor:"customOverlayTextColor",overlayBackgroundColor:"overlayBackgroundColor",customOverlayBackgroundColor:"customOverlayBackgroundColor",fontSize:"fontSize",customFontSize:"customFontSize",showSubmenuIcon:"showSubmenuIcon",style:"style",orientation:"orientation"},supports:{align:["wide","full"],anchor:!0,html:!1,inserter:!0,typography:{fontSize:!0,lineHeight:!0,__experimentalFontStyle:!0,__experimentalFontWeight:!0,__experimentalTextTransform:!0,__experimentalFontFamily:!0,__experimentalTextDecoration:!0}},viewScript:"file:./view.min.js",editorStyle:"wp-block-navigation-editor",style:"wp-block-navigation"},{name:M2}=_2,k2={icon:n2,variations:y2,example:{innerBlocks:[{name:"core/navigation-link",attributes:{label:Zn("Home"),url:"https://make.wordpress.org/"}},{name:"core/navigation-link",attributes:{label:Zn("About"),url:"https://make.wordpress.org/"}},{name:"core/navigation-link",attributes:{label:Zn("Contact"),url:"https://make.wordpress.org/"}}]},edit:g2,save:function(){return(0,et.createElement)(EH.Content,null)},deprecated:v2},w2=(0,et.createElement)(po,{xmlns:"https://www.w3.org/2000/svg",viewBox:"0 0 24 24"},(0,et.createElement)(co,{d:"M12.5 14.5h-1V16h1c2.2 0 4-1.8 4-4s-1.8-4-4-4h-1v1.5h1c1.4 0 2.5 1.1 2.5 2.5s-1.1 2.5-2.5 2.5zm-4 1.5v-1.5h-1C6.1 14.5 5 13.4 5 12s1.1-2.5 2.5-2.5h1V8h-1c-2.2 0-4 1.8-4 4s1.8 4 4 4h1zm-1-3.2h5v-1.5h-5v1.5zM18 4H9c-1.1 0-2 .9-2 2v.5h1.5V6c0-.3.2-.5.5-.5h9c.3 0 .5.2.5.5v12c0 .3-.2.5-.5.5H9c-.3 0-.5-.2-.5-.5v-.5H7v.5c0 1.1.9 2 2 2h9c1.1 0 2-.9 2-2V6c0-1.1-.9-2-2-2z"})),E2=(0,et.createElement)(po,{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24"},(0,et.createElement)(co,{d:"M2 12c0 3.6 2.4 5.5 6 5.5h.5V19l3-2.5-3-2.5v2H8c-2.5 0-4.5-1.5-4.5-4s2-4.5 4.5-4.5h3.5V6H8c-3.6 0-6 2.4-6 6zm19.5-1h-8v1.5h8V11zm0 5h-8v1.5h8V16zm0-10h-8v1.5h8V6z"})),L2=()=>(0,et.createElement)(po,{xmlns:"http://www.w3.org/2000/svg",width:"12",height:"12",viewBox:"0 0 12 12",fill:"none"},(0,et.createElement)(co,{d:"M1.50002 4L6.00002 8L10.5 4",strokeWidth:"1.5"})),{name:A2}={apiVersion:2,name:"core/navigation-link",title:"Custom Link",category:"design",parent:["core/navigation"],description:"Add a page, link, or another item to your navigation.",textdomain:"default",attributes:{label:{type:"string"},type:{type:"string"},description:{type:"string"},rel:{type:"string"},id:{type:"number"},opensInNewTab:{type:"boolean",default:!1},url:{type:"string"},title:{type:"string"},kind:{type:"string"},isTopLevelLink:{type:"boolean"}},usesContext:["textColor","customTextColor","backgroundColor","customBackgroundColor","overlayTextColor","customOverlayTextColor","overlayBackgroundColor","customOverlayBackgroundColor","fontSize","customFontSize","showSubmenuIcon","style"],supports:{reusable:!1,html:!1},editorStyle:"wp-block-navigation-link-editor",style:"wp-block-navigation-link"},S2=["core/navigation-link"];function C2(e,t){switch(e){case"post":case"page":return{type:"post",subtype:e};case"category":return{type:"term",subtype:"category"};case"tag":return{type:"term",subtype:"post_tag"};case"post_format":return{type:"post-format"};default:return"taxonomy"===t?{type:"term",subtype:e}:"post-type"===t?{type:"post",subtype:e}:{}}}function T2(e,t){var n,r;const{textColor:o,customTextColor:a,backgroundColor:i,customBackgroundColor:s,overlayTextColor:l,customOverlayTextColor:c,overlayBackgroundColor:u,customOverlayBackgroundColor:d,style:p}=e,m={};return t&&c?m.customTextColor=c:t&&l?m.textColor=l:a?m.customTextColor=a:o?m.textColor=o:null!=p&&null!==(n=p.color)&&void 0!==n&&n.text&&(m.customTextColor=p.color.text),t&&d?m.customBackgroundColor=d:t&&u?m.backgroundColor=u:s?m.customBackgroundColor=s:i?m.backgroundColor=i:null!=p&&null!==(r=p.color)&&void 0!==r&&r.background&&(m.customTextColor=p.color.background),m}const x2=(0,et.createElement)(po,{viewBox:"0 0 24 24",xmlns:"http://www.w3.org/2000/svg"},(0,et.createElement)(co,{d:"M4 14.5h16V16H4zM4 18.5h9V20H4zM4 4h3c2 0 3 .86 3 2.583 0 .891-.253 1.554-.76 1.988-.505.435-1.24.652-2.204.652H5.542V12H4V4zm2.855 4c.53 0 .924-.114 1.18-.343.266-.228.398-.579.398-1.051 0-.473-.132-.82-.397-1.04-.265-.229-.67-.343-1.217-.343H5.542V8h1.313z"})),z2=(0,et.createElement)(po,{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24"},(0,et.createElement)(co,{d:"M7 5.5h10a.5.5 0 01.5.5v12a.5.5 0 01-.5.5H7a.5.5 0 01-.5-.5V6a.5.5 0 01.5-.5zM17 4H7a2 2 0 00-2 2v12a2 2 0 002 2h10a2 2 0 002-2V6a2 2 0 00-2-2zm-1 3.75H8v1.5h8v-1.5zM8 11h8v1.5H8V11zm6 3.25H8v1.5h6v-1.5z"})),O2=(0,et.createElement)(po,{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24"},(0,et.createElement)(co,{d:"M20.1 11.2l-6.7-6.7c-.1-.1-.3-.2-.5-.2H5c-.4-.1-.8.3-.8.7v7.8c0 .2.1.4.2.5l6.7 6.7c.2.2.5.4.7.5s.6.2.9.2c.3 0 .6-.1.9-.2.3-.1.5-.3.8-.5l5.6-5.6c.4-.4.7-1 .7-1.6.1-.6-.2-1.2-.6-1.6zM19 13.4L13.4 19c-.1.1-.2.1-.3.2-.2.1-.4.1-.6 0-.1 0-.2-.1-.3-.2l-6.5-6.5V5.8h6.8l6.5 6.5c.2.2.2.4.2.6 0 .1 0 .3-.2.5zM9 8c-.6 0-1 .4-1 1s.4 1 1 1 1-.4 1-1-.4-1-1-1z"})),N2=(0,et.createElement)(po,{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24"},(0,et.createElement)(co,{d:"M4 20h9v-1.5H4V20zm0-5.5V16h16v-1.5H4zm.8-4l.7.7 2-2V12h1V9.2l2 2 .7-.7-2-2H12v-1H9.2l2-2-.7-.7-2 2V4h-1v2.8l-2-2-.7.7 2 2H4v1h2.8l-2 2z"})),D2=[{name:"link",isDefault:!0,title:Zn("Custom Link"),description:Zn("A link to a custom URL."),attributes:{}},{name:"post",icon:x2,title:Zn("Post Link"),description:Zn("A link to a post."),attributes:{type:"post",kind:"post-type"}},{name:"page",icon:z2,title:Zn("Page Link"),description:Zn("A link to a page."),attributes:{type:"page",kind:"post-type"}},{name:"category",icon:tZ,title:Zn("Category Link"),description:Zn("A link to a category."),attributes:{type:"category",kind:"taxonomy"}},{name:"tag",icon:O2,title:Zn("Tag Link"),description:Zn("A link to a tag."),attributes:{type:"tag",kind:"taxonomy"}}];D2.forEach((e=>{e.isActive||(e.isActive=(e,t)=>e.type===t.type)}));const B2=D2;function I2(e){switch(e){case"post":return x2;case"page":return z2;case"tag":return O2;case"category":return tZ;default:return N2}}const P2={apiVersion:2,name:"core/navigation-link",title:"Custom Link",category:"design",parent:["core/navigation"],description:"Add a page, link, or another item to your navigation.",textdomain:"default",attributes:{label:{type:"string"},type:{type:"string"},description:{type:"string"},rel:{type:"string"},id:{type:"number"},opensInNewTab:{type:"boolean",default:!1},url:{type:"string"},title:{type:"string"},kind:{type:"string"},isTopLevelLink:{type:"boolean"}},usesContext:["textColor","customTextColor","backgroundColor","customBackgroundColor","overlayTextColor","customOverlayTextColor","overlayBackgroundColor","customOverlayBackgroundColor","fontSize","customFontSize","showSubmenuIcon","style"],supports:{reusable:!1,html:!1},editorStyle:"wp-block-navigation-link-editor",style:"wp-block-navigation-link"},{name:R2}=P2,Y2={icon:w2,__experimentalLabel:({label:e})=>e,merge:(e,{label:t=""})=>({...e,label:e.label+t}),edit:function({attributes:e,isSelected:t,setAttributes:n,insertBlocksAfter:r,mergeBlocks:o,onReplace:a,context:i,clientId:s}){const{label:l,type:c,opensInNewTab:u,url:d,description:p,rel:m,title:f,kind:h}=e,g={url:d,opensInNewTab:u},{showSubmenuIcon:b}=i,{saveEntityRecord:v}=sd(vd),{insertBlock:y}=sd(DM),[_,M]=(0,et.useState)(!1),k=(0,et.useRef)(null),w=(e=>{const[t,n]=(0,et.useState)(!1);return(0,et.useEffect)((()=>{const{ownerDocument:t}=e.current;function r(e){a(e)}function o(){n(!1)}function a(t){e.current.contains(t.target)?n(!0):n(!1)}return t.addEventListener("dragstart",r),t.addEventListener("dragend",o),t.addEventListener("dragenter",a),()=>{t.removeEventListener("dragstart",r),t.removeEventListener("dragend",o),t.removeEventListener("dragenter",a)}}),[]),t})(k),E=Zn("Add link…"),L=(0,et.useRef)(),{isAtMaxNesting:A,isTopLevelLink:S,isParentOfSelectedBlock:C,isImmediateParentOfSelectedBlock:T,hasDescendants:x,selectedBlockHasDescendants:z,numberOfDescendants:O,userCanCreatePages:N,userCanCreatePosts:D}=Cl((e=>{var t;const{getClientIdsOfDescendants:n,hasSelectedInnerBlock:r,getSelectedBlockClientId:o,getBlockParentsByBlockName:a}=e(DM),i=o(),l=n([s]).length;return{isAtMaxNesting:a(s,A2).length>=5,isTopLevelLink:0===a(s,A2).length,isParentOfSelectedBlock:r(s,!0),isImmediateParentOfSelectedBlock:r(s,!1),hasDescendants:!!l,selectedBlockHasDescendants:!(null===(t=n([i]))||void 0===t||!t.length),numberOfDescendants:l,userCanCreatePages:e(vd).canUser("create","pages"),userCanCreatePosts:e(vd).canUser("create","posts")}}),[s]);(0,et.useEffect)((()=>n({isTopLevelLink:S})),[S]),(0,et.useEffect)((()=>{d||M(!0)}),[]),(0,et.useEffect)((()=>{t||M(!1)}),[t]),(0,et.useEffect)((()=>{_&&d&&(HH(rq(l))&&/^.+\.[a-z]+/.test(l)?function(){L.current.focus();const{ownerDocument:e}=L.current,{defaultView:t}=e,n=t.getSelection(),r=e.createRange();r.selectNodeContents(L.current),n.removeAllRanges(),n.addRange(r)}():QP(L.current,!0))}),[d]);let B=!1;c&&"page"!==c?"post"===c&&(B=D):B=N;const{textColor:I,customTextColor:P,backgroundColor:R,customBackgroundColor:Y}=T2(i,!S),W=vR({ref:k,className:io()({"is-editing":t||C,"is-dragging-within":w,"has-link":!!d,"has-child":x,"has-text-color":!!I||!!P,[VS("color",I)]:!!I,"has-background":!!R||Y,[VS("background-color",R)]:!!R}),style:{color:!I&&P,backgroundColor:!R&&Y}});d||(W.onClick=()=>M(!0));const H=T2(i,!0),q=wH({className:io()("wp-block-navigation-link__container",{"is-parent-of-selected-block":C,"has-text-color":!(!H.textColor&&!H.customTextColor),[`has-${H.textColor}-color`]:!!H.textColor,"has-background":!(!H.backgroundColor&&!H.customBackgroundColor),[`has-${H.backgroundColor}-background-color`]:!!H.backgroundColor}),style:{color:H.customTextColor,backgroundColor:H.customBackgroundColor}},{allowedBlocks:S2,renderAppender:!!(t&&x||T&&!z||x)&&EH.DefaultAppender}),j=io()("wp-block-navigation-link__content",{"wp-block-navigation-link__placeholder":!d});let F="";switch(c){case"post":F=Zn("Select post");break;case"page":F=Zn("Select page");break;case"category":F=Zn("Select category");break;case"tag":F=Zn("Select tag");break;default:F=Zn("Add link")}return(0,et.createElement)(et.Fragment,null,(0,et.createElement)(WM,null,(0,et.createElement)(Ng,null,(0,et.createElement)(PA,{bindGlobal:!0,shortcuts:{[fm.primary("k")]:()=>M(!0)}}),(0,et.createElement)(Mg,{name:"link",icon:jC,title:Zn("Link"),shortcut:gm.primary("k"),onClick:()=>M(!0)}),!A&&(0,et.createElement)(Mg,{name:"submenu",icon:E2,title:Zn("Add submenu"),onClick:function(){const e=O,t=Wo("core/navigation-link");y(t,e,s)}}))),(0,et.createElement)(kA,null,(0,et.createElement)(mA,{title:Zn("Link settings")},(0,et.createElement)(yK,{value:p||"",onChange:e=>{n({description:e})},label:Zn("Description"),help:Zn("The description will be displayed in the menu if the current theme supports it.")}),(0,et.createElement)(rA,{value:f||"",onChange:e=>{n({title:e})},label:Zn("Link title"),autoComplete:"off"}),(0,et.createElement)(rA,{value:m||"",onChange:e=>{n({rel:e})},label:Zn("Link rel"),autoComplete:"off"}))),(0,et.createElement)("div",W,(0,et.createElement)("a",{className:j},d?(0,et.createElement)(tj,{ref:L,identifier:"label",className:"wp-block-navigation-link__label",value:l,onChange:e=>n({label:e}),onMerge:o,onReplace:a,__unstableOnSplitAtEnd:()=>r(Wo("core/navigation-link")),"aria-label":Zn("Navigation link text"),placeholder:E,withoutInteractiveFormatting:!0,allowedFormats:["core/bold","core/italic","core/image","core/strikethrough"],onClick:()=>{d||M(!0)}}):(0,et.createElement)("div",{className:"wp-block-navigation-link__placeholder-text"},(0,et.createElement)(PA,{shortcuts:{enter:()=>t&&M(!0)}}),F),_&&(0,et.createElement)(yf,{position:"bottom center",onClose:()=>M(!1),anchorRef:k.current},(0,et.createElement)(PA,{bindGlobal:!0,shortcuts:{escape:()=>M(!1)}}),(0,et.createElement)(vq,{className:"wp-block-navigation-link__inline-link-input",value:g,showInitialSuggestions:!0,withCreateSuggestion:B,createSuggestion:async function(e){const t=c||"page",n=await v("postType",t,{title:e,status:"draft"});return{id:n.id,type:t,title:n.title.rendered,url:n.link,kind:"post-type"}},createSuggestionButtonText:e=>{let t;return t=Zn("post"===c?"Create draft post: %s":"Create draft page: %s"),nP(dn(t,e),{mark:(0,et.createElement)("mark",null)})},noDirectEntry:!!c,noURLSuggestion:!!c,suggestionsQuery:C2(c,h),onChange:t=>((e={},t,n={})=>{const{label:r="",kind:o="",type:a=""}=n,{title:i="",url:s="",opensInNewTab:l,id:c,kind:u=o,type:d=a}=e,p=i.replace(/http(s?):\/\//gi,""),m=s.replace(/http(s?):\/\//gi,""),f=""!==i&&p!==m&&r!==i?(0,ot.escape)(i):r||(0,ot.escape)(m),h="post_tag"===d?"tag":d.replace("-","_"),g=["post","page","tag","category"].indexOf(h)>-1,b=!u&&!g||"custom"===u?"custom":u;t({...s&&{url:encodeURI(XH(s))},...f&&{label:f},...void 0!==l&&{opensInNewTab:l},...c&&Number.isInteger(c)&&{id:c},...b&&{kind:b},...h&&"URL"!==h&&{type:h}})})(t,n,e)})),x&&b&&(0,et.createElement)("span",{className:"wp-block-navigation-link__submenu-icon"},(0,et.createElement)(L2,null))),(0,et.createElement)("div",q)))},save:function(){return(0,et.createElement)(EH.Content,null)},example:{attributes:{label:er("Example Link","navigation link preview example"),url:"https://example.com"}},deprecated:[{isEligible:e=>e.nofollow,attributes:{label:{type:"string"},type:{type:"string"},nofollow:{type:"boolean"},description:{type:"string"},id:{type:"number"},opensInNewTab:{type:"boolean",default:!1},url:{type:"string"}},migrate:({nofollow:e,...t})=>({rel:e?"nofollow":"",...t}),save:()=>(0,et.createElement)(EH.Content,null)}]};Bn("blocks.registerBlockType","core/navigation-link",(function(e,t){if("core/navigation-link"!==t)return e;if(!e.variations)return{...e,variations:B2};if(e.variations){const t=(e,t)=>e.type===t.type,n=e.variations.map((e=>({...e,...!e.icon&&{icon:I2(e.name)},...!e.isActive&&{isActive:t}})));return{...e,variations:n}}return e}));const W2=(0,et.createElement)(po,{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24"},(0,et.createElement)(co,{d:"M12 4L4 7.9V20h16V7.9L12 4zm6.5 14.5H14V13h-4v5.5H5.5V8.8L12 5.7l6.5 3.1v9.7z"})),H2=e=>e.preventDefault();const q2={apiVersion:2,name:"core/home-link",category:"design",parent:["core/navigation"],title:"Home Link",description:"Create a link that always points to the homepage of the site. Usually not necessary if there is already a site title link present in the header.",textdomain:"default",attributes:{label:{type:"string"}},usesContext:["textColor","customTextColor","backgroundColor","customBackgroundColor","fontSize","customFontSize","style"],supports:{reusable:!1,html:!1},editorStyle:"wp-block-home-link-editor",style:"wp-block-home-link"},{name:j2}=q2,F2={icon:W2,edit:function({attributes:e,setAttributes:t,context:n,clientId:r}){var o,a,i,s;const{homeUrl:l}=Cl((e=>{var t;const{getUnstableBase:n}=e(vd);return{homeUrl:null===(t=n())||void 0===t?void 0:t.home}}),[r]),{textColor:c,backgroundColor:u,style:d}=n,p=vR({className:io()({"has-text-color":!!c||!(null==d||null===(o=d.color)||void 0===o||!o.text),[`has-${c}-color`]:!!c,"has-background":!!u||!(null==d||null===(a=d.color)||void 0===a||!a.background),[`has-${u}-background-color`]:!!u}),style:{color:null==d||null===(i=d.color)||void 0===i?void 0:i.text,backgroundColor:null==d||null===(s=d.color)||void 0===s?void 0:s.background}}),{label:m}=e;return(0,et.useEffect)((()=>{void 0===m&&t({label:Zn("Home")})}),[r,m]),(0,et.createElement)(et.Fragment,null,(0,et.createElement)("div",p,(0,et.createElement)("a",{className:"wp-block-home-link__content",href:l,onClick:H2},(0,et.createElement)(tj,{identifier:"label",className:"wp-block-home-link__label",value:m,onChange:e=>{t({label:e})},"aria-label":Zn("Home link text"),placeholder:Zn("Add home link"),withoutInteractiveFormatting:!0,allowedFormats:["core/bold","core/italic","core/image","core/strikethrough"]}))))},save:function(){return(0,et.createElement)(EH.Content,null)},example:{attributes:{label:er("Home Link","block example")}}},V2=(0,et.createElement)(po,{viewBox:"0 0 24 24",xmlns:"http://www.w3.org/2000/svg"},(0,et.createElement)(co,{d:"M18 4H6c-1.1 0-2 .9-2 2v12.9c0 .6.5 1.1 1.1 1.1.3 0 .5-.1.8-.3L8.5 17H18c1.1 0 2-.9 2-2V6c0-1.1-.9-2-2-2zm.5 11c0 .3-.2.5-.5.5H7.9l-2.4 2.4V6c0-.3.2-.5.5-.5h12c.3 0 .5.2.5.5v9z"}));const X2={apiVersion:2,name:"core/latest-comments",title:"Latest Comments",category:"widgets",description:"Display a list of your most recent comments.",keywords:["recent comments"],textdomain:"default",attributes:{commentsToShow:{type:"number",default:5,minimum:1,maximum:100},displayAvatar:{type:"boolean",default:!0},displayDate:{type:"boolean",default:!0},displayExcerpt:{type:"boolean",default:!0}},supports:{align:!0,html:!1},editorStyle:"wp-block-latest-comments-editor",style:"wp-block-latest-comments"},{name:U2}=X2,$2={icon:V2,example:{},edit:function({attributes:e,setAttributes:t}){const{commentsToShow:n,displayAvatar:r,displayDate:o,displayExcerpt:a}=e;return(0,et.createElement)("div",vR(),(0,et.createElement)(kA,null,(0,et.createElement)(mA,{title:Zn("Latest comments settings")},(0,et.createElement)(kN,{label:Zn("Display avatar"),checked:r,onChange:()=>t({displayAvatar:!r})}),(0,et.createElement)(kN,{label:Zn("Display date"),checked:o,onChange:()=>t({displayDate:!o})}),(0,et.createElement)(kN,{label:Zn("Display excerpt"),checked:a,onChange:()=>t({displayExcerpt:!a})}),(0,et.createElement)(BC,{label:Zn("Number of comments"),value:n,onChange:e=>t({commentsToShow:e}),min:1,max:100,required:!0}))),(0,et.createElement)(gP,null,(0,et.createElement)(pQ,{block:"core/latest-comments",attributes:e})))}},K2=(0,et.createElement)(po,{viewBox:"0 0 24 24",xmlns:"http://www.w3.org/2000/svg"},(0,et.createElement)(co,{d:"M18 4H6c-1.1 0-2 .9-2 2v12c0 1.1.9 2 2 2h12c1.1 0 2-.9 2-2V6c0-1.1-.9-2-2-2zm.5 14c0 .3-.2.5-.5.5H6c-.3 0-.5-.2-.5-.5V6c0-.3.2-.5.5-.5h12c.3 0 .5.2.5.5v12zM7 11h2V9H7v2zm0 4h2v-2H7v2zm3-4h7V9h-7v2zm0 4h7v-2h-7v2z"})),{attributes:G2}={apiVersion:2,name:"core/latest-posts",title:"Latest Posts",category:"widgets",description:"Display a list of your most recent posts.",keywords:["recent posts"],textdomain:"default",attributes:{categories:{type:"array",items:{type:"object"}},selectedAuthor:{type:"number"},postsToShow:{type:"number",default:5},displayPostContent:{type:"boolean",default:!1},displayPostContentRadio:{type:"string",default:"excerpt"},excerptLength:{type:"number",default:55},displayAuthor:{type:"boolean",default:!1},displayPostDate:{type:"boolean",default:!1},postLayout:{type:"string",default:"list"},columns:{type:"number",default:3},order:{type:"string",default:"desc"},orderBy:{type:"string",default:"date"},displayFeaturedImage:{type:"boolean",default:!1},featuredImageAlign:{type:"string",enum:["left","center","right"]},featuredImageSizeSlug:{type:"string",default:"thumbnail"},featuredImageSizeWidth:{type:"number",default:null},featuredImageSizeHeight:{type:"number",default:null},addLinkToFeaturedImage:{type:"boolean",default:!1}},supports:{align:!0,html:!1},editorStyle:"wp-block-latest-posts-editor",style:"wp-block-latest-posts"},J2=[{attributes:{...G2,categories:{type:"string"}},supports:{align:!0,html:!1},migrate:e=>({...e,categories:[{id:Number(e.categories)}]}),isEligible:({categories:e})=>e&&"string"==typeof e,save:()=>null}];function Q2({label:e,className:t,selected:n,help:r,onChange:o,hideLabelFromVision:a,options:i=[],...s}){const l=`inspector-radio-control-${xk(Q2)}`,c=e=>o(e.target.value);return!(0,ot.isEmpty)(i)&&(0,et.createElement)(nA,{label:e,id:l,hideLabelFromVision:a,help:r,className:io()(t,"components-radio-control")},i.map(((e,t)=>(0,et.createElement)("div",{key:`${l}-${t}`,className:"components-radio-control__option"},(0,et.createElement)("input",rt({id:`${l}-${t}`,className:"components-radio-control__input",type:"radio",name:l,value:e.value,onChange:c,checked:e.value===n,"aria-describedby":r?`${l}__help`:void 0},s)),(0,et.createElement)("label",{htmlFor:`${l}-${t}`},e.label)))))}function Z2(e){const t=e.map((e=>({children:[],parent:null,...e}))),n=(0,ot.groupBy)(t,"parent");if(n.null&&n.null.length)return t;const r=e=>e.map((e=>{const t=n[e.id];return{...e,children:t&&t.length?r(t):[]}}));return r(n[0]||[])}function e3(e,t=0){return(0,ot.flatMap)(e,(e=>[{value:e.id,label:(0,ot.repeat)(" ",3*t)+(0,ot.unescape)(e.name)},...e3(e.children||[],t+1)]))}function t3({label:e,noOptionLabel:t,onChange:n,selectedId:r,tree:o,...a}){const i=(0,et.useMemo)((()=>(0,ot.compact)([t&&{value:"",label:t},...e3(o)])),[t,o]);return(0,et.createElement)(SS,rt({label:e,options:i,onChange:n,value:r},a))}function n3({label:e,noOptionLabel:t,categoriesList:n,selectedCategoryId:r,onChange:o,...a}){const i=(0,et.useMemo)((()=>Z2(n)),[n]);return(0,et.createElement)(t3,rt({label:e,noOptionLabel:t,onChange:o,tree:i,selectedId:r},a))}function r3({value:e,status:t,title:n,displayTransform:r,isBorderless:o=!1,disabled:a=!1,onClickRemove:i=ot.noop,onMouseEnter:s,onMouseLeave:l,messages:c,termPosition:u,termsCount:d}){const p=xk(r3),m=io()("components-form-token-field__token",{"is-error":"error"===t,"is-success":"success"===t,"is-validating":"validating"===t,"is-borderless":o,"is-disabled":a}),f=r(e),h=dn(Zn("%1$s (%2$s of %3$s)"),f,u,d);return(0,et.createElement)("span",{className:m,onMouseEnter:s,onMouseLeave:l,title:n},(0,et.createElement)("span",{className:"components-form-token-field__token-text",id:`components-form-token-field__token-text-${p}`},(0,et.createElement)(eh,{as:"span"},h),(0,et.createElement)("span",{"aria-hidden":"true"},f)),(0,et.createElement)(nh,{className:"components-form-token-field__remove-token",icon:jI,onClick:!a&&(()=>i({value:e})),label:c.remove,"aria-describedby":`components-form-token-field__token-text-${p}`}))}class o3 extends et.Component{constructor(){super(...arguments),this.onChange=this.onChange.bind(this),this.bindInput=this.bindInput.bind(this)}focus(){this.input.focus()}hasFocus(){return this.input===this.input.ownerDocument.activeElement}bindInput(e){this.input=e}onChange(e){this.props.onChange({value:e.target.value})}render(){const{value:e,isExpanded:t,instanceId:n,selectedSuggestionIndex:r,className:o,...a}=this.props,i=e?e.length+1:0;return(0,et.createElement)("input",rt({ref:this.bindInput,id:`components-form-token-input-${n}`,type:"text"},a,{value:e||"",onChange:this.onChange,size:i,className:io()(o,"components-form-token-field__input"),autoComplete:"off",role:"combobox","aria-expanded":t,"aria-autocomplete":"list","aria-owns":t?`components-form-token-suggestions-${n}`:void 0,"aria-activedescendant":-1!==r?`components-form-token-suggestions-${n}-${r}`:void 0,"aria-describedby":`components-form-token-suggestions-howto-${n}`}))}}const a3=o3;class i3 extends et.Component{constructor(){super(...arguments),this.handleMouseDown=this.handleMouseDown.bind(this),this.bindList=this.bindList.bind(this)}componentDidUpdate(){this.props.selectedIndex>-1&&this.props.scrollIntoView&&this.list.children[this.props.selectedIndex]&&(this.scrollingIntoView=!0,mR()(this.list.children[this.props.selectedIndex],this.list,{onlyScrollIfNeeded:!0}),this.props.setTimeout((()=>{this.scrollingIntoView=!1}),100))}bindList(e){this.list=e}handleHover(e){return()=>{this.scrollingIntoView||this.props.onHover(e)}}handleClick(e){return()=>{this.props.onSelect(e)}}handleMouseDown(e){e.preventDefault()}computeSuggestionMatch(e){const t=this.props.displayTransform(this.props.match||"").toLocaleLowerCase();if(0===t.length)return null;const n=(e=this.props.displayTransform(e)).toLocaleLowerCase().indexOf(t);return{suggestionBeforeMatch:e.substring(0,n),suggestionMatch:e.substring(n,n+t.length),suggestionAfterMatch:e.substring(n+t.length)}}render(){return(0,et.createElement)("ul",{ref:this.bindList,className:"components-form-token-field__suggestions-list",id:`components-form-token-suggestions-${this.props.instanceId}`,role:"listbox"},(0,ot.map)(this.props.suggestions,((e,t)=>{const n=this.computeSuggestionMatch(e),r=io()("components-form-token-field__suggestion",{"is-selected":t===this.props.selectedIndex});return(0,et.createElement)("li",{id:`components-form-token-suggestions-${this.props.instanceId}-${t}`,role:"option",className:r,key:null!=e&&e.value?e.value:this.props.displayTransform(e),onMouseDown:this.handleMouseDown,onClick:this.handleClick(e),onMouseEnter:this.handleHover(e),"aria-selected":t===this.props.selectedIndex},n?(0,et.createElement)("span",{"aria-label":this.props.displayTransform(e)},n.suggestionBeforeMatch,(0,et.createElement)("strong",{className:"components-form-token-field__suggestion-match"},n.suggestionMatch),n.suggestionAfterMatch):this.props.displayTransform(e))})))}}i3.defaultProps={match:"",onHover:()=>{},onSelect:()=>{},suggestions:Object.freeze([])};const s3=WH(i3),l3={incompleteTokenValue:"",inputOffsetFromEnd:0,isActive:!1,isExpanded:!1,selectedSuggestionIndex:-1,selectedSuggestionScroll:!1};class c3 extends et.Component{constructor(){super(...arguments),this.state=l3,this.onKeyDown=this.onKeyDown.bind(this),this.onKeyPress=this.onKeyPress.bind(this),this.onFocus=this.onFocus.bind(this),this.onBlur=this.onBlur.bind(this),this.deleteTokenBeforeInput=this.deleteTokenBeforeInput.bind(this),this.deleteTokenAfterInput=this.deleteTokenAfterInput.bind(this),this.addCurrentToken=this.addCurrentToken.bind(this),this.onContainerTouched=this.onContainerTouched.bind(this),this.renderToken=this.renderToken.bind(this),this.onTokenClickRemove=this.onTokenClickRemove.bind(this),this.onSuggestionHovered=this.onSuggestionHovered.bind(this),this.onSuggestionSelected=this.onSuggestionSelected.bind(this),this.onInputChange=this.onInputChange.bind(this),this.bindInput=this.bindInput.bind(this),this.bindTokensAndInput=this.bindTokensAndInput.bind(this),this.updateSuggestions=this.updateSuggestions.bind(this)}componentDidUpdate(e){this.state.isActive&&!this.input.hasFocus()&&this.input.focus();const{suggestions:t,value:n}=this.props,r=!ti(t,e.suggestions);(r||n!==e.value)&&this.updateSuggestions(r)}static getDerivedStateFromProps(e,t){return e.disabled&&t.isActive?{isActive:!1,incompleteTokenValue:""}:null}bindInput(e){this.input=e}bindTokensAndInput(e){this.tokensAndInput=e}onFocus(e){const{__experimentalExpandOnFocus:t}=this.props;this.input.hasFocus()||e.target===this.tokensAndInput?this.setState({isActive:!0,isExpanded:!!t||this.state.isExpanded}):this.setState({isActive:!1}),"function"==typeof this.props.onFocus&&this.props.onFocus(e)}onBlur(){this.inputHasValidValue()?this.setState({isActive:!1}):this.setState(l3)}onKeyDown(e){let t=!1;if(!e.defaultPrevented){switch(e.keyCode){case tm:t=this.handleDeleteKey(this.deleteTokenBeforeInput);break;case nm:t=this.addCurrentToken();break;case om:t=this.handleLeftArrowKey();break;case am:t=this.handleUpArrowKey();break;case im:t=this.handleRightArrowKey();break;case sm:t=this.handleDownArrowKey();break;case lm:t=this.handleDeleteKey(this.deleteTokenAfterInput);break;case 32:this.props.tokenizeOnSpace&&(t=this.addCurrentToken());break;case rm:t=this.handleEscapeKey(e)}t&&e.preventDefault()}}onKeyPress(e){let t=!1;switch(e.charCode){case 44:t=this.handleCommaKey()}t&&e.preventDefault()}onContainerTouched(e){e.target===this.tokensAndInput&&this.state.isActive&&e.preventDefault()}onTokenClickRemove(e){this.deleteToken(e.value),this.input.focus()}onSuggestionHovered(e){const t=this.getMatchingSuggestions().indexOf(e);t>=0&&this.setState({selectedSuggestionIndex:t,selectedSuggestionScroll:!1})}onSuggestionSelected(e){this.addNewToken(e)}onInputChange(e){const t=e.value,n=this.props.tokenizeOnSpace?/[ ,\t]+/:/[,\t]+/,r=t.split(n),o=(0,ot.last)(r)||"";r.length>1&&this.addNewTokens(r.slice(0,-1)),this.setState({incompleteTokenValue:o},this.updateSuggestions),this.props.onInputChange(o)}handleDeleteKey(e){let t=!1;return this.input.hasFocus()&&this.isInputEmpty()&&(e(),t=!0),t}handleLeftArrowKey(){let e=!1;return this.isInputEmpty()&&(this.moveInputBeforePreviousToken(),e=!0),e}handleRightArrowKey(){let e=!1;return this.isInputEmpty()&&(this.moveInputAfterNextToken(),e=!0),e}handleUpArrowKey(){return this.setState(((e,t)=>({selectedSuggestionIndex:(0===e.selectedSuggestionIndex?this.getMatchingSuggestions(e.incompleteTokenValue,t.suggestions,t.value,t.maxSuggestions,t.saveTransform).length:e.selectedSuggestionIndex)-1,selectedSuggestionScroll:!0}))),!0}handleDownArrowKey(){return this.setState(((e,t)=>({selectedSuggestionIndex:(e.selectedSuggestionIndex+1)%this.getMatchingSuggestions(e.incompleteTokenValue,t.suggestions,t.value,t.maxSuggestions,t.saveTransform).length,selectedSuggestionScroll:!0}))),!0}handleEscapeKey(e){return this.setState({incompleteTokenValue:e.target.value,isExpanded:!1,selectedSuggestionIndex:-1,selectedSuggestionScroll:!1}),!0}handleCommaKey(){return this.inputHasValidValue()&&this.addNewToken(this.state.incompleteTokenValue),!0}moveInputToIndex(e){this.setState(((t,n)=>({inputOffsetFromEnd:n.value.length-Math.max(e,-1)-1})))}moveInputBeforePreviousToken(){this.setState(((e,t)=>({inputOffsetFromEnd:Math.min(e.inputOffsetFromEnd+1,t.value.length)})))}moveInputAfterNextToken(){this.setState((e=>({inputOffsetFromEnd:Math.max(e.inputOffsetFromEnd-1,0)})))}deleteTokenBeforeInput(){const e=this.getIndexOfInput()-1;e>-1&&this.deleteToken(this.props.value[e])}deleteTokenAfterInput(){const e=this.getIndexOfInput();e!this.valueContainsToken(e))));if(t.length>0){const e=(0,ot.clone)(this.props.value);e.splice.apply(e,[this.getIndexOfInput(),0].concat(t)),this.props.onChange(e)}}addNewToken(e){const{__experimentalExpandOnFocus:t,__experimentalValidateInput:n}=this.props;n(e)?(this.addNewTokens([e]),this.props.speak(this.props.messages.added,"assertive"),this.setState({incompleteTokenValue:"",selectedSuggestionIndex:-1,selectedSuggestionScroll:!1,isExpanded:!t}),this.state.isActive&&this.input.focus()):this.props.speak(this.props.messages.__experimentalInvalid,"assertive")}deleteToken(e){const t=this.props.value.filter((t=>this.getTokenValue(t)!==this.getTokenValue(e)));this.props.onChange(t),this.props.speak(this.props.messages.removed,"assertive")}getTokenValue(e){return"object"==typeof e?e.value:e}getMatchingSuggestions(e=this.state.incompleteTokenValue,t=this.props.suggestions,n=this.props.value,r=this.props.maxSuggestions,o=this.props.saveTransform){let a=o(e);const i=[],s=[];return 0===a.length?t=(0,ot.difference)(t,n):(a=a.toLocaleLowerCase(),(0,ot.each)(t,(e=>{const t=e.toLocaleLowerCase().indexOf(a);-1===n.indexOf(e)&&(0===t?i.push(e):t>0&&s.push(e))})),t=i.concat(s)),(0,ot.take)(t,r)}getSelectedSuggestion(){if(-1!==this.state.selectedSuggestionIndex)return this.getMatchingSuggestions()[this.state.selectedSuggestionIndex]}valueContainsToken(e){return(0,ot.some)(this.props.value,(t=>this.getTokenValue(e)===this.getTokenValue(t)))}getIndexOfInput(){return this.props.value.length-this.state.inputOffsetFromEnd}isInputEmpty(){return 0===this.state.incompleteTokenValue.length}inputHasValidValue(){return this.props.saveTransform(this.state.incompleteTokenValue).length>0}updateSuggestions(e=!0){const{__experimentalExpandOnFocus:t}=this.props,{incompleteTokenValue:n}=this.state,r=n.trim().length>1,o=this.getMatchingSuggestions(n),a=o.length>0,i={isExpanded:t||r&&a};if(e&&(i.selectedSuggestionIndex=-1,i.selectedSuggestionScroll=!1),this.setState(i),r){const{debouncedSpeak:e}=this.props;e(a?dn(tr("%d result found, use up and down arrow keys to navigate.","%d results found, use up and down arrow keys to navigate.",o.length),o.length):Zn("No results."),"assertive")}}renderTokensAndInput(){const e=(0,ot.map)(this.props.value,this.renderToken);return e.splice(this.getIndexOfInput(),0,this.renderInput()),e}renderToken(e,t,n){const r=this.getTokenValue(e),o=e.status?e.status:void 0,a=t+1,i=n.length;return(0,et.createElement)(r3,{key:"token-"+r,value:r,status:o,title:e.title,displayTransform:this.props.displayTransform,onClickRemove:this.onTokenClickRemove,isBorderless:e.isBorderless||this.props.isBorderless,onMouseEnter:e.onMouseEnter,onMouseLeave:e.onMouseLeave,disabled:"error"!==o&&this.props.disabled,messages:this.props.messages,termsCount:i,termPosition:a})}renderInput(){const{autoCapitalize:e,autoComplete:t,maxLength:n,placeholder:r,value:o,instanceId:a}=this.props;let i={instanceId:a,autoCapitalize:e,autoComplete:t,placeholder:0===o.length?r:"",ref:this.bindInput,key:"input",disabled:this.props.disabled,value:this.state.incompleteTokenValue,onBlur:this.onBlur,isExpanded:this.state.isExpanded,selectedSuggestionIndex:this.state.selectedSuggestionIndex};return n&&o.length>=n||(i={...i,onChange:this.onInputChange}),(0,et.createElement)(a3,i)}render(){const{disabled:e,label:t=Zn("Add item"),instanceId:n,className:r,__experimentalShowHowTo:o}=this.props,{isExpanded:a}=this.state,i=io()(r,"components-form-token-field__input-container",{"is-active":this.state.isActive,"is-disabled":e});let s={className:"components-form-token-field",tabIndex:"-1"};const l=this.getMatchingSuggestions();return e||(s=Object.assign({},s,{onKeyDown:this.onKeyDown,onKeyPress:this.onKeyPress,onFocus:this.onFocus})),(0,et.createElement)("div",s,(0,et.createElement)("label",{htmlFor:`components-form-token-input-${n}`,className:"components-form-token-field__label"},t),(0,et.createElement)("div",{ref:this.bindTokensAndInput,className:i,tabIndex:"-1",onMouseDown:this.onContainerTouched,onTouchStart:this.onContainerTouched},this.renderTokensAndInput(),a&&(0,et.createElement)(s3,{instanceId:n,match:this.props.saveTransform(this.state.incompleteTokenValue),displayTransform:this.props.displayTransform,suggestions:l,selectedIndex:this.state.selectedSuggestionIndex,scrollIntoView:this.state.selectedSuggestionScroll,onHover:this.onSuggestionHovered,onSelect:this.onSuggestionSelected})),o&&(0,et.createElement)("p",{id:`components-form-token-suggestions-howto-${n}`,className:"components-form-token-field__help"},this.props.tokenizeOnSpace?Zn("Separate with commas, spaces, or the Enter key."):Zn("Separate with commas or the Enter key.")))}}c3.defaultProps={suggestions:Object.freeze([]),maxSuggestions:100,value:Object.freeze([]),displayTransform:ot.identity,saveTransform:e=>e.trim(),onChange:()=>{},onInputChange:()=>{},isBorderless:!1,disabled:!1,tokenizeOnSpace:!1,messages:{added:Zn("Item added."),removed:Zn("Item removed."),remove:Zn("Remove item"),__experimentalInvalid:Zn("Invalid item")},__experimentalExpandOnFocus:!1,__experimentalValidateInput:()=>!0,__experimentalShowHowTo:!0};const u3=YH(HA(c3));function d3({label:e,noOptionLabel:t,authorList:n,selectedAuthorId:r,onChange:o}){if(!n)return null;const a=Z2(n);return(0,et.createElement)(t3,{label:e,noOptionLabel:t,onChange:o,tree:a,selectedId:r})}function p3({authorList:e,selectedAuthorId:t,categoriesList:n,selectedCategoryId:r,categorySuggestions:o,selectedCategories:a,numberOfItems:i,order:s,orderBy:l,maxItems:c=100,minItems:u=1,onCategoryChange:d,onAuthorChange:p,onNumberOfItemsChange:m,onOrderChange:f,onOrderByChange:h}){return[f&&h&&(0,et.createElement)(SS,{key:"query-controls-order-select",label:Zn("Order by"),value:`${l}/${s}`,options:[{label:Zn("Newest to oldest"),value:"date/desc"},{label:Zn("Oldest to newest"),value:"date/asc"},{label:Zn("A → Z"),value:"title/asc"},{label:Zn("Z → A"),value:"title/desc"}],onChange:e=>{const[t,n]=e.split("/");n!==s&&f(n),t!==l&&h(t)}}),n&&d&&(0,et.createElement)(n3,{key:"query-controls-category-select",categoriesList:n,label:Zn("Category"),noOptionLabel:Zn("All"),selectedCategoryId:r,onChange:d}),o&&d&&(0,et.createElement)(u3,{key:"query-controls-categories-select",label:Zn("Categories"),value:a&&a.map((e=>({id:e.id,value:e.name||e.value}))),suggestions:Object.keys(o),onChange:d,maxSuggestions:20}),p&&(0,et.createElement)(d3,{key:"query-controls-author-select",authorList:e,label:Zn("Author"),noOptionLabel:Zn("All"),selectedAuthorId:t,onChange:p}),m&&(0,et.createElement)(BC,{key:"query-controls-range-control",label:Zn("Number of items"),value:i,onChange:m,min:u,max:c,required:!0})]}const m3=(0,et.createElement)(po,{viewBox:"0 0 24 24",xmlns:"http://www.w3.org/2000/svg"},(0,et.createElement)(co,{d:"M4 4v1.5h16V4H4zm8 8.5h8V11h-8v1.5zM4 20h16v-1.5H4V20zm4-8c0-1.1-.9-2-2-2s-2 .9-2 2 .9 2 2 2 2-.9 2-2z"})),f3={per_page:-1,context:"view"},h3={per_page:-1,has_published_posts:["post"],context:"view"};const g3={apiVersion:2,name:"core/latest-posts",title:"Latest Posts",category:"widgets",description:"Display a list of your most recent posts.",keywords:["recent posts"],textdomain:"default",attributes:{categories:{type:"array",items:{type:"object"}},selectedAuthor:{type:"number"},postsToShow:{type:"number",default:5},displayPostContent:{type:"boolean",default:!1},displayPostContentRadio:{type:"string",default:"excerpt"},excerptLength:{type:"number",default:55},displayAuthor:{type:"boolean",default:!1},displayPostDate:{type:"boolean",default:!1},postLayout:{type:"string",default:"list"},columns:{type:"number",default:3},order:{type:"string",default:"desc"},orderBy:{type:"string",default:"date"},displayFeaturedImage:{type:"boolean",default:!1},featuredImageAlign:{type:"string",enum:["left","center","right"]},featuredImageSizeSlug:{type:"string",default:"thumbnail"},featuredImageSizeWidth:{type:"number",default:null},featuredImageSizeHeight:{type:"number",default:null},addLinkToFeaturedImage:{type:"boolean",default:!1}},supports:{align:!0,html:!1},editorStyle:"wp-block-latest-posts-editor",style:"wp-block-latest-posts"},{name:b3}=g3,v3={icon:K2,example:{},edit:function({attributes:e,setAttributes:t}){var n;const{postsToShow:r,order:o,orderBy:a,categories:i,selectedAuthor:s,displayFeaturedImage:l,displayPostContentRadio:c,displayPostContent:u,displayPostDate:d,displayAuthor:p,postLayout:m,columns:f,excerptLength:h,featuredImageAlign:g,featuredImageSizeSlug:b,featuredImageSizeWidth:v,featuredImageSizeHeight:y,addLinkToFeaturedImage:_}=e,{imageSizeOptions:M,latestPosts:k,defaultImageWidth:w,defaultImageHeight:E,categoriesList:L,authorList:A}=Cl((e=>{const{getEntityRecords:t,getMedia:n,getUsers:l}=e(vd),{getSettings:c}=e(DM),{imageSizes:u,imageDimensions:d}=c(),p=i&&i.length>0?i.map((e=>e.id)):[],m=t("postType","post",(0,ot.pickBy)({categories:p,author:s,order:o,orderby:a,per_page:r},(e=>!(0,ot.isUndefined)(e))));return{defaultImageWidth:(0,ot.get)(d,[b,"width"],0),defaultImageHeight:(0,ot.get)(d,[b,"height"],0),imageSizeOptions:u.filter((({slug:e})=>"full"!==e)).map((({name:e,slug:t})=>({value:t,label:e}))),latestPosts:Array.isArray(m)?m.map((e=>{if(!e.featured_media)return e;const t=n(e.featured_media);let r=(0,ot.get)(t,["media_details","sizes",b,"source_url"],null);r||(r=(0,ot.get)(t,"source_url",null));const o={url:r,alt:null==t?void 0:t.alt_text};return{...e,featuredImageInfo:o}})):m,categoriesList:t("taxonomy","category",f3),authorList:l(h3)}}),[b,r,o,a,i,s]),S=null!==(n=null==L?void 0:L.reduce(((e,t)=>({...e,[t.name]:t})),{}))&&void 0!==n?n:{},C=!(null==k||!k.length),T=(0,et.createElement)(kA,null,(0,et.createElement)(mA,{title:Zn("Post content settings")},(0,et.createElement)(kN,{label:Zn("Post content"),checked:u,onChange:e=>t({displayPostContent:e})}),u&&(0,et.createElement)(Q2,{label:Zn("Show:"),selected:c,options:[{label:Zn("Excerpt"),value:"excerpt"},{label:Zn("Full post"),value:"full_post"}],onChange:e=>t({displayPostContentRadio:e})}),u&&"excerpt"===c&&(0,et.createElement)(BC,{label:Zn("Max number of words in excerpt"),value:h,onChange:e=>t({excerptLength:e}),min:10,max:100})),(0,et.createElement)(mA,{title:Zn("Post meta settings")},(0,et.createElement)(kN,{label:Zn("Display author name"),checked:p,onChange:e=>t({displayAuthor:e})}),(0,et.createElement)(kN,{label:Zn("Display post date"),checked:d,onChange:e=>t({displayPostDate:e})})),(0,et.createElement)(mA,{title:Zn("Featured image settings")},(0,et.createElement)(kN,{label:Zn("Display featured image"),checked:l,onChange:e=>t({displayFeaturedImage:e})}),l&&(0,et.createElement)(et.Fragment,null,(0,et.createElement)(hH,{onChange:e=>{const n={};e.hasOwnProperty("width")&&(n.featuredImageSizeWidth=e.width),e.hasOwnProperty("height")&&(n.featuredImageSizeHeight=e.height),t(n)},slug:b,width:v,height:y,imageWidth:w,imageHeight:E,imageSizeOptions:M,onChangeImage:e=>t({featuredImageSizeSlug:e,featuredImageSizeWidth:void 0,featuredImageSizeHeight:void 0})}),(0,et.createElement)(nA,{className:"block-editor-image-alignment-control__row"},(0,et.createElement)(nA.VisualLabel,null,Zn("Image alignment")),(0,et.createElement)(jL,{value:g,onChange:e=>t({featuredImageAlign:e}),controls:["left","center","right"],isCollapsed:!1})),(0,et.createElement)(kN,{label:Zn("Add link to featured image"),checked:_,onChange:e=>t({addLinkToFeaturedImage:e})}))),(0,et.createElement)(mA,{title:Zn("Sorting and filtering")},(0,et.createElement)(p3,{order:o,orderBy:a,numberOfItems:r,onOrderChange:e=>t({order:e}),onOrderByChange:e=>t({orderBy:e}),onNumberOfItemsChange:e=>t({postsToShow:e}),categorySuggestions:S,onCategoryChange:e=>{if(e.some((e=>"string"==typeof e&&!S[e])))return;const n=e.map((e=>"string"==typeof e?S[e]:e));if((0,ot.includes)(n,null))return!1;t({categories:n})},selectedCategories:i,onAuthorChange:e=>t({selectedAuthor:""!==e?Number(e):void 0}),authorList:null!=A?A:[],selectedAuthorId:s}),"grid"===m&&(0,et.createElement)(BC,{label:Zn("Columns"),value:f,onChange:e=>t({columns:e}),min:2,max:C?Math.min(6,k.length):6,required:!0}))),x=vR({className:io()({"wp-block-latest-posts__list":!0,"is-grid":"grid"===m,"has-dates":d,"has-author":p,[`columns-${f}`]:"grid"===m})});if(!C)return(0,et.createElement)("div",x,T,(0,et.createElement)(VW,{icon:nZ,label:Zn("Latest Posts")},Array.isArray(k)?Zn("No posts found."):(0,et.createElement)(IH,null)));const z=k.length>r?k.slice(0,r):k,O=[{icon:m3,title:Zn("List view"),onClick:()=>t({postLayout:"list"}),isActive:"list"===m},{icon:$W,title:Zn("Grid view"),onClick:()=>t({postLayout:"grid"}),isActive:"grid"===m}],N=RF().formats.date;return(0,et.createElement)("div",null,T,(0,et.createElement)(WM,null,(0,et.createElement)(Ng,{controls:O})),(0,et.createElement)("ul",x,z.map(((e,t)=>{const n=(0,ot.invoke)(e,["title","rendered","trim"]);let r=e.excerpt.rendered;const o=null==A?void 0:A.find((t=>t.id===e.author)),a=document.createElement("div");a.innerHTML=r,r=a.textContent||a.innerText||"";const{featuredImageInfo:{url:i,alt:s}={}}=e,m=io()({"wp-block-latest-posts__featured-image":!0,[`align${g}`]:!!g}),f=l&&i,b=f&&(0,et.createElement)("img",{src:i,alt:s,style:{maxWidth:v,maxHeight:y}}),M=ht({displayLoginAsForm:!n})}),(0,et.createElement)(kN,{label:Zn("Redirect to current URL"),checked:r,onChange:()=>t({redirectToCurrent:!r})}))),(0,et.createElement)("div",vR({className:"logged-in"}),(0,et.createElement)("a",{href:"#login-pseudo-link"},Zn("Log out"))))}},w3=(0,et.createElement)(po,{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24"},(0,et.createElement)(co,{d:"M4 8.8h8.9V7.2H4v1.6zm0 7h8.9v-1.5H4v1.5zM18 13c-1.1 0-2 .9-2 2s.9 2 2 2 2-.9 2-2-.9-2-2-2zm0-3c1.1 0 2-.9 2-2s-.9-2-2-2-2 .9-2 2 .9 2 2 2z"})),E3=(0,et.createElement)(po,{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24"},(0,et.createElement)(co,{d:"M11.1 15.8H20v-1.5h-8.9v1.5zm0-8.6v1.5H20V7.2h-8.9zM6 13c-1.1 0-2 .9-2 2s.9 2 2 2 2-.9 2-2-.9-2-2-2zm0-7c-1.1 0-2 .9-2 2s.9 2 2 2 2-.9 2-2-.9-2-2-2z"})),L3=(0,et.createElement)(po,{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24"},(0,et.createElement)(co,{d:"M3.8 15.8h8.9v-1.5H3.8v1.5zm0-7h8.9V7.2H3.8v1.6zm14.7-2.1V10h1V5.3l-2.2.7.3 1 .9-.3zm1.2 6.1c-.5-.6-1.2-.5-1.7-.4-.3.1-.5.2-.7.3l.1 1.1c.2-.2.5-.4.8-.5.3-.1.6 0 .7.1.2.3 0 .8-.2 1.1-.5.8-.9 1.6-1.4 2.5H20v-1h-.9c.3-.6.8-1.4.9-2.1 0-.3 0-.8-.3-1.1z"})),A3=(0,et.createElement)(po,{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24"},(0,et.createElement)(co,{d:"M11.1 15.8H20v-1.5h-8.9v1.5zm0-8.6v1.5H20V7.2h-8.9zM5 6.7V10h1V5.3L3.8 6l.4 1 .8-.3zm-.4 5.7c-.3.1-.5.2-.7.3l.1 1.1c.2-.2.5-.4.8-.5.3-.1.6 0 .7.1.2.3 0 .8-.2 1.1-.5.8-.9 1.6-1.4 2.5h2.7v-1h-1c.3-.6.8-1.4.9-2.1.1-.3 0-.8-.2-1.1-.5-.6-1.3-.5-1.7-.4z"})),S3=(0,et.createElement)(po,{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24"},(0,et.createElement)(co,{d:"M20 5.5H4V4H20V5.5ZM12 12.5H4V11H12V12.5ZM20 20V18.5H4V20H20ZM15.4697 14.9697L18.4393 12L15.4697 9.03033L16.5303 7.96967L20.0303 11.4697L20.5607 12L20.0303 12.5303L16.5303 16.0303L15.4697 14.9697Z"})),C3=(0,et.createElement)(po,{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24"},(0,et.createElement)(co,{d:"M4 7.2v1.5h16V7.2H4zm8 8.6h8v-1.5h-8v1.5zm-4-4.6l-4 4 4 4 1-1-3-3 3-3-1-1z"})),T3=(0,et.createElement)(po,{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24"},(0,et.createElement)(co,{d:"M20 5.5H4V4H20V5.5ZM12 12.5H4V11H12V12.5ZM20 20V18.5H4V20H20ZM20.0303 9.03033L17.0607 12L20.0303 14.9697L18.9697 16.0303L15.4697 12.5303L14.9393 12L15.4697 11.4697L18.9697 7.96967L20.0303 9.03033Z"})),x3=(0,et.createElement)(po,{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24"},(0,et.createElement)(co,{d:"M4 7.2v1.5h16V7.2H4zm8 8.6h8v-1.5h-8v1.5zm-8-3.5l3 3-3 3 1 1 4-4-4-4-1 1z"})),z3=({setAttributes:e,reversed:t,start:n})=>(0,et.createElement)(kA,null,(0,et.createElement)(mA,{title:Zn("Ordered list settings")},(0,et.createElement)(rA,{label:Zn("Start value"),type:"number",onChange:t=>{const n=parseInt(t,10);e({start:isNaN(n)?void 0:n})},value:Number.isInteger(n)?n.toString(10):"",step:"1"}),(0,et.createElement)(kN,{label:Zn("Reverse list numbering"),checked:t||!1,onChange:t=>{e({reversed:t||void 0})}})));function O3({phrasingContentSchema:e}){const t={...e,ul:{},ol:{attributes:["type","start","reversed"]}};return["ul","ol"].forEach((e=>{t[e].children={li:{children:t}}})),t}const N3={from:[{type:"block",isMultiBlock:!0,blocks:["core/paragraph","core/heading"],transform:e=>Wo("core/list",{values:qy({value:Ty(e.map((({content:t})=>{const n=dy({html:t});return e.length>1?n:Dy(n,/\n/g,sy)})),sy),multilineTag:"li"}),anchor:e.anchor})},{type:"block",blocks:["core/quote","core/pullquote"],transform:({value:e,anchor:t})=>Wo("core/list",{values:qy({value:dy({html:e,multilineTag:"p"}),multilineTag:"li"}),anchor:t})},{type:"raw",selector:"ol,ul",schema:e=>({ol:O3(e).ol,ul:O3(e).ul}),transform(e){const t={ordered:"OL"===e.nodeName,anchor:""===e.id?void 0:e.id};if(t.ordered){const n=e.getAttribute("type");n&&(t.type=n),null!==e.getAttribute("reversed")&&(t.reversed=!0);const r=parseInt(e.getAttribute("start"),10);isNaN(r)||1===r&&!t.reversed||(t.start=r)}return Wo("core/list",{...Ki("core/list",e.outerHTML),...t})}},...["*","-"].map((e=>({type:"prefix",prefix:e,transform:e=>Wo("core/list",{values:`
  • ${e}
  • `})}))),...["1.","1)"].map((e=>({type:"prefix",prefix:e,transform:e=>Wo("core/list",{ordered:!0,values:`
  • ${e}
  • `})})))],to:[{type:"block",blocks:["core/paragraph"],transform:({values:e})=>Iy(dy({html:e,multilineTag:"li",multilineWrapperTags:["ul","ol"]}),sy).map((e=>Wo("core/paragraph",{content:qy({value:e})})))},{type:"block",blocks:["core/heading"],transform:({values:e})=>Iy(dy({html:e,multilineTag:"li",multilineWrapperTags:["ul","ol"]}),sy).map((e=>Wo("core/heading",{content:qy({value:e})})))},{type:"block",blocks:["core/quote"],transform:({values:e,anchor:t})=>Wo("core/quote",{value:qy({value:dy({html:e,multilineTag:"li",multilineWrapperTags:["ul","ol"]}),multilineTag:"p"}),anchor:t})},{type:"block",blocks:["core/pullquote"],transform:({values:e,anchor:t})=>Wo("core/pullquote",{value:qy({value:dy({html:e,multilineTag:"li",multilineWrapperTags:["ul","ol"]}),multilineTag:"p"}),anchor:t})}]},D3={apiVersion:2,name:"core/list",title:"List",category:"text",description:"Create a bulleted or numbered list.",keywords:["bullet list","ordered list","numbered list"],textdomain:"default",attributes:{ordered:{type:"boolean",default:!1,__experimentalRole:"content"},values:{type:"string",source:"html",selector:"ol,ul",multiline:"li",__unstableMultilineWrapperTags:["ol","ul"],default:"",__experimentalRole:"content"},type:{type:"string"},start:{type:"number"},reversed:{type:"boolean"},placeholder:{type:"string"}},supports:{anchor:!0,className:!1,typography:{fontSize:!0,__experimentalFontFamily:!0},color:{gradients:!0,link:!0},__unstablePasteTextInline:!0,__experimentalSelector:"ol,ul"},editorStyle:"wp-block-list-editor",style:"wp-block-list"},{name:B3}=D3,I3={icon:m3,example:{attributes:{values:"
  • Alice.
  • The White Rabbit.
  • The Cheshire Cat.
  • The Mad Hatter.
  • The Queen of Hearts.
  • "}},transforms:N3,merge(e,t){const{values:n}=t;return n&&"
  • "!==n?{...e,values:e.values+n}:e},edit:function({attributes:e,setAttributes:t,mergeBlocks:n,onReplace:r,style:o}){const{ordered:a,values:i,type:s,reversed:l,start:c,placeholder:u}=e,d=a?"ol":"ul",p=vR({style:o});return(0,et.createElement)(et.Fragment,null,(0,et.createElement)(tj,rt({identifier:"values",multiline:"li",tagName:d,onChange:e=>t({values:e}),value:i,"aria-label":Zn("List text"),placeholder:u||Zn("List"),onMerge:n,onSplit:t=>Wo(B3,{...e,values:t}),__unstableOnSplitMiddle:()=>Wo("core/paragraph"),onReplace:r,onRemove:()=>r([]),start:c,reversed:l,type:s},p),(({value:e,onChange:n,onFocus:r})=>(0,et.createElement)(et.Fragment,null,(0,et.createElement)(aj,{type:"primary",character:"[",onUse:()=>{n(r_(e))}}),(0,et.createElement)(aj,{type:"primary",character:"]",onUse:()=>{n(t_(e,{type:d}))}}),(0,et.createElement)(aj,{type:"primary",character:"m",onUse:()=>{n(t_(e,{type:d}))}}),(0,et.createElement)(aj,{type:"primaryShift",character:"m",onUse:()=>{n(r_(e))}}),(0,et.createElement)(WM,{group:"block"},(0,et.createElement)(Mg,{icon:nr()?w3:E3,title:Zn("Unordered"),describedBy:Zn("Convert to unordered list"),isActive:Ly(e,"ul",d),onClick:()=>{n(o_(e,{type:"ul"})),r(),Ey(e)&&t({ordered:!1})}}),(0,et.createElement)(Mg,{icon:nr()?L3:A3,title:Zn("Ordered"),describedBy:Zn("Convert to ordered list"),isActive:Ly(e,"ol",d),onClick:()=>{n(o_(e,{type:"ol"})),r(),Ey(e)&&t({ordered:!0})}}),(0,et.createElement)(Mg,{icon:nr()?S3:C3,title:Zn("Outdent"),describedBy:Zn("Outdent list item"),shortcut:er("Backspace","keyboard key"),isDisabled:!e_(e),onClick:()=>{n(r_(e)),r()}}),(0,et.createElement)(Mg,{icon:nr()?T3:x3,title:Zn("Indent"),describedBy:Zn("Indent list item"),shortcut:er("Space","keyboard key"),isDisabled:!Zy(e),onClick:()=>{n(t_(e,{type:d})),r()}}))))),a&&(0,et.createElement)(z3,{setAttributes:t,ordered:a,reversed:l,start:c,placeholder:u}))},save:function({attributes:e}){const{ordered:t,values:n,type:r,reversed:o,start:a}=e,i=t?"ol":"ul";return(0,et.createElement)(i,vR.save({type:r,reversed:o,start:a}),(0,et.createElement)(tj.Content,{value:n,multiline:"li"}))}};const P3=SI(((e,{clientId:t,attributes:n})=>{const{replaceBlock:r}=e(DM);return{convertToHTML(){r(t,Wo("core/html",{content:n.originalUndelimitedContent}))}}}))((function({attributes:e,convertToHTML:t}){const{originalName:n,originalUndelimitedContent:r}=e,o=!!r,a=Do("core/html"),i=[];let s;return o&&a?(s=dn(Zn('Your site doesn’t include support for the "%s" block. You can leave this block intact, convert its content to a Custom HTML block, or remove it entirely.'),n),i.push((0,et.createElement)(nh,{key:"convert",onClick:t,variant:"primary"},Zn("Keep as HTML")))):s=dn(Zn('Your site doesn’t include support for the "%s" block. You can leave this block intact or remove it entirely.'),n),(0,et.createElement)("div",vR({className:"has-warning"}),(0,et.createElement)(IP,{actions:i},s),(0,et.createElement)(Ia,null,vP(r)))}));const R3={apiVersion:2,name:"core/missing",title:"Unsupported",category:"text",description:"Your site doesn’t include support for this block.",textdomain:"default",attributes:{originalName:{type:"string"},originalUndelimitedContent:{type:"string"},originalContent:{type:"string",source:"html"}},supports:{className:!1,customClassName:!1,inserter:!1,html:!1,reusable:!1}},{name:Y3}=R3,W3={name:Y3,__experimentalLabel(e,{context:t}){if("accessibility"===t){const{originalName:t}=e,n=t?Do(t):void 0;return n?n.settings.title||t:""}},edit:P3,save:function({attributes:e}){return(0,et.createElement)(Ia,null,e.originalContent)}},H3=(0,et.createElement)(po,{viewBox:"0 0 24 24",xmlns:"http://www.w3.org/2000/svg"},(0,et.createElement)(co,{d:"M4 9v1.5h16V9H4zm12 5.5h4V13h-4v1.5zm-6 0h4V13h-4v1.5zm-6 0h4V13H4v1.5z"})),q3=Zn("Read more");const j3={from:[{type:"raw",schema:{"wp-block":{attributes:["data-block"]}},isMatch:e=>e.dataset&&"core/more"===e.dataset.block,transform(e){const{customText:t,noTeaser:n}=e.dataset,r={};return t&&(r.customText=t),""===n&&(r.noTeaser=!0),Wo("core/more",r)}}]},F3={apiVersion:2,name:"core/more",title:"More",category:"design",description:"Content before this block will be shown in the excerpt on your archives page.",keywords:["read more"],textdomain:"default",attributes:{customText:{type:"string"},noTeaser:{type:"boolean",default:!1}},supports:{customClassName:!1,className:!1,html:!1,multiple:!1},editorStyle:"wp-block-more-editor"},{name:V3}=F3,X3={icon:H3,example:{},__experimentalLabel(e,{context:t}){if("accessibility"===t)return e.customText},transforms:j3,edit:function({attributes:{customText:e,noTeaser:t},insertBlocksAfter:n,setAttributes:r}){const o={width:`${(e||q3).length+1.2}em`};return(0,et.createElement)(et.Fragment,null,(0,et.createElement)(kA,null,(0,et.createElement)(mA,null,(0,et.createElement)(kN,{label:Zn("Hide the excerpt on the full content page"),checked:!!t,onChange:()=>r({noTeaser:!t}),help:e=>Zn(e?"The excerpt is hidden.":"The excerpt is visible.")}))),(0,et.createElement)("div",vR(),(0,et.createElement)("div",{className:"wp-block-more"},(0,et.createElement)("input",{"aria-label":Zn("Read more link text"),type:"text",value:e,placeholder:q3,onChange:e=>{r({customText:""!==e.target.value?e.target.value:void 0})},onKeyDown:({keyCode:e})=>{e===nm&&n([Wo(No())])},style:o}))))},save:function({attributes:{customText:e,noTeaser:t}}){const n=e?`\x3c!--more ${e}--\x3e`:"\x3c!--more--\x3e",r=t?"\x3c!--noteaser--\x3e":"";return(0,et.createElement)(Ia,null,(0,ot.compact)([n,r]).join("\n"))}},U3=(0,et.createElement)(po,{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24"},(0,et.createElement)(co,{d:"M7.8 6c0-.7.6-1.2 1.2-1.2h6c.7 0 1.2.6 1.2 1.2v3h1.5V6c0-1.5-1.2-2.8-2.8-2.8H9C7.5 3.2 6.2 4.5 6.2 6v3h1.5V6zm8.4 11c0 .7-.6 1.2-1.2 1.2H9c-.7 0-1.2-.6-1.2-1.2v-3H6.2v3c0 1.5 1.2 2.8 2.8 2.8h6c1.5 0 2.8-1.2 2.8-2.8v-3h-1.5v3zM4 11v1h16v-1H4z"}));const $3={from:[{type:"raw",schema:{"wp-block":{attributes:["data-block"]}},isMatch:e=>e.dataset&&"core/nextpage"===e.dataset.block,transform:()=>Wo("core/nextpage",{})}]},K3={apiVersion:2,name:"core/nextpage",title:"Page Break",category:"design",description:"Separate your content into a multi-page experience.",keywords:["next page","pagination"],parent:["core/post-content"],textdomain:"default",supports:{customClassName:!1,className:!1,html:!1},editorStyle:"wp-block-nextpage-editor"},{name:G3}=K3,J3={icon:U3,example:{},transforms:$3,edit:function(){return(0,et.createElement)("div",vR(),(0,et.createElement)("div",{className:"wp-block-nextpage"},(0,et.createElement)("span",null,Zn("Page break"))))},save:function(){return(0,et.createElement)(Ia,null,"\x3c!--nextpage--\x3e")}},Q3=(0,et.createElement)(po,{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24"},(0,et.createElement)(co,{d:"M7 13.8h6v-1.5H7v1.5zM18 16V4c0-1.1-.9-2-2-2H6c-1.1 0-2 .9-2 2v12c0 1.1.9 2 2 2h10c1.1 0 2-.9 2-2zM5.5 16V4c0-.3.2-.5.5-.5h10c.3 0 .5.2.5.5v12c0 .3-.2.5-.5.5H6c-.3 0-.5-.2-.5-.5zM7 10.5h8V9H7v1.5zm0-3.3h8V5.8H7v1.4zM20.2 6v13c0 .7-.6 1.2-1.2 1.2H8v1.5h11c1.5 0 2.7-1.2 2.7-2.8V6h-1.5z"})),Z3=["id","title","link","type","parent"],e4=({pages:e,clientId:t,replaceBlock:n,createBlock:r})=>()=>{if(!e)return;const o={},a=[];e.forEach((({id:e,title:t,link:n,type:i,parent:s})=>{var l,c;const u=null!==(l=null===(c=o[e])||void 0===c?void 0:c.innerBlocks)&&void 0!==l?l:[];if(o[e]=r("core/navigation-link",{id:e,label:t.rendered,url:n,type:i,kind:"post-type"},u),s){o[s]||(o[s]={innerBlocks:[]});o[s].innerBlocks.push(o[e])}else a.push(o[e])})),n(t,a)};function t4({onClose:e,clientId:t}){const{pages:n,pagesFinished:r}=Cl((e=>{const{getEntityRecords:t,hasFinishedResolution:n}=e(vd),r=["postType","page",{per_page:100,_fields:Z3,orderby:"menu_order",order:"asc"}];return{pages:t(...r),pagesFinished:n("getEntityRecords",r)}}),[t]),{replaceBlock:o}=sd(DM);return(0,et.createElement)(DP,{closeLabel:Zn("Close"),onRequestClose:e,title:Zn("Convert to links"),className:"wp-block-page-list-modal",aria:{describedby:"wp-block-page-list-modal__description"}},(0,et.createElement)("p",{id:"wp-block-page-list-modal__description"},Zn("To edit this navigation menu, convert it to single page links. This allows you to add, re-order, remove items, or edit their labels.")),(0,et.createElement)("p",null,Zn("Note: if you add new pages to your site, you'll need to add them to your navigation menu.")),(0,et.createElement)("div",{className:"wp-block-page-list-modal-buttons"},(0,et.createElement)(nh,{variant:"tertiary",onClick:e},Zn("Cancel")),(0,et.createElement)(nh,{variant:"primary",disabled:!r,onClick:e4({pages:n,replaceBlock:o,clientId:t,createBlock:Wo})},Zn("Convert"))))}const n4={apiVersion:2,name:"core/page-list",title:"Page List",category:"widgets",description:"Display a list of all pages.",keywords:["menu","navigation"],textdomain:"default",attributes:{textColor:{type:"string"},customTextColor:{type:"string"},backgroundColor:{type:"string"},customBackgroundColor:{type:"string"},overlayBackgroundColor:{type:"string"},customOverlayBackgroundColor:{type:"string"},overlayTextColor:{type:"string"},customOverlayTextColor:{type:"string"}},usesContext:["textColor","customTextColor","backgroundColor","customBackgroundColor","overlayTextColor","customOverlayTextColor","overlayBackgroundColor","customOverlayBackgroundColor","fontSize","customFontSize","showSubmenuIcon","style"],supports:{reusable:!1,html:!1},editorStyle:"wp-block-page-list-editor",style:"wp-block-page-list"},{name:r4}=n4,o4={icon:Q3,example:{},edit:function({context:e,clientId:t,attributes:n,setAttributes:r}){(0,et.useEffect)((()=>{const{textColor:t,customTextColor:n,backgroundColor:o,customBackgroundColor:a,overlayTextColor:i,customOverlayTextColor:s,overlayBackgroundColor:l,customOverlayBackgroundColor:c}=e;r({textColor:t,customTextColor:n,backgroundColor:o,customBackgroundColor:a,overlayTextColor:i,customOverlayTextColor:s,overlayBackgroundColor:l,customOverlayBackgroundColor:c})}),[e.textColor,e.customTextColor,e.backgroundColor,e.customBackgroundColor,e.overlayTextColor,e.customOverlayTextColor,e.overlayBackgroundColor,e.customOverlayBackgroundColor]);const{textColor:o,backgroundColor:a,showSubmenuIcon:i,style:s}=e||{},[l,c]=(0,et.useState)(!1),u=vR({className:io()({"has-text-color":!!o,[VS("color",o)]:!!o,"has-background":!!a,[VS("background-color",a)]:!!a,"show-submenu-icons":!!i}),style:{...null==s?void 0:s.color}}),d=Cl((e=>{const{getBlockParentsByBlockName:n}=e(DM);return n(t,"core/navigation").length>0}),[t]);(0,et.useEffect)((()=>{d?Zl({path:Il("/wp/v2/pages",{per_page:1,_fields:["id"]}),parse:!1}).then((e=>{c(e.headers.get("X-WP-Total")<=100)})):c(!1)}),[d]);const[p,m]=(0,et.useState)(!1);return(0,et.createElement)(et.Fragment,null,l&&(0,et.createElement)(WM,{group:"other"},(0,et.createElement)(Mg,{title:Zn("Edit"),onClick:()=>m(!0)},Zn("Edit"))),l&&p&&(0,et.createElement)(t4,{onClose:()=>m(!1),clientId:t}),(0,et.createElement)("div",u,(0,et.createElement)(pQ,{block:"core/page-list",attributes:n})))}},a4=(0,et.createElement)(po,{viewBox:"0 0 24 24",xmlns:"http://www.w3.org/2000/svg"},(0,et.createElement)(co,{d:"M18 4H6c-1.1 0-2 .9-2 2v12c0 1.1.9 2 2 2h12c1.1 0 2-.9 2-2V6c0-1.1-.9-2-2-2zm.5 14c0 .3-.2.5-.5.5H6c-.3 0-.5-.2-.5-.5V6c0-.3.2-.5.5-.5h12c.3 0 .5.2.5.5v12zM7 16.5h6V15H7v1.5zm4-4h6V11h-6v1.5zM9 11H7v1.5h2V11zm6 5.5h2V15h-2v1.5z"}));const i4={from:[{type:"block",blocks:["core/code","core/paragraph"],transform:({content:e,anchor:t})=>Wo("core/preformatted",{content:e,anchor:t})},{type:"raw",isMatch:e=>"PRE"===e.nodeName&&!(1===e.children.length&&"CODE"===e.firstChild.nodeName),schema:({phrasingContentSchema:e})=>({pre:{children:e}})}],to:[{type:"block",blocks:["core/paragraph"],transform:e=>Wo("core/paragraph",e)},{type:"block",blocks:["core/code"],transform:e=>Wo("core/code",e)}]},s4={apiVersion:2,name:"core/preformatted",title:"Preformatted",category:"text",description:"Add text that respects your spacing and tabs, and also allows styling.",textdomain:"default",attributes:{content:{type:"string",source:"html",selector:"pre",default:"",__unstablePreserveWhiteSpace:!0,__experimentalRole:"content"}},supports:{anchor:!0,color:{gradients:!0},typography:{fontSize:!0}},style:"wp-block-preformatted"},{name:l4}=s4,c4={icon:a4,example:{attributes:{content:Zn("EXT. XANADU - FAINT DAWN - 1940 (MINIATURE)\nWindow, very small in the distance, illuminated.\nAll around this is an almost totally black screen. Now, as the camera moves slowly towards the window which is almost a postage stamp in the frame, other forms appear;")}},transforms:i4,edit:function({attributes:e,mergeBlocks:t,setAttributes:n,onRemove:r}){const{content:o}=e,a=vR();return(0,et.createElement)(tj,rt({tagName:"pre",identifier:"content",preserveWhiteSpace:!0,value:o,onChange:e=>{n({content:e})},onRemove:r,"aria-label":Zn("Preformatted text"),placeholder:Zn("Write preformatted text…"),onMerge:t},a,{__unstablePastePlainText:!0}))},save:function({attributes:e}){const{content:t}=e;return(0,et.createElement)("pre",vR.save(),(0,et.createElement)(tj.Content,{value:t}))},merge:(e,t)=>({content:e.content+t.content})},u4=(0,et.createElement)(po,{viewBox:"0 0 24 24",xmlns:"http://www.w3.org/2000/svg"},(0,et.createElement)(co,{d:"M18 8H6c-1.1 0-2 .9-2 2v4c0 1.1.9 2 2 2h12c1.1 0 2-.9 2-2v-4c0-1.1-.9-2-2-2zm.5 6c0 .3-.2.5-.5.5H6c-.3 0-.5-.2-.5-.5v-4c0-.3.2-.5.5-.5h12c.3 0 .5.2.5.5v4zM4 4v1.5h16V4H4zm0 16h16v-1.5H4V20z"})),d4="is-style-solid-color",p4={value:{type:"string",source:"html",selector:"blockquote",multiline:"p"},citation:{type:"string",source:"html",selector:"cite",default:""},mainColor:{type:"string"},customMainColor:{type:"string"},textColor:{type:"string"},customTextColor:{type:"string"}};function m4(e){if(!e)return;const t=e.match(/border-color:([^;]+)[;]?/);return t&&t[1]?t[1]:void 0}const f4=[{attributes:{...p4},save({attributes:e}){const{mainColor:t,customMainColor:n,customTextColor:r,textColor:o,value:a,citation:i,className:s}=e;let l,c;if((0,ot.includes)(s,d4)){const e=VS("background-color",t);l=io()({"has-background":e||n,[e]:e}),c={backgroundColor:e?void 0:n}}else n&&(c={borderColor:n});const u=VS("color",o),d=io()({"has-text-color":o||r,[u]:u}),p=u?void 0:{color:r};return(0,et.createElement)("figure",vR.save({className:l,style:c}),(0,et.createElement)("blockquote",{className:d,style:p},(0,et.createElement)(tj.Content,{value:a,multiline:!0}),!tj.isEmpty(i)&&(0,et.createElement)(tj.Content,{tagName:"cite",value:i})))},migrate({className:e,mainColor:t,customMainColor:n,customTextColor:r,...o}){const a=(0,ot.includes)(e,d4);let i;return n&&(i=a?{color:{background:n}}:{border:{color:n}}),r&&i&&(i.color={...i.color,text:r}),{className:e,backgroundColor:a?t:void 0,borderColor:a?void 0:t,textAlign:a?"left":void 0,style:i,...o}}},{attributes:{...p4,figureStyle:{source:"attribute",selector:"figure",attribute:"style"}},save({attributes:e}){const{mainColor:t,customMainColor:n,textColor:r,customTextColor:o,value:a,citation:i,className:s,figureStyle:l}=e;let c,u;if((0,ot.includes)(s,d4)){const e=VS("background-color",t);c=io()({"has-background":e||n,[e]:e}),u={backgroundColor:e?void 0:n}}else if(n)u={borderColor:n};else if(t){u={borderColor:m4(l)}}const d=VS("color",r),p=(r||o)&&io()("has-text-color",{[d]:d}),m=d?void 0:{color:o};return(0,et.createElement)("figure",{className:c,style:u},(0,et.createElement)("blockquote",{className:p,style:m},(0,et.createElement)(tj.Content,{value:a,multiline:!0}),!tj.isEmpty(i)&&(0,et.createElement)(tj.Content,{tagName:"cite",value:i})))},migrate({className:e,figureStyle:t,mainColor:n,customMainColor:r,customTextColor:o,...a}){const i=(0,ot.includes)(e,d4);let s;if(r&&(s=i?{color:{background:r}}:{border:{color:r}}),o&&s&&(s.color={...s.color,text:o}),!i&&n&&t){const n=m4(t);if(n)return{...a,className:e,style:{border:{color:n}}}}return{className:e,backgroundColor:i?n:void 0,borderColor:i?void 0:n,textAlign:i?"left":void 0,style:s,...a}}},{attributes:p4,save({attributes:e}){const{mainColor:t,customMainColor:n,textColor:r,customTextColor:o,value:a,citation:i,className:s}=e;let l,c;if((0,ot.includes)(s,d4))l=VS("background-color",t),l||(c={backgroundColor:n});else if(n)c={borderColor:n};else if(t){const e=(0,ot.get)(en(DM).getSettings(),["colors"],[]);c={borderColor:jS(e,t).color}}const u=VS("color",r),d=r||o?io()("has-text-color",{[u]:u}):void 0,p=u?void 0:{color:o};return(0,et.createElement)("figure",{className:l,style:c},(0,et.createElement)("blockquote",{className:d,style:p},(0,et.createElement)(tj.Content,{value:a,multiline:!0}),!tj.isEmpty(i)&&(0,et.createElement)(tj.Content,{tagName:"cite",value:i})))},migrate({className:e,mainColor:t,customMainColor:n,customTextColor:r,...o}){const a=(0,ot.includes)(e,d4);let i={};return n&&(i=a?{color:{background:n}}:{border:{color:n}}),r&&i&&(i.color={...i.color,text:r}),{className:e,backgroundColor:a?t:void 0,borderColor:a?void 0:t,textAlign:a?"left":void 0,style:i,...o}}},{attributes:{...p4},save({attributes:e}){const{value:t,citation:n}=e;return(0,et.createElement)("blockquote",null,(0,et.createElement)(tj.Content,{value:t,multiline:!0}),!tj.isEmpty(n)&&(0,et.createElement)(tj.Content,{tagName:"cite",value:n}))}},{attributes:{...p4,citation:{type:"string",source:"html",selector:"footer"},align:{type:"string",default:"none"}},save({attributes:e}){const{value:t,citation:n,align:r}=e;return(0,et.createElement)("blockquote",{className:`align${r}`},(0,et.createElement)(tj.Content,{value:t,multiline:!0}),!tj.isEmpty(n)&&(0,et.createElement)(tj.Content,{tagName:"footer",value:n}))}}];const h4=function({attributes:e,setAttributes:t,isSelected:n,insertBlocksAfter:r}){const{textAlign:o,citation:a,value:i}=e,s=vR({className:io()({[`has-text-align-${o}`]:o})}),l=!tj.isEmpty(a)||n;return(0,et.createElement)(et.Fragment,null,(0,et.createElement)(WM,{group:"block"},(0,et.createElement)(jN,{value:o,onChange:e=>{t({textAlign:e})}})),(0,et.createElement)("figure",s,(0,et.createElement)("blockquote",null,(0,et.createElement)(tj,{identifier:"value",multiline:!0,value:i,onChange:e=>t({value:e}),"aria-label":Zn("Pullquote text"),placeholder:Zn("Add quote"),textAlign:"center"}),l&&(0,et.createElement)(tj,{identifier:"citation",value:a,"aria-label":Zn("Pullquote citation text"),placeholder:Zn("Add citation"),onChange:e=>t({citation:e}),className:"wp-block-pullquote__citation",__unstableMobileNoFocusOnMount:!0,textAlign:"center",__unstableOnSplitAtEnd:()=>r(Wo("core/paragraph"))}))))};const g4={from:[{type:"block",isMultiBlock:!0,blocks:["core/paragraph"],transform:e=>Wo("core/pullquote",{value:qy({value:Ty(e.map((({content:e})=>dy({html:e}))),"\u2028"),multilineTag:"p"}),anchor:e.anchor})},{type:"block",blocks:["core/heading"],transform:({content:e,anchor:t})=>Wo("core/pullquote",{value:`

    ${e}

    `,anchor:t})}],to:[{type:"block",blocks:["core/paragraph"],transform:({value:e,citation:t})=>{const n=[];return e&&"

    "!==e&&n.push(...Iy(dy({html:e,multilineTag:"p"}),"\u2028").map((e=>Wo("core/paragraph",{content:qy({value:e})})))),t&&"

    "!==t&&n.push(Wo("core/paragraph",{content:t})),0===n.length?Wo("core/paragraph",{content:""}):n}},{type:"block",blocks:["core/heading"],transform:({value:e,citation:t,...n})=>{if("

    "===e)return Wo("core/heading",{content:t});const r=Iy(dy({html:e,multilineTag:"p"}),"\u2028"),o=Wo("core/heading",{content:qy({value:r[0]})});if(!t&&1===r.length)return o;return[o,Wo("core/pullquote",{...n,citation:t,value:qy({value:r.slice(1).length?Ty(r.slice(1),"\u2028"):dy(),multilineTag:"p"})})]}}]},b4={apiVersion:2,name:"core/pullquote",title:"Pullquote",category:"text",description:"Give special visual emphasis to a quote from your text.",textdomain:"default",attributes:{value:{type:"string",source:"html",selector:"blockquote",multiline:"p",__experimentalRole:"content"},citation:{type:"string",source:"html",selector:"cite",default:"",__experimentalRole:"content"},textAlign:{type:"string"}},supports:{anchor:!0,align:["left","right","wide","full"],color:{gradients:!0,background:!0,link:!0},__experimentalBorder:{color:!0,radius:!0,style:!0,width:!0}},editorStyle:"wp-block-pullquote-editor",style:"wp-block-pullquote"},{name:v4}=b4,y4={icon:u4,example:{attributes:{value:"

    "+Zn("One of the hardest things to do in technology is disrupt yourself.")+"

    ",citation:Zn("Matt Mullenweg")}},transforms:g4,edit:h4,save:function({attributes:e}){const{textAlign:t,citation:n,value:r}=e,o=!tj.isEmpty(n);return(0,et.createElement)("figure",vR.save({className:io()({[`has-text-align-${t}`]:t})}),(0,et.createElement)("blockquote",null,(0,et.createElement)(tj.Content,{value:r,multiline:!0}),o&&(0,et.createElement)(tj.Content,{tagName:"cite",value:n})))},deprecated:f4};function*_4(e){yield function(e){return{type:"CONVERT_BLOCK_TO_STATIC",clientId:e}}(e)}function*M4(e,t){yield function(e,t){return{type:"CONVERT_BLOCKS_TO_REUSABLE",clientIds:e,title:t}}(e,t)}function*k4(e){yield function(e){return{type:"DELETE_REUSABLE_BLOCK",id:e}}(e)}function w4(e,t){return{type:"SET_EDITING_REUSABLE_BLOCK",clientId:e,isEditing:t}}function E4(e,t){return e.isEditingReusableBlock[t]}const L4=Gt("core/reusable-blocks",{actions:re,controls:{CONVERT_BLOCK_TO_STATIC:At((e=>({clientId:t})=>{const n=e.select(DM).getBlock(t),r=e.select("core").getEditedEntityRecord("postType","wp_block",n.attributes.ref),o=ts((0,ot.isFunction)(r.content)?r.content(r):r.content);e.dispatch(DM).replaceBlocks(n.clientId,o)})),CONVERT_BLOCKS_TO_REUSABLE:At((e=>async function({clientIds:t,title:n}){const r={title:n||Zn("Untitled Reusable block"),content:hi(e.select(DM).getBlocksByClientId(t)),status:"publish"},o=Wo("core/block",{ref:(await e.dispatch("core").saveEntityRecord("postType","wp_block",r)).id});e.dispatch(DM).replaceBlocks(t,o),e.dispatch(L4).__experimentalSetEditingReusableBlock(o.clientId,!0)})),DELETE_REUSABLE_BLOCK:At((e=>async function({id:t}){if(!e.select("core").getEditedEntityRecord("postType","wp_block",t))return;const n=e.select(DM).getBlocks().filter((e=>Ro(e)&&e.attributes.ref===t)).map((e=>e.clientId));n.length&&e.dispatch(DM).removeBlocks(n),await e.dispatch("core").deleteEntityRecord("postType","wp_block",t)}))},reducer:it()({isEditingReusableBlock:function(e={},t){return"SET_EDITING_REUSABLE_BLOCK"===(null==t?void 0:t.type)?{...e,[t.clientId]:t.isEditing}:e}}),selectors:oe});on(L4);const A4=(0,et.createElement)(po,{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24"},(0,et.createElement)(co,{d:"M18 4h-7c-1.1 0-2 .9-2 2v7c0 1.1.9 2 2 2h7c1.1 0 2-.9 2-2V6c0-1.1-.9-2-2-2zm.5 9c0 .3-.2.5-.5.5h-7c-.3 0-.5-.2-.5-.5V6c0-.3.2-.5.5-.5h7c.3 0 .5.2.5.5v7zm-5 5c0 .3-.2.5-.5.5H6c-.3 0-.5-.2-.5-.5v-7c0-.3.2-.5.5-.5h1V9H6c-1.1 0-2 .9-2 2v7c0 1.1.9 2 2 2h7c1.1 0 2-.9 2-2v-1h-1.5v1z"}));const S4={apiVersion:2,name:"core/block",title:"Reusable block",category:"reusable",description:"Create and save content to reuse across your site. Update the block, and the changes apply everywhere it’s used.",textdomain:"default",attributes:{ref:{type:"number"}},supports:{customClassName:!1,html:!1,inserter:!1},editorStyle:"wp-block-editor"},{name:C4}=S4,T4={edit:function({attributes:{ref:e},clientId:t}){const[n,r]=sF(e),{isMissing:o,hasResolved:a}=Cl((t=>{const n=t(vd).getEntityRecord("postType","wp_block",e),r=t(vd).hasFinishedResolution("getEntityRecord",["postType","wp_block",e]);return{hasResolved:r,isMissing:r&&!n}}),[e,t]),{__experimentalConvertBlockToStatic:i}=sd(L4),[s,l,c]=md("postType","wp_block",{id:e}),[u,d]=pd("postType","wp_block","title",e),p=vR(),m=wH({},{value:s,onInput:l,onChange:c,renderAppender:null!=s&&s.length?void 0:EH.ButtonBlockAppender});return n?(0,et.createElement)("div",p,(0,et.createElement)(IP,null,Zn("Block cannot be rendered inside itself."))):o?(0,et.createElement)("div",p,(0,et.createElement)(IP,null,Zn("Block has been deleted or is unavailable."))):a?(0,et.createElement)(r,null,(0,et.createElement)("div",p,(0,et.createElement)(WM,null,(0,et.createElement)(Ng,null,(0,et.createElement)(Mg,{onClick:()=>i(t),label:Zn("Convert to regular blocks"),icon:A4,showTooltip:!0}))),(0,et.createElement)(kA,null,(0,et.createElement)(mA,null,(0,et.createElement)(rA,{label:Zn("Name"),value:u,onChange:d}))),(0,et.createElement)(FD,{clientId:t,wrapperProps:m,className:"block-library-block__reusable-block-container"}))):(0,et.createElement)("div",p,(0,et.createElement)(VW,null,(0,et.createElement)(IH,null)))}},x4=(0,et.createElement)(po,{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24"},(0,et.createElement)(co,{d:"M5 10.2h-.8v1.5H5c1.9 0 3.8.8 5.1 2.1 1.4 1.4 2.1 3.2 2.1 5.1v.8h1.5V19c0-2.3-.9-4.5-2.6-6.2-1.6-1.6-3.8-2.6-6.1-2.6zm10.4-1.6C12.6 5.8 8.9 4.2 5 4.2h-.8v1.5H5c3.5 0 6.9 1.4 9.4 3.9s3.9 5.8 3.9 9.4v.8h1.5V19c0-3.9-1.6-7.6-4.4-10.4zM4 20h3v-3H4v3z"}));const z4={apiVersion:2,name:"core/rss",title:"RSS",category:"widgets",description:"Display entries from any RSS or Atom feed.",keywords:["atom","feed"],textdomain:"default",attributes:{columns:{type:"number",default:2},blockLayout:{type:"string",default:"list"},feedURL:{type:"string",default:""},itemsToShow:{type:"number",default:5},displayExcerpt:{type:"boolean",default:!1},displayAuthor:{type:"boolean",default:!1},displayDate:{type:"boolean",default:!1},excerptLength:{type:"number",default:55}},supports:{align:!0,html:!1},editorStyle:"wp-block-rss-editor",style:"wp-block-rss"},{name:O4}=z4,N4={icon:x4,example:{attributes:{feedURL:"https://wordpress.org"}},edit:function({attributes:e,setAttributes:t}){const[n,r]=(0,et.useState)(!e.feedURL),{blockLayout:o,columns:a,displayAuthor:i,displayDate:s,displayExcerpt:l,excerptLength:c,feedURL:u,itemsToShow:d}=e;function p(n){return()=>{const r=e[n];t({[n]:!r})}}const m=vR();if(n)return(0,et.createElement)("div",m,(0,et.createElement)(VW,{icon:x4,label:"RSS"},(0,et.createElement)("form",{onSubmit:function(e){e.preventDefault(),u&&r(!1)},className:"wp-block-rss__placeholder-form"},(0,et.createElement)(rA,{placeholder:Zn("Enter URL here…"),value:u,onChange:e=>t({feedURL:e}),className:"wp-block-rss__placeholder-input"}),(0,et.createElement)(nh,{variant:"primary",type:"submit"},Zn("Use URL")))));const f=[{icon:Aq,title:Zn("Edit RSS URL"),onClick:()=>r(!0)},{icon:m3,title:Zn("List view"),onClick:()=>t({blockLayout:"list"}),isActive:"list"===o},{icon:$W,title:Zn("Grid view"),onClick:()=>t({blockLayout:"grid"}),isActive:"grid"===o}];return(0,et.createElement)(et.Fragment,null,(0,et.createElement)(WM,null,(0,et.createElement)(Ng,{controls:f})),(0,et.createElement)(kA,null,(0,et.createElement)(mA,{title:Zn("RSS settings")},(0,et.createElement)(BC,{label:Zn("Number of items"),value:d,onChange:e=>t({itemsToShow:e}),min:1,max:10,required:!0}),(0,et.createElement)(kN,{label:Zn("Display author"),checked:i,onChange:p("displayAuthor")}),(0,et.createElement)(kN,{label:Zn("Display date"),checked:s,onChange:p("displayDate")}),(0,et.createElement)(kN,{label:Zn("Display excerpt"),checked:l,onChange:p("displayExcerpt")}),l&&(0,et.createElement)(BC,{label:Zn("Max number of words in excerpt"),value:c,onChange:e=>t({excerptLength:e}),min:10,max:100,required:!0}),"grid"===o&&(0,et.createElement)(BC,{label:Zn("Columns"),value:a,onChange:e=>t({columns:e}),min:2,max:6,required:!0}))),(0,et.createElement)("div",m,(0,et.createElement)(gP,null,(0,et.createElement)(pQ,{block:"core/rss",attributes:e}))))}},D4=(0,et.createElement)(po,{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24"},(0,et.createElement)(uo,{x:"7",y:"10",width:"10",height:"4",rx:"1",fill:"currentColor"})),B4=(0,et.createElement)(po,{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24"},(0,et.createElement)(uo,{x:"4.75",y:"15.25",width:"6.5",height:"9.5",transform:"rotate(-90 4.75 15.25)",stroke:"currentColor",strokeWidth:"1.5",fill:"none"}),(0,et.createElement)(uo,{x:"16",y:"10",width:"4",height:"4",rx:"1",fill:"currentColor"})),I4=(0,et.createElement)(po,{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24"},(0,et.createElement)(uo,{x:"4.75",y:"15.25",width:"6.5",height:"14.5",transform:"rotate(-90 4.75 15.25)",stroke:"currentColor",strokeWidth:"1.5",fill:"none"}),(0,et.createElement)(uo,{x:"14",y:"10",width:"4",height:"4",rx:"1",fill:"currentColor"})),P4=(0,et.createElement)(po,{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24"},(0,et.createElement)(uo,{x:"4.75",y:"15.25",width:"6.5",height:"14.5",transform:"rotate(-90 4.75 15.25)",stroke:"currentColor",fill:"none",strokeWidth:"1.5"})),R4=(0,et.createElement)(po,{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24"},(0,et.createElement)(uo,{x:"4.75",y:"7.75",width:"14.5",height:"8.5",rx:"1.25",stroke:"currentColor",fill:"none",strokeWidth:"1.5"}),(0,et.createElement)(uo,{x:"8",y:"11",width:"8",height:"2",fill:"currentColor"})),Y4=(0,et.createElement)(po,{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24"},(0,et.createElement)(uo,{x:"4.75",y:"17.25",width:"5.5",height:"14.5",transform:"rotate(-90 4.75 17.25)",stroke:"currentColor",fill:"none",strokeWidth:"1.5"}),(0,et.createElement)(uo,{x:"4",y:"7",width:"10",height:"2",fill:"currentColor"}));const W4=[{name:"default",isDefault:!0,attributes:{buttonText:Zn("Search"),label:Zn("Search")}}],H4={apiVersion:2,name:"core/search",title:"Search",category:"widgets",description:"Help visitors find your content.",keywords:["find"],textdomain:"default",attributes:{label:{type:"string",__experimentalRole:"content"},showLabel:{type:"boolean",default:!0},placeholder:{type:"string",default:"",__experimentalRole:"content"},width:{type:"number"},widthUnit:{type:"string"},buttonText:{type:"string",__experimentalRole:"content"},buttonPosition:{type:"string",default:"button-outside"},buttonUseIcon:{type:"boolean",default:!1}},supports:{align:["left","center","right"],color:{gradients:!0,__experimentalSkipSerialization:!0},__experimentalBorder:{color:!0,radius:!0,__experimentalSkipSerialization:!0},html:!1},editorStyle:"wp-block-search-editor",style:"wp-block-search"},{name:q4}=H4,j4={icon:FI,example:{},variations:W4,edit:function({className:e,attributes:t,setAttributes:n,toggleSelection:r,isSelected:o}){var a,i;const{label:s,showLabel:l,placeholder:c,width:u,widthUnit:d,align:p,buttonText:m,buttonPosition:f,buttonUseIcon:h,style:g}=t,b=null==g||null===(a=g.border)||void 0===a?void 0:a.radius,v=null==g||null===(i=g.border)||void 0===i?void 0:i.color,y=xN(t);"number"==typeof b&&(y.style.borderRadius=`${b}px`);const _=NN(t),M=`wp-block-search__width-${xk(lj)}`,k="button-inside"===f,w="button-outside"===f,E="no-button"===f,L="button-only"===f,A=rk({availableUnits:["%","px"],defaultValues:{"%":50,px:350}}),S=[{role:"menuitemradio",title:Zn("Button outside"),isActive:"button-outside"===f,icon:B4,onClick:()=>{n({buttonPosition:"button-outside"})}},{role:"menuitemradio",title:Zn("Button inside"),isActive:"button-inside"===f,icon:I4,onClick:()=>{n({buttonPosition:"button-inside"})}},{role:"menuitemradio",title:Zn("No button"),isActive:"no-button"===f,icon:P4,onClick:()=>{n({buttonPosition:"no-button"})}}],C=()=>{const e=io()("wp-block-search__input",k?void 0:y.className),t=k?{borderRadius:b}:y.style;return(0,et.createElement)("input",{className:e,style:t,"aria-label":Zn("Optional placeholder text"),placeholder:c?void 0:Zn("Optional placeholder…"),value:c,onChange:e=>n({placeholder:e.target.value})})},T=()=>{const e=io()("wp-block-search__button",_.className,k?void 0:y.className),t={..._.style,...k?{borderRadius:b}:y.style};return(0,et.createElement)(et.Fragment,null,h&&(0,et.createElement)(nh,{icon:FI,className:e,style:t}),!h&&(0,et.createElement)(tj,{className:e,style:t,"aria-label":Zn("Button text"),placeholder:Zn("Add button text…"),withoutInteractiveFormatting:!0,value:m,onChange:e=>n({buttonText:e})}))},x=(0,et.createElement)(et.Fragment,null,(0,et.createElement)(WM,null,(0,et.createElement)(Ng,null,(0,et.createElement)(Mg,{title:Zn("Toggle search label"),icon:Y4,onClick:()=>{n({showLabel:!l})},className:l?"is-pressed":void 0}),(0,et.createElement)(HM,{icon:(()=>{switch(f){case"button-inside":return I4;case"button-outside":return B4;case"no-button":return P4;case"button-only":return D4}})(),label:Zn("Change button position"),controls:S}),!E&&(0,et.createElement)(Mg,{title:Zn("Use button with icon"),icon:R4,onClick:()=>{n({buttonUseIcon:!h})},className:h?"is-pressed":void 0}))),(0,et.createElement)(kA,null,(0,et.createElement)(mA,{title:Zn("Display Settings")},(0,et.createElement)(nA,{label:Zn("Width"),id:M},(0,et.createElement)(lj,{id:M,min:"220px",onChange:e=>{const t="%"===d&&parseInt(e,10)>100?100:e;n({width:parseInt(t,10)})},onUnitChange:e=>{n({width:"%"===e?50:350,widthUnit:e})},style:{maxWidth:80},value:`${u}${d}`,unit:d,units:A}),(0,et.createElement)(CA,{className:"wp-block-search__components-button-group","aria-label":Zn("Percentage Width")},[25,50,75,100].map((e=>(0,et.createElement)(nh,{key:e,isSmall:!0,variant:`${e}%`==`${u}${d}`?0:void 0,onClick:()=>n({width:e,widthUnit:"%"})},e,"%")))))))),z=e=>e?`calc(${e} + 4px)`:void 0,O=vR({className:io()(e,k?void 0:y.className,k?"wp-block-search__button-inside":void 0,w?"wp-block-search__button-outside":void 0,E?"wp-block-search__no-button":void 0,L?"wp-block-search__button-only":void 0,h||E?void 0:"wp-block-search__text-button",h&&!E?"wp-block-search__icon-button":void 0)});return(0,et.createElement)("div",O,x,l&&(0,et.createElement)(tj,{className:"wp-block-search__label","aria-label":Zn("Label text"),placeholder:Zn("Add label…"),withoutInteractiveFormatting:!0,value:s,onChange:e=>n({label:e})}),(0,et.createElement)(QK,{size:{width:`${u}${d}`},className:io()("wp-block-search__inside-wrapper",k?y.className:void 0),style:(()=>{const e={borderColor:v},t=0!==parseInt(b,10);if(k&&t){if("object"==typeof b){const{topLeft:t,topRight:n,bottomLeft:r,bottomRight:o}=b;return{borderTopLeftRadius:z(t),borderTopRightRadius:z(n),borderBottomLeftRadius:z(r),borderBottomRightRadius:z(o),...e}}const t=Number.isInteger(b)?`${b}px`:b;e.borderRadius=`calc(${t} + 4px)`}return e})(),minWidth:220,enable:L?{}:{right:"right"!==p,left:"right"===p},onResizeStart:(e,t,o)=>{n({width:parseInt(o.offsetWidth,10),widthUnit:"px"}),r(!1)},onResizeStop:(e,t,o,a)=>{n({width:parseInt(u+a.width,10)}),r(!0)},showHandle:o},(k||w)&&(0,et.createElement)(et.Fragment,null,C(),T()),L&&T(),E&&C()))}},F4=(0,et.createElement)(po,{viewBox:"0 0 24 24",xmlns:"http://www.w3.org/2000/svg"},(0,et.createElement)(co,{d:"M18 4h-7c-1.1 0-2 .9-2 2v3H6c-1.1 0-2 .9-2 2v7c0 1.1.9 2 2 2h7c1.1 0 2-.9 2-2v-3h3c1.1 0 2-.9 2-2V6c0-1.1-.9-2-2-2zm-4.5 14c0 .3-.2.5-.5.5H6c-.3 0-.5-.2-.5-.5v-7c0-.3.2-.5.5-.5h3V13c0 1.1.9 2 2 2h2.5v3zm0-4.5H11c-.3 0-.5-.2-.5-.5v-2.5H13c.3 0 .5.2.5.5v2.5zm5-.5c0 .3-.2.5-.5.5h-3V11c0-1.1-.9-2-2-2h-2.5V6c0-.3.2-.5.5-.5h7c.3 0 .5.2.5.5v7z"})),V4=e=>{if(e.tagName||(e={...e,tagName:"div"}),!e.customTextColor&&!e.customBackgroundColor)return e;const t={color:{}};return e.customTextColor&&(t.color.text=e.customTextColor),e.customBackgroundColor&&(t.color.background=e.customBackgroundColor),{...(0,ot.omit)(e,["customTextColor","customBackgroundColor"]),style:t}},X4=[{attributes:{tagName:{type:"string",default:"div"},templateLock:{type:"string"}},supports:{align:["wide","full"],anchor:!0,color:{gradients:!0,link:!0},spacing:{padding:!0},__experimentalBorder:{radius:!0}},save({attributes:e}){const{tagName:t}=e;return(0,et.createElement)(t,vR.save(),(0,et.createElement)("div",{className:"wp-block-group__inner-container"},(0,et.createElement)(EH.Content,null)))}},{attributes:{backgroundColor:{type:"string"},customBackgroundColor:{type:"string"},textColor:{type:"string"},customTextColor:{type:"string"}},supports:{align:["wide","full"],anchor:!0,html:!1},migrate:V4,save({attributes:e}){const{backgroundColor:t,customBackgroundColor:n,textColor:r,customTextColor:o}=e,a=VS("background-color",t),i=VS("color",r),s=io()(a,i,{"has-text-color":r||o,"has-background":t||n}),l={backgroundColor:a?void 0:n,color:i?void 0:o};return(0,et.createElement)("div",{className:s,style:l},(0,et.createElement)("div",{className:"wp-block-group__inner-container"},(0,et.createElement)(EH.Content,null)))}},{attributes:{backgroundColor:{type:"string"},customBackgroundColor:{type:"string"},textColor:{type:"string"},customTextColor:{type:"string"}},migrate:V4,supports:{align:["wide","full"],anchor:!0,html:!1},save({attributes:e}){const{backgroundColor:t,customBackgroundColor:n,textColor:r,customTextColor:o}=e,a=VS("background-color",t),i=VS("color",r),s=io()(a,{"has-text-color":r||o,"has-background":t||n}),l={backgroundColor:a?void 0:n,color:i?void 0:o};return(0,et.createElement)("div",{className:s,style:l},(0,et.createElement)("div",{className:"wp-block-group__inner-container"},(0,et.createElement)(EH.Content,null)))}},{attributes:{backgroundColor:{type:"string"},customBackgroundColor:{type:"string"}},supports:{align:["wide","full"],anchor:!0,html:!1},migrate:V4,save({attributes:e}){const{backgroundColor:t,customBackgroundColor:n}=e,r=VS("background-color",t),o=io()(r,{"has-background":t||n}),a={backgroundColor:r?void 0:n};return(0,et.createElement)("div",{className:o,style:a},(0,et.createElement)(EH.Content,null))}}];const U4=function({attributes:e,setAttributes:t,clientId:n}){const{hasInnerBlocks:r,themeSupportsLayout:o}=Cl((e=>{var t;const{getBlock:r,getSettings:o}=e(DM),a=r(n);return{hasInnerBlocks:!(!a||!a.innerBlocks.length),themeSupportsLayout:null===(t=o())||void 0===t?void 0:t.supportsLayout}}),[n]),a=TL("layout")||{},{tagName:i="div",templateLock:s,layout:l={}}=e,c=l&&l.inherit?a:l,u=vR(),d=wH(o?u:{className:"wp-block-group__inner-container"},{templateLock:s,renderAppender:r?void 0:EH.ButtonBlockAppender,__experimentalLayout:o?c:void 0});return(0,et.createElement)(et.Fragment,null,(0,et.createElement)(vA,null,(0,et.createElement)(SS,{label:Zn("HTML element"),options:[{label:Zn("Default (
    )"),value:"div"},{label:"
    ",value:"header"},{label:"
    ",value:"main"},{label:"
    ",value:"section"},{label:"
    ",value:"article"},{label:"